1 line
No EOL
3.1 MiB
1 line
No EOL
3.1 MiB
{"ast":null,"code":"/**\n * @license Angular v16.2.12\n * (c) 2010-2022 Google LLC. https://angular.io/\n * License: MIT\n */\n\nconst _SELECTOR_REGEXP = new RegExp('(\\\\:not\\\\()|' +\n// 1: \":not(\"\n'(([\\\\.\\\\#]?)[-\\\\w]+)|' +\n// 2: \"tag\"; 3: \".\"/\"#\";\n// \"-\" should appear first in the regexp below as FF31 parses \"[.-\\w]\" as a range\n// 4: attribute; 5: attribute_string; 6: attribute_value\n'(?:\\\\[([-.\\\\w*\\\\\\\\$]+)(?:=([\\\"\\']?)([^\\\\]\\\"\\']*)\\\\5)?\\\\])|' +\n// \"[name]\", \"[name=value]\",\n// \"[name=\"value\"]\",\n// \"[name='value']\"\n'(\\\\))|' +\n// 7: \")\"\n'(\\\\s*,\\\\s*)',\n// 8: \",\"\n'g');\n/**\n * A css selector contains an element name,\n * css classes and attribute/value pairs with the purpose\n * of selecting subsets out of them.\n */\nclass CssSelector {\n constructor() {\n this.element = null;\n this.classNames = [];\n /**\n * The selectors are encoded in pairs where:\n * - even locations are attribute names\n * - odd locations are attribute values.\n *\n * Example:\n * Selector: `[key1=value1][key2]` would parse to:\n * ```\n * ['key1', 'value1', 'key2', '']\n * ```\n */\n this.attrs = [];\n this.notSelectors = [];\n }\n static parse(selector) {\n const results = [];\n const _addResult = (res, cssSel) => {\n if (cssSel.notSelectors.length > 0 && !cssSel.element && cssSel.classNames.length == 0 && cssSel.attrs.length == 0) {\n cssSel.element = '*';\n }\n res.push(cssSel);\n };\n let cssSelector = new CssSelector();\n let match;\n let current = cssSelector;\n let inNot = false;\n _SELECTOR_REGEXP.lastIndex = 0;\n while (match = _SELECTOR_REGEXP.exec(selector)) {\n if (match[1 /* SelectorRegexp.NOT */]) {\n if (inNot) {\n throw new Error('Nesting :not in a selector is not allowed');\n }\n inNot = true;\n current = new CssSelector();\n cssSelector.notSelectors.push(current);\n }\n const tag = match[2 /* SelectorRegexp.TAG */];\n if (tag) {\n const prefix = match[3 /* SelectorRegexp.PREFIX */];\n if (prefix === '#') {\n // #hash\n current.addAttribute('id', tag.slice(1));\n } else if (prefix === '.') {\n // Class\n current.addClassName(tag.slice(1));\n } else {\n // Element\n current.setElement(tag);\n }\n }\n const attribute = match[4 /* SelectorRegexp.ATTRIBUTE */];\n if (attribute) {\n current.addAttribute(current.unescapeAttribute(attribute), match[6 /* SelectorRegexp.ATTRIBUTE_VALUE */]);\n }\n if (match[7 /* SelectorRegexp.NOT_END */]) {\n inNot = false;\n current = cssSelector;\n }\n if (match[8 /* SelectorRegexp.SEPARATOR */]) {\n if (inNot) {\n throw new Error('Multiple selectors in :not are not supported');\n }\n _addResult(results, cssSelector);\n cssSelector = current = new CssSelector();\n }\n }\n _addResult(results, cssSelector);\n return results;\n }\n /**\n * Unescape `\\$` sequences from the CSS attribute selector.\n *\n * This is needed because `$` can have a special meaning in CSS selectors,\n * but we might want to match an attribute that contains `$`.\n * [MDN web link for more\n * info](https://developer.mozilla.org/en-US/docs/Web/CSS/Attribute_selectors).\n * @param attr the attribute to unescape.\n * @returns the unescaped string.\n */\n unescapeAttribute(attr) {\n let result = '';\n let escaping = false;\n for (let i = 0; i < attr.length; i++) {\n const char = attr.charAt(i);\n if (char === '\\\\') {\n escaping = true;\n continue;\n }\n if (char === '$' && !escaping) {\n throw new Error(`Error in attribute selector \"${attr}\". ` + `Unescaped \"$\" is not supported. Please escape with \"\\\\$\".`);\n }\n escaping = false;\n result += char;\n }\n return result;\n }\n /**\n * Escape `$` sequences from the CSS attribute selector.\n *\n * This is needed because `$` can have a special meaning in CSS selectors,\n * with this method we are escaping `$` with `\\$'.\n * [MDN web link for more\n * info](https://developer.mozilla.org/en-US/docs/Web/CSS/Attribute_selectors).\n * @param attr the attribute to escape.\n * @returns the escaped string.\n */\n escapeAttribute(attr) {\n return attr.replace(/\\\\/g, '\\\\\\\\').replace(/\\$/g, '\\\\$');\n }\n isElementSelector() {\n return this.hasElementSelector() && this.classNames.length == 0 && this.attrs.length == 0 && this.notSelectors.length === 0;\n }\n hasElementSelector() {\n return !!this.element;\n }\n setElement(element = null) {\n this.element = element;\n }\n getAttrs() {\n const result = [];\n if (this.classNames.length > 0) {\n result.push('class', this.classNames.join(' '));\n }\n return result.concat(this.attrs);\n }\n addAttribute(name, value = '') {\n this.attrs.push(name, value && value.toLowerCase() || '');\n }\n addClassName(name) {\n this.classNames.push(name.toLowerCase());\n }\n toString() {\n let res = this.element || '';\n if (this.classNames) {\n this.classNames.forEach(klass => res += `.${klass}`);\n }\n if (this.attrs) {\n for (let i = 0; i < this.attrs.length; i += 2) {\n const name = this.escapeAttribute(this.attrs[i]);\n const value = this.attrs[i + 1];\n res += `[${name}${value ? '=' + value : ''}]`;\n }\n }\n this.notSelectors.forEach(notSelector => res += `:not(${notSelector})`);\n return res;\n }\n}\n/**\n * Reads a list of CssSelectors and allows to calculate which ones\n * are contained in a given CssSelector.\n */\nclass SelectorMatcher {\n constructor() {\n this._elementMap = new Map();\n this._elementPartialMap = new Map();\n this._classMap = new Map();\n this._classPartialMap = new Map();\n this._attrValueMap = new Map();\n this._attrValuePartialMap = new Map();\n this._listContexts = [];\n }\n static createNotMatcher(notSelectors) {\n const notMatcher = new SelectorMatcher();\n notMatcher.addSelectables(notSelectors, null);\n return notMatcher;\n }\n addSelectables(cssSelectors, callbackCtxt) {\n let listContext = null;\n if (cssSelectors.length > 1) {\n listContext = new SelectorListContext(cssSelectors);\n this._listContexts.push(listContext);\n }\n for (let i = 0; i < cssSelectors.length; i++) {\n this._addSelectable(cssSelectors[i], callbackCtxt, listContext);\n }\n }\n /**\n * Add an object that can be found later on by calling `match`.\n * @param cssSelector A css selector\n * @param callbackCtxt An opaque object that will be given to the callback of the `match` function\n */\n _addSelectable(cssSelector, callbackCtxt, listContext) {\n let matcher = this;\n const element = cssSelector.element;\n const classNames = cssSelector.classNames;\n const attrs = cssSelector.attrs;\n const selectable = new SelectorContext(cssSelector, callbackCtxt, listContext);\n if (element) {\n const isTerminal = attrs.length === 0 && classNames.length === 0;\n if (isTerminal) {\n this._addTerminal(matcher._elementMap, element, selectable);\n } else {\n matcher = this._addPartial(matcher._elementPartialMap, element);\n }\n }\n if (classNames) {\n for (let i = 0; i < classNames.length; i++) {\n const isTerminal = attrs.length === 0 && i === classNames.length - 1;\n const className = classNames[i];\n if (isTerminal) {\n this._addTerminal(matcher._classMap, className, selectable);\n } else {\n matcher = this._addPartial(matcher._classPartialMap, className);\n }\n }\n }\n if (attrs) {\n for (let i = 0; i < attrs.length; i += 2) {\n const isTerminal = i === attrs.length - 2;\n const name = attrs[i];\n const value = attrs[i + 1];\n if (isTerminal) {\n const terminalMap = matcher._attrValueMap;\n let terminalValuesMap = terminalMap.get(name);\n if (!terminalValuesMap) {\n terminalValuesMap = new Map();\n terminalMap.set(name, terminalValuesMap);\n }\n this._addTerminal(terminalValuesMap, value, selectable);\n } else {\n const partialMap = matcher._attrValuePartialMap;\n let partialValuesMap = partialMap.get(name);\n if (!partialValuesMap) {\n partialValuesMap = new Map();\n partialMap.set(name, partialValuesMap);\n }\n matcher = this._addPartial(partialValuesMap, value);\n }\n }\n }\n }\n _addTerminal(map, name, selectable) {\n let terminalList = map.get(name);\n if (!terminalList) {\n terminalList = [];\n map.set(name, terminalList);\n }\n terminalList.push(selectable);\n }\n _addPartial(map, name) {\n let matcher = map.get(name);\n if (!matcher) {\n matcher = new SelectorMatcher();\n map.set(name, matcher);\n }\n return matcher;\n }\n /**\n * Find the objects that have been added via `addSelectable`\n * whose css selector is contained in the given css selector.\n * @param cssSelector A css selector\n * @param matchedCallback This callback will be called with the object handed into `addSelectable`\n * @return boolean true if a match was found\n */\n match(cssSelector, matchedCallback) {\n let result = false;\n const element = cssSelector.element;\n const classNames = cssSelector.classNames;\n const attrs = cssSelector.attrs;\n for (let i = 0; i < this._listContexts.length; i++) {\n this._listContexts[i].alreadyMatched = false;\n }\n result = this._matchTerminal(this._elementMap, element, cssSelector, matchedCallback) || result;\n result = this._matchPartial(this._elementPartialMap, element, cssSelector, matchedCallback) || result;\n if (classNames) {\n for (let i = 0; i < classNames.length; i++) {\n const className = classNames[i];\n result = this._matchTerminal(this._classMap, className, cssSelector, matchedCallback) || result;\n result = this._matchPartial(this._classPartialMap, className, cssSelector, matchedCallback) || result;\n }\n }\n if (attrs) {\n for (let i = 0; i < attrs.length; i += 2) {\n const name = attrs[i];\n const value = attrs[i + 1];\n const terminalValuesMap = this._attrValueMap.get(name);\n if (value) {\n result = this._matchTerminal(terminalValuesMap, '', cssSelector, matchedCallback) || result;\n }\n result = this._matchTerminal(terminalValuesMap, value, cssSelector, matchedCallback) || result;\n const partialValuesMap = this._attrValuePartialMap.get(name);\n if (value) {\n result = this._matchPartial(partialValuesMap, '', cssSelector, matchedCallback) || result;\n }\n result = this._matchPartial(partialValuesMap, value, cssSelector, matchedCallback) || result;\n }\n }\n return result;\n }\n /** @internal */\n _matchTerminal(map, name, cssSelector, matchedCallback) {\n if (!map || typeof name !== 'string') {\n return false;\n }\n let selectables = map.get(name) || [];\n const starSelectables = map.get('*');\n if (starSelectables) {\n selectables = selectables.concat(starSelectables);\n }\n if (selectables.length === 0) {\n return false;\n }\n let selectable;\n let result = false;\n for (let i = 0; i < selectables.length; i++) {\n selectable = selectables[i];\n result = selectable.finalize(cssSelector, matchedCallback) || result;\n }\n return result;\n }\n /** @internal */\n _matchPartial(map, name, cssSelector, matchedCallback) {\n if (!map || typeof name !== 'string') {\n return false;\n }\n const nestedSelector = map.get(name);\n if (!nestedSelector) {\n return false;\n }\n // TODO(perf): get rid of recursion and measure again\n // TODO(perf): don't pass the whole selector into the recursion,\n // but only the not processed parts\n return nestedSelector.match(cssSelector, matchedCallback);\n }\n}\nclass SelectorListContext {\n constructor(selectors) {\n this.selectors = selectors;\n this.alreadyMatched = false;\n }\n}\n// Store context to pass back selector and context when a selector is matched\nclass SelectorContext {\n constructor(selector, cbContext, listContext) {\n this.selector = selector;\n this.cbContext = cbContext;\n this.listContext = listContext;\n this.notSelectors = selector.notSelectors;\n }\n finalize(cssSelector, callback) {\n let result = true;\n if (this.notSelectors.length > 0 && (!this.listContext || !this.listContext.alreadyMatched)) {\n const notMatcher = SelectorMatcher.createNotMatcher(this.notSelectors);\n result = !notMatcher.match(cssSelector, null);\n }\n if (result && callback && (!this.listContext || !this.listContext.alreadyMatched)) {\n if (this.listContext) {\n this.listContext.alreadyMatched = true;\n }\n callback(this.selector, this.cbContext);\n }\n return result;\n }\n}\n\n// Attention:\n// Stores the default value of `emitDistinctChangesOnly` when the `emitDistinctChangesOnly` is not\n// explicitly set.\nconst emitDistinctChangesOnlyDefaultValue = true;\nvar ViewEncapsulation;\n(function (ViewEncapsulation) {\n ViewEncapsulation[ViewEncapsulation[\"Emulated\"] = 0] = \"Emulated\";\n // Historically the 1 value was for `Native` encapsulation which has been removed as of v11.\n ViewEncapsulation[ViewEncapsulation[\"None\"] = 2] = \"None\";\n ViewEncapsulation[ViewEncapsulation[\"ShadowDom\"] = 3] = \"ShadowDom\";\n})(ViewEncapsulation || (ViewEncapsulation = {}));\nvar ChangeDetectionStrategy;\n(function (ChangeDetectionStrategy) {\n ChangeDetectionStrategy[ChangeDetectionStrategy[\"OnPush\"] = 0] = \"OnPush\";\n ChangeDetectionStrategy[ChangeDetectionStrategy[\"Default\"] = 1] = \"Default\";\n})(ChangeDetectionStrategy || (ChangeDetectionStrategy = {}));\nconst CUSTOM_ELEMENTS_SCHEMA = {\n name: 'custom-elements'\n};\nconst NO_ERRORS_SCHEMA = {\n name: 'no-errors-schema'\n};\nconst Type$1 = Function;\nvar SecurityContext;\n(function (SecurityContext) {\n SecurityContext[SecurityContext[\"NONE\"] = 0] = \"NONE\";\n SecurityContext[SecurityContext[\"HTML\"] = 1] = \"HTML\";\n SecurityContext[SecurityContext[\"STYLE\"] = 2] = \"STYLE\";\n SecurityContext[SecurityContext[\"SCRIPT\"] = 3] = \"SCRIPT\";\n SecurityContext[SecurityContext[\"URL\"] = 4] = \"URL\";\n SecurityContext[SecurityContext[\"RESOURCE_URL\"] = 5] = \"RESOURCE_URL\";\n})(SecurityContext || (SecurityContext = {}));\nvar MissingTranslationStrategy;\n(function (MissingTranslationStrategy) {\n MissingTranslationStrategy[MissingTranslationStrategy[\"Error\"] = 0] = \"Error\";\n MissingTranslationStrategy[MissingTranslationStrategy[\"Warning\"] = 1] = \"Warning\";\n MissingTranslationStrategy[MissingTranslationStrategy[\"Ignore\"] = 2] = \"Ignore\";\n})(MissingTranslationStrategy || (MissingTranslationStrategy = {}));\nfunction parserSelectorToSimpleSelector(selector) {\n const classes = selector.classNames && selector.classNames.length ? [8 /* SelectorFlags.CLASS */, ...selector.classNames] : [];\n const elementName = selector.element && selector.element !== '*' ? selector.element : '';\n return [elementName, ...selector.attrs, ...classes];\n}\nfunction parserSelectorToNegativeSelector(selector) {\n const classes = selector.classNames && selector.classNames.length ? [8 /* SelectorFlags.CLASS */, ...selector.classNames] : [];\n if (selector.element) {\n return [1 /* SelectorFlags.NOT */ | 4 /* SelectorFlags.ELEMENT */, selector.element, ...selector.attrs, ...classes];\n } else if (selector.attrs.length) {\n return [1 /* SelectorFlags.NOT */ | 2 /* SelectorFlags.ATTRIBUTE */, ...selector.attrs, ...classes];\n } else {\n return selector.classNames && selector.classNames.length ? [1 /* SelectorFlags.NOT */ | 8 /* SelectorFlags.CLASS */, ...selector.classNames] : [];\n }\n}\nfunction parserSelectorToR3Selector(selector) {\n const positive = parserSelectorToSimpleSelector(selector);\n const negative = selector.notSelectors && selector.notSelectors.length ? selector.notSelectors.map(notSelector => parserSelectorToNegativeSelector(notSelector)) : [];\n return positive.concat(...negative);\n}\nfunction parseSelectorToR3Selector(selector) {\n return selector ? CssSelector.parse(selector).map(parserSelectorToR3Selector) : [];\n}\nvar core = /*#__PURE__*/Object.freeze({\n __proto__: null,\n emitDistinctChangesOnlyDefaultValue: emitDistinctChangesOnlyDefaultValue,\n get ViewEncapsulation() {\n return ViewEncapsulation;\n },\n get ChangeDetectionStrategy() {\n return ChangeDetectionStrategy;\n },\n CUSTOM_ELEMENTS_SCHEMA: CUSTOM_ELEMENTS_SCHEMA,\n NO_ERRORS_SCHEMA: NO_ERRORS_SCHEMA,\n Type: Type$1,\n get SecurityContext() {\n return SecurityContext;\n },\n get MissingTranslationStrategy() {\n return MissingTranslationStrategy;\n },\n parseSelectorToR3Selector: parseSelectorToR3Selector\n});\n\n/**\n * Represents a big integer using a buffer of its individual digits, with the least significant\n * digit stored at the beginning of the array (little endian).\n *\n * For performance reasons, each instance is mutable. The addition operation can be done in-place\n * to reduce memory pressure of allocation for the digits array.\n */\nclass BigInteger {\n static zero() {\n return new BigInteger([0]);\n }\n static one() {\n return new BigInteger([1]);\n }\n /**\n * Creates a big integer using its individual digits in little endian storage.\n */\n constructor(digits) {\n this.digits = digits;\n }\n /**\n * Creates a clone of this instance.\n */\n clone() {\n return new BigInteger(this.digits.slice());\n }\n /**\n * Returns a new big integer with the sum of `this` and `other` as its value. This does not mutate\n * `this` but instead returns a new instance, unlike `addToSelf`.\n */\n add(other) {\n const result = this.clone();\n result.addToSelf(other);\n return result;\n }\n /**\n * Adds `other` to the instance itself, thereby mutating its value.\n */\n addToSelf(other) {\n const maxNrOfDigits = Math.max(this.digits.length, other.digits.length);\n let carry = 0;\n for (let i = 0; i < maxNrOfDigits; i++) {\n let digitSum = carry;\n if (i < this.digits.length) {\n digitSum += this.digits[i];\n }\n if (i < other.digits.length) {\n digitSum += other.digits[i];\n }\n if (digitSum >= 10) {\n this.digits[i] = digitSum - 10;\n carry = 1;\n } else {\n this.digits[i] = digitSum;\n carry = 0;\n }\n }\n // Apply a remaining carry if needed.\n if (carry > 0) {\n this.digits[maxNrOfDigits] = 1;\n }\n }\n /**\n * Builds the decimal string representation of the big integer. As this is stored in\n * little endian, the digits are concatenated in reverse order.\n */\n toString() {\n let res = '';\n for (let i = this.digits.length - 1; i >= 0; i--) {\n res += this.digits[i];\n }\n return res;\n }\n}\n/**\n * Represents a big integer which is optimized for multiplication operations, as its power-of-twos\n * are memoized. See `multiplyBy()` for details on the multiplication algorithm.\n */\nclass BigIntForMultiplication {\n constructor(value) {\n this.powerOfTwos = [value];\n }\n /**\n * Returns the big integer itself.\n */\n getValue() {\n return this.powerOfTwos[0];\n }\n /**\n * Computes the value for `num * b`, where `num` is a JS number and `b` is a big integer. The\n * value for `b` is represented by a storage model that is optimized for this computation.\n *\n * This operation is implemented in N(log2(num)) by continuous halving of the number, where the\n * least-significant bit (LSB) is tested in each iteration. If the bit is set, the bit's index is\n * used as exponent into the power-of-two multiplication of `b`.\n *\n * As an example, consider the multiplication num=42, b=1337. In binary 42 is 0b00101010 and the\n * algorithm unrolls into the following iterations:\n *\n * Iteration | num | LSB | b * 2^iter | Add? | product\n * -----------|------------|------|------------|------|--------\n * 0 | 0b00101010 | 0 | 1337 | No | 0\n * 1 | 0b00010101 | 1 | 2674 | Yes | 2674\n * 2 | 0b00001010 | 0 | 5348 | No | 2674\n * 3 | 0b00000101 | 1 | 10696 | Yes | 13370\n * 4 | 0b00000010 | 0 | 21392 | No | 13370\n * 5 | 0b00000001 | 1 | 42784 | Yes | 56154\n * 6 | 0b00000000 | 0 | 85568 | No | 56154\n *\n * The computed product of 56154 is indeed the correct result.\n *\n * The `BigIntForMultiplication` representation for a big integer provides memoized access to the\n * power-of-two values to reduce the workload in computing those values.\n */\n multiplyBy(num) {\n const product = BigInteger.zero();\n this.multiplyByAndAddTo(num, product);\n return product;\n }\n /**\n * See `multiplyBy()` for details. This function allows for the computed product to be added\n * directly to the provided result big integer.\n */\n multiplyByAndAddTo(num, result) {\n for (let exponent = 0; num !== 0; num = num >>> 1, exponent++) {\n if (num & 1) {\n const value = this.getMultipliedByPowerOfTwo(exponent);\n result.addToSelf(value);\n }\n }\n }\n /**\n * Computes and memoizes the big integer value for `this.number * 2^exponent`.\n */\n getMultipliedByPowerOfTwo(exponent) {\n // Compute the powers up until the requested exponent, where each value is computed from its\n // predecessor. This is simple as `this.number * 2^(exponent - 1)` only has to be doubled (i.e.\n // added to itself) to reach `this.number * 2^exponent`.\n for (let i = this.powerOfTwos.length; i <= exponent; i++) {\n const previousPower = this.powerOfTwos[i - 1];\n this.powerOfTwos[i] = previousPower.add(previousPower);\n }\n return this.powerOfTwos[exponent];\n }\n}\n/**\n * Represents an exponentiation operation for the provided base, of which exponents are computed and\n * memoized. The results are represented by a `BigIntForMultiplication` which is tailored for\n * multiplication operations by memoizing the power-of-twos. This effectively results in a matrix\n * representation that is lazily computed upon request.\n */\nclass BigIntExponentiation {\n constructor(base) {\n this.base = base;\n this.exponents = [new BigIntForMultiplication(BigInteger.one())];\n }\n /**\n * Compute the value for `this.base^exponent`, resulting in a big integer that is optimized for\n * further multiplication operations.\n */\n toThePowerOf(exponent) {\n // Compute the results up until the requested exponent, where every value is computed from its\n // predecessor. This is because `this.base^(exponent - 1)` only has to be multiplied by `base`\n // to reach `this.base^exponent`.\n for (let i = this.exponents.length; i <= exponent; i++) {\n const value = this.exponents[i - 1].multiplyBy(this.base);\n this.exponents[i] = new BigIntForMultiplication(value);\n }\n return this.exponents[exponent];\n }\n}\n\n/**\n * A lazily created TextEncoder instance for converting strings into UTF-8 bytes\n */\nlet textEncoder;\n/**\n * Return the message id or compute it using the XLIFF1 digest.\n */\nfunction digest$1(message) {\n return message.id || computeDigest(message);\n}\n/**\n * Compute the message id using the XLIFF1 digest.\n */\nfunction computeDigest(message) {\n return sha1(serializeNodes(message.nodes).join('') + `[${message.meaning}]`);\n}\n/**\n * Return the message id or compute it using the XLIFF2/XMB/$localize digest.\n */\nfunction decimalDigest(message) {\n return message.id || computeDecimalDigest(message);\n}\n/**\n * Compute the message id using the XLIFF2/XMB/$localize digest.\n */\nfunction computeDecimalDigest(message) {\n const visitor = new _SerializerIgnoreIcuExpVisitor();\n const parts = message.nodes.map(a => a.visit(visitor, null));\n return computeMsgId(parts.join(''), message.meaning);\n}\n/**\n * Serialize the i18n ast to something xml-like in order to generate an UID.\n *\n * The visitor is also used in the i18n parser tests\n *\n * @internal\n */\nclass _SerializerVisitor {\n visitText(text, context) {\n return text.value;\n }\n visitContainer(container, context) {\n return `[${container.children.map(child => child.visit(this)).join(', ')}]`;\n }\n visitIcu(icu, context) {\n const strCases = Object.keys(icu.cases).map(k => `${k} {${icu.cases[k].visit(this)}}`);\n return `{${icu.expression}, ${icu.type}, ${strCases.join(', ')}}`;\n }\n visitTagPlaceholder(ph, context) {\n return ph.isVoid ? `<ph tag name=\"${ph.startName}\"/>` : `<ph tag name=\"${ph.startName}\">${ph.children.map(child => child.visit(this)).join(', ')}</ph name=\"${ph.closeName}\">`;\n }\n visitPlaceholder(ph, context) {\n return ph.value ? `<ph name=\"${ph.name}\">${ph.value}</ph>` : `<ph name=\"${ph.name}\"/>`;\n }\n visitIcuPlaceholder(ph, context) {\n return `<ph icu name=\"${ph.name}\">${ph.value.visit(this)}</ph>`;\n }\n}\nconst serializerVisitor$1 = new _SerializerVisitor();\nfunction serializeNodes(nodes) {\n return nodes.map(a => a.visit(serializerVisitor$1, null));\n}\n/**\n * Serialize the i18n ast to something xml-like in order to generate an UID.\n *\n * Ignore the ICU expressions so that message IDs stays identical if only the expression changes.\n *\n * @internal\n */\nclass _SerializerIgnoreIcuExpVisitor extends _SerializerVisitor {\n visitIcu(icu, context) {\n let strCases = Object.keys(icu.cases).map(k => `${k} {${icu.cases[k].visit(this)}}`);\n // Do not take the expression into account\n return `{${icu.type}, ${strCases.join(', ')}}`;\n }\n}\n/**\n * Compute the SHA1 of the given string\n *\n * see https://csrc.nist.gov/publications/fips/fips180-4/fips-180-4.pdf\n *\n * WARNING: this function has not been designed not tested with security in mind.\n * DO NOT USE IT IN A SECURITY SENSITIVE CONTEXT.\n */\nfunction sha1(str) {\n textEncoder ??= new TextEncoder();\n const utf8 = [...textEncoder.encode(str)];\n const words32 = bytesToWords32(utf8, Endian.Big);\n const len = utf8.length * 8;\n const w = new Uint32Array(80);\n let a = 0x67452301,\n b = 0xefcdab89,\n c = 0x98badcfe,\n d = 0x10325476,\n e = 0xc3d2e1f0;\n words32[len >> 5] |= 0x80 << 24 - len % 32;\n words32[(len + 64 >> 9 << 4) + 15] = len;\n for (let i = 0; i < words32.length; i += 16) {\n const h0 = a,\n h1 = b,\n h2 = c,\n h3 = d,\n h4 = e;\n for (let j = 0; j < 80; j++) {\n if (j < 16) {\n w[j] = words32[i + j];\n } else {\n w[j] = rol32(w[j - 3] ^ w[j - 8] ^ w[j - 14] ^ w[j - 16], 1);\n }\n const fkVal = fk(j, b, c, d);\n const f = fkVal[0];\n const k = fkVal[1];\n const temp = [rol32(a, 5), f, e, k, w[j]].reduce(add32);\n e = d;\n d = c;\n c = rol32(b, 30);\n b = a;\n a = temp;\n }\n a = add32(a, h0);\n b = add32(b, h1);\n c = add32(c, h2);\n d = add32(d, h3);\n e = add32(e, h4);\n }\n // Convert the output parts to a 160-bit hexadecimal string\n return toHexU32(a) + toHexU32(b) + toHexU32(c) + toHexU32(d) + toHexU32(e);\n}\n/**\n * Convert and format a number as a string representing a 32-bit unsigned hexadecimal number.\n * @param value The value to format as a string.\n * @returns A hexadecimal string representing the value.\n */\nfunction toHexU32(value) {\n // unsigned right shift of zero ensures an unsigned 32-bit number\n return (value >>> 0).toString(16).padStart(8, '0');\n}\nfunction fk(index, b, c, d) {\n if (index < 20) {\n return [b & c | ~b & d, 0x5a827999];\n }\n if (index < 40) {\n return [b ^ c ^ d, 0x6ed9eba1];\n }\n if (index < 60) {\n return [b & c | b & d | c & d, 0x8f1bbcdc];\n }\n return [b ^ c ^ d, 0xca62c1d6];\n}\n/**\n * Compute the fingerprint of the given string\n *\n * The output is 64 bit number encoded as a decimal string\n *\n * based on:\n * https://github.com/google/closure-compiler/blob/master/src/com/google/javascript/jscomp/GoogleJsMessageIdGenerator.java\n */\nfunction fingerprint(str) {\n textEncoder ??= new TextEncoder();\n const utf8 = textEncoder.encode(str);\n const view = new DataView(utf8.buffer, utf8.byteOffset, utf8.byteLength);\n let hi = hash32(view, utf8.length, 0);\n let lo = hash32(view, utf8.length, 102072);\n if (hi == 0 && (lo == 0 || lo == 1)) {\n hi = hi ^ 0x130f9bef;\n lo = lo ^ -0x6b5f56d8;\n }\n return [hi, lo];\n}\nfunction computeMsgId(msg, meaning = '') {\n let msgFingerprint = fingerprint(msg);\n if (meaning) {\n const meaningFingerprint = fingerprint(meaning);\n msgFingerprint = add64(rol64(msgFingerprint, 1), meaningFingerprint);\n }\n const hi = msgFingerprint[0];\n const lo = msgFingerprint[1];\n return wordsToDecimalString(hi & 0x7fffffff, lo);\n}\nfunction hash32(view, length, c) {\n let a = 0x9e3779b9,\n b = 0x9e3779b9;\n let index = 0;\n const end = length - 12;\n for (; index <= end; index += 12) {\n a += view.getUint32(index, true);\n b += view.getUint32(index + 4, true);\n c += view.getUint32(index + 8, true);\n const res = mix(a, b, c);\n a = res[0], b = res[1], c = res[2];\n }\n const remainder = length - index;\n // the first byte of c is reserved for the length\n c += length;\n if (remainder >= 4) {\n a += view.getUint32(index, true);\n index += 4;\n if (remainder >= 8) {\n b += view.getUint32(index, true);\n index += 4;\n // Partial 32-bit word for c\n if (remainder >= 9) {\n c += view.getUint8(index++) << 8;\n }\n if (remainder >= 10) {\n c += view.getUint8(index++) << 16;\n }\n if (remainder === 11) {\n c += view.getUint8(index++) << 24;\n }\n } else {\n // Partial 32-bit word for b\n if (remainder >= 5) {\n b += view.getUint8(index++);\n }\n if (remainder >= 6) {\n b += view.getUint8(index++) << 8;\n }\n if (remainder === 7) {\n b += view.getUint8(index++) << 16;\n }\n }\n } else {\n // Partial 32-bit word for a\n if (remainder >= 1) {\n a += view.getUint8(index++);\n }\n if (remainder >= 2) {\n a += view.getUint8(index++) << 8;\n }\n if (remainder === 3) {\n a += view.getUint8(index++) << 16;\n }\n }\n return mix(a, b, c)[2];\n}\n// clang-format off\nfunction mix(a, b, c) {\n a -= b;\n a -= c;\n a ^= c >>> 13;\n b -= c;\n b -= a;\n b ^= a << 8;\n c -= a;\n c -= b;\n c ^= b >>> 13;\n a -= b;\n a -= c;\n a ^= c >>> 12;\n b -= c;\n b -= a;\n b ^= a << 16;\n c -= a;\n c -= b;\n c ^= b >>> 5;\n a -= b;\n a -= c;\n a ^= c >>> 3;\n b -= c;\n b -= a;\n b ^= a << 10;\n c -= a;\n c -= b;\n c ^= b >>> 15;\n return [a, b, c];\n}\n// clang-format on\n// Utils\nvar Endian;\n(function (Endian) {\n Endian[Endian[\"Little\"] = 0] = \"Little\";\n Endian[Endian[\"Big\"] = 1] = \"Big\";\n})(Endian || (Endian = {}));\nfunction add32(a, b) {\n return add32to64(a, b)[1];\n}\nfunction add32to64(a, b) {\n const low = (a & 0xffff) + (b & 0xffff);\n const high = (a >>> 16) + (b >>> 16) + (low >>> 16);\n return [high >>> 16, high << 16 | low & 0xffff];\n}\nfunction add64(a, b) {\n const ah = a[0],\n al = a[1];\n const bh = b[0],\n bl = b[1];\n const result = add32to64(al, bl);\n const carry = result[0];\n const l = result[1];\n const h = add32(add32(ah, bh), carry);\n return [h, l];\n}\n// Rotate a 32b number left `count` position\nfunction rol32(a, count) {\n return a << count | a >>> 32 - count;\n}\n// Rotate a 64b number left `count` position\nfunction rol64(num, count) {\n const hi = num[0],\n lo = num[1];\n const h = hi << count | lo >>> 32 - count;\n const l = lo << count | hi >>> 32 - count;\n return [h, l];\n}\nfunction bytesToWords32(bytes, endian) {\n const size = bytes.length + 3 >>> 2;\n const words32 = [];\n for (let i = 0; i < size; i++) {\n words32[i] = wordAt(bytes, i * 4, endian);\n }\n return words32;\n}\nfunction byteAt(bytes, index) {\n return index >= bytes.length ? 0 : bytes[index];\n}\nfunction wordAt(bytes, index, endian) {\n let word = 0;\n if (endian === Endian.Big) {\n for (let i = 0; i < 4; i++) {\n word += byteAt(bytes, index + i) << 24 - 8 * i;\n }\n } else {\n for (let i = 0; i < 4; i++) {\n word += byteAt(bytes, index + i) << 8 * i;\n }\n }\n return word;\n}\n/**\n * Create a shared exponentiation pool for base-256 computations. This shared pool provides memoized\n * power-of-256 results with memoized power-of-two computations for efficient multiplication.\n *\n * For our purposes, this can be safely stored as a global without memory concerns. The reason is\n * that we encode two words, so only need the 0th (for the low word) and 4th (for the high word)\n * exponent.\n */\nconst base256 = new BigIntExponentiation(256);\n/**\n * Represents two 32-bit words as a single decimal number. This requires a big integer storage\n * model as JS numbers are not accurate enough to represent the 64-bit number.\n *\n * Based on https://www.danvk.org/hex2dec.html\n */\nfunction wordsToDecimalString(hi, lo) {\n // Encode the four bytes in lo in the lower digits of the decimal number.\n // Note: the multiplication results in lo itself but represented by a big integer using its\n // decimal digits.\n const decimal = base256.toThePowerOf(0).multiplyBy(lo);\n // Encode the four bytes in hi above the four lo bytes. lo is a maximum of (2^8)^4, which is why\n // this multiplication factor is applied.\n base256.toThePowerOf(4).multiplyByAndAddTo(hi, decimal);\n return decimal.toString();\n}\n\n//// Types\nvar TypeModifier;\n(function (TypeModifier) {\n TypeModifier[TypeModifier[\"None\"] = 0] = \"None\";\n TypeModifier[TypeModifier[\"Const\"] = 1] = \"Const\";\n})(TypeModifier || (TypeModifier = {}));\nclass Type {\n constructor(modifiers = TypeModifier.None) {\n this.modifiers = modifiers;\n }\n hasModifier(modifier) {\n return (this.modifiers & modifier) !== 0;\n }\n}\nvar BuiltinTypeName;\n(function (BuiltinTypeName) {\n BuiltinTypeName[BuiltinTypeName[\"Dynamic\"] = 0] = \"Dynamic\";\n BuiltinTypeName[BuiltinTypeName[\"Bool\"] = 1] = \"Bool\";\n BuiltinTypeName[BuiltinTypeName[\"String\"] = 2] = \"String\";\n BuiltinTypeName[BuiltinTypeName[\"Int\"] = 3] = \"Int\";\n BuiltinTypeName[BuiltinTypeName[\"Number\"] = 4] = \"Number\";\n BuiltinTypeName[BuiltinTypeName[\"Function\"] = 5] = \"Function\";\n BuiltinTypeName[BuiltinTypeName[\"Inferred\"] = 6] = \"Inferred\";\n BuiltinTypeName[BuiltinTypeName[\"None\"] = 7] = \"None\";\n})(BuiltinTypeName || (BuiltinTypeName = {}));\nclass BuiltinType extends Type {\n constructor(name, modifiers) {\n super(modifiers);\n this.name = name;\n }\n visitType(visitor, context) {\n return visitor.visitBuiltinType(this, context);\n }\n}\nclass ExpressionType extends Type {\n constructor(value, modifiers, typeParams = null) {\n super(modifiers);\n this.value = value;\n this.typeParams = typeParams;\n }\n visitType(visitor, context) {\n return visitor.visitExpressionType(this, context);\n }\n}\nclass ArrayType extends Type {\n constructor(of, modifiers) {\n super(modifiers);\n this.of = of;\n }\n visitType(visitor, context) {\n return visitor.visitArrayType(this, context);\n }\n}\nclass MapType extends Type {\n constructor(valueType, modifiers) {\n super(modifiers);\n this.valueType = valueType || null;\n }\n visitType(visitor, context) {\n return visitor.visitMapType(this, context);\n }\n}\nclass TransplantedType extends Type {\n constructor(type, modifiers) {\n super(modifiers);\n this.type = type;\n }\n visitType(visitor, context) {\n return visitor.visitTransplantedType(this, context);\n }\n}\nconst DYNAMIC_TYPE = new BuiltinType(BuiltinTypeName.Dynamic);\nconst INFERRED_TYPE = new BuiltinType(BuiltinTypeName.Inferred);\nconst BOOL_TYPE = new BuiltinType(BuiltinTypeName.Bool);\nconst INT_TYPE = new BuiltinType(BuiltinTypeName.Int);\nconst NUMBER_TYPE = new BuiltinType(BuiltinTypeName.Number);\nconst STRING_TYPE = new BuiltinType(BuiltinTypeName.String);\nconst FUNCTION_TYPE = new BuiltinType(BuiltinTypeName.Function);\nconst NONE_TYPE = new BuiltinType(BuiltinTypeName.None);\n///// Expressions\nvar UnaryOperator;\n(function (UnaryOperator) {\n UnaryOperator[UnaryOperator[\"Minus\"] = 0] = \"Minus\";\n UnaryOperator[UnaryOperator[\"Plus\"] = 1] = \"Plus\";\n})(UnaryOperator || (UnaryOperator = {}));\nvar BinaryOperator;\n(function (BinaryOperator) {\n BinaryOperator[BinaryOperator[\"Equals\"] = 0] = \"Equals\";\n BinaryOperator[BinaryOperator[\"NotEquals\"] = 1] = \"NotEquals\";\n BinaryOperator[BinaryOperator[\"Identical\"] = 2] = \"Identical\";\n BinaryOperator[BinaryOperator[\"NotIdentical\"] = 3] = \"NotIdentical\";\n BinaryOperator[BinaryOperator[\"Minus\"] = 4] = \"Minus\";\n BinaryOperator[BinaryOperator[\"Plus\"] = 5] = \"Plus\";\n BinaryOperator[BinaryOperator[\"Divide\"] = 6] = \"Divide\";\n BinaryOperator[BinaryOperator[\"Multiply\"] = 7] = \"Multiply\";\n BinaryOperator[BinaryOperator[\"Modulo\"] = 8] = \"Modulo\";\n BinaryOperator[BinaryOperator[\"And\"] = 9] = \"And\";\n BinaryOperator[BinaryOperator[\"Or\"] = 10] = \"Or\";\n BinaryOperator[BinaryOperator[\"BitwiseAnd\"] = 11] = \"BitwiseAnd\";\n BinaryOperator[BinaryOperator[\"Lower\"] = 12] = \"Lower\";\n BinaryOperator[BinaryOperator[\"LowerEquals\"] = 13] = \"LowerEquals\";\n BinaryOperator[BinaryOperator[\"Bigger\"] = 14] = \"Bigger\";\n BinaryOperator[BinaryOperator[\"BiggerEquals\"] = 15] = \"BiggerEquals\";\n BinaryOperator[BinaryOperator[\"NullishCoalesce\"] = 16] = \"NullishCoalesce\";\n})(BinaryOperator || (BinaryOperator = {}));\nfunction nullSafeIsEquivalent(base, other) {\n if (base == null || other == null) {\n return base == other;\n }\n return base.isEquivalent(other);\n}\nfunction areAllEquivalentPredicate(base, other, equivalentPredicate) {\n const len = base.length;\n if (len !== other.length) {\n return false;\n }\n for (let i = 0; i < len; i++) {\n if (!equivalentPredicate(base[i], other[i])) {\n return false;\n }\n }\n return true;\n}\nfunction areAllEquivalent(base, other) {\n return areAllEquivalentPredicate(base, other, (baseElement, otherElement) => baseElement.isEquivalent(otherElement));\n}\nclass Expression {\n constructor(type, sourceSpan) {\n this.type = type || null;\n this.sourceSpan = sourceSpan || null;\n }\n prop(name, sourceSpan) {\n return new ReadPropExpr(this, name, null, sourceSpan);\n }\n key(index, type, sourceSpan) {\n return new ReadKeyExpr(this, index, type, sourceSpan);\n }\n callFn(params, sourceSpan, pure) {\n return new InvokeFunctionExpr(this, params, null, sourceSpan, pure);\n }\n instantiate(params, type, sourceSpan) {\n return new InstantiateExpr(this, params, type, sourceSpan);\n }\n conditional(trueCase, falseCase = null, sourceSpan) {\n return new ConditionalExpr(this, trueCase, falseCase, null, sourceSpan);\n }\n equals(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.Equals, this, rhs, null, sourceSpan);\n }\n notEquals(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.NotEquals, this, rhs, null, sourceSpan);\n }\n identical(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.Identical, this, rhs, null, sourceSpan);\n }\n notIdentical(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.NotIdentical, this, rhs, null, sourceSpan);\n }\n minus(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.Minus, this, rhs, null, sourceSpan);\n }\n plus(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.Plus, this, rhs, null, sourceSpan);\n }\n divide(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.Divide, this, rhs, null, sourceSpan);\n }\n multiply(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.Multiply, this, rhs, null, sourceSpan);\n }\n modulo(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.Modulo, this, rhs, null, sourceSpan);\n }\n and(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.And, this, rhs, null, sourceSpan);\n }\n bitwiseAnd(rhs, sourceSpan, parens = true) {\n return new BinaryOperatorExpr(BinaryOperator.BitwiseAnd, this, rhs, null, sourceSpan, parens);\n }\n or(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.Or, this, rhs, null, sourceSpan);\n }\n lower(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.Lower, this, rhs, null, sourceSpan);\n }\n lowerEquals(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.LowerEquals, this, rhs, null, sourceSpan);\n }\n bigger(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.Bigger, this, rhs, null, sourceSpan);\n }\n biggerEquals(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.BiggerEquals, this, rhs, null, sourceSpan);\n }\n isBlank(sourceSpan) {\n // Note: We use equals by purpose here to compare to null and undefined in JS.\n // We use the typed null to allow strictNullChecks to narrow types.\n return this.equals(TYPED_NULL_EXPR, sourceSpan);\n }\n nullishCoalesce(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.NullishCoalesce, this, rhs, null, sourceSpan);\n }\n toStmt() {\n return new ExpressionStatement(this, null);\n }\n}\nclass ReadVarExpr extends Expression {\n constructor(name, type, sourceSpan) {\n super(type, sourceSpan);\n this.name = name;\n }\n isEquivalent(e) {\n return e instanceof ReadVarExpr && this.name === e.name;\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitReadVarExpr(this, context);\n }\n clone() {\n return new ReadVarExpr(this.name, this.type, this.sourceSpan);\n }\n set(value) {\n return new WriteVarExpr(this.name, value, null, this.sourceSpan);\n }\n}\nclass TypeofExpr extends Expression {\n constructor(expr, type, sourceSpan) {\n super(type, sourceSpan);\n this.expr = expr;\n }\n visitExpression(visitor, context) {\n return visitor.visitTypeofExpr(this, context);\n }\n isEquivalent(e) {\n return e instanceof TypeofExpr && e.expr.isEquivalent(this.expr);\n }\n isConstant() {\n return this.expr.isConstant();\n }\n clone() {\n return new TypeofExpr(this.expr.clone());\n }\n}\nclass WrappedNodeExpr extends Expression {\n constructor(node, type, sourceSpan) {\n super(type, sourceSpan);\n this.node = node;\n }\n isEquivalent(e) {\n return e instanceof WrappedNodeExpr && this.node === e.node;\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitWrappedNodeExpr(this, context);\n }\n clone() {\n return new WrappedNodeExpr(this.node, this.type, this.sourceSpan);\n }\n}\nclass WriteVarExpr extends Expression {\n constructor(name, value, type, sourceSpan) {\n super(type || value.type, sourceSpan);\n this.name = name;\n this.value = value;\n }\n isEquivalent(e) {\n return e instanceof WriteVarExpr && this.name === e.name && this.value.isEquivalent(e.value);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitWriteVarExpr(this, context);\n }\n clone() {\n return new WriteVarExpr(this.name, this.value.clone(), this.type, this.sourceSpan);\n }\n toDeclStmt(type, modifiers) {\n return new DeclareVarStmt(this.name, this.value, type, modifiers, this.sourceSpan);\n }\n toConstDecl() {\n return this.toDeclStmt(INFERRED_TYPE, StmtModifier.Final);\n }\n}\nclass WriteKeyExpr extends Expression {\n constructor(receiver, index, value, type, sourceSpan) {\n super(type || value.type, sourceSpan);\n this.receiver = receiver;\n this.index = index;\n this.value = value;\n }\n isEquivalent(e) {\n return e instanceof WriteKeyExpr && this.receiver.isEquivalent(e.receiver) && this.index.isEquivalent(e.index) && this.value.isEquivalent(e.value);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitWriteKeyExpr(this, context);\n }\n clone() {\n return new WriteKeyExpr(this.receiver.clone(), this.index.clone(), this.value.clone(), this.type, this.sourceSpan);\n }\n}\nclass WritePropExpr extends Expression {\n constructor(receiver, name, value, type, sourceSpan) {\n super(type || value.type, sourceSpan);\n this.receiver = receiver;\n this.name = name;\n this.value = value;\n }\n isEquivalent(e) {\n return e instanceof WritePropExpr && this.receiver.isEquivalent(e.receiver) && this.name === e.name && this.value.isEquivalent(e.value);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitWritePropExpr(this, context);\n }\n clone() {\n return new WritePropExpr(this.receiver.clone(), this.name, this.value.clone(), this.type, this.sourceSpan);\n }\n}\nclass InvokeFunctionExpr extends Expression {\n constructor(fn, args, type, sourceSpan, pure = false) {\n super(type, sourceSpan);\n this.fn = fn;\n this.args = args;\n this.pure = pure;\n }\n // An alias for fn, which allows other logic to handle calls and property reads together.\n get receiver() {\n return this.fn;\n }\n isEquivalent(e) {\n return e instanceof InvokeFunctionExpr && this.fn.isEquivalent(e.fn) && areAllEquivalent(this.args, e.args) && this.pure === e.pure;\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitInvokeFunctionExpr(this, context);\n }\n clone() {\n return new InvokeFunctionExpr(this.fn.clone(), this.args.map(arg => arg.clone()), this.type, this.sourceSpan, this.pure);\n }\n}\nclass TaggedTemplateExpr extends Expression {\n constructor(tag, template, type, sourceSpan) {\n super(type, sourceSpan);\n this.tag = tag;\n this.template = template;\n }\n isEquivalent(e) {\n return e instanceof TaggedTemplateExpr && this.tag.isEquivalent(e.tag) && areAllEquivalentPredicate(this.template.elements, e.template.elements, (a, b) => a.text === b.text) && areAllEquivalent(this.template.expressions, e.template.expressions);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitTaggedTemplateExpr(this, context);\n }\n clone() {\n return new TaggedTemplateExpr(this.tag.clone(), this.template.clone(), this.type, this.sourceSpan);\n }\n}\nclass InstantiateExpr extends Expression {\n constructor(classExpr, args, type, sourceSpan) {\n super(type, sourceSpan);\n this.classExpr = classExpr;\n this.args = args;\n }\n isEquivalent(e) {\n return e instanceof InstantiateExpr && this.classExpr.isEquivalent(e.classExpr) && areAllEquivalent(this.args, e.args);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitInstantiateExpr(this, context);\n }\n clone() {\n return new InstantiateExpr(this.classExpr.clone(), this.args.map(arg => arg.clone()), this.type, this.sourceSpan);\n }\n}\nclass LiteralExpr extends Expression {\n constructor(value, type, sourceSpan) {\n super(type, sourceSpan);\n this.value = value;\n }\n isEquivalent(e) {\n return e instanceof LiteralExpr && this.value === e.value;\n }\n isConstant() {\n return true;\n }\n visitExpression(visitor, context) {\n return visitor.visitLiteralExpr(this, context);\n }\n clone() {\n return new LiteralExpr(this.value, this.type, this.sourceSpan);\n }\n}\nclass TemplateLiteral {\n constructor(elements, expressions) {\n this.elements = elements;\n this.expressions = expressions;\n }\n clone() {\n return new TemplateLiteral(this.elements.map(el => el.clone()), this.expressions.map(expr => expr.clone()));\n }\n}\nclass TemplateLiteralElement {\n constructor(text, sourceSpan, rawText) {\n this.text = text;\n this.sourceSpan = sourceSpan;\n // If `rawText` is not provided, try to extract the raw string from its\n // associated `sourceSpan`. If that is also not available, \"fake\" the raw\n // string instead by escaping the following control sequences:\n // - \"\\\" would otherwise indicate that the next character is a control character.\n // - \"`\" and \"${\" are template string control sequences that would otherwise prematurely\n // indicate the end of the template literal element.\n this.rawText = rawText ?? sourceSpan?.toString() ?? escapeForTemplateLiteral(escapeSlashes(text));\n }\n clone() {\n return new TemplateLiteralElement(this.text, this.sourceSpan, this.rawText);\n }\n}\nclass LiteralPiece {\n constructor(text, sourceSpan) {\n this.text = text;\n this.sourceSpan = sourceSpan;\n }\n}\nclass PlaceholderPiece {\n /**\n * Create a new instance of a `PlaceholderPiece`.\n *\n * @param text the name of this placeholder (e.g. `PH_1`).\n * @param sourceSpan the location of this placeholder in its localized message the source code.\n * @param associatedMessage reference to another message that this placeholder is associated with.\n * The `associatedMessage` is mainly used to provide a relationship to an ICU message that has\n * been extracted out from the message containing the placeholder.\n */\n constructor(text, sourceSpan, associatedMessage) {\n this.text = text;\n this.sourceSpan = sourceSpan;\n this.associatedMessage = associatedMessage;\n }\n}\nconst MEANING_SEPARATOR$1 = '|';\nconst ID_SEPARATOR$1 = '@@';\nconst LEGACY_ID_INDICATOR = '␟';\nclass LocalizedString extends Expression {\n constructor(metaBlock, messageParts, placeHolderNames, expressions, sourceSpan) {\n super(STRING_TYPE, sourceSpan);\n this.metaBlock = metaBlock;\n this.messageParts = messageParts;\n this.placeHolderNames = placeHolderNames;\n this.expressions = expressions;\n }\n isEquivalent(e) {\n // return e instanceof LocalizedString && this.message === e.message;\n return false;\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitLocalizedString(this, context);\n }\n clone() {\n return new LocalizedString(this.metaBlock, this.messageParts, this.placeHolderNames, this.expressions.map(expr => expr.clone()), this.sourceSpan);\n }\n /**\n * Serialize the given `meta` and `messagePart` into \"cooked\" and \"raw\" strings that can be used\n * in a `$localize` tagged string. The format of the metadata is the same as that parsed by\n * `parseI18nMeta()`.\n *\n * @param meta The metadata to serialize\n * @param messagePart The first part of the tagged string\n */\n serializeI18nHead() {\n let metaBlock = this.metaBlock.description || '';\n if (this.metaBlock.meaning) {\n metaBlock = `${this.metaBlock.meaning}${MEANING_SEPARATOR$1}${metaBlock}`;\n }\n if (this.metaBlock.customId) {\n metaBlock = `${metaBlock}${ID_SEPARATOR$1}${this.metaBlock.customId}`;\n }\n if (this.metaBlock.legacyIds) {\n this.metaBlock.legacyIds.forEach(legacyId => {\n metaBlock = `${metaBlock}${LEGACY_ID_INDICATOR}${legacyId}`;\n });\n }\n return createCookedRawString(metaBlock, this.messageParts[0].text, this.getMessagePartSourceSpan(0));\n }\n getMessagePartSourceSpan(i) {\n return this.messageParts[i]?.sourceSpan ?? this.sourceSpan;\n }\n getPlaceholderSourceSpan(i) {\n return this.placeHolderNames[i]?.sourceSpan ?? this.expressions[i]?.sourceSpan ?? this.sourceSpan;\n }\n /**\n * Serialize the given `placeholderName` and `messagePart` into \"cooked\" and \"raw\" strings that\n * can be used in a `$localize` tagged string.\n *\n * The format is `:<placeholder-name>[@@<associated-id>]:`.\n *\n * The `associated-id` is the message id of the (usually an ICU) message to which this placeholder\n * refers.\n *\n * @param partIndex The index of the message part to serialize.\n */\n serializeI18nTemplatePart(partIndex) {\n const placeholder = this.placeHolderNames[partIndex - 1];\n const messagePart = this.messageParts[partIndex];\n let metaBlock = placeholder.text;\n if (placeholder.associatedMessage?.legacyIds.length === 0) {\n metaBlock += `${ID_SEPARATOR$1}${computeMsgId(placeholder.associatedMessage.messageString, placeholder.associatedMessage.meaning)}`;\n }\n return createCookedRawString(metaBlock, messagePart.text, this.getMessagePartSourceSpan(partIndex));\n }\n}\nconst escapeSlashes = str => str.replace(/\\\\/g, '\\\\\\\\');\nconst escapeStartingColon = str => str.replace(/^:/, '\\\\:');\nconst escapeColons = str => str.replace(/:/g, '\\\\:');\nconst escapeForTemplateLiteral = str => str.replace(/`/g, '\\\\`').replace(/\\${/g, '$\\\\{');\n/**\n * Creates a `{cooked, raw}` object from the `metaBlock` and `messagePart`.\n *\n * The `raw` text must have various character sequences escaped:\n * * \"\\\" would otherwise indicate that the next character is a control character.\n * * \"`\" and \"${\" are template string control sequences that would otherwise prematurely indicate\n * the end of a message part.\n * * \":\" inside a metablock would prematurely indicate the end of the metablock.\n * * \":\" at the start of a messagePart with no metablock would erroneously indicate the start of a\n * metablock.\n *\n * @param metaBlock Any metadata that should be prepended to the string\n * @param messagePart The message part of the string\n */\nfunction createCookedRawString(metaBlock, messagePart, range) {\n if (metaBlock === '') {\n return {\n cooked: messagePart,\n raw: escapeForTemplateLiteral(escapeStartingColon(escapeSlashes(messagePart))),\n range\n };\n } else {\n return {\n cooked: `:${metaBlock}:${messagePart}`,\n raw: escapeForTemplateLiteral(`:${escapeColons(escapeSlashes(metaBlock))}:${escapeSlashes(messagePart)}`),\n range\n };\n }\n}\nclass ExternalExpr extends Expression {\n constructor(value, type, typeParams = null, sourceSpan) {\n super(type, sourceSpan);\n this.value = value;\n this.typeParams = typeParams;\n }\n isEquivalent(e) {\n return e instanceof ExternalExpr && this.value.name === e.value.name && this.value.moduleName === e.value.moduleName && this.value.runtime === e.value.runtime;\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitExternalExpr(this, context);\n }\n clone() {\n return new ExternalExpr(this.value, this.type, this.typeParams, this.sourceSpan);\n }\n}\nclass ExternalReference {\n constructor(moduleName, name, runtime) {\n this.moduleName = moduleName;\n this.name = name;\n this.runtime = runtime;\n }\n}\nclass ConditionalExpr extends Expression {\n constructor(condition, trueCase, falseCase = null, type, sourceSpan) {\n super(type || trueCase.type, sourceSpan);\n this.condition = condition;\n this.falseCase = falseCase;\n this.trueCase = trueCase;\n }\n isEquivalent(e) {\n return e instanceof ConditionalExpr && this.condition.isEquivalent(e.condition) && this.trueCase.isEquivalent(e.trueCase) && nullSafeIsEquivalent(this.falseCase, e.falseCase);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitConditionalExpr(this, context);\n }\n clone() {\n return new ConditionalExpr(this.condition.clone(), this.trueCase.clone(), this.falseCase?.clone(), this.type, this.sourceSpan);\n }\n}\nclass DynamicImportExpr extends Expression {\n constructor(url, sourceSpan) {\n super(null, sourceSpan);\n this.url = url;\n }\n isEquivalent(e) {\n return e instanceof DynamicImportExpr && this.url === e.url;\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitDynamicImportExpr(this, context);\n }\n clone() {\n return new DynamicImportExpr(this.url, this.sourceSpan);\n }\n}\nclass NotExpr extends Expression {\n constructor(condition, sourceSpan) {\n super(BOOL_TYPE, sourceSpan);\n this.condition = condition;\n }\n isEquivalent(e) {\n return e instanceof NotExpr && this.condition.isEquivalent(e.condition);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitNotExpr(this, context);\n }\n clone() {\n return new NotExpr(this.condition.clone(), this.sourceSpan);\n }\n}\nclass FnParam {\n constructor(name, type = null) {\n this.name = name;\n this.type = type;\n }\n isEquivalent(param) {\n return this.name === param.name;\n }\n clone() {\n return new FnParam(this.name, this.type);\n }\n}\nclass FunctionExpr extends Expression {\n constructor(params, statements, type, sourceSpan, name) {\n super(type, sourceSpan);\n this.params = params;\n this.statements = statements;\n this.name = name;\n }\n isEquivalent(e) {\n return e instanceof FunctionExpr && areAllEquivalent(this.params, e.params) && areAllEquivalent(this.statements, e.statements);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitFunctionExpr(this, context);\n }\n toDeclStmt(name, modifiers) {\n return new DeclareFunctionStmt(name, this.params, this.statements, this.type, modifiers, this.sourceSpan);\n }\n clone() {\n // TODO: Should we deep clone statements?\n return new FunctionExpr(this.params.map(p => p.clone()), this.statements, this.type, this.sourceSpan, this.name);\n }\n}\nclass UnaryOperatorExpr extends Expression {\n constructor(operator, expr, type, sourceSpan, parens = true) {\n super(type || NUMBER_TYPE, sourceSpan);\n this.operator = operator;\n this.expr = expr;\n this.parens = parens;\n }\n isEquivalent(e) {\n return e instanceof UnaryOperatorExpr && this.operator === e.operator && this.expr.isEquivalent(e.expr);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitUnaryOperatorExpr(this, context);\n }\n clone() {\n return new UnaryOperatorExpr(this.operator, this.expr.clone(), this.type, this.sourceSpan, this.parens);\n }\n}\nclass BinaryOperatorExpr extends Expression {\n constructor(operator, lhs, rhs, type, sourceSpan, parens = true) {\n super(type || lhs.type, sourceSpan);\n this.operator = operator;\n this.rhs = rhs;\n this.parens = parens;\n this.lhs = lhs;\n }\n isEquivalent(e) {\n return e instanceof BinaryOperatorExpr && this.operator === e.operator && this.lhs.isEquivalent(e.lhs) && this.rhs.isEquivalent(e.rhs);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitBinaryOperatorExpr(this, context);\n }\n clone() {\n return new BinaryOperatorExpr(this.operator, this.lhs.clone(), this.rhs.clone(), this.type, this.sourceSpan, this.parens);\n }\n}\nclass ReadPropExpr extends Expression {\n constructor(receiver, name, type, sourceSpan) {\n super(type, sourceSpan);\n this.receiver = receiver;\n this.name = name;\n }\n // An alias for name, which allows other logic to handle property reads and keyed reads together.\n get index() {\n return this.name;\n }\n isEquivalent(e) {\n return e instanceof ReadPropExpr && this.receiver.isEquivalent(e.receiver) && this.name === e.name;\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitReadPropExpr(this, context);\n }\n set(value) {\n return new WritePropExpr(this.receiver, this.name, value, null, this.sourceSpan);\n }\n clone() {\n return new ReadPropExpr(this.receiver.clone(), this.name, this.type, this.sourceSpan);\n }\n}\nclass ReadKeyExpr extends Expression {\n constructor(receiver, index, type, sourceSpan) {\n super(type, sourceSpan);\n this.receiver = receiver;\n this.index = index;\n }\n isEquivalent(e) {\n return e instanceof ReadKeyExpr && this.receiver.isEquivalent(e.receiver) && this.index.isEquivalent(e.index);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitReadKeyExpr(this, context);\n }\n set(value) {\n return new WriteKeyExpr(this.receiver, this.index, value, null, this.sourceSpan);\n }\n clone() {\n return new ReadKeyExpr(this.receiver.clone(), this.index.clone(), this.type, this.sourceSpan);\n }\n}\nclass LiteralArrayExpr extends Expression {\n constructor(entries, type, sourceSpan) {\n super(type, sourceSpan);\n this.entries = entries;\n }\n isConstant() {\n return this.entries.every(e => e.isConstant());\n }\n isEquivalent(e) {\n return e instanceof LiteralArrayExpr && areAllEquivalent(this.entries, e.entries);\n }\n visitExpression(visitor, context) {\n return visitor.visitLiteralArrayExpr(this, context);\n }\n clone() {\n return new LiteralArrayExpr(this.entries.map(e => e.clone()), this.type, this.sourceSpan);\n }\n}\nclass LiteralMapEntry {\n constructor(key, value, quoted) {\n this.key = key;\n this.value = value;\n this.quoted = quoted;\n }\n isEquivalent(e) {\n return this.key === e.key && this.value.isEquivalent(e.value);\n }\n clone() {\n return new LiteralMapEntry(this.key, this.value.clone(), this.quoted);\n }\n}\nclass LiteralMapExpr extends Expression {\n constructor(entries, type, sourceSpan) {\n super(type, sourceSpan);\n this.entries = entries;\n this.valueType = null;\n if (type) {\n this.valueType = type.valueType;\n }\n }\n isEquivalent(e) {\n return e instanceof LiteralMapExpr && areAllEquivalent(this.entries, e.entries);\n }\n isConstant() {\n return this.entries.every(e => e.value.isConstant());\n }\n visitExpression(visitor, context) {\n return visitor.visitLiteralMapExpr(this, context);\n }\n clone() {\n const entriesClone = this.entries.map(entry => entry.clone());\n return new LiteralMapExpr(entriesClone, this.type, this.sourceSpan);\n }\n}\nclass CommaExpr extends Expression {\n constructor(parts, sourceSpan) {\n super(parts[parts.length - 1].type, sourceSpan);\n this.parts = parts;\n }\n isEquivalent(e) {\n return e instanceof CommaExpr && areAllEquivalent(this.parts, e.parts);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitCommaExpr(this, context);\n }\n clone() {\n return new CommaExpr(this.parts.map(p => p.clone()));\n }\n}\nconst NULL_EXPR = new LiteralExpr(null, null, null);\nconst TYPED_NULL_EXPR = new LiteralExpr(null, INFERRED_TYPE, null);\n//// Statements\nvar StmtModifier;\n(function (StmtModifier) {\n StmtModifier[StmtModifier[\"None\"] = 0] = \"None\";\n StmtModifier[StmtModifier[\"Final\"] = 1] = \"Final\";\n StmtModifier[StmtModifier[\"Private\"] = 2] = \"Private\";\n StmtModifier[StmtModifier[\"Exported\"] = 4] = \"Exported\";\n StmtModifier[StmtModifier[\"Static\"] = 8] = \"Static\";\n})(StmtModifier || (StmtModifier = {}));\nclass LeadingComment {\n constructor(text, multiline, trailingNewline) {\n this.text = text;\n this.multiline = multiline;\n this.trailingNewline = trailingNewline;\n }\n toString() {\n return this.multiline ? ` ${this.text} ` : this.text;\n }\n}\nclass JSDocComment extends LeadingComment {\n constructor(tags) {\n super('', /* multiline */true, /* trailingNewline */true);\n this.tags = tags;\n }\n toString() {\n return serializeTags(this.tags);\n }\n}\nclass Statement {\n constructor(modifiers = StmtModifier.None, sourceSpan = null, leadingComments) {\n this.modifiers = modifiers;\n this.sourceSpan = sourceSpan;\n this.leadingComments = leadingComments;\n }\n hasModifier(modifier) {\n return (this.modifiers & modifier) !== 0;\n }\n addLeadingComment(leadingComment) {\n this.leadingComments = this.leadingComments ?? [];\n this.leadingComments.push(leadingComment);\n }\n}\nclass DeclareVarStmt extends Statement {\n constructor(name, value, type, modifiers, sourceSpan, leadingComments) {\n super(modifiers, sourceSpan, leadingComments);\n this.name = name;\n this.value = value;\n this.type = type || value && value.type || null;\n }\n isEquivalent(stmt) {\n return stmt instanceof DeclareVarStmt && this.name === stmt.name && (this.value ? !!stmt.value && this.value.isEquivalent(stmt.value) : !stmt.value);\n }\n visitStatement(visitor, context) {\n return visitor.visitDeclareVarStmt(this, context);\n }\n}\nclass DeclareFunctionStmt extends Statement {\n constructor(name, params, statements, type, modifiers, sourceSpan, leadingComments) {\n super(modifiers, sourceSpan, leadingComments);\n this.name = name;\n this.params = params;\n this.statements = statements;\n this.type = type || null;\n }\n isEquivalent(stmt) {\n return stmt instanceof DeclareFunctionStmt && areAllEquivalent(this.params, stmt.params) && areAllEquivalent(this.statements, stmt.statements);\n }\n visitStatement(visitor, context) {\n return visitor.visitDeclareFunctionStmt(this, context);\n }\n}\nclass ExpressionStatement extends Statement {\n constructor(expr, sourceSpan, leadingComments) {\n super(StmtModifier.None, sourceSpan, leadingComments);\n this.expr = expr;\n }\n isEquivalent(stmt) {\n return stmt instanceof ExpressionStatement && this.expr.isEquivalent(stmt.expr);\n }\n visitStatement(visitor, context) {\n return visitor.visitExpressionStmt(this, context);\n }\n}\nclass ReturnStatement extends Statement {\n constructor(value, sourceSpan = null, leadingComments) {\n super(StmtModifier.None, sourceSpan, leadingComments);\n this.value = value;\n }\n isEquivalent(stmt) {\n return stmt instanceof ReturnStatement && this.value.isEquivalent(stmt.value);\n }\n visitStatement(visitor, context) {\n return visitor.visitReturnStmt(this, context);\n }\n}\nclass IfStmt extends Statement {\n constructor(condition, trueCase, falseCase = [], sourceSpan, leadingComments) {\n super(StmtModifier.None, sourceSpan, leadingComments);\n this.condition = condition;\n this.trueCase = trueCase;\n this.falseCase = falseCase;\n }\n isEquivalent(stmt) {\n return stmt instanceof IfStmt && this.condition.isEquivalent(stmt.condition) && areAllEquivalent(this.trueCase, stmt.trueCase) && areAllEquivalent(this.falseCase, stmt.falseCase);\n }\n visitStatement(visitor, context) {\n return visitor.visitIfStmt(this, context);\n }\n}\nclass RecursiveAstVisitor$1 {\n visitType(ast, context) {\n return ast;\n }\n visitExpression(ast, context) {\n if (ast.type) {\n ast.type.visitType(this, context);\n }\n return ast;\n }\n visitBuiltinType(type, context) {\n return this.visitType(type, context);\n }\n visitExpressionType(type, context) {\n type.value.visitExpression(this, context);\n if (type.typeParams !== null) {\n type.typeParams.forEach(param => this.visitType(param, context));\n }\n return this.visitType(type, context);\n }\n visitArrayType(type, context) {\n return this.visitType(type, context);\n }\n visitMapType(type, context) {\n return this.visitType(type, context);\n }\n visitTransplantedType(type, context) {\n return type;\n }\n visitWrappedNodeExpr(ast, context) {\n return ast;\n }\n visitTypeofExpr(ast, context) {\n return this.visitExpression(ast, context);\n }\n visitReadVarExpr(ast, context) {\n return this.visitExpression(ast, context);\n }\n visitWriteVarExpr(ast, context) {\n ast.value.visitExpression(this, context);\n return this.visitExpression(ast, context);\n }\n visitWriteKeyExpr(ast, context) {\n ast.receiver.visitExpression(this, context);\n ast.index.visitExpression(this, context);\n ast.value.visitExpression(this, context);\n return this.visitExpression(ast, context);\n }\n visitWritePropExpr(ast, context) {\n ast.receiver.visitExpression(this, context);\n ast.value.visitExpression(this, context);\n return this.visitExpression(ast, context);\n }\n visitDynamicImportExpr(ast, context) {\n return this.visitExpression(ast, context);\n }\n visitInvokeFunctionExpr(ast, context) {\n ast.fn.visitExpression(this, context);\n this.visitAllExpressions(ast.args, context);\n return this.visitExpression(ast, context);\n }\n visitTaggedTemplateExpr(ast, context) {\n ast.tag.visitExpression(this, context);\n this.visitAllExpressions(ast.template.expressions, context);\n return this.visitExpression(ast, context);\n }\n visitInstantiateExpr(ast, context) {\n ast.classExpr.visitExpression(this, context);\n this.visitAllExpressions(ast.args, context);\n return this.visitExpression(ast, context);\n }\n visitLiteralExpr(ast, context) {\n return this.visitExpression(ast, context);\n }\n visitLocalizedString(ast, context) {\n return this.visitExpression(ast, context);\n }\n visitExternalExpr(ast, context) {\n if (ast.typeParams) {\n ast.typeParams.forEach(type => type.visitType(this, context));\n }\n return this.visitExpression(ast, context);\n }\n visitConditionalExpr(ast, context) {\n ast.condition.visitExpression(this, context);\n ast.trueCase.visitExpression(this, context);\n ast.falseCase.visitExpression(this, context);\n return this.visitExpression(ast, context);\n }\n visitNotExpr(ast, context) {\n ast.condition.visitExpression(this, context);\n return this.visitExpression(ast, context);\n }\n visitFunctionExpr(ast, context) {\n this.visitAllStatements(ast.statements, context);\n return this.visitExpression(ast, context);\n }\n visitUnaryOperatorExpr(ast, context) {\n ast.expr.visitExpression(this, context);\n return this.visitExpression(ast, context);\n }\n visitBinaryOperatorExpr(ast, context) {\n ast.lhs.visitExpression(this, context);\n ast.rhs.visitExpression(this, context);\n return this.visitExpression(ast, context);\n }\n visitReadPropExpr(ast, context) {\n ast.receiver.visitExpression(this, context);\n return this.visitExpression(ast, context);\n }\n visitReadKeyExpr(ast, context) {\n ast.receiver.visitExpression(this, context);\n ast.index.visitExpression(this, context);\n return this.visitExpression(ast, context);\n }\n visitLiteralArrayExpr(ast, context) {\n this.visitAllExpressions(ast.entries, context);\n return this.visitExpression(ast, context);\n }\n visitLiteralMapExpr(ast, context) {\n ast.entries.forEach(entry => entry.value.visitExpression(this, context));\n return this.visitExpression(ast, context);\n }\n visitCommaExpr(ast, context) {\n this.visitAllExpressions(ast.parts, context);\n return this.visitExpression(ast, context);\n }\n visitAllExpressions(exprs, context) {\n exprs.forEach(expr => expr.visitExpression(this, context));\n }\n visitDeclareVarStmt(stmt, context) {\n if (stmt.value) {\n stmt.value.visitExpression(this, context);\n }\n if (stmt.type) {\n stmt.type.visitType(this, context);\n }\n return stmt;\n }\n visitDeclareFunctionStmt(stmt, context) {\n this.visitAllStatements(stmt.statements, context);\n if (stmt.type) {\n stmt.type.visitType(this, context);\n }\n return stmt;\n }\n visitExpressionStmt(stmt, context) {\n stmt.expr.visitExpression(this, context);\n return stmt;\n }\n visitReturnStmt(stmt, context) {\n stmt.value.visitExpression(this, context);\n return stmt;\n }\n visitIfStmt(stmt, context) {\n stmt.condition.visitExpression(this, context);\n this.visitAllStatements(stmt.trueCase, context);\n this.visitAllStatements(stmt.falseCase, context);\n return stmt;\n }\n visitAllStatements(stmts, context) {\n stmts.forEach(stmt => stmt.visitStatement(this, context));\n }\n}\nfunction leadingComment(text, multiline = false, trailingNewline = true) {\n return new LeadingComment(text, multiline, trailingNewline);\n}\nfunction jsDocComment(tags = []) {\n return new JSDocComment(tags);\n}\nfunction variable(name, type, sourceSpan) {\n return new ReadVarExpr(name, type, sourceSpan);\n}\nfunction importExpr(id, typeParams = null, sourceSpan) {\n return new ExternalExpr(id, null, typeParams, sourceSpan);\n}\nfunction importType(id, typeParams, typeModifiers) {\n return id != null ? expressionType(importExpr(id, typeParams, null), typeModifiers) : null;\n}\nfunction expressionType(expr, typeModifiers, typeParams) {\n return new ExpressionType(expr, typeModifiers, typeParams);\n}\nfunction transplantedType(type, typeModifiers) {\n return new TransplantedType(type, typeModifiers);\n}\nfunction typeofExpr(expr) {\n return new TypeofExpr(expr);\n}\nfunction literalArr(values, type, sourceSpan) {\n return new LiteralArrayExpr(values, type, sourceSpan);\n}\nfunction literalMap(values, type = null) {\n return new LiteralMapExpr(values.map(e => new LiteralMapEntry(e.key, e.value, e.quoted)), type, null);\n}\nfunction unary(operator, expr, type, sourceSpan) {\n return new UnaryOperatorExpr(operator, expr, type, sourceSpan);\n}\nfunction not(expr, sourceSpan) {\n return new NotExpr(expr, sourceSpan);\n}\nfunction fn(params, body, type, sourceSpan, name) {\n return new FunctionExpr(params, body, type, sourceSpan, name);\n}\nfunction ifStmt(condition, thenClause, elseClause, sourceSpan, leadingComments) {\n return new IfStmt(condition, thenClause, elseClause, sourceSpan, leadingComments);\n}\nfunction taggedTemplate(tag, template, type, sourceSpan) {\n return new TaggedTemplateExpr(tag, template, type, sourceSpan);\n}\nfunction literal(value, type, sourceSpan) {\n return new LiteralExpr(value, type, sourceSpan);\n}\nfunction localizedString(metaBlock, messageParts, placeholderNames, expressions, sourceSpan) {\n return new LocalizedString(metaBlock, messageParts, placeholderNames, expressions, sourceSpan);\n}\nfunction isNull(exp) {\n return exp instanceof LiteralExpr && exp.value === null;\n}\n/*\n * Serializes a `Tag` into a string.\n * Returns a string like \" @foo {bar} baz\" (note the leading whitespace before `@foo`).\n */\nfunction tagToString(tag) {\n let out = '';\n if (tag.tagName) {\n out += ` @${tag.tagName}`;\n }\n if (tag.text) {\n if (tag.text.match(/\\/\\*|\\*\\//)) {\n throw new Error('JSDoc text cannot contain \"/*\" and \"*/\"');\n }\n out += ' ' + tag.text.replace(/@/g, '\\\\@');\n }\n return out;\n}\nfunction serializeTags(tags) {\n if (tags.length === 0) return '';\n if (tags.length === 1 && tags[0].tagName && !tags[0].text) {\n // The JSDOC comment is a single simple tag: e.g `/** @tagname */`.\n return `*${tagToString(tags[0])} `;\n }\n let out = '*\\n';\n for (const tag of tags) {\n out += ' *';\n // If the tagToString is multi-line, insert \" * \" prefixes on lines.\n out += tagToString(tag).replace(/\\n/g, '\\n * ');\n out += '\\n';\n }\n out += ' ';\n return out;\n}\nvar output_ast = /*#__PURE__*/Object.freeze({\n __proto__: null,\n get TypeModifier() {\n return TypeModifier;\n },\n Type: Type,\n get BuiltinTypeName() {\n return BuiltinTypeName;\n },\n BuiltinType: BuiltinType,\n ExpressionType: ExpressionType,\n ArrayType: ArrayType,\n MapType: MapType,\n TransplantedType: TransplantedType,\n DYNAMIC_TYPE: DYNAMIC_TYPE,\n INFERRED_TYPE: INFERRED_TYPE,\n BOOL_TYPE: BOOL_TYPE,\n INT_TYPE: INT_TYPE,\n NUMBER_TYPE: NUMBER_TYPE,\n STRING_TYPE: STRING_TYPE,\n FUNCTION_TYPE: FUNCTION_TYPE,\n NONE_TYPE: NONE_TYPE,\n get UnaryOperator() {\n return UnaryOperator;\n },\n get BinaryOperator() {\n return BinaryOperator;\n },\n nullSafeIsEquivalent: nullSafeIsEquivalent,\n areAllEquivalent: areAllEquivalent,\n Expression: Expression,\n ReadVarExpr: ReadVarExpr,\n TypeofExpr: TypeofExpr,\n WrappedNodeExpr: WrappedNodeExpr,\n WriteVarExpr: WriteVarExpr,\n WriteKeyExpr: WriteKeyExpr,\n WritePropExpr: WritePropExpr,\n InvokeFunctionExpr: InvokeFunctionExpr,\n TaggedTemplateExpr: TaggedTemplateExpr,\n InstantiateExpr: InstantiateExpr,\n LiteralExpr: LiteralExpr,\n TemplateLiteral: TemplateLiteral,\n TemplateLiteralElement: TemplateLiteralElement,\n LiteralPiece: LiteralPiece,\n PlaceholderPiece: PlaceholderPiece,\n LocalizedString: LocalizedString,\n ExternalExpr: ExternalExpr,\n ExternalReference: ExternalReference,\n ConditionalExpr: ConditionalExpr,\n DynamicImportExpr: DynamicImportExpr,\n NotExpr: NotExpr,\n FnParam: FnParam,\n FunctionExpr: FunctionExpr,\n UnaryOperatorExpr: UnaryOperatorExpr,\n BinaryOperatorExpr: BinaryOperatorExpr,\n ReadPropExpr: ReadPropExpr,\n ReadKeyExpr: ReadKeyExpr,\n LiteralArrayExpr: LiteralArrayExpr,\n LiteralMapEntry: LiteralMapEntry,\n LiteralMapExpr: LiteralMapExpr,\n CommaExpr: CommaExpr,\n NULL_EXPR: NULL_EXPR,\n TYPED_NULL_EXPR: TYPED_NULL_EXPR,\n get StmtModifier() {\n return StmtModifier;\n },\n LeadingComment: LeadingComment,\n JSDocComment: JSDocComment,\n Statement: Statement,\n DeclareVarStmt: DeclareVarStmt,\n DeclareFunctionStmt: DeclareFunctionStmt,\n ExpressionStatement: ExpressionStatement,\n ReturnStatement: ReturnStatement,\n IfStmt: IfStmt,\n RecursiveAstVisitor: RecursiveAstVisitor$1,\n leadingComment: leadingComment,\n jsDocComment: jsDocComment,\n variable: variable,\n importExpr: importExpr,\n importType: importType,\n expressionType: expressionType,\n transplantedType: transplantedType,\n typeofExpr: typeofExpr,\n literalArr: literalArr,\n literalMap: literalMap,\n unary: unary,\n not: not,\n fn: fn,\n ifStmt: ifStmt,\n taggedTemplate: taggedTemplate,\n literal: literal,\n localizedString: localizedString,\n isNull: isNull\n});\nconst CONSTANT_PREFIX = '_c';\n/**\n * `ConstantPool` tries to reuse literal factories when two or more literals are identical.\n * We determine whether literals are identical by creating a key out of their AST using the\n * `KeyVisitor`. This constant is used to replace dynamic expressions which can't be safely\n * converted into a key. E.g. given an expression `{foo: bar()}`, since we don't know what\n * the result of `bar` will be, we create a key that looks like `{foo: <unknown>}`. Note\n * that we use a variable, rather than something like `null` in order to avoid collisions.\n */\nconst UNKNOWN_VALUE_KEY = variable('<unknown>');\n/**\n * Context to use when producing a key.\n *\n * This ensures we see the constant not the reference variable when producing\n * a key.\n */\nconst KEY_CONTEXT = {};\n/**\n * Generally all primitive values are excluded from the `ConstantPool`, but there is an exclusion\n * for strings that reach a certain length threshold. This constant defines the length threshold for\n * strings.\n */\nconst POOL_INCLUSION_LENGTH_THRESHOLD_FOR_STRINGS = 50;\n/**\n * A node that is a place-holder that allows the node to be replaced when the actual\n * node is known.\n *\n * This allows the constant pool to change an expression from a direct reference to\n * a constant to a shared constant. It returns a fix-up node that is later allowed to\n * change the referenced expression.\n */\nclass FixupExpression extends Expression {\n constructor(resolved) {\n super(resolved.type);\n this.resolved = resolved;\n this.shared = false;\n this.original = resolved;\n }\n visitExpression(visitor, context) {\n if (context === KEY_CONTEXT) {\n // When producing a key we want to traverse the constant not the\n // variable used to refer to it.\n return this.original.visitExpression(visitor, context);\n } else {\n return this.resolved.visitExpression(visitor, context);\n }\n }\n isEquivalent(e) {\n return e instanceof FixupExpression && this.resolved.isEquivalent(e.resolved);\n }\n isConstant() {\n return true;\n }\n clone() {\n throw new Error(`Not supported.`);\n }\n fixup(expression) {\n this.resolved = expression;\n this.shared = true;\n }\n}\n/**\n * A constant pool allows a code emitter to share constant in an output context.\n *\n * The constant pool also supports sharing access to ivy definitions references.\n */\nclass ConstantPool {\n constructor(isClosureCompilerEnabled = false) {\n this.isClosureCompilerEnabled = isClosureCompilerEnabled;\n this.statements = [];\n this.literals = new Map();\n this.literalFactories = new Map();\n this.sharedConstants = new Map();\n this.nextNameIndex = 0;\n }\n getConstLiteral(literal, forceShared) {\n if (literal instanceof LiteralExpr && !isLongStringLiteral(literal) || literal instanceof FixupExpression) {\n // Do no put simple literals into the constant pool or try to produce a constant for a\n // reference to a constant.\n return literal;\n }\n const key = GenericKeyFn.INSTANCE.keyOf(literal);\n let fixup = this.literals.get(key);\n let newValue = false;\n if (!fixup) {\n fixup = new FixupExpression(literal);\n this.literals.set(key, fixup);\n newValue = true;\n }\n if (!newValue && !fixup.shared || newValue && forceShared) {\n // Replace the expression with a variable\n const name = this.freshName();\n let definition;\n let usage;\n if (this.isClosureCompilerEnabled && isLongStringLiteral(literal)) {\n // For string literals, Closure will **always** inline the string at\n // **all** usages, duplicating it each time. For large strings, this\n // unnecessarily bloats bundle size. To work around this restriction, we\n // wrap the string in a function, and call that function for each usage.\n // This tricks Closure into using inline logic for functions instead of\n // string literals. Function calls are only inlined if the body is small\n // enough to be worth it. By doing this, very large strings will be\n // shared across multiple usages, rather than duplicating the string at\n // each usage site.\n //\n // const myStr = function() { return \"very very very long string\"; };\n // const usage1 = myStr();\n // const usage2 = myStr();\n definition = variable(name).set(new FunctionExpr([],\n // Params.\n [\n // Statements.\n new ReturnStatement(literal)]));\n usage = variable(name).callFn([]);\n } else {\n // Just declare and use the variable directly, without a function call\n // indirection. This saves a few bytes and avoids an unnecessary call.\n definition = variable(name).set(literal);\n usage = variable(name);\n }\n this.statements.push(definition.toDeclStmt(INFERRED_TYPE, StmtModifier.Final));\n fixup.fixup(usage);\n }\n return fixup;\n }\n getSharedConstant(def, expr) {\n const key = def.keyOf(expr);\n if (!this.sharedConstants.has(key)) {\n const id = this.freshName();\n this.sharedConstants.set(key, variable(id));\n this.statements.push(def.toSharedConstantDeclaration(id, expr));\n }\n return this.sharedConstants.get(key);\n }\n getLiteralFactory(literal) {\n // Create a pure function that builds an array of a mix of constant and variable expressions\n if (literal instanceof LiteralArrayExpr) {\n const argumentsForKey = literal.entries.map(e => e.isConstant() ? e : UNKNOWN_VALUE_KEY);\n const key = GenericKeyFn.INSTANCE.keyOf(literalArr(argumentsForKey));\n return this._getLiteralFactory(key, literal.entries, entries => literalArr(entries));\n } else {\n const expressionForKey = literalMap(literal.entries.map(e => ({\n key: e.key,\n value: e.value.isConstant() ? e.value : UNKNOWN_VALUE_KEY,\n quoted: e.quoted\n })));\n const key = GenericKeyFn.INSTANCE.keyOf(expressionForKey);\n return this._getLiteralFactory(key, literal.entries.map(e => e.value), entries => literalMap(entries.map((value, index) => ({\n key: literal.entries[index].key,\n value,\n quoted: literal.entries[index].quoted\n }))));\n }\n }\n _getLiteralFactory(key, values, resultMap) {\n let literalFactory = this.literalFactories.get(key);\n const literalFactoryArguments = values.filter(e => !e.isConstant());\n if (!literalFactory) {\n const resultExpressions = values.map((e, index) => e.isConstant() ? this.getConstLiteral(e, true) : variable(`a${index}`));\n const parameters = resultExpressions.filter(isVariable).map(e => new FnParam(e.name, DYNAMIC_TYPE));\n const pureFunctionDeclaration = fn(parameters, [new ReturnStatement(resultMap(resultExpressions))], INFERRED_TYPE);\n const name = this.freshName();\n this.statements.push(variable(name).set(pureFunctionDeclaration).toDeclStmt(INFERRED_TYPE, StmtModifier.Final));\n literalFactory = variable(name);\n this.literalFactories.set(key, literalFactory);\n }\n return {\n literalFactory,\n literalFactoryArguments\n };\n }\n /**\n * Produce a unique name.\n *\n * The name might be unique among different prefixes if any of the prefixes end in\n * a digit so the prefix should be a constant string (not based on user input) and\n * must not end in a digit.\n */\n uniqueName(prefix) {\n return `${prefix}${this.nextNameIndex++}`;\n }\n freshName() {\n return this.uniqueName(CONSTANT_PREFIX);\n }\n}\nclass GenericKeyFn {\n static {\n this.INSTANCE = new GenericKeyFn();\n }\n keyOf(expr) {\n if (expr instanceof LiteralExpr && typeof expr.value === 'string') {\n return `\"${expr.value}\"`;\n } else if (expr instanceof LiteralExpr) {\n return String(expr.value);\n } else if (expr instanceof LiteralArrayExpr) {\n const entries = [];\n for (const entry of expr.entries) {\n entries.push(this.keyOf(entry));\n }\n return `[${entries.join(',')}]`;\n } else if (expr instanceof LiteralMapExpr) {\n const entries = [];\n for (const entry of expr.entries) {\n let key = entry.key;\n if (entry.quoted) {\n key = `\"${key}\"`;\n }\n entries.push(key + ':' + this.keyOf(entry.value));\n }\n return `{${entries.join(',')}}`;\n } else if (expr instanceof ExternalExpr) {\n return `import(\"${expr.value.moduleName}\", ${expr.value.name})`;\n } else if (expr instanceof ReadVarExpr) {\n return `read(${expr.name})`;\n } else if (expr instanceof TypeofExpr) {\n return `typeof(${this.keyOf(expr.expr)})`;\n } else {\n throw new Error(`${this.constructor.name} does not handle expressions of type ${expr.constructor.name}`);\n }\n }\n}\nfunction isVariable(e) {\n return e instanceof ReadVarExpr;\n}\nfunction isLongStringLiteral(expr) {\n return expr instanceof LiteralExpr && typeof expr.value === 'string' && expr.value.length >= POOL_INCLUSION_LENGTH_THRESHOLD_FOR_STRINGS;\n}\nconst CORE = '@angular/core';\nclass Identifiers {\n /* Methods */\n static {\n this.NEW_METHOD = 'factory';\n }\n static {\n this.TRANSFORM_METHOD = 'transform';\n }\n static {\n this.PATCH_DEPS = 'patchedDeps';\n }\n static {\n this.core = {\n name: null,\n moduleName: CORE\n };\n }\n /* Instructions */\n static {\n this.namespaceHTML = {\n name: 'ɵɵnamespaceHTML',\n moduleName: CORE\n };\n }\n static {\n this.namespaceMathML = {\n name: 'ɵɵnamespaceMathML',\n moduleName: CORE\n };\n }\n static {\n this.namespaceSVG = {\n name: 'ɵɵnamespaceSVG',\n moduleName: CORE\n };\n }\n static {\n this.element = {\n name: 'ɵɵelement',\n moduleName: CORE\n };\n }\n static {\n this.elementStart = {\n name: 'ɵɵelementStart',\n moduleName: CORE\n };\n }\n static {\n this.elementEnd = {\n name: 'ɵɵelementEnd',\n moduleName: CORE\n };\n }\n static {\n this.advance = {\n name: 'ɵɵadvance',\n moduleName: CORE\n };\n }\n static {\n this.syntheticHostProperty = {\n name: 'ɵɵsyntheticHostProperty',\n moduleName: CORE\n };\n }\n static {\n this.syntheticHostListener = {\n name: 'ɵɵsyntheticHostListener',\n moduleName: CORE\n };\n }\n static {\n this.attribute = {\n name: 'ɵɵattribute',\n moduleName: CORE\n };\n }\n static {\n this.attributeInterpolate1 = {\n name: 'ɵɵattributeInterpolate1',\n moduleName: CORE\n };\n }\n static {\n this.attributeInterpolate2 = {\n name: 'ɵɵattributeInterpolate2',\n moduleName: CORE\n };\n }\n static {\n this.attributeInterpolate3 = {\n name: 'ɵɵattributeInterpolate3',\n moduleName: CORE\n };\n }\n static {\n this.attributeInterpolate4 = {\n name: 'ɵɵattributeInterpolate4',\n moduleName: CORE\n };\n }\n static {\n this.attributeInterpolate5 = {\n name: 'ɵɵattributeInterpolate5',\n moduleName: CORE\n };\n }\n static {\n this.attributeInterpolate6 = {\n name: 'ɵɵattributeInterpolate6',\n moduleName: CORE\n };\n }\n static {\n this.attributeInterpolate7 = {\n name: 'ɵɵattributeInterpolate7',\n moduleName: CORE\n };\n }\n static {\n this.attributeInterpolate8 = {\n name: 'ɵɵattributeInterpolate8',\n moduleName: CORE\n };\n }\n static {\n this.attributeInterpolateV = {\n name: 'ɵɵattributeInterpolateV',\n moduleName: CORE\n };\n }\n static {\n this.classProp = {\n name: 'ɵɵclassProp',\n moduleName: CORE\n };\n }\n static {\n this.elementContainerStart = {\n name: 'ɵɵelementContainerStart',\n moduleName: CORE\n };\n }\n static {\n this.elementContainerEnd = {\n name: 'ɵɵelementContainerEnd',\n moduleName: CORE\n };\n }\n static {\n this.elementContainer = {\n name: 'ɵɵelementContainer',\n moduleName: CORE\n };\n }\n static {\n this.styleMap = {\n name: 'ɵɵstyleMap',\n moduleName: CORE\n };\n }\n static {\n this.styleMapInterpolate1 = {\n name: 'ɵɵstyleMapInterpolate1',\n moduleName: CORE\n };\n }\n static {\n this.styleMapInterpolate2 = {\n name: 'ɵɵstyleMapInterpolate2',\n moduleName: CORE\n };\n }\n static {\n this.styleMapInterpolate3 = {\n name: 'ɵɵstyleMapInterpolate3',\n moduleName: CORE\n };\n }\n static {\n this.styleMapInterpolate4 = {\n name: 'ɵɵstyleMapInterpolate4',\n moduleName: CORE\n };\n }\n static {\n this.styleMapInterpolate5 = {\n name: 'ɵɵstyleMapInterpolate5',\n moduleName: CORE\n };\n }\n static {\n this.styleMapInterpolate6 = {\n name: 'ɵɵstyleMapInterpolate6',\n moduleName: CORE\n };\n }\n static {\n this.styleMapInterpolate7 = {\n name: 'ɵɵstyleMapInterpolate7',\n moduleName: CORE\n };\n }\n static {\n this.styleMapInterpolate8 = {\n name: 'ɵɵstyleMapInterpolate8',\n moduleName: CORE\n };\n }\n static {\n this.styleMapInterpolateV = {\n name: 'ɵɵstyleMapInterpolateV',\n moduleName: CORE\n };\n }\n static {\n this.classMap = {\n name: 'ɵɵclassMap',\n moduleName: CORE\n };\n }\n static {\n this.classMapInterpolate1 = {\n name: 'ɵɵclassMapInterpolate1',\n moduleName: CORE\n };\n }\n static {\n this.classMapInterpolate2 = {\n name: 'ɵɵclassMapInterpolate2',\n moduleName: CORE\n };\n }\n static {\n this.classMapInterpolate3 = {\n name: 'ɵɵclassMapInterpolate3',\n moduleName: CORE\n };\n }\n static {\n this.classMapInterpolate4 = {\n name: 'ɵɵclassMapInterpolate4',\n moduleName: CORE\n };\n }\n static {\n this.classMapInterpolate5 = {\n name: 'ɵɵclassMapInterpolate5',\n moduleName: CORE\n };\n }\n static {\n this.classMapInterpolate6 = {\n name: 'ɵɵclassMapInterpolate6',\n moduleName: CORE\n };\n }\n static {\n this.classMapInterpolate7 = {\n name: 'ɵɵclassMapInterpolate7',\n moduleName: CORE\n };\n }\n static {\n this.classMapInterpolate8 = {\n name: 'ɵɵclassMapInterpolate8',\n moduleName: CORE\n };\n }\n static {\n this.classMapInterpolateV = {\n name: 'ɵɵclassMapInterpolateV',\n moduleName: CORE\n };\n }\n static {\n this.styleProp = {\n name: 'ɵɵstyleProp',\n moduleName: CORE\n };\n }\n static {\n this.stylePropInterpolate1 = {\n name: 'ɵɵstylePropInterpolate1',\n moduleName: CORE\n };\n }\n static {\n this.stylePropInterpolate2 = {\n name: 'ɵɵstylePropInterpolate2',\n moduleName: CORE\n };\n }\n static {\n this.stylePropInterpolate3 = {\n name: 'ɵɵstylePropInterpolate3',\n moduleName: CORE\n };\n }\n static {\n this.stylePropInterpolate4 = {\n name: 'ɵɵstylePropInterpolate4',\n moduleName: CORE\n };\n }\n static {\n this.stylePropInterpolate5 = {\n name: 'ɵɵstylePropInterpolate5',\n moduleName: CORE\n };\n }\n static {\n this.stylePropInterpolate6 = {\n name: 'ɵɵstylePropInterpolate6',\n moduleName: CORE\n };\n }\n static {\n this.stylePropInterpolate7 = {\n name: 'ɵɵstylePropInterpolate7',\n moduleName: CORE\n };\n }\n static {\n this.stylePropInterpolate8 = {\n name: 'ɵɵstylePropInterpolate8',\n moduleName: CORE\n };\n }\n static {\n this.stylePropInterpolateV = {\n name: 'ɵɵstylePropInterpolateV',\n moduleName: CORE\n };\n }\n static {\n this.nextContext = {\n name: 'ɵɵnextContext',\n moduleName: CORE\n };\n }\n static {\n this.resetView = {\n name: 'ɵɵresetView',\n moduleName: CORE\n };\n }\n static {\n this.templateCreate = {\n name: 'ɵɵtemplate',\n moduleName: CORE\n };\n }\n static {\n this.defer = {\n name: 'ɵɵdefer',\n moduleName: CORE\n };\n }\n static {\n this.text = {\n name: 'ɵɵtext',\n moduleName: CORE\n };\n }\n static {\n this.enableBindings = {\n name: 'ɵɵenableBindings',\n moduleName: CORE\n };\n }\n static {\n this.disableBindings = {\n name: 'ɵɵdisableBindings',\n moduleName: CORE\n };\n }\n static {\n this.getCurrentView = {\n name: 'ɵɵgetCurrentView',\n moduleName: CORE\n };\n }\n static {\n this.textInterpolate = {\n name: 'ɵɵtextInterpolate',\n moduleName: CORE\n };\n }\n static {\n this.textInterpolate1 = {\n name: 'ɵɵtextInterpolate1',\n moduleName: CORE\n };\n }\n static {\n this.textInterpolate2 = {\n name: 'ɵɵtextInterpolate2',\n moduleName: CORE\n };\n }\n static {\n this.textInterpolate3 = {\n name: 'ɵɵtextInterpolate3',\n moduleName: CORE\n };\n }\n static {\n this.textInterpolate4 = {\n name: 'ɵɵtextInterpolate4',\n moduleName: CORE\n };\n }\n static {\n this.textInterpolate5 = {\n name: 'ɵɵtextInterpolate5',\n moduleName: CORE\n };\n }\n static {\n this.textInterpolate6 = {\n name: 'ɵɵtextInterpolate6',\n moduleName: CORE\n };\n }\n static {\n this.textInterpolate7 = {\n name: 'ɵɵtextInterpolate7',\n moduleName: CORE\n };\n }\n static {\n this.textInterpolate8 = {\n name: 'ɵɵtextInterpolate8',\n moduleName: CORE\n };\n }\n static {\n this.textInterpolateV = {\n name: 'ɵɵtextInterpolateV',\n moduleName: CORE\n };\n }\n static {\n this.restoreView = {\n name: 'ɵɵrestoreView',\n moduleName: CORE\n };\n }\n static {\n this.pureFunction0 = {\n name: 'ɵɵpureFunction0',\n moduleName: CORE\n };\n }\n static {\n this.pureFunction1 = {\n name: 'ɵɵpureFunction1',\n moduleName: CORE\n };\n }\n static {\n this.pureFunction2 = {\n name: 'ɵɵpureFunction2',\n moduleName: CORE\n };\n }\n static {\n this.pureFunction3 = {\n name: 'ɵɵpureFunction3',\n moduleName: CORE\n };\n }\n static {\n this.pureFunction4 = {\n name: 'ɵɵpureFunction4',\n moduleName: CORE\n };\n }\n static {\n this.pureFunction5 = {\n name: 'ɵɵpureFunction5',\n moduleName: CORE\n };\n }\n static {\n this.pureFunction6 = {\n name: 'ɵɵpureFunction6',\n moduleName: CORE\n };\n }\n static {\n this.pureFunction7 = {\n name: 'ɵɵpureFunction7',\n moduleName: CORE\n };\n }\n static {\n this.pureFunction8 = {\n name: 'ɵɵpureFunction8',\n moduleName: CORE\n };\n }\n static {\n this.pureFunctionV = {\n name: 'ɵɵpureFunctionV',\n moduleName: CORE\n };\n }\n static {\n this.pipeBind1 = {\n name: 'ɵɵpipeBind1',\n moduleName: CORE\n };\n }\n static {\n this.pipeBind2 = {\n name: 'ɵɵpipeBind2',\n moduleName: CORE\n };\n }\n static {\n this.pipeBind3 = {\n name: 'ɵɵpipeBind3',\n moduleName: CORE\n };\n }\n static {\n this.pipeBind4 = {\n name: 'ɵɵpipeBind4',\n moduleName: CORE\n };\n }\n static {\n this.pipeBindV = {\n name: 'ɵɵpipeBindV',\n moduleName: CORE\n };\n }\n static {\n this.hostProperty = {\n name: 'ɵɵhostProperty',\n moduleName: CORE\n };\n }\n static {\n this.property = {\n name: 'ɵɵproperty',\n moduleName: CORE\n };\n }\n static {\n this.propertyInterpolate = {\n name: 'ɵɵpropertyInterpolate',\n moduleName: CORE\n };\n }\n static {\n this.propertyInterpolate1 = {\n name: 'ɵɵpropertyInterpolate1',\n moduleName: CORE\n };\n }\n static {\n this.propertyInterpolate2 = {\n name: 'ɵɵpropertyInterpolate2',\n moduleName: CORE\n };\n }\n static {\n this.propertyInterpolate3 = {\n name: 'ɵɵpropertyInterpolate3',\n moduleName: CORE\n };\n }\n static {\n this.propertyInterpolate4 = {\n name: 'ɵɵpropertyInterpolate4',\n moduleName: CORE\n };\n }\n static {\n this.propertyInterpolate5 = {\n name: 'ɵɵpropertyInterpolate5',\n moduleName: CORE\n };\n }\n static {\n this.propertyInterpolate6 = {\n name: 'ɵɵpropertyInterpolate6',\n moduleName: CORE\n };\n }\n static {\n this.propertyInterpolate7 = {\n name: 'ɵɵpropertyInterpolate7',\n moduleName: CORE\n };\n }\n static {\n this.propertyInterpolate8 = {\n name: 'ɵɵpropertyInterpolate8',\n moduleName: CORE\n };\n }\n static {\n this.propertyInterpolateV = {\n name: 'ɵɵpropertyInterpolateV',\n moduleName: CORE\n };\n }\n static {\n this.i18n = {\n name: 'ɵɵi18n',\n moduleName: CORE\n };\n }\n static {\n this.i18nAttributes = {\n name: 'ɵɵi18nAttributes',\n moduleName: CORE\n };\n }\n static {\n this.i18nExp = {\n name: 'ɵɵi18nExp',\n moduleName: CORE\n };\n }\n static {\n this.i18nStart = {\n name: 'ɵɵi18nStart',\n moduleName: CORE\n };\n }\n static {\n this.i18nEnd = {\n name: 'ɵɵi18nEnd',\n moduleName: CORE\n };\n }\n static {\n this.i18nApply = {\n name: 'ɵɵi18nApply',\n moduleName: CORE\n };\n }\n static {\n this.i18nPostprocess = {\n name: 'ɵɵi18nPostprocess',\n moduleName: CORE\n };\n }\n static {\n this.pipe = {\n name: 'ɵɵpipe',\n moduleName: CORE\n };\n }\n static {\n this.projection = {\n name: 'ɵɵprojection',\n moduleName: CORE\n };\n }\n static {\n this.projectionDef = {\n name: 'ɵɵprojectionDef',\n moduleName: CORE\n };\n }\n static {\n this.reference = {\n name: 'ɵɵreference',\n moduleName: CORE\n };\n }\n static {\n this.inject = {\n name: 'ɵɵinject',\n moduleName: CORE\n };\n }\n static {\n this.injectAttribute = {\n name: 'ɵɵinjectAttribute',\n moduleName: CORE\n };\n }\n static {\n this.directiveInject = {\n name: 'ɵɵdirectiveInject',\n moduleName: CORE\n };\n }\n static {\n this.invalidFactory = {\n name: 'ɵɵinvalidFactory',\n moduleName: CORE\n };\n }\n static {\n this.invalidFactoryDep = {\n name: 'ɵɵinvalidFactoryDep',\n moduleName: CORE\n };\n }\n static {\n this.templateRefExtractor = {\n name: 'ɵɵtemplateRefExtractor',\n moduleName: CORE\n };\n }\n static {\n this.forwardRef = {\n name: 'forwardRef',\n moduleName: CORE\n };\n }\n static {\n this.resolveForwardRef = {\n name: 'resolveForwardRef',\n moduleName: CORE\n };\n }\n static {\n this.ɵɵdefineInjectable = {\n name: 'ɵɵdefineInjectable',\n moduleName: CORE\n };\n }\n static {\n this.declareInjectable = {\n name: 'ɵɵngDeclareInjectable',\n moduleName: CORE\n };\n }\n static {\n this.InjectableDeclaration = {\n name: 'ɵɵInjectableDeclaration',\n moduleName: CORE\n };\n }\n static {\n this.resolveWindow = {\n name: 'ɵɵresolveWindow',\n moduleName: CORE\n };\n }\n static {\n this.resolveDocument = {\n name: 'ɵɵresolveDocument',\n moduleName: CORE\n };\n }\n static {\n this.resolveBody = {\n name: 'ɵɵresolveBody',\n moduleName: CORE\n };\n }\n static {\n this.defineComponent = {\n name: 'ɵɵdefineComponent',\n moduleName: CORE\n };\n }\n static {\n this.declareComponent = {\n name: 'ɵɵngDeclareComponent',\n moduleName: CORE\n };\n }\n static {\n this.setComponentScope = {\n name: 'ɵɵsetComponentScope',\n moduleName: CORE\n };\n }\n static {\n this.ChangeDetectionStrategy = {\n name: 'ChangeDetectionStrategy',\n moduleName: CORE\n };\n }\n static {\n this.ViewEncapsulation = {\n name: 'ViewEncapsulation',\n moduleName: CORE\n };\n }\n static {\n this.ComponentDeclaration = {\n name: 'ɵɵComponentDeclaration',\n moduleName: CORE\n };\n }\n static {\n this.FactoryDeclaration = {\n name: 'ɵɵFactoryDeclaration',\n moduleName: CORE\n };\n }\n static {\n this.declareFactory = {\n name: 'ɵɵngDeclareFactory',\n moduleName: CORE\n };\n }\n static {\n this.FactoryTarget = {\n name: 'ɵɵFactoryTarget',\n moduleName: CORE\n };\n }\n static {\n this.defineDirective = {\n name: 'ɵɵdefineDirective',\n moduleName: CORE\n };\n }\n static {\n this.declareDirective = {\n name: 'ɵɵngDeclareDirective',\n moduleName: CORE\n };\n }\n static {\n this.DirectiveDeclaration = {\n name: 'ɵɵDirectiveDeclaration',\n moduleName: CORE\n };\n }\n static {\n this.InjectorDef = {\n name: 'ɵɵInjectorDef',\n moduleName: CORE\n };\n }\n static {\n this.InjectorDeclaration = {\n name: 'ɵɵInjectorDeclaration',\n moduleName: CORE\n };\n }\n static {\n this.defineInjector = {\n name: 'ɵɵdefineInjector',\n moduleName: CORE\n };\n }\n static {\n this.declareInjector = {\n name: 'ɵɵngDeclareInjector',\n moduleName: CORE\n };\n }\n static {\n this.NgModuleDeclaration = {\n name: 'ɵɵNgModuleDeclaration',\n moduleName: CORE\n };\n }\n static {\n this.ModuleWithProviders = {\n name: 'ModuleWithProviders',\n moduleName: CORE\n };\n }\n static {\n this.defineNgModule = {\n name: 'ɵɵdefineNgModule',\n moduleName: CORE\n };\n }\n static {\n this.declareNgModule = {\n name: 'ɵɵngDeclareNgModule',\n moduleName: CORE\n };\n }\n static {\n this.setNgModuleScope = {\n name: 'ɵɵsetNgModuleScope',\n moduleName: CORE\n };\n }\n static {\n this.registerNgModuleType = {\n name: 'ɵɵregisterNgModuleType',\n moduleName: CORE\n };\n }\n static {\n this.PipeDeclaration = {\n name: 'ɵɵPipeDeclaration',\n moduleName: CORE\n };\n }\n static {\n this.definePipe = {\n name: 'ɵɵdefinePipe',\n moduleName: CORE\n };\n }\n static {\n this.declarePipe = {\n name: 'ɵɵngDeclarePipe',\n moduleName: CORE\n };\n }\n static {\n this.declareClassMetadata = {\n name: 'ɵɵngDeclareClassMetadata',\n moduleName: CORE\n };\n }\n static {\n this.setClassMetadata = {\n name: 'ɵsetClassMetadata',\n moduleName: CORE\n };\n }\n static {\n this.queryRefresh = {\n name: 'ɵɵqueryRefresh',\n moduleName: CORE\n };\n }\n static {\n this.viewQuery = {\n name: 'ɵɵviewQuery',\n moduleName: CORE\n };\n }\n static {\n this.loadQuery = {\n name: 'ɵɵloadQuery',\n moduleName: CORE\n };\n }\n static {\n this.contentQuery = {\n name: 'ɵɵcontentQuery',\n moduleName: CORE\n };\n }\n static {\n this.NgOnChangesFeature = {\n name: 'ɵɵNgOnChangesFeature',\n moduleName: CORE\n };\n }\n static {\n this.InheritDefinitionFeature = {\n name: 'ɵɵInheritDefinitionFeature',\n moduleName: CORE\n };\n }\n static {\n this.CopyDefinitionFeature = {\n name: 'ɵɵCopyDefinitionFeature',\n moduleName: CORE\n };\n }\n static {\n this.StandaloneFeature = {\n name: 'ɵɵStandaloneFeature',\n moduleName: CORE\n };\n }\n static {\n this.ProvidersFeature = {\n name: 'ɵɵProvidersFeature',\n moduleName: CORE\n };\n }\n static {\n this.HostDirectivesFeature = {\n name: 'ɵɵHostDirectivesFeature',\n moduleName: CORE\n };\n }\n static {\n this.InputTransformsFeatureFeature = {\n name: 'ɵɵInputTransformsFeature',\n moduleName: CORE\n };\n }\n static {\n this.listener = {\n name: 'ɵɵlistener',\n moduleName: CORE\n };\n }\n static {\n this.getInheritedFactory = {\n name: 'ɵɵgetInheritedFactory',\n moduleName: CORE\n };\n }\n // sanitization-related functions\n static {\n this.sanitizeHtml = {\n name: 'ɵɵsanitizeHtml',\n moduleName: CORE\n };\n }\n static {\n this.sanitizeStyle = {\n name: 'ɵɵsanitizeStyle',\n moduleName: CORE\n };\n }\n static {\n this.sanitizeResourceUrl = {\n name: 'ɵɵsanitizeResourceUrl',\n moduleName: CORE\n };\n }\n static {\n this.sanitizeScript = {\n name: 'ɵɵsanitizeScript',\n moduleName: CORE\n };\n }\n static {\n this.sanitizeUrl = {\n name: 'ɵɵsanitizeUrl',\n moduleName: CORE\n };\n }\n static {\n this.sanitizeUrlOrResourceUrl = {\n name: 'ɵɵsanitizeUrlOrResourceUrl',\n moduleName: CORE\n };\n }\n static {\n this.trustConstantHtml = {\n name: 'ɵɵtrustConstantHtml',\n moduleName: CORE\n };\n }\n static {\n this.trustConstantResourceUrl = {\n name: 'ɵɵtrustConstantResourceUrl',\n moduleName: CORE\n };\n }\n static {\n this.validateIframeAttribute = {\n name: 'ɵɵvalidateIframeAttribute',\n moduleName: CORE\n };\n }\n}\nconst DASH_CASE_REGEXP = /-+([a-z0-9])/g;\nfunction dashCaseToCamelCase(input) {\n return input.replace(DASH_CASE_REGEXP, (...m) => m[1].toUpperCase());\n}\nfunction splitAtColon(input, defaultValues) {\n return _splitAt(input, ':', defaultValues);\n}\nfunction splitAtPeriod(input, defaultValues) {\n return _splitAt(input, '.', defaultValues);\n}\nfunction _splitAt(input, character, defaultValues) {\n const characterIndex = input.indexOf(character);\n if (characterIndex == -1) return defaultValues;\n return [input.slice(0, characterIndex).trim(), input.slice(characterIndex + 1).trim()];\n}\nfunction noUndefined(val) {\n return val === undefined ? null : val;\n}\nfunction error(msg) {\n throw new Error(`Internal Error: ${msg}`);\n}\n// Escape characters that have a special meaning in Regular Expressions\nfunction escapeRegExp(s) {\n return s.replace(/([.*+?^=!:${}()|[\\]\\/\\\\])/g, '\\\\$1');\n}\nfunction utf8Encode(str) {\n let encoded = [];\n for (let index = 0; index < str.length; index++) {\n let codePoint = str.charCodeAt(index);\n // decode surrogate\n // see https://mathiasbynens.be/notes/javascript-encoding#surrogate-formulae\n if (codePoint >= 0xd800 && codePoint <= 0xdbff && str.length > index + 1) {\n const low = str.charCodeAt(index + 1);\n if (low >= 0xdc00 && low <= 0xdfff) {\n index++;\n codePoint = (codePoint - 0xd800 << 10) + low - 0xdc00 + 0x10000;\n }\n }\n if (codePoint <= 0x7f) {\n encoded.push(codePoint);\n } else if (codePoint <= 0x7ff) {\n encoded.push(codePoint >> 6 & 0x1F | 0xc0, codePoint & 0x3f | 0x80);\n } else if (codePoint <= 0xffff) {\n encoded.push(codePoint >> 12 | 0xe0, codePoint >> 6 & 0x3f | 0x80, codePoint & 0x3f | 0x80);\n } else if (codePoint <= 0x1fffff) {\n encoded.push(codePoint >> 18 & 0x07 | 0xf0, codePoint >> 12 & 0x3f | 0x80, codePoint >> 6 & 0x3f | 0x80, codePoint & 0x3f | 0x80);\n }\n }\n return encoded;\n}\nfunction stringify(token) {\n if (typeof token === 'string') {\n return token;\n }\n if (Array.isArray(token)) {\n return '[' + token.map(stringify).join(', ') + ']';\n }\n if (token == null) {\n return '' + token;\n }\n if (token.overriddenName) {\n return `${token.overriddenName}`;\n }\n if (token.name) {\n return `${token.name}`;\n }\n if (!token.toString) {\n return 'object';\n }\n // WARNING: do not try to `JSON.stringify(token)` here\n // see https://github.com/angular/angular/issues/23440\n const res = token.toString();\n if (res == null) {\n return '' + res;\n }\n const newLineIndex = res.indexOf('\\n');\n return newLineIndex === -1 ? res : res.substring(0, newLineIndex);\n}\nclass Version {\n constructor(full) {\n this.full = full;\n const splits = full.split('.');\n this.major = splits[0];\n this.minor = splits[1];\n this.patch = splits.slice(2).join('.');\n }\n}\nconst _global = globalThis;\nfunction newArray(size, value) {\n const list = [];\n for (let i = 0; i < size; i++) {\n list.push(value);\n }\n return list;\n}\n/**\n * Partitions a given array into 2 arrays, based on a boolean value returned by the condition\n * function.\n *\n * @param arr Input array that should be partitioned\n * @param conditionFn Condition function that is called for each item in a given array and returns a\n * boolean value.\n */\nfunction partitionArray(arr, conditionFn) {\n const truthy = [];\n const falsy = [];\n for (const item of arr) {\n (conditionFn(item) ? truthy : falsy).push(item);\n }\n return [truthy, falsy];\n}\n\n// https://docs.google.com/document/d/1U1RGAehQwRypUTovF1KRlpiOFze0b-_2gc6fAH0KY0k/edit\nconst VERSION$1 = 3;\nconst JS_B64_PREFIX = '# sourceMappingURL=data:application/json;base64,';\nclass SourceMapGenerator {\n constructor(file = null) {\n this.file = file;\n this.sourcesContent = new Map();\n this.lines = [];\n this.lastCol0 = 0;\n this.hasMappings = false;\n }\n // The content is `null` when the content is expected to be loaded using the URL\n addSource(url, content = null) {\n if (!this.sourcesContent.has(url)) {\n this.sourcesContent.set(url, content);\n }\n return this;\n }\n addLine() {\n this.lines.push([]);\n this.lastCol0 = 0;\n return this;\n }\n addMapping(col0, sourceUrl, sourceLine0, sourceCol0) {\n if (!this.currentLine) {\n throw new Error(`A line must be added before mappings can be added`);\n }\n if (sourceUrl != null && !this.sourcesContent.has(sourceUrl)) {\n throw new Error(`Unknown source file \"${sourceUrl}\"`);\n }\n if (col0 == null) {\n throw new Error(`The column in the generated code must be provided`);\n }\n if (col0 < this.lastCol0) {\n throw new Error(`Mapping should be added in output order`);\n }\n if (sourceUrl && (sourceLine0 == null || sourceCol0 == null)) {\n throw new Error(`The source location must be provided when a source url is provided`);\n }\n this.hasMappings = true;\n this.lastCol0 = col0;\n this.currentLine.push({\n col0,\n sourceUrl,\n sourceLine0,\n sourceCol0\n });\n return this;\n }\n /**\n * @internal strip this from published d.ts files due to\n * https://github.com/microsoft/TypeScript/issues/36216\n */\n get currentLine() {\n return this.lines.slice(-1)[0];\n }\n toJSON() {\n if (!this.hasMappings) {\n return null;\n }\n const sourcesIndex = new Map();\n const sources = [];\n const sourcesContent = [];\n Array.from(this.sourcesContent.keys()).forEach((url, i) => {\n sourcesIndex.set(url, i);\n sources.push(url);\n sourcesContent.push(this.sourcesContent.get(url) || null);\n });\n let mappings = '';\n let lastCol0 = 0;\n let lastSourceIndex = 0;\n let lastSourceLine0 = 0;\n let lastSourceCol0 = 0;\n this.lines.forEach(segments => {\n lastCol0 = 0;\n mappings += segments.map(segment => {\n // zero-based starting column of the line in the generated code\n let segAsStr = toBase64VLQ(segment.col0 - lastCol0);\n lastCol0 = segment.col0;\n if (segment.sourceUrl != null) {\n // zero-based index into the “sources” list\n segAsStr += toBase64VLQ(sourcesIndex.get(segment.sourceUrl) - lastSourceIndex);\n lastSourceIndex = sourcesIndex.get(segment.sourceUrl);\n // the zero-based starting line in the original source\n segAsStr += toBase64VLQ(segment.sourceLine0 - lastSourceLine0);\n lastSourceLine0 = segment.sourceLine0;\n // the zero-based starting column in the original source\n segAsStr += toBase64VLQ(segment.sourceCol0 - lastSourceCol0);\n lastSourceCol0 = segment.sourceCol0;\n }\n return segAsStr;\n }).join(',');\n mappings += ';';\n });\n mappings = mappings.slice(0, -1);\n return {\n 'file': this.file || '',\n 'version': VERSION$1,\n 'sourceRoot': '',\n 'sources': sources,\n 'sourcesContent': sourcesContent,\n 'mappings': mappings\n };\n }\n toJsComment() {\n return this.hasMappings ? '//' + JS_B64_PREFIX + toBase64String(JSON.stringify(this, null, 0)) : '';\n }\n}\nfunction toBase64String(value) {\n let b64 = '';\n const encoded = utf8Encode(value);\n for (let i = 0; i < encoded.length;) {\n const i1 = encoded[i++];\n const i2 = i < encoded.length ? encoded[i++] : null;\n const i3 = i < encoded.length ? encoded[i++] : null;\n b64 += toBase64Digit(i1 >> 2);\n b64 += toBase64Digit((i1 & 3) << 4 | (i2 === null ? 0 : i2 >> 4));\n b64 += i2 === null ? '=' : toBase64Digit((i2 & 15) << 2 | (i3 === null ? 0 : i3 >> 6));\n b64 += i2 === null || i3 === null ? '=' : toBase64Digit(i3 & 63);\n }\n return b64;\n}\nfunction toBase64VLQ(value) {\n value = value < 0 ? (-value << 1) + 1 : value << 1;\n let out = '';\n do {\n let digit = value & 31;\n value = value >> 5;\n if (value > 0) {\n digit = digit | 32;\n }\n out += toBase64Digit(digit);\n } while (value > 0);\n return out;\n}\nconst B64_DIGITS = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/';\nfunction toBase64Digit(value) {\n if (value < 0 || value >= 64) {\n throw new Error(`Can only encode value in the range [0, 63]`);\n }\n return B64_DIGITS[value];\n}\nconst _SINGLE_QUOTE_ESCAPE_STRING_RE = /'|\\\\|\\n|\\r|\\$/g;\nconst _LEGAL_IDENTIFIER_RE = /^[$A-Z_][0-9A-Z_$]*$/i;\nconst _INDENT_WITH = ' ';\nclass _EmittedLine {\n constructor(indent) {\n this.indent = indent;\n this.partsLength = 0;\n this.parts = [];\n this.srcSpans = [];\n }\n}\nclass EmitterVisitorContext {\n static createRoot() {\n return new EmitterVisitorContext(0);\n }\n constructor(_indent) {\n this._indent = _indent;\n this._lines = [new _EmittedLine(_indent)];\n }\n /**\n * @internal strip this from published d.ts files due to\n * https://github.com/microsoft/TypeScript/issues/36216\n */\n get _currentLine() {\n return this._lines[this._lines.length - 1];\n }\n println(from, lastPart = '') {\n this.print(from || null, lastPart, true);\n }\n lineIsEmpty() {\n return this._currentLine.parts.length === 0;\n }\n lineLength() {\n return this._currentLine.indent * _INDENT_WITH.length + this._currentLine.partsLength;\n }\n print(from, part, newLine = false) {\n if (part.length > 0) {\n this._currentLine.parts.push(part);\n this._currentLine.partsLength += part.length;\n this._currentLine.srcSpans.push(from && from.sourceSpan || null);\n }\n if (newLine) {\n this._lines.push(new _EmittedLine(this._indent));\n }\n }\n removeEmptyLastLine() {\n if (this.lineIsEmpty()) {\n this._lines.pop();\n }\n }\n incIndent() {\n this._indent++;\n if (this.lineIsEmpty()) {\n this._currentLine.indent = this._indent;\n }\n }\n decIndent() {\n this._indent--;\n if (this.lineIsEmpty()) {\n this._currentLine.indent = this._indent;\n }\n }\n toSource() {\n return this.sourceLines.map(l => l.parts.length > 0 ? _createIndent(l.indent) + l.parts.join('') : '').join('\\n');\n }\n toSourceMapGenerator(genFilePath, startsAtLine = 0) {\n const map = new SourceMapGenerator(genFilePath);\n let firstOffsetMapped = false;\n const mapFirstOffsetIfNeeded = () => {\n if (!firstOffsetMapped) {\n // Add a single space so that tools won't try to load the file from disk.\n // Note: We are using virtual urls like `ng:///`, so we have to\n // provide a content here.\n map.addSource(genFilePath, ' ').addMapping(0, genFilePath, 0, 0);\n firstOffsetMapped = true;\n }\n };\n for (let i = 0; i < startsAtLine; i++) {\n map.addLine();\n mapFirstOffsetIfNeeded();\n }\n this.sourceLines.forEach((line, lineIdx) => {\n map.addLine();\n const spans = line.srcSpans;\n const parts = line.parts;\n let col0 = line.indent * _INDENT_WITH.length;\n let spanIdx = 0;\n // skip leading parts without source spans\n while (spanIdx < spans.length && !spans[spanIdx]) {\n col0 += parts[spanIdx].length;\n spanIdx++;\n }\n if (spanIdx < spans.length && lineIdx === 0 && col0 === 0) {\n firstOffsetMapped = true;\n } else {\n mapFirstOffsetIfNeeded();\n }\n while (spanIdx < spans.length) {\n const span = spans[spanIdx];\n const source = span.start.file;\n const sourceLine = span.start.line;\n const sourceCol = span.start.col;\n map.addSource(source.url, source.content).addMapping(col0, source.url, sourceLine, sourceCol);\n col0 += parts[spanIdx].length;\n spanIdx++;\n // assign parts without span or the same span to the previous segment\n while (spanIdx < spans.length && (span === spans[spanIdx] || !spans[spanIdx])) {\n col0 += parts[spanIdx].length;\n spanIdx++;\n }\n }\n });\n return map;\n }\n spanOf(line, column) {\n const emittedLine = this._lines[line];\n if (emittedLine) {\n let columnsLeft = column - _createIndent(emittedLine.indent).length;\n for (let partIndex = 0; partIndex < emittedLine.parts.length; partIndex++) {\n const part = emittedLine.parts[partIndex];\n if (part.length > columnsLeft) {\n return emittedLine.srcSpans[partIndex];\n }\n columnsLeft -= part.length;\n }\n }\n return null;\n }\n /**\n * @internal strip this from published d.ts files due to\n * https://github.com/microsoft/TypeScript/issues/36216\n */\n get sourceLines() {\n if (this._lines.length && this._lines[this._lines.length - 1].parts.length === 0) {\n return this._lines.slice(0, -1);\n }\n return this._lines;\n }\n}\nclass AbstractEmitterVisitor {\n constructor(_escapeDollarInStrings) {\n this._escapeDollarInStrings = _escapeDollarInStrings;\n }\n printLeadingComments(stmt, ctx) {\n if (stmt.leadingComments === undefined) {\n return;\n }\n for (const comment of stmt.leadingComments) {\n if (comment instanceof JSDocComment) {\n ctx.print(stmt, `/*${comment.toString()}*/`, comment.trailingNewline);\n } else {\n if (comment.multiline) {\n ctx.print(stmt, `/* ${comment.text} */`, comment.trailingNewline);\n } else {\n comment.text.split('\\n').forEach(line => {\n ctx.println(stmt, `// ${line}`);\n });\n }\n }\n }\n }\n visitExpressionStmt(stmt, ctx) {\n this.printLeadingComments(stmt, ctx);\n stmt.expr.visitExpression(this, ctx);\n ctx.println(stmt, ';');\n return null;\n }\n visitReturnStmt(stmt, ctx) {\n this.printLeadingComments(stmt, ctx);\n ctx.print(stmt, `return `);\n stmt.value.visitExpression(this, ctx);\n ctx.println(stmt, ';');\n return null;\n }\n visitIfStmt(stmt, ctx) {\n this.printLeadingComments(stmt, ctx);\n ctx.print(stmt, `if (`);\n stmt.condition.visitExpression(this, ctx);\n ctx.print(stmt, `) {`);\n const hasElseCase = stmt.falseCase != null && stmt.falseCase.length > 0;\n if (stmt.trueCase.length <= 1 && !hasElseCase) {\n ctx.print(stmt, ` `);\n this.visitAllStatements(stmt.trueCase, ctx);\n ctx.removeEmptyLastLine();\n ctx.print(stmt, ` `);\n } else {\n ctx.println();\n ctx.incIndent();\n this.visitAllStatements(stmt.trueCase, ctx);\n ctx.decIndent();\n if (hasElseCase) {\n ctx.println(stmt, `} else {`);\n ctx.incIndent();\n this.visitAllStatements(stmt.falseCase, ctx);\n ctx.decIndent();\n }\n }\n ctx.println(stmt, `}`);\n return null;\n }\n visitWriteVarExpr(expr, ctx) {\n const lineWasEmpty = ctx.lineIsEmpty();\n if (!lineWasEmpty) {\n ctx.print(expr, '(');\n }\n ctx.print(expr, `${expr.name} = `);\n expr.value.visitExpression(this, ctx);\n if (!lineWasEmpty) {\n ctx.print(expr, ')');\n }\n return null;\n }\n visitWriteKeyExpr(expr, ctx) {\n const lineWasEmpty = ctx.lineIsEmpty();\n if (!lineWasEmpty) {\n ctx.print(expr, '(');\n }\n expr.receiver.visitExpression(this, ctx);\n ctx.print(expr, `[`);\n expr.index.visitExpression(this, ctx);\n ctx.print(expr, `] = `);\n expr.value.visitExpression(this, ctx);\n if (!lineWasEmpty) {\n ctx.print(expr, ')');\n }\n return null;\n }\n visitWritePropExpr(expr, ctx) {\n const lineWasEmpty = ctx.lineIsEmpty();\n if (!lineWasEmpty) {\n ctx.print(expr, '(');\n }\n expr.receiver.visitExpression(this, ctx);\n ctx.print(expr, `.${expr.name} = `);\n expr.value.visitExpression(this, ctx);\n if (!lineWasEmpty) {\n ctx.print(expr, ')');\n }\n return null;\n }\n visitInvokeFunctionExpr(expr, ctx) {\n expr.fn.visitExpression(this, ctx);\n ctx.print(expr, `(`);\n this.visitAllExpressions(expr.args, ctx, ',');\n ctx.print(expr, `)`);\n return null;\n }\n visitTaggedTemplateExpr(expr, ctx) {\n expr.tag.visitExpression(this, ctx);\n ctx.print(expr, '`' + expr.template.elements[0].rawText);\n for (let i = 1; i < expr.template.elements.length; i++) {\n ctx.print(expr, '${');\n expr.template.expressions[i - 1].visitExpression(this, ctx);\n ctx.print(expr, `}${expr.template.elements[i].rawText}`);\n }\n ctx.print(expr, '`');\n return null;\n }\n visitWrappedNodeExpr(ast, ctx) {\n throw new Error('Abstract emitter cannot visit WrappedNodeExpr.');\n }\n visitTypeofExpr(expr, ctx) {\n ctx.print(expr, 'typeof ');\n expr.expr.visitExpression(this, ctx);\n }\n visitReadVarExpr(ast, ctx) {\n ctx.print(ast, ast.name);\n return null;\n }\n visitInstantiateExpr(ast, ctx) {\n ctx.print(ast, `new `);\n ast.classExpr.visitExpression(this, ctx);\n ctx.print(ast, `(`);\n this.visitAllExpressions(ast.args, ctx, ',');\n ctx.print(ast, `)`);\n return null;\n }\n visitLiteralExpr(ast, ctx) {\n const value = ast.value;\n if (typeof value === 'string') {\n ctx.print(ast, escapeIdentifier(value, this._escapeDollarInStrings));\n } else {\n ctx.print(ast, `${value}`);\n }\n return null;\n }\n visitLocalizedString(ast, ctx) {\n const head = ast.serializeI18nHead();\n ctx.print(ast, '$localize `' + head.raw);\n for (let i = 1; i < ast.messageParts.length; i++) {\n ctx.print(ast, '${');\n ast.expressions[i - 1].visitExpression(this, ctx);\n ctx.print(ast, `}${ast.serializeI18nTemplatePart(i).raw}`);\n }\n ctx.print(ast, '`');\n return null;\n }\n visitConditionalExpr(ast, ctx) {\n ctx.print(ast, `(`);\n ast.condition.visitExpression(this, ctx);\n ctx.print(ast, '? ');\n ast.trueCase.visitExpression(this, ctx);\n ctx.print(ast, ': ');\n ast.falseCase.visitExpression(this, ctx);\n ctx.print(ast, `)`);\n return null;\n }\n visitDynamicImportExpr(ast, ctx) {\n ctx.print(ast, `import(${ast.url})`);\n }\n visitNotExpr(ast, ctx) {\n ctx.print(ast, '!');\n ast.condition.visitExpression(this, ctx);\n return null;\n }\n visitUnaryOperatorExpr(ast, ctx) {\n let opStr;\n switch (ast.operator) {\n case UnaryOperator.Plus:\n opStr = '+';\n break;\n case UnaryOperator.Minus:\n opStr = '-';\n break;\n default:\n throw new Error(`Unknown operator ${ast.operator}`);\n }\n if (ast.parens) ctx.print(ast, `(`);\n ctx.print(ast, opStr);\n ast.expr.visitExpression(this, ctx);\n if (ast.parens) ctx.print(ast, `)`);\n return null;\n }\n visitBinaryOperatorExpr(ast, ctx) {\n let opStr;\n switch (ast.operator) {\n case BinaryOperator.Equals:\n opStr = '==';\n break;\n case BinaryOperator.Identical:\n opStr = '===';\n break;\n case BinaryOperator.NotEquals:\n opStr = '!=';\n break;\n case BinaryOperator.NotIdentical:\n opStr = '!==';\n break;\n case BinaryOperator.And:\n opStr = '&&';\n break;\n case BinaryOperator.BitwiseAnd:\n opStr = '&';\n break;\n case BinaryOperator.Or:\n opStr = '||';\n break;\n case BinaryOperator.Plus:\n opStr = '+';\n break;\n case BinaryOperator.Minus:\n opStr = '-';\n break;\n case BinaryOperator.Divide:\n opStr = '/';\n break;\n case BinaryOperator.Multiply:\n opStr = '*';\n break;\n case BinaryOperator.Modulo:\n opStr = '%';\n break;\n case BinaryOperator.Lower:\n opStr = '<';\n break;\n case BinaryOperator.LowerEquals:\n opStr = '<=';\n break;\n case BinaryOperator.Bigger:\n opStr = '>';\n break;\n case BinaryOperator.BiggerEquals:\n opStr = '>=';\n break;\n case BinaryOperator.NullishCoalesce:\n opStr = '??';\n break;\n default:\n throw new Error(`Unknown operator ${ast.operator}`);\n }\n if (ast.parens) ctx.print(ast, `(`);\n ast.lhs.visitExpression(this, ctx);\n ctx.print(ast, ` ${opStr} `);\n ast.rhs.visitExpression(this, ctx);\n if (ast.parens) ctx.print(ast, `)`);\n return null;\n }\n visitReadPropExpr(ast, ctx) {\n ast.receiver.visitExpression(this, ctx);\n ctx.print(ast, `.`);\n ctx.print(ast, ast.name);\n return null;\n }\n visitReadKeyExpr(ast, ctx) {\n ast.receiver.visitExpression(this, ctx);\n ctx.print(ast, `[`);\n ast.index.visitExpression(this, ctx);\n ctx.print(ast, `]`);\n return null;\n }\n visitLiteralArrayExpr(ast, ctx) {\n ctx.print(ast, `[`);\n this.visitAllExpressions(ast.entries, ctx, ',');\n ctx.print(ast, `]`);\n return null;\n }\n visitLiteralMapExpr(ast, ctx) {\n ctx.print(ast, `{`);\n this.visitAllObjects(entry => {\n ctx.print(ast, `${escapeIdentifier(entry.key, this._escapeDollarInStrings, entry.quoted)}:`);\n entry.value.visitExpression(this, ctx);\n }, ast.entries, ctx, ',');\n ctx.print(ast, `}`);\n return null;\n }\n visitCommaExpr(ast, ctx) {\n ctx.print(ast, '(');\n this.visitAllExpressions(ast.parts, ctx, ',');\n ctx.print(ast, ')');\n return null;\n }\n visitAllExpressions(expressions, ctx, separator) {\n this.visitAllObjects(expr => expr.visitExpression(this, ctx), expressions, ctx, separator);\n }\n visitAllObjects(handler, expressions, ctx, separator) {\n let incrementedIndent = false;\n for (let i = 0; i < expressions.length; i++) {\n if (i > 0) {\n if (ctx.lineLength() > 80) {\n ctx.print(null, separator, true);\n if (!incrementedIndent) {\n // continuation are marked with double indent.\n ctx.incIndent();\n ctx.incIndent();\n incrementedIndent = true;\n }\n } else {\n ctx.print(null, separator, false);\n }\n }\n handler(expressions[i]);\n }\n if (incrementedIndent) {\n // continuation are marked with double indent.\n ctx.decIndent();\n ctx.decIndent();\n }\n }\n visitAllStatements(statements, ctx) {\n statements.forEach(stmt => stmt.visitStatement(this, ctx));\n }\n}\nfunction escapeIdentifier(input, escapeDollar, alwaysQuote = true) {\n if (input == null) {\n return null;\n }\n const body = input.replace(_SINGLE_QUOTE_ESCAPE_STRING_RE, (...match) => {\n if (match[0] == '$') {\n return escapeDollar ? '\\\\$' : '$';\n } else if (match[0] == '\\n') {\n return '\\\\n';\n } else if (match[0] == '\\r') {\n return '\\\\r';\n } else {\n return `\\\\${match[0]}`;\n }\n });\n const requiresQuotes = alwaysQuote || !_LEGAL_IDENTIFIER_RE.test(body);\n return requiresQuotes ? `'${body}'` : body;\n}\nfunction _createIndent(count) {\n let res = '';\n for (let i = 0; i < count; i++) {\n res += _INDENT_WITH;\n }\n return res;\n}\nfunction typeWithParameters(type, numParams) {\n if (numParams === 0) {\n return expressionType(type);\n }\n const params = [];\n for (let i = 0; i < numParams; i++) {\n params.push(DYNAMIC_TYPE);\n }\n return expressionType(type, undefined, params);\n}\nconst ANIMATE_SYMBOL_PREFIX = '@';\nfunction prepareSyntheticPropertyName(name) {\n return `${ANIMATE_SYMBOL_PREFIX}${name}`;\n}\nfunction prepareSyntheticListenerName(name, phase) {\n return `${ANIMATE_SYMBOL_PREFIX}${name}.${phase}`;\n}\nfunction getSafePropertyAccessString(accessor, name) {\n const escapedName = escapeIdentifier(name, false, false);\n return escapedName !== name ? `${accessor}[${escapedName}]` : `${accessor}.${name}`;\n}\nfunction prepareSyntheticListenerFunctionName(name, phase) {\n return `animation_${name}_${phase}`;\n}\nfunction jitOnlyGuardedExpression(expr) {\n return guardedExpression('ngJitMode', expr);\n}\nfunction devOnlyGuardedExpression(expr) {\n return guardedExpression('ngDevMode', expr);\n}\nfunction guardedExpression(guard, expr) {\n const guardExpr = new ExternalExpr({\n name: guard,\n moduleName: null\n });\n const guardNotDefined = new BinaryOperatorExpr(BinaryOperator.Identical, new TypeofExpr(guardExpr), literal('undefined'));\n const guardUndefinedOrTrue = new BinaryOperatorExpr(BinaryOperator.Or, guardNotDefined, guardExpr, /* type */undefined, /* sourceSpan */undefined, true);\n return new BinaryOperatorExpr(BinaryOperator.And, guardUndefinedOrTrue, expr);\n}\nfunction wrapReference(value) {\n const wrapped = new WrappedNodeExpr(value);\n return {\n value: wrapped,\n type: wrapped\n };\n}\nfunction refsToArray(refs, shouldForwardDeclare) {\n const values = literalArr(refs.map(ref => ref.value));\n return shouldForwardDeclare ? fn([], [new ReturnStatement(values)]) : values;\n}\nfunction createMayBeForwardRefExpression(expression, forwardRef) {\n return {\n expression,\n forwardRef\n };\n}\n/**\n * Convert a `MaybeForwardRefExpression` to an `Expression`, possibly wrapping its expression in a\n * `forwardRef()` call.\n *\n * If `MaybeForwardRefExpression.forwardRef` is `ForwardRefHandling.Unwrapped` then the expression\n * was originally wrapped in a `forwardRef()` call to prevent the value from being eagerly evaluated\n * in the code.\n *\n * See `packages/compiler-cli/src/ngtsc/annotations/src/injectable.ts` and\n * `packages/compiler/src/jit_compiler_facade.ts` for more information.\n */\nfunction convertFromMaybeForwardRefExpression({\n expression,\n forwardRef\n}) {\n switch (forwardRef) {\n case 0 /* ForwardRefHandling.None */:\n case 1 /* ForwardRefHandling.Wrapped */:\n return expression;\n case 2 /* ForwardRefHandling.Unwrapped */:\n return generateForwardRef(expression);\n }\n}\n/**\n * Generate an expression that has the given `expr` wrapped in the following form:\n *\n * ```\n * forwardRef(() => expr)\n * ```\n */\nfunction generateForwardRef(expr) {\n return importExpr(Identifiers.forwardRef).callFn([fn([], [new ReturnStatement(expr)])]);\n}\nvar R3FactoryDelegateType;\n(function (R3FactoryDelegateType) {\n R3FactoryDelegateType[R3FactoryDelegateType[\"Class\"] = 0] = \"Class\";\n R3FactoryDelegateType[R3FactoryDelegateType[\"Function\"] = 1] = \"Function\";\n})(R3FactoryDelegateType || (R3FactoryDelegateType = {}));\nvar FactoryTarget$1;\n(function (FactoryTarget) {\n FactoryTarget[FactoryTarget[\"Directive\"] = 0] = \"Directive\";\n FactoryTarget[FactoryTarget[\"Component\"] = 1] = \"Component\";\n FactoryTarget[FactoryTarget[\"Injectable\"] = 2] = \"Injectable\";\n FactoryTarget[FactoryTarget[\"Pipe\"] = 3] = \"Pipe\";\n FactoryTarget[FactoryTarget[\"NgModule\"] = 4] = \"NgModule\";\n})(FactoryTarget$1 || (FactoryTarget$1 = {}));\n/**\n * Construct a factory function expression for the given `R3FactoryMetadata`.\n */\nfunction compileFactoryFunction(meta) {\n const t = variable('t');\n let baseFactoryVar = null;\n // The type to instantiate via constructor invocation. If there is no delegated factory, meaning\n // this type is always created by constructor invocation, then this is the type-to-create\n // parameter provided by the user (t) if specified, or the current type if not. If there is a\n // delegated factory (which is used to create the current type) then this is only the type-to-\n // create parameter (t).\n const typeForCtor = !isDelegatedFactoryMetadata(meta) ? new BinaryOperatorExpr(BinaryOperator.Or, t, meta.type.value) : t;\n let ctorExpr = null;\n if (meta.deps !== null) {\n // There is a constructor (either explicitly or implicitly defined).\n if (meta.deps !== 'invalid') {\n ctorExpr = new InstantiateExpr(typeForCtor, injectDependencies(meta.deps, meta.target));\n }\n } else {\n // There is no constructor, use the base class' factory to construct typeForCtor.\n baseFactoryVar = variable(`ɵ${meta.name}_BaseFactory`);\n ctorExpr = baseFactoryVar.callFn([typeForCtor]);\n }\n const body = [];\n let retExpr = null;\n function makeConditionalFactory(nonCtorExpr) {\n const r = variable('r');\n body.push(r.set(NULL_EXPR).toDeclStmt());\n const ctorStmt = ctorExpr !== null ? r.set(ctorExpr).toStmt() : importExpr(Identifiers.invalidFactory).callFn([]).toStmt();\n body.push(ifStmt(t, [ctorStmt], [r.set(nonCtorExpr).toStmt()]));\n return r;\n }\n if (isDelegatedFactoryMetadata(meta)) {\n // This type is created with a delegated factory. If a type parameter is not specified, call\n // the factory instead.\n const delegateArgs = injectDependencies(meta.delegateDeps, meta.target);\n // Either call `new delegate(...)` or `delegate(...)` depending on meta.delegateType.\n const factoryExpr = new (meta.delegateType === R3FactoryDelegateType.Class ? InstantiateExpr : InvokeFunctionExpr)(meta.delegate, delegateArgs);\n retExpr = makeConditionalFactory(factoryExpr);\n } else if (isExpressionFactoryMetadata(meta)) {\n // TODO(alxhub): decide whether to lower the value here or in the caller\n retExpr = makeConditionalFactory(meta.expression);\n } else {\n retExpr = ctorExpr;\n }\n if (retExpr === null) {\n // The expression cannot be formed so render an `ɵɵinvalidFactory()` call.\n body.push(importExpr(Identifiers.invalidFactory).callFn([]).toStmt());\n } else if (baseFactoryVar !== null) {\n // This factory uses a base factory, so call `ɵɵgetInheritedFactory()` to compute it.\n const getInheritedFactoryCall = importExpr(Identifiers.getInheritedFactory).callFn([meta.type.value]);\n // Memoize the base factoryFn: `baseFactory || (baseFactory = ɵɵgetInheritedFactory(...))`\n const baseFactory = new BinaryOperatorExpr(BinaryOperator.Or, baseFactoryVar, baseFactoryVar.set(getInheritedFactoryCall));\n body.push(new ReturnStatement(baseFactory.callFn([typeForCtor])));\n } else {\n // This is straightforward factory, just return it.\n body.push(new ReturnStatement(retExpr));\n }\n let factoryFn = fn([new FnParam('t', DYNAMIC_TYPE)], body, INFERRED_TYPE, undefined, `${meta.name}_Factory`);\n if (baseFactoryVar !== null) {\n // There is a base factory variable so wrap its declaration along with the factory function into\n // an IIFE.\n factoryFn = fn([], [new DeclareVarStmt(baseFactoryVar.name), new ReturnStatement(factoryFn)]).callFn([], /* sourceSpan */undefined, /* pure */true);\n }\n return {\n expression: factoryFn,\n statements: [],\n type: createFactoryType(meta)\n };\n}\nfunction createFactoryType(meta) {\n const ctorDepsType = meta.deps !== null && meta.deps !== 'invalid' ? createCtorDepsType(meta.deps) : NONE_TYPE;\n return expressionType(importExpr(Identifiers.FactoryDeclaration, [typeWithParameters(meta.type.type, meta.typeArgumentCount), ctorDepsType]));\n}\nfunction injectDependencies(deps, target) {\n return deps.map((dep, index) => compileInjectDependency(dep, target, index));\n}\nfunction compileInjectDependency(dep, target, index) {\n // Interpret the dependency according to its resolved type.\n if (dep.token === null) {\n return importExpr(Identifiers.invalidFactoryDep).callFn([literal(index)]);\n } else if (dep.attributeNameType === null) {\n // Build up the injection flags according to the metadata.\n const flags = 0 /* InjectFlags.Default */ | (dep.self ? 2 /* InjectFlags.Self */ : 0) | (dep.skipSelf ? 4 /* InjectFlags.SkipSelf */ : 0) | (dep.host ? 1 /* InjectFlags.Host */ : 0) | (dep.optional ? 8 /* InjectFlags.Optional */ : 0) | (target === FactoryTarget$1.Pipe ? 16 /* InjectFlags.ForPipe */ : 0);\n // If this dependency is optional or otherwise has non-default flags, then additional\n // parameters describing how to inject the dependency must be passed to the inject function\n // that's being used.\n let flagsParam = flags !== 0 /* InjectFlags.Default */ || dep.optional ? literal(flags) : null;\n // Build up the arguments to the injectFn call.\n const injectArgs = [dep.token];\n if (flagsParam) {\n injectArgs.push(flagsParam);\n }\n const injectFn = getInjectFn(target);\n return importExpr(injectFn).callFn(injectArgs);\n } else {\n // The `dep.attributeTypeName` value is defined, which indicates that this is an `@Attribute()`\n // type dependency. For the generated JS we still want to use the `dep.token` value in case the\n // name given for the attribute is not a string literal. For example given `@Attribute(foo())`,\n // we want to generate `ɵɵinjectAttribute(foo())`.\n //\n // The `dep.attributeTypeName` is only actually used (in `createCtorDepType()`) to generate\n // typings.\n return importExpr(Identifiers.injectAttribute).callFn([dep.token]);\n }\n}\nfunction createCtorDepsType(deps) {\n let hasTypes = false;\n const attributeTypes = deps.map(dep => {\n const type = createCtorDepType(dep);\n if (type !== null) {\n hasTypes = true;\n return type;\n } else {\n return literal(null);\n }\n });\n if (hasTypes) {\n return expressionType(literalArr(attributeTypes));\n } else {\n return NONE_TYPE;\n }\n}\nfunction createCtorDepType(dep) {\n const entries = [];\n if (dep.attributeNameType !== null) {\n entries.push({\n key: 'attribute',\n value: dep.attributeNameType,\n quoted: false\n });\n }\n if (dep.optional) {\n entries.push({\n key: 'optional',\n value: literal(true),\n quoted: false\n });\n }\n if (dep.host) {\n entries.push({\n key: 'host',\n value: literal(true),\n quoted: false\n });\n }\n if (dep.self) {\n entries.push({\n key: 'self',\n value: literal(true),\n quoted: false\n });\n }\n if (dep.skipSelf) {\n entries.push({\n key: 'skipSelf',\n value: literal(true),\n quoted: false\n });\n }\n return entries.length > 0 ? literalMap(entries) : null;\n}\nfunction isDelegatedFactoryMetadata(meta) {\n return meta.delegateType !== undefined;\n}\nfunction isExpressionFactoryMetadata(meta) {\n return meta.expression !== undefined;\n}\nfunction getInjectFn(target) {\n switch (target) {\n case FactoryTarget$1.Component:\n case FactoryTarget$1.Directive:\n case FactoryTarget$1.Pipe:\n return Identifiers.directiveInject;\n case FactoryTarget$1.NgModule:\n case FactoryTarget$1.Injectable:\n default:\n return Identifiers.inject;\n }\n}\n\n/**\n * This is an R3 `Node`-like wrapper for a raw `html.Comment` node. We do not currently\n * require the implementation of a visitor for Comments as they are only collected at\n * the top-level of the R3 AST, and only if `Render3ParseOptions['collectCommentNodes']`\n * is true.\n */\nclass Comment$1 {\n constructor(value, sourceSpan) {\n this.value = value;\n this.sourceSpan = sourceSpan;\n }\n visit(_visitor) {\n throw new Error('visit() not implemented for Comment');\n }\n}\nclass Text$3 {\n constructor(value, sourceSpan) {\n this.value = value;\n this.sourceSpan = sourceSpan;\n }\n visit(visitor) {\n return visitor.visitText(this);\n }\n}\nclass BoundText {\n constructor(value, sourceSpan, i18n) {\n this.value = value;\n this.sourceSpan = sourceSpan;\n this.i18n = i18n;\n }\n visit(visitor) {\n return visitor.visitBoundText(this);\n }\n}\n/**\n * Represents a text attribute in the template.\n *\n * `valueSpan` may not be present in cases where there is no value `<div a></div>`.\n * `keySpan` may also not be present for synthetic attributes from ICU expansions.\n */\nclass TextAttribute {\n constructor(name, value, sourceSpan, keySpan, valueSpan, i18n) {\n this.name = name;\n this.value = value;\n this.sourceSpan = sourceSpan;\n this.keySpan = keySpan;\n this.valueSpan = valueSpan;\n this.i18n = i18n;\n }\n visit(visitor) {\n return visitor.visitTextAttribute(this);\n }\n}\nclass BoundAttribute {\n constructor(name, type, securityContext, value, unit, sourceSpan, keySpan, valueSpan, i18n) {\n this.name = name;\n this.type = type;\n this.securityContext = securityContext;\n this.value = value;\n this.unit = unit;\n this.sourceSpan = sourceSpan;\n this.keySpan = keySpan;\n this.valueSpan = valueSpan;\n this.i18n = i18n;\n }\n static fromBoundElementProperty(prop, i18n) {\n if (prop.keySpan === undefined) {\n throw new Error(`Unexpected state: keySpan must be defined for bound attributes but was not for ${prop.name}: ${prop.sourceSpan}`);\n }\n return new BoundAttribute(prop.name, prop.type, prop.securityContext, prop.value, prop.unit, prop.sourceSpan, prop.keySpan, prop.valueSpan, i18n);\n }\n visit(visitor) {\n return visitor.visitBoundAttribute(this);\n }\n}\nclass BoundEvent {\n constructor(name, type, handler, target, phase, sourceSpan, handlerSpan, keySpan) {\n this.name = name;\n this.type = type;\n this.handler = handler;\n this.target = target;\n this.phase = phase;\n this.sourceSpan = sourceSpan;\n this.handlerSpan = handlerSpan;\n this.keySpan = keySpan;\n }\n static fromParsedEvent(event) {\n const target = event.type === 0 /* ParsedEventType.Regular */ ? event.targetOrPhase : null;\n const phase = event.type === 1 /* ParsedEventType.Animation */ ? event.targetOrPhase : null;\n if (event.keySpan === undefined) {\n throw new Error(`Unexpected state: keySpan must be defined for bound event but was not for ${event.name}: ${event.sourceSpan}`);\n }\n return new BoundEvent(event.name, event.type, event.handler, target, phase, event.sourceSpan, event.handlerSpan, event.keySpan);\n }\n visit(visitor) {\n return visitor.visitBoundEvent(this);\n }\n}\nclass Element$1 {\n constructor(name, attributes, inputs, outputs, children, references, sourceSpan, startSourceSpan, endSourceSpan, i18n) {\n this.name = name;\n this.attributes = attributes;\n this.inputs = inputs;\n this.outputs = outputs;\n this.children = children;\n this.references = references;\n this.sourceSpan = sourceSpan;\n this.startSourceSpan = startSourceSpan;\n this.endSourceSpan = endSourceSpan;\n this.i18n = i18n;\n }\n visit(visitor) {\n return visitor.visitElement(this);\n }\n}\nclass DeferredTrigger {\n constructor(sourceSpan) {\n this.sourceSpan = sourceSpan;\n }\n visit(visitor) {\n return visitor.visitDeferredTrigger(this);\n }\n}\nclass BoundDeferredTrigger extends DeferredTrigger {\n constructor(value, sourceSpan) {\n super(sourceSpan);\n this.value = value;\n }\n}\nclass IdleDeferredTrigger extends DeferredTrigger {}\nclass ImmediateDeferredTrigger extends DeferredTrigger {}\nclass HoverDeferredTrigger extends DeferredTrigger {}\nclass TimerDeferredTrigger extends DeferredTrigger {\n constructor(delay, sourceSpan) {\n super(sourceSpan);\n this.delay = delay;\n }\n}\nclass InteractionDeferredTrigger extends DeferredTrigger {\n constructor(reference, sourceSpan) {\n super(sourceSpan);\n this.reference = reference;\n }\n}\nclass ViewportDeferredTrigger extends DeferredTrigger {\n constructor(reference, sourceSpan) {\n super(sourceSpan);\n this.reference = reference;\n }\n}\nclass DeferredBlockPlaceholder {\n constructor(children, minimumTime, sourceSpan, startSourceSpan, endSourceSpan) {\n this.children = children;\n this.minimumTime = minimumTime;\n this.sourceSpan = sourceSpan;\n this.startSourceSpan = startSourceSpan;\n this.endSourceSpan = endSourceSpan;\n }\n visit(visitor) {\n return visitor.visitDeferredBlockPlaceholder(this);\n }\n}\nclass DeferredBlockLoading {\n constructor(children, afterTime, minimumTime, sourceSpan, startSourceSpan, endSourceSpan) {\n this.children = children;\n this.afterTime = afterTime;\n this.minimumTime = minimumTime;\n this.sourceSpan = sourceSpan;\n this.startSourceSpan = startSourceSpan;\n this.endSourceSpan = endSourceSpan;\n }\n visit(visitor) {\n return visitor.visitDeferredBlockLoading(this);\n }\n}\nclass DeferredBlockError {\n constructor(children, sourceSpan, startSourceSpan, endSourceSpan) {\n this.children = children;\n this.sourceSpan = sourceSpan;\n this.startSourceSpan = startSourceSpan;\n this.endSourceSpan = endSourceSpan;\n }\n visit(visitor) {\n return visitor.visitDeferredBlockError(this);\n }\n}\nclass DeferredBlock {\n constructor(children, triggers, prefetchTriggers, placeholder, loading, error, sourceSpan, startSourceSpan, endSourceSpan) {\n this.children = children;\n this.triggers = triggers;\n this.prefetchTriggers = prefetchTriggers;\n this.placeholder = placeholder;\n this.loading = loading;\n this.error = error;\n this.sourceSpan = sourceSpan;\n this.startSourceSpan = startSourceSpan;\n this.endSourceSpan = endSourceSpan;\n }\n visit(visitor) {\n return visitor.visitDeferredBlock(this);\n }\n}\nclass Template {\n constructor(\n // tagName is the name of the container element, if applicable.\n // `null` is a special case for when there is a structural directive on an `ng-template` so\n // the renderer can differentiate between the synthetic template and the one written in the\n // file.\n tagName, attributes, inputs, outputs, templateAttrs, children, references, variables, sourceSpan, startSourceSpan, endSourceSpan, i18n) {\n this.tagName = tagName;\n this.attributes = attributes;\n this.inputs = inputs;\n this.outputs = outputs;\n this.templateAttrs = templateAttrs;\n this.children = children;\n this.references = references;\n this.variables = variables;\n this.sourceSpan = sourceSpan;\n this.startSourceSpan = startSourceSpan;\n this.endSourceSpan = endSourceSpan;\n this.i18n = i18n;\n }\n visit(visitor) {\n return visitor.visitTemplate(this);\n }\n}\nclass Content {\n constructor(selector, attributes, sourceSpan, i18n) {\n this.selector = selector;\n this.attributes = attributes;\n this.sourceSpan = sourceSpan;\n this.i18n = i18n;\n this.name = 'ng-content';\n }\n visit(visitor) {\n return visitor.visitContent(this);\n }\n}\nclass Variable {\n constructor(name, value, sourceSpan, keySpan, valueSpan) {\n this.name = name;\n this.value = value;\n this.sourceSpan = sourceSpan;\n this.keySpan = keySpan;\n this.valueSpan = valueSpan;\n }\n visit(visitor) {\n return visitor.visitVariable(this);\n }\n}\nclass Reference {\n constructor(name, value, sourceSpan, keySpan, valueSpan) {\n this.name = name;\n this.value = value;\n this.sourceSpan = sourceSpan;\n this.keySpan = keySpan;\n this.valueSpan = valueSpan;\n }\n visit(visitor) {\n return visitor.visitReference(this);\n }\n}\nclass Icu$1 {\n constructor(vars, placeholders, sourceSpan, i18n) {\n this.vars = vars;\n this.placeholders = placeholders;\n this.sourceSpan = sourceSpan;\n this.i18n = i18n;\n }\n visit(visitor) {\n return visitor.visitIcu(this);\n }\n}\nclass RecursiveVisitor$1 {\n visitElement(element) {\n visitAll$1(this, element.attributes);\n visitAll$1(this, element.inputs);\n visitAll$1(this, element.outputs);\n visitAll$1(this, element.children);\n visitAll$1(this, element.references);\n }\n visitTemplate(template) {\n visitAll$1(this, template.attributes);\n visitAll$1(this, template.inputs);\n visitAll$1(this, template.outputs);\n visitAll$1(this, template.children);\n visitAll$1(this, template.references);\n visitAll$1(this, template.variables);\n }\n visitDeferredBlock(deferred) {\n visitAll$1(this, deferred.triggers);\n visitAll$1(this, deferred.prefetchTriggers);\n visitAll$1(this, deferred.children);\n deferred.placeholder?.visit(this);\n deferred.loading?.visit(this);\n deferred.error?.visit(this);\n }\n visitDeferredBlockPlaceholder(block) {\n visitAll$1(this, block.children);\n }\n visitDeferredBlockError(block) {\n visitAll$1(this, block.children);\n }\n visitDeferredBlockLoading(block) {\n visitAll$1(this, block.children);\n }\n visitContent(content) {}\n visitVariable(variable) {}\n visitReference(reference) {}\n visitTextAttribute(attribute) {}\n visitBoundAttribute(attribute) {}\n visitBoundEvent(attribute) {}\n visitText(text) {}\n visitBoundText(text) {}\n visitIcu(icu) {}\n visitDeferredTrigger(trigger) {}\n}\nfunction visitAll$1(visitor, nodes) {\n const result = [];\n if (visitor.visit) {\n for (const node of nodes) {\n visitor.visit(node) || node.visit(visitor);\n }\n } else {\n for (const node of nodes) {\n const newNode = node.visit(visitor);\n if (newNode) {\n result.push(newNode);\n }\n }\n }\n return result;\n}\nclass Message {\n /**\n * @param nodes message AST\n * @param placeholders maps placeholder names to static content and their source spans\n * @param placeholderToMessage maps placeholder names to messages (used for nested ICU messages)\n * @param meaning\n * @param description\n * @param customId\n */\n constructor(nodes, placeholders, placeholderToMessage, meaning, description, customId) {\n this.nodes = nodes;\n this.placeholders = placeholders;\n this.placeholderToMessage = placeholderToMessage;\n this.meaning = meaning;\n this.description = description;\n this.customId = customId;\n /** The ids to use if there are no custom id and if `i18nLegacyMessageIdFormat` is not empty */\n this.legacyIds = [];\n this.id = this.customId;\n this.messageString = serializeMessage(this.nodes);\n if (nodes.length) {\n this.sources = [{\n filePath: nodes[0].sourceSpan.start.file.url,\n startLine: nodes[0].sourceSpan.start.line + 1,\n startCol: nodes[0].sourceSpan.start.col + 1,\n endLine: nodes[nodes.length - 1].sourceSpan.end.line + 1,\n endCol: nodes[0].sourceSpan.start.col + 1\n }];\n } else {\n this.sources = [];\n }\n }\n}\nclass Text$2 {\n constructor(value, sourceSpan) {\n this.value = value;\n this.sourceSpan = sourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitText(this, context);\n }\n}\n// TODO(vicb): do we really need this node (vs an array) ?\nclass Container {\n constructor(children, sourceSpan) {\n this.children = children;\n this.sourceSpan = sourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitContainer(this, context);\n }\n}\nclass Icu {\n constructor(expression, type, cases, sourceSpan, expressionPlaceholder) {\n this.expression = expression;\n this.type = type;\n this.cases = cases;\n this.sourceSpan = sourceSpan;\n this.expressionPlaceholder = expressionPlaceholder;\n }\n visit(visitor, context) {\n return visitor.visitIcu(this, context);\n }\n}\nclass TagPlaceholder {\n constructor(tag, attrs, startName, closeName, children, isVoid,\n // TODO sourceSpan should cover all (we need a startSourceSpan and endSourceSpan)\n sourceSpan, startSourceSpan, endSourceSpan) {\n this.tag = tag;\n this.attrs = attrs;\n this.startName = startName;\n this.closeName = closeName;\n this.children = children;\n this.isVoid = isVoid;\n this.sourceSpan = sourceSpan;\n this.startSourceSpan = startSourceSpan;\n this.endSourceSpan = endSourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitTagPlaceholder(this, context);\n }\n}\nclass Placeholder {\n constructor(value, name, sourceSpan) {\n this.value = value;\n this.name = name;\n this.sourceSpan = sourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitPlaceholder(this, context);\n }\n}\nclass IcuPlaceholder {\n constructor(value, name, sourceSpan) {\n this.value = value;\n this.name = name;\n this.sourceSpan = sourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitIcuPlaceholder(this, context);\n }\n}\n// Clone the AST\nclass CloneVisitor {\n visitText(text, context) {\n return new Text$2(text.value, text.sourceSpan);\n }\n visitContainer(container, context) {\n const children = container.children.map(n => n.visit(this, context));\n return new Container(children, container.sourceSpan);\n }\n visitIcu(icu, context) {\n const cases = {};\n Object.keys(icu.cases).forEach(key => cases[key] = icu.cases[key].visit(this, context));\n const msg = new Icu(icu.expression, icu.type, cases, icu.sourceSpan, icu.expressionPlaceholder);\n return msg;\n }\n visitTagPlaceholder(ph, context) {\n const children = ph.children.map(n => n.visit(this, context));\n return new TagPlaceholder(ph.tag, ph.attrs, ph.startName, ph.closeName, children, ph.isVoid, ph.sourceSpan, ph.startSourceSpan, ph.endSourceSpan);\n }\n visitPlaceholder(ph, context) {\n return new Placeholder(ph.value, ph.name, ph.sourceSpan);\n }\n visitIcuPlaceholder(ph, context) {\n return new IcuPlaceholder(ph.value, ph.name, ph.sourceSpan);\n }\n}\n// Visit all the nodes recursively\nclass RecurseVisitor {\n visitText(text, context) {}\n visitContainer(container, context) {\n container.children.forEach(child => child.visit(this));\n }\n visitIcu(icu, context) {\n Object.keys(icu.cases).forEach(k => {\n icu.cases[k].visit(this);\n });\n }\n visitTagPlaceholder(ph, context) {\n ph.children.forEach(child => child.visit(this));\n }\n visitPlaceholder(ph, context) {}\n visitIcuPlaceholder(ph, context) {}\n}\n/**\n * Serialize the message to the Localize backtick string format that would appear in compiled code.\n */\nfunction serializeMessage(messageNodes) {\n const visitor = new LocalizeMessageStringVisitor();\n const str = messageNodes.map(n => n.visit(visitor)).join('');\n return str;\n}\nclass LocalizeMessageStringVisitor {\n visitText(text) {\n return text.value;\n }\n visitContainer(container) {\n return container.children.map(child => child.visit(this)).join('');\n }\n visitIcu(icu) {\n const strCases = Object.keys(icu.cases).map(k => `${k} {${icu.cases[k].visit(this)}}`);\n return `{${icu.expressionPlaceholder}, ${icu.type}, ${strCases.join(' ')}}`;\n }\n visitTagPlaceholder(ph) {\n const children = ph.children.map(child => child.visit(this)).join('');\n return `{$${ph.startName}}${children}{$${ph.closeName}}`;\n }\n visitPlaceholder(ph) {\n return `{$${ph.name}}`;\n }\n visitIcuPlaceholder(ph) {\n return `{$${ph.name}}`;\n }\n}\nclass Serializer {\n // Creates a name mapper, see `PlaceholderMapper`\n // Returning `null` means that no name mapping is used.\n createNameMapper(message) {\n return null;\n }\n}\n/**\n * A simple mapper that take a function to transform an internal name to a public name\n */\nclass SimplePlaceholderMapper extends RecurseVisitor {\n // create a mapping from the message\n constructor(message, mapName) {\n super();\n this.mapName = mapName;\n this.internalToPublic = {};\n this.publicToNextId = {};\n this.publicToInternal = {};\n message.nodes.forEach(node => node.visit(this));\n }\n toPublicName(internalName) {\n return this.internalToPublic.hasOwnProperty(internalName) ? this.internalToPublic[internalName] : null;\n }\n toInternalName(publicName) {\n return this.publicToInternal.hasOwnProperty(publicName) ? this.publicToInternal[publicName] : null;\n }\n visitText(text, context) {\n return null;\n }\n visitTagPlaceholder(ph, context) {\n this.visitPlaceholderName(ph.startName);\n super.visitTagPlaceholder(ph, context);\n this.visitPlaceholderName(ph.closeName);\n }\n visitPlaceholder(ph, context) {\n this.visitPlaceholderName(ph.name);\n }\n visitIcuPlaceholder(ph, context) {\n this.visitPlaceholderName(ph.name);\n }\n // XMB placeholders could only contains A-Z, 0-9 and _\n visitPlaceholderName(internalName) {\n if (!internalName || this.internalToPublic.hasOwnProperty(internalName)) {\n return;\n }\n let publicName = this.mapName(internalName);\n if (this.publicToInternal.hasOwnProperty(publicName)) {\n // Create a new XMB when it has already been used\n const nextId = this.publicToNextId[publicName];\n this.publicToNextId[publicName] = nextId + 1;\n publicName = `${publicName}_${nextId}`;\n } else {\n this.publicToNextId[publicName] = 1;\n }\n this.internalToPublic[internalName] = publicName;\n this.publicToInternal[publicName] = internalName;\n }\n}\nclass _Visitor$2 {\n visitTag(tag) {\n const strAttrs = this._serializeAttributes(tag.attrs);\n if (tag.children.length == 0) {\n return `<${tag.name}${strAttrs}/>`;\n }\n const strChildren = tag.children.map(node => node.visit(this));\n return `<${tag.name}${strAttrs}>${strChildren.join('')}</${tag.name}>`;\n }\n visitText(text) {\n return text.value;\n }\n visitDeclaration(decl) {\n return `<?xml${this._serializeAttributes(decl.attrs)} ?>`;\n }\n _serializeAttributes(attrs) {\n const strAttrs = Object.keys(attrs).map(name => `${name}=\"${attrs[name]}\"`).join(' ');\n return strAttrs.length > 0 ? ' ' + strAttrs : '';\n }\n visitDoctype(doctype) {\n return `<!DOCTYPE ${doctype.rootTag} [\\n${doctype.dtd}\\n]>`;\n }\n}\nconst _visitor = new _Visitor$2();\nfunction serialize(nodes) {\n return nodes.map(node => node.visit(_visitor)).join('');\n}\nclass Declaration {\n constructor(unescapedAttrs) {\n this.attrs = {};\n Object.keys(unescapedAttrs).forEach(k => {\n this.attrs[k] = escapeXml(unescapedAttrs[k]);\n });\n }\n visit(visitor) {\n return visitor.visitDeclaration(this);\n }\n}\nclass Doctype {\n constructor(rootTag, dtd) {\n this.rootTag = rootTag;\n this.dtd = dtd;\n }\n visit(visitor) {\n return visitor.visitDoctype(this);\n }\n}\nclass Tag {\n constructor(name, unescapedAttrs = {}, children = []) {\n this.name = name;\n this.children = children;\n this.attrs = {};\n Object.keys(unescapedAttrs).forEach(k => {\n this.attrs[k] = escapeXml(unescapedAttrs[k]);\n });\n }\n visit(visitor) {\n return visitor.visitTag(this);\n }\n}\nclass Text$1 {\n constructor(unescapedValue) {\n this.value = escapeXml(unescapedValue);\n }\n visit(visitor) {\n return visitor.visitText(this);\n }\n}\nclass CR extends Text$1 {\n constructor(ws = 0) {\n super(`\\n${new Array(ws + 1).join(' ')}`);\n }\n}\nconst _ESCAPED_CHARS = [[/&/g, '&'], [/\"/g, '"'], [/'/g, '''], [/</g, '<'], [/>/g, '>']];\n// Escape `_ESCAPED_CHARS` characters in the given text with encoded entities\nfunction escapeXml(text) {\n return _ESCAPED_CHARS.reduce((text, entry) => text.replace(entry[0], entry[1]), text);\n}\nconst _MESSAGES_TAG = 'messagebundle';\nconst _MESSAGE_TAG = 'msg';\nconst _PLACEHOLDER_TAG$3 = 'ph';\nconst _EXAMPLE_TAG = 'ex';\nconst _SOURCE_TAG$2 = 'source';\nconst _DOCTYPE = `<!ELEMENT messagebundle (msg)*>\n<!ATTLIST messagebundle class CDATA #IMPLIED>\n\n<!ELEMENT msg (#PCDATA|ph|source)*>\n<!ATTLIST msg id CDATA #IMPLIED>\n<!ATTLIST msg seq CDATA #IMPLIED>\n<!ATTLIST msg name CDATA #IMPLIED>\n<!ATTLIST msg desc CDATA #IMPLIED>\n<!ATTLIST msg meaning CDATA #IMPLIED>\n<!ATTLIST msg obsolete (obsolete) #IMPLIED>\n<!ATTLIST msg xml:space (default|preserve) \"default\">\n<!ATTLIST msg is_hidden CDATA #IMPLIED>\n\n<!ELEMENT source (#PCDATA)>\n\n<!ELEMENT ph (#PCDATA|ex)*>\n<!ATTLIST ph name CDATA #REQUIRED>\n\n<!ELEMENT ex (#PCDATA)>`;\nclass Xmb extends Serializer {\n write(messages, locale) {\n const exampleVisitor = new ExampleVisitor();\n const visitor = new _Visitor$1();\n let rootNode = new Tag(_MESSAGES_TAG);\n messages.forEach(message => {\n const attrs = {\n id: message.id\n };\n if (message.description) {\n attrs['desc'] = message.description;\n }\n if (message.meaning) {\n attrs['meaning'] = message.meaning;\n }\n let sourceTags = [];\n message.sources.forEach(source => {\n sourceTags.push(new Tag(_SOURCE_TAG$2, {}, [new Text$1(`${source.filePath}:${source.startLine}${source.endLine !== source.startLine ? ',' + source.endLine : ''}`)]));\n });\n rootNode.children.push(new CR(2), new Tag(_MESSAGE_TAG, attrs, [...sourceTags, ...visitor.serialize(message.nodes)]));\n });\n rootNode.children.push(new CR());\n return serialize([new Declaration({\n version: '1.0',\n encoding: 'UTF-8'\n }), new CR(), new Doctype(_MESSAGES_TAG, _DOCTYPE), new CR(), exampleVisitor.addDefaultExamples(rootNode), new CR()]);\n }\n load(content, url) {\n throw new Error('Unsupported');\n }\n digest(message) {\n return digest(message);\n }\n createNameMapper(message) {\n return new SimplePlaceholderMapper(message, toPublicName);\n }\n}\nclass _Visitor$1 {\n visitText(text, context) {\n return [new Text$1(text.value)];\n }\n visitContainer(container, context) {\n const nodes = [];\n container.children.forEach(node => nodes.push(...node.visit(this)));\n return nodes;\n }\n visitIcu(icu, context) {\n const nodes = [new Text$1(`{${icu.expressionPlaceholder}, ${icu.type}, `)];\n Object.keys(icu.cases).forEach(c => {\n nodes.push(new Text$1(`${c} {`), ...icu.cases[c].visit(this), new Text$1(`} `));\n });\n nodes.push(new Text$1(`}`));\n return nodes;\n }\n visitTagPlaceholder(ph, context) {\n const startTagAsText = new Text$1(`<${ph.tag}>`);\n const startEx = new Tag(_EXAMPLE_TAG, {}, [startTagAsText]);\n // TC requires PH to have a non empty EX, and uses the text node to show the \"original\" value.\n const startTagPh = new Tag(_PLACEHOLDER_TAG$3, {\n name: ph.startName\n }, [startEx, startTagAsText]);\n if (ph.isVoid) {\n // void tags have no children nor closing tags\n return [startTagPh];\n }\n const closeTagAsText = new Text$1(`</${ph.tag}>`);\n const closeEx = new Tag(_EXAMPLE_TAG, {}, [closeTagAsText]);\n // TC requires PH to have a non empty EX, and uses the text node to show the \"original\" value.\n const closeTagPh = new Tag(_PLACEHOLDER_TAG$3, {\n name: ph.closeName\n }, [closeEx, closeTagAsText]);\n return [startTagPh, ...this.serialize(ph.children), closeTagPh];\n }\n visitPlaceholder(ph, context) {\n const interpolationAsText = new Text$1(`{{${ph.value}}}`);\n // Example tag needs to be not-empty for TC.\n const exTag = new Tag(_EXAMPLE_TAG, {}, [interpolationAsText]);\n return [\n // TC requires PH to have a non empty EX, and uses the text node to show the \"original\" value.\n new Tag(_PLACEHOLDER_TAG$3, {\n name: ph.name\n }, [exTag, interpolationAsText])];\n }\n visitIcuPlaceholder(ph, context) {\n const icuExpression = ph.value.expression;\n const icuType = ph.value.type;\n const icuCases = Object.keys(ph.value.cases).map(value => value + ' {...}').join(' ');\n const icuAsText = new Text$1(`{${icuExpression}, ${icuType}, ${icuCases}}`);\n const exTag = new Tag(_EXAMPLE_TAG, {}, [icuAsText]);\n return [\n // TC requires PH to have a non empty EX, and uses the text node to show the \"original\" value.\n new Tag(_PLACEHOLDER_TAG$3, {\n name: ph.name\n }, [exTag, icuAsText])];\n }\n serialize(nodes) {\n return [].concat(...nodes.map(node => node.visit(this)));\n }\n}\nfunction digest(message) {\n return decimalDigest(message);\n}\n// TC requires at least one non-empty example on placeholders\nclass ExampleVisitor {\n addDefaultExamples(node) {\n node.visit(this);\n return node;\n }\n visitTag(tag) {\n if (tag.name === _PLACEHOLDER_TAG$3) {\n if (!tag.children || tag.children.length == 0) {\n const exText = new Text$1(tag.attrs['name'] || '...');\n tag.children = [new Tag(_EXAMPLE_TAG, {}, [exText])];\n }\n } else if (tag.children) {\n tag.children.forEach(node => node.visit(this));\n }\n }\n visitText(text) {}\n visitDeclaration(decl) {}\n visitDoctype(doctype) {}\n}\n// XMB/XTB placeholders can only contain A-Z, 0-9 and _\nfunction toPublicName(internalName) {\n return internalName.toUpperCase().replace(/[^A-Z0-9_]/g, '_');\n}\n\n/* Closure variables holding messages must be named `MSG_[A-Z0-9]+` */\nconst CLOSURE_TRANSLATION_VAR_PREFIX = 'MSG_';\n/**\n * Prefix for non-`goog.getMsg` i18n-related vars.\n * Note: the prefix uses lowercase characters intentionally due to a Closure behavior that\n * considers variables like `I18N_0` as constants and throws an error when their value changes.\n */\nconst TRANSLATION_VAR_PREFIX = 'i18n_';\n/** Name of the i18n attributes **/\nconst I18N_ATTR = 'i18n';\nconst I18N_ATTR_PREFIX = 'i18n-';\n/** Prefix of var expressions used in ICUs */\nconst I18N_ICU_VAR_PREFIX = 'VAR_';\n/** Prefix of ICU expressions for post processing */\nconst I18N_ICU_MAPPING_PREFIX = 'I18N_EXP_';\n/** Placeholder wrapper for i18n expressions **/\nconst I18N_PLACEHOLDER_SYMBOL = '<27>';\nfunction isI18nAttribute(name) {\n return name === I18N_ATTR || name.startsWith(I18N_ATTR_PREFIX);\n}\nfunction isI18nRootNode(meta) {\n return meta instanceof Message;\n}\nfunction isSingleI18nIcu(meta) {\n return isI18nRootNode(meta) && meta.nodes.length === 1 && meta.nodes[0] instanceof Icu;\n}\nfunction hasI18nMeta(node) {\n return !!node.i18n;\n}\nfunction hasI18nAttrs(element) {\n return element.attrs.some(attr => isI18nAttribute(attr.name));\n}\nfunction icuFromI18nMessage(message) {\n return message.nodes[0];\n}\nfunction wrapI18nPlaceholder(content, contextId = 0) {\n const blockId = contextId > 0 ? `:${contextId}` : '';\n return `${I18N_PLACEHOLDER_SYMBOL}${content}${blockId}${I18N_PLACEHOLDER_SYMBOL}`;\n}\nfunction assembleI18nBoundString(strings, bindingStartIndex = 0, contextId = 0) {\n if (!strings.length) return '';\n let acc = '';\n const lastIdx = strings.length - 1;\n for (let i = 0; i < lastIdx; i++) {\n acc += `${strings[i]}${wrapI18nPlaceholder(bindingStartIndex + i, contextId)}`;\n }\n acc += strings[lastIdx];\n return acc;\n}\nfunction getSeqNumberGenerator(startsAt = 0) {\n let current = startsAt;\n return () => current++;\n}\nfunction placeholdersToParams(placeholders) {\n const params = {};\n placeholders.forEach((values, key) => {\n params[key] = literal(values.length > 1 ? `[${values.join('|')}]` : values[0]);\n });\n return params;\n}\nfunction updatePlaceholderMap(map, name, ...values) {\n const current = map.get(name) || [];\n current.push(...values);\n map.set(name, current);\n}\nfunction assembleBoundTextPlaceholders(meta, bindingStartIndex = 0, contextId = 0) {\n const startIdx = bindingStartIndex;\n const placeholders = new Map();\n const node = meta instanceof Message ? meta.nodes.find(node => node instanceof Container) : meta;\n if (node) {\n node.children.filter(child => child instanceof Placeholder).forEach((child, idx) => {\n const content = wrapI18nPlaceholder(startIdx + idx, contextId);\n updatePlaceholderMap(placeholders, child.name, content);\n });\n }\n return placeholders;\n}\n/**\n * Format the placeholder names in a map of placeholders to expressions.\n *\n * The placeholder names are converted from \"internal\" format (e.g. `START_TAG_DIV_1`) to \"external\"\n * format (e.g. `startTagDiv_1`).\n *\n * @param params A map of placeholder names to expressions.\n * @param useCamelCase whether to camelCase the placeholder name when formatting.\n * @returns A new map of formatted placeholder names to expressions.\n */\nfunction formatI18nPlaceholderNamesInMap(params = {}, useCamelCase) {\n const _params = {};\n if (params && Object.keys(params).length) {\n Object.keys(params).forEach(key => _params[formatI18nPlaceholderName(key, useCamelCase)] = params[key]);\n }\n return _params;\n}\n/**\n * Converts internal placeholder names to public-facing format\n * (for example to use in goog.getMsg call).\n * Example: `START_TAG_DIV_1` is converted to `startTagDiv_1`.\n *\n * @param name The placeholder name that should be formatted\n * @returns Formatted placeholder name\n */\nfunction formatI18nPlaceholderName(name, useCamelCase = true) {\n const publicName = toPublicName(name);\n if (!useCamelCase) {\n return publicName;\n }\n const chunks = publicName.split('_');\n if (chunks.length === 1) {\n // if no \"_\" found - just lowercase the value\n return name.toLowerCase();\n }\n let postfix;\n // eject last element if it's a number\n if (/^\\d+$/.test(chunks[chunks.length - 1])) {\n postfix = chunks.pop();\n }\n let raw = chunks.shift().toLowerCase();\n if (chunks.length) {\n raw += chunks.map(c => c.charAt(0).toUpperCase() + c.slice(1).toLowerCase()).join('');\n }\n return postfix ? `${raw}_${postfix}` : raw;\n}\n/**\n * Generates a prefix for translation const name.\n *\n * @param extra Additional local prefix that should be injected into translation var name\n * @returns Complete translation const prefix\n */\nfunction getTranslationConstPrefix(extra) {\n return `${CLOSURE_TRANSLATION_VAR_PREFIX}${extra}`.toUpperCase();\n}\n/**\n * Generate AST to declare a variable. E.g. `var I18N_1;`.\n * @param variable the name of the variable to declare.\n */\nfunction declareI18nVariable(variable) {\n return new DeclareVarStmt(variable.name, undefined, INFERRED_TYPE, undefined, variable.sourceSpan);\n}\n\n/**\n * Checks whether an object key contains potentially unsafe chars, thus the key should be wrapped in\n * quotes. Note: we do not wrap all keys into quotes, as it may have impact on minification and may\n * bot work in some cases when object keys are mangled by minifier.\n *\n * TODO(FW-1136): this is a temporary solution, we need to come up with a better way of working with\n * inputs that contain potentially unsafe chars.\n */\nconst UNSAFE_OBJECT_KEY_NAME_REGEXP = /[-.]/;\n/** Name of the temporary to use during data binding */\nconst TEMPORARY_NAME = '_t';\n/** Name of the context parameter passed into a template function */\nconst CONTEXT_NAME = 'ctx';\n/** Name of the RenderFlag passed into a template function */\nconst RENDER_FLAGS = 'rf';\n/** The prefix reference variables */\nconst REFERENCE_PREFIX = '_r';\n/** The name of the implicit context reference */\nconst IMPLICIT_REFERENCE = '$implicit';\n/** Non bindable attribute name **/\nconst NON_BINDABLE_ATTR = 'ngNonBindable';\n/** Name for the variable keeping track of the context returned by `ɵɵrestoreView`. */\nconst RESTORED_VIEW_CONTEXT_NAME = 'restoredCtx';\n/**\n * Maximum length of a single instruction chain. Because our output AST uses recursion, we're\n * limited in how many expressions we can nest before we reach the call stack limit. This\n * length is set very conservatively in order to reduce the chance of problems.\n */\nconst MAX_CHAIN_LENGTH = 500;\n/** Instructions that support chaining. */\nconst CHAINABLE_INSTRUCTIONS = new Set([Identifiers.element, Identifiers.elementStart, Identifiers.elementEnd, Identifiers.elementContainer, Identifiers.elementContainerStart, Identifiers.elementContainerEnd, Identifiers.i18nExp, Identifiers.listener, Identifiers.classProp, Identifiers.syntheticHostListener, Identifiers.hostProperty, Identifiers.syntheticHostProperty, Identifiers.property, Identifiers.propertyInterpolate1, Identifiers.propertyInterpolate2, Identifiers.propertyInterpolate3, Identifiers.propertyInterpolate4, Identifiers.propertyInterpolate5, Identifiers.propertyInterpolate6, Identifiers.propertyInterpolate7, Identifiers.propertyInterpolate8, Identifiers.propertyInterpolateV, Identifiers.attribute, Identifiers.attributeInterpolate1, Identifiers.attributeInterpolate2, Identifiers.attributeInterpolate3, Identifiers.attributeInterpolate4, Identifiers.attributeInterpolate5, Identifiers.attributeInterpolate6, Identifiers.attributeInterpolate7, Identifiers.attributeInterpolate8, Identifiers.attributeInterpolateV, Identifiers.styleProp, Identifiers.stylePropInterpolate1, Identifiers.stylePropInterpolate2, Identifiers.stylePropInterpolate3, Identifiers.stylePropInterpolate4, Identifiers.stylePropInterpolate5, Identifiers.stylePropInterpolate6, Identifiers.stylePropInterpolate7, Identifiers.stylePropInterpolate8, Identifiers.stylePropInterpolateV, Identifiers.textInterpolate, Identifiers.textInterpolate1, Identifiers.textInterpolate2, Identifiers.textInterpolate3, Identifiers.textInterpolate4, Identifiers.textInterpolate5, Identifiers.textInterpolate6, Identifiers.textInterpolate7, Identifiers.textInterpolate8, Identifiers.textInterpolateV]);\n/** Generates a call to a single instruction. */\nfunction invokeInstruction(span, reference, params) {\n return importExpr(reference, null, span).callFn(params, span);\n}\n/**\n * Creates an allocator for a temporary variable.\n *\n * A variable declaration is added to the statements the first time the allocator is invoked.\n */\nfunction temporaryAllocator(statements, name) {\n let temp = null;\n return () => {\n if (!temp) {\n statements.push(new DeclareVarStmt(TEMPORARY_NAME, undefined, DYNAMIC_TYPE));\n temp = variable(name);\n }\n return temp;\n };\n}\nfunction invalid(arg) {\n throw new Error(`Invalid state: Visitor ${this.constructor.name} doesn't handle ${arg.constructor.name}`);\n}\nfunction asLiteral(value) {\n if (Array.isArray(value)) {\n return literalArr(value.map(asLiteral));\n }\n return literal(value, INFERRED_TYPE);\n}\nfunction conditionallyCreateDirectiveBindingLiteral(map, keepDeclared) {\n const keys = Object.getOwnPropertyNames(map);\n if (keys.length === 0) {\n return null;\n }\n return literalMap(keys.map(key => {\n const value = map[key];\n let declaredName;\n let publicName;\n let minifiedName;\n let expressionValue;\n if (typeof value === 'string') {\n // canonical syntax: `dirProp: publicProp`\n declaredName = key;\n minifiedName = key;\n publicName = value;\n expressionValue = asLiteral(publicName);\n } else {\n minifiedName = key;\n declaredName = value.classPropertyName;\n publicName = value.bindingPropertyName;\n if (keepDeclared && (publicName !== declaredName || value.transformFunction != null)) {\n const expressionKeys = [asLiteral(publicName), asLiteral(declaredName)];\n if (value.transformFunction != null) {\n expressionKeys.push(value.transformFunction);\n }\n expressionValue = literalArr(expressionKeys);\n } else {\n expressionValue = asLiteral(publicName);\n }\n }\n return {\n key: minifiedName,\n // put quotes around keys that contain potentially unsafe characters\n quoted: UNSAFE_OBJECT_KEY_NAME_REGEXP.test(minifiedName),\n value: expressionValue\n };\n }));\n}\n/**\n * Remove trailing null nodes as they are implied.\n */\nfunction trimTrailingNulls(parameters) {\n while (isNull(parameters[parameters.length - 1])) {\n parameters.pop();\n }\n return parameters;\n}\nfunction getQueryPredicate(query, constantPool) {\n if (Array.isArray(query.predicate)) {\n let predicate = [];\n query.predicate.forEach(selector => {\n // Each item in predicates array may contain strings with comma-separated refs\n // (for ex. 'ref, ref1, ..., refN'), thus we extract individual refs and store them\n // as separate array entities\n const selectors = selector.split(',').map(token => literal(token.trim()));\n predicate.push(...selectors);\n });\n return constantPool.getConstLiteral(literalArr(predicate), true);\n } else {\n // The original predicate may have been wrapped in a `forwardRef()` call.\n switch (query.predicate.forwardRef) {\n case 0 /* ForwardRefHandling.None */:\n case 2 /* ForwardRefHandling.Unwrapped */:\n return query.predicate.expression;\n case 1 /* ForwardRefHandling.Wrapped */:\n return importExpr(Identifiers.resolveForwardRef).callFn([query.predicate.expression]);\n }\n }\n}\n/**\n * A representation for an object literal used during codegen of definition objects. The generic\n * type `T` allows to reference a documented type of the generated structure, such that the\n * property names that are set can be resolved to their documented declaration.\n */\nclass DefinitionMap {\n constructor() {\n this.values = [];\n }\n set(key, value) {\n if (value) {\n this.values.push({\n key: key,\n value,\n quoted: false\n });\n }\n }\n toLiteralMap() {\n return literalMap(this.values);\n }\n}\n/**\n * Extract a map of properties to values for a given element or template node, which can be used\n * by the directive matching machinery.\n *\n * @param elOrTpl the element or template in question\n * @return an object set up for directive matching. For attributes on the element/template, this\n * object maps a property name to its (static) value. For any bindings, this map simply maps the\n * property name to an empty string.\n */\nfunction getAttrsForDirectiveMatching(elOrTpl) {\n const attributesMap = {};\n if (elOrTpl instanceof Template && elOrTpl.tagName !== 'ng-template') {\n elOrTpl.templateAttrs.forEach(a => attributesMap[a.name] = '');\n } else {\n elOrTpl.attributes.forEach(a => {\n if (!isI18nAttribute(a.name)) {\n attributesMap[a.name] = a.value;\n }\n });\n elOrTpl.inputs.forEach(i => {\n if (i.type === 0 /* BindingType.Property */) {\n attributesMap[i.name] = '';\n }\n });\n elOrTpl.outputs.forEach(o => {\n attributesMap[o.name] = '';\n });\n }\n return attributesMap;\n}\n/**\n * Gets the number of arguments expected to be passed to a generated instruction in the case of\n * interpolation instructions.\n * @param interpolation An interpolation ast\n */\nfunction getInterpolationArgsLength(interpolation) {\n const {\n expressions,\n strings\n } = interpolation;\n if (expressions.length === 1 && strings.length === 2 && strings[0] === '' && strings[1] === '') {\n // If the interpolation has one interpolated value, but the prefix and suffix are both empty\n // strings, we only pass one argument, to a special instruction like `propertyInterpolate` or\n // `textInterpolate`.\n return 1;\n } else {\n return expressions.length + strings.length;\n }\n}\n/**\n * Generates the final instruction call statements based on the passed in configuration.\n * Will try to chain instructions as much as possible, if chaining is supported.\n */\nfunction getInstructionStatements(instructions) {\n const statements = [];\n let pendingExpression = null;\n let pendingExpressionType = null;\n let chainLength = 0;\n for (const current of instructions) {\n const resolvedParams = (typeof current.paramsOrFn === 'function' ? current.paramsOrFn() : current.paramsOrFn) ?? [];\n const params = Array.isArray(resolvedParams) ? resolvedParams : [resolvedParams];\n // If the current instruction is the same as the previous one\n // and it can be chained, add another call to the chain.\n if (chainLength < MAX_CHAIN_LENGTH && pendingExpressionType === current.reference && CHAINABLE_INSTRUCTIONS.has(pendingExpressionType)) {\n // We'll always have a pending expression when there's a pending expression type.\n pendingExpression = pendingExpression.callFn(params, pendingExpression.sourceSpan);\n chainLength++;\n } else {\n if (pendingExpression !== null) {\n statements.push(pendingExpression.toStmt());\n }\n pendingExpression = invokeInstruction(current.span, current.reference, params);\n pendingExpressionType = current.reference;\n chainLength = 0;\n }\n }\n // Since the current instruction adds the previous one to the statements,\n // we may be left with the final one at the end that is still pending.\n if (pendingExpression !== null) {\n statements.push(pendingExpression.toStmt());\n }\n return statements;\n}\nfunction compileInjectable(meta, resolveForwardRefs) {\n let result = null;\n const factoryMeta = {\n name: meta.name,\n type: meta.type,\n typeArgumentCount: meta.typeArgumentCount,\n deps: [],\n target: FactoryTarget$1.Injectable\n };\n if (meta.useClass !== undefined) {\n // meta.useClass has two modes of operation. Either deps are specified, in which case `new` is\n // used to instantiate the class with dependencies injected, or deps are not specified and\n // the factory of the class is used to instantiate it.\n //\n // A special case exists for useClass: Type where Type is the injectable type itself and no\n // deps are specified, in which case 'useClass' is effectively ignored.\n const useClassOnSelf = meta.useClass.expression.isEquivalent(meta.type.value);\n let deps = undefined;\n if (meta.deps !== undefined) {\n deps = meta.deps;\n }\n if (deps !== undefined) {\n // factory: () => new meta.useClass(...deps)\n result = compileFactoryFunction({\n ...factoryMeta,\n delegate: meta.useClass.expression,\n delegateDeps: deps,\n delegateType: R3FactoryDelegateType.Class\n });\n } else if (useClassOnSelf) {\n result = compileFactoryFunction(factoryMeta);\n } else {\n result = {\n statements: [],\n expression: delegateToFactory(meta.type.value, meta.useClass.expression, resolveForwardRefs)\n };\n }\n } else if (meta.useFactory !== undefined) {\n if (meta.deps !== undefined) {\n result = compileFactoryFunction({\n ...factoryMeta,\n delegate: meta.useFactory,\n delegateDeps: meta.deps || [],\n delegateType: R3FactoryDelegateType.Function\n });\n } else {\n result = {\n statements: [],\n expression: fn([], [new ReturnStatement(meta.useFactory.callFn([]))])\n };\n }\n } else if (meta.useValue !== undefined) {\n // Note: it's safe to use `meta.useValue` instead of the `USE_VALUE in meta` check used for\n // client code because meta.useValue is an Expression which will be defined even if the actual\n // value is undefined.\n result = compileFactoryFunction({\n ...factoryMeta,\n expression: meta.useValue.expression\n });\n } else if (meta.useExisting !== undefined) {\n // useExisting is an `inject` call on the existing token.\n result = compileFactoryFunction({\n ...factoryMeta,\n expression: importExpr(Identifiers.inject).callFn([meta.useExisting.expression])\n });\n } else {\n result = {\n statements: [],\n expression: delegateToFactory(meta.type.value, meta.type.value, resolveForwardRefs)\n };\n }\n const token = meta.type.value;\n const injectableProps = new DefinitionMap();\n injectableProps.set('token', token);\n injectableProps.set('factory', result.expression);\n // Only generate providedIn property if it has a non-null value\n if (meta.providedIn.expression.value !== null) {\n injectableProps.set('providedIn', convertFromMaybeForwardRefExpression(meta.providedIn));\n }\n const expression = importExpr(Identifiers.ɵɵdefineInjectable).callFn([injectableProps.toLiteralMap()], undefined, true);\n return {\n expression,\n type: createInjectableType(meta),\n statements: result.statements\n };\n}\nfunction createInjectableType(meta) {\n return new ExpressionType(importExpr(Identifiers.InjectableDeclaration, [typeWithParameters(meta.type.type, meta.typeArgumentCount)]));\n}\nfunction delegateToFactory(type, useType, unwrapForwardRefs) {\n if (type.node === useType.node) {\n // The types are the same, so we can simply delegate directly to the type's factory.\n // ```\n // factory: type.ɵfac\n // ```\n return useType.prop('ɵfac');\n }\n if (!unwrapForwardRefs) {\n // The type is not wrapped in a `forwardRef()`, so we create a simple factory function that\n // accepts a sub-type as an argument.\n // ```\n // factory: function(t) { return useType.ɵfac(t); }\n // ```\n return createFactoryFunction(useType);\n }\n // The useType is actually wrapped in a `forwardRef()` so we need to resolve that before\n // calling its factory.\n // ```\n // factory: function(t) { return core.resolveForwardRef(type).ɵfac(t); }\n // ```\n const unwrappedType = importExpr(Identifiers.resolveForwardRef).callFn([useType]);\n return createFactoryFunction(unwrappedType);\n}\nfunction createFactoryFunction(type) {\n return fn([new FnParam('t', DYNAMIC_TYPE)], [new ReturnStatement(type.prop('ɵfac').callFn([variable('t')]))]);\n}\nconst UNUSABLE_INTERPOLATION_REGEXPS = [/^\\s*$/, /[<>]/, /^[{}]$/, /&(#|[a-z])/i, /^\\/\\// // comment\n];\nfunction assertInterpolationSymbols(identifier, value) {\n if (value != null && !(Array.isArray(value) && value.length == 2)) {\n throw new Error(`Expected '${identifier}' to be an array, [start, end].`);\n } else if (value != null) {\n const start = value[0];\n const end = value[1];\n // Check for unusable interpolation symbols\n UNUSABLE_INTERPOLATION_REGEXPS.forEach(regexp => {\n if (regexp.test(start) || regexp.test(end)) {\n throw new Error(`['${start}', '${end}'] contains unusable interpolation symbol.`);\n }\n });\n }\n}\nclass InterpolationConfig {\n static fromArray(markers) {\n if (!markers) {\n return DEFAULT_INTERPOLATION_CONFIG;\n }\n assertInterpolationSymbols('interpolation', markers);\n return new InterpolationConfig(markers[0], markers[1]);\n }\n constructor(start, end) {\n this.start = start;\n this.end = end;\n }\n}\nconst DEFAULT_INTERPOLATION_CONFIG = new InterpolationConfig('{{', '}}');\nconst $EOF = 0;\nconst $BSPACE = 8;\nconst $TAB = 9;\nconst $LF = 10;\nconst $VTAB = 11;\nconst $FF = 12;\nconst $CR = 13;\nconst $SPACE = 32;\nconst $BANG = 33;\nconst $DQ = 34;\nconst $HASH = 35;\nconst $$ = 36;\nconst $PERCENT = 37;\nconst $AMPERSAND = 38;\nconst $SQ = 39;\nconst $LPAREN = 40;\nconst $RPAREN = 41;\nconst $STAR = 42;\nconst $PLUS = 43;\nconst $COMMA = 44;\nconst $MINUS = 45;\nconst $PERIOD = 46;\nconst $SLASH = 47;\nconst $COLON = 58;\nconst $SEMICOLON = 59;\nconst $LT = 60;\nconst $EQ = 61;\nconst $GT = 62;\nconst $QUESTION = 63;\nconst $0 = 48;\nconst $7 = 55;\nconst $9 = 57;\nconst $A = 65;\nconst $E = 69;\nconst $F = 70;\nconst $X = 88;\nconst $Z = 90;\nconst $LBRACKET = 91;\nconst $BACKSLASH = 92;\nconst $RBRACKET = 93;\nconst $CARET = 94;\nconst $_ = 95;\nconst $a = 97;\nconst $b = 98;\nconst $e = 101;\nconst $f = 102;\nconst $n = 110;\nconst $r = 114;\nconst $t = 116;\nconst $u = 117;\nconst $v = 118;\nconst $x = 120;\nconst $z = 122;\nconst $LBRACE = 123;\nconst $BAR = 124;\nconst $RBRACE = 125;\nconst $NBSP = 160;\nconst $PIPE = 124;\nconst $TILDA = 126;\nconst $AT = 64;\nconst $BT = 96;\nfunction isWhitespace(code) {\n return code >= $TAB && code <= $SPACE || code == $NBSP;\n}\nfunction isDigit(code) {\n return $0 <= code && code <= $9;\n}\nfunction isAsciiLetter(code) {\n return code >= $a && code <= $z || code >= $A && code <= $Z;\n}\nfunction isAsciiHexDigit(code) {\n return code >= $a && code <= $f || code >= $A && code <= $F || isDigit(code);\n}\nfunction isNewLine(code) {\n return code === $LF || code === $CR;\n}\nfunction isOctalDigit(code) {\n return $0 <= code && code <= $7;\n}\nfunction isQuote(code) {\n return code === $SQ || code === $DQ || code === $BT;\n}\nclass ParseLocation {\n constructor(file, offset, line, col) {\n this.file = file;\n this.offset = offset;\n this.line = line;\n this.col = col;\n }\n toString() {\n return this.offset != null ? `${this.file.url}@${this.line}:${this.col}` : this.file.url;\n }\n moveBy(delta) {\n const source = this.file.content;\n const len = source.length;\n let offset = this.offset;\n let line = this.line;\n let col = this.col;\n while (offset > 0 && delta < 0) {\n offset--;\n delta++;\n const ch = source.charCodeAt(offset);\n if (ch == $LF) {\n line--;\n const priorLine = source.substring(0, offset - 1).lastIndexOf(String.fromCharCode($LF));\n col = priorLine > 0 ? offset - priorLine : offset;\n } else {\n col--;\n }\n }\n while (offset < len && delta > 0) {\n const ch = source.charCodeAt(offset);\n offset++;\n delta--;\n if (ch == $LF) {\n line++;\n col = 0;\n } else {\n col++;\n }\n }\n return new ParseLocation(this.file, offset, line, col);\n }\n // Return the source around the location\n // Up to `maxChars` or `maxLines` on each side of the location\n getContext(maxChars, maxLines) {\n const content = this.file.content;\n let startOffset = this.offset;\n if (startOffset != null) {\n if (startOffset > content.length - 1) {\n startOffset = content.length - 1;\n }\n let endOffset = startOffset;\n let ctxChars = 0;\n let ctxLines = 0;\n while (ctxChars < maxChars && startOffset > 0) {\n startOffset--;\n ctxChars++;\n if (content[startOffset] == '\\n') {\n if (++ctxLines == maxLines) {\n break;\n }\n }\n }\n ctxChars = 0;\n ctxLines = 0;\n while (ctxChars < maxChars && endOffset < content.length - 1) {\n endOffset++;\n ctxChars++;\n if (content[endOffset] == '\\n') {\n if (++ctxLines == maxLines) {\n break;\n }\n }\n }\n return {\n before: content.substring(startOffset, this.offset),\n after: content.substring(this.offset, endOffset + 1)\n };\n }\n return null;\n }\n}\nclass ParseSourceFile {\n constructor(content, url) {\n this.content = content;\n this.url = url;\n }\n}\nclass ParseSourceSpan {\n /**\n * Create an object that holds information about spans of tokens/nodes captured during\n * lexing/parsing of text.\n *\n * @param start\n * The location of the start of the span (having skipped leading trivia).\n * Skipping leading trivia makes source-spans more \"user friendly\", since things like HTML\n * elements will appear to begin at the start of the opening tag, rather than at the start of any\n * leading trivia, which could include newlines.\n *\n * @param end\n * The location of the end of the span.\n *\n * @param fullStart\n * The start of the token without skipping the leading trivia.\n * This is used by tooling that splits tokens further, such as extracting Angular interpolations\n * from text tokens. Such tooling creates new source-spans relative to the original token's\n * source-span. If leading trivia characters have been skipped then the new source-spans may be\n * incorrectly offset.\n *\n * @param details\n * Additional information (such as identifier names) that should be associated with the span.\n */\n constructor(start, end, fullStart = start, details = null) {\n this.start = start;\n this.end = end;\n this.fullStart = fullStart;\n this.details = details;\n }\n toString() {\n return this.start.file.content.substring(this.start.offset, this.end.offset);\n }\n}\nvar ParseErrorLevel;\n(function (ParseErrorLevel) {\n ParseErrorLevel[ParseErrorLevel[\"WARNING\"] = 0] = \"WARNING\";\n ParseErrorLevel[ParseErrorLevel[\"ERROR\"] = 1] = \"ERROR\";\n})(ParseErrorLevel || (ParseErrorLevel = {}));\nclass ParseError {\n constructor(span, msg, level = ParseErrorLevel.ERROR) {\n this.span = span;\n this.msg = msg;\n this.level = level;\n }\n contextualMessage() {\n const ctx = this.span.start.getContext(100, 3);\n return ctx ? `${this.msg} (\"${ctx.before}[${ParseErrorLevel[this.level]} ->]${ctx.after}\")` : this.msg;\n }\n toString() {\n const details = this.span.details ? `, ${this.span.details}` : '';\n return `${this.contextualMessage()}: ${this.span.start}${details}`;\n }\n}\n/**\n * Generates Source Span object for a given R3 Type for JIT mode.\n *\n * @param kind Component or Directive.\n * @param typeName name of the Component or Directive.\n * @param sourceUrl reference to Component or Directive source.\n * @returns instance of ParseSourceSpan that represent a given Component or Directive.\n */\nfunction r3JitTypeSourceSpan(kind, typeName, sourceUrl) {\n const sourceFileName = `in ${kind} ${typeName} in ${sourceUrl}`;\n const sourceFile = new ParseSourceFile('', sourceFileName);\n return new ParseSourceSpan(new ParseLocation(sourceFile, -1, -1, -1), new ParseLocation(sourceFile, -1, -1, -1));\n}\nlet _anonymousTypeIndex = 0;\nfunction identifierName(compileIdentifier) {\n if (!compileIdentifier || !compileIdentifier.reference) {\n return null;\n }\n const ref = compileIdentifier.reference;\n if (ref['__anonymousType']) {\n return ref['__anonymousType'];\n }\n if (ref['__forward_ref__']) {\n // We do not want to try to stringify a `forwardRef()` function because that would cause the\n // inner function to be evaluated too early, defeating the whole point of the `forwardRef`.\n return '__forward_ref__';\n }\n let identifier = stringify(ref);\n if (identifier.indexOf('(') >= 0) {\n // case: anonymous functions!\n identifier = `anonymous_${_anonymousTypeIndex++}`;\n ref['__anonymousType'] = identifier;\n } else {\n identifier = sanitizeIdentifier(identifier);\n }\n return identifier;\n}\nfunction sanitizeIdentifier(name) {\n return name.replace(/\\W/g, '_');\n}\n\n/**\n * In TypeScript, tagged template functions expect a \"template object\", which is an array of\n * \"cooked\" strings plus a `raw` property that contains an array of \"raw\" strings. This is\n * typically constructed with a function called `__makeTemplateObject(cooked, raw)`, but it may not\n * be available in all environments.\n *\n * This is a JavaScript polyfill that uses __makeTemplateObject when it's available, but otherwise\n * creates an inline helper with the same functionality.\n *\n * In the inline function, if `Object.defineProperty` is available we use that to attach the `raw`\n * array.\n */\nconst makeTemplateObjectPolyfill = '(this&&this.__makeTemplateObject||function(e,t){return Object.defineProperty?Object.defineProperty(e,\"raw\",{value:t}):e.raw=t,e})';\nclass AbstractJsEmitterVisitor extends AbstractEmitterVisitor {\n constructor() {\n super(false);\n }\n visitWrappedNodeExpr(ast, ctx) {\n throw new Error('Cannot emit a WrappedNodeExpr in Javascript.');\n }\n visitDeclareVarStmt(stmt, ctx) {\n ctx.print(stmt, `var ${stmt.name}`);\n if (stmt.value) {\n ctx.print(stmt, ' = ');\n stmt.value.visitExpression(this, ctx);\n }\n ctx.println(stmt, `;`);\n return null;\n }\n visitTaggedTemplateExpr(ast, ctx) {\n // The following convoluted piece of code is effectively the downlevelled equivalent of\n // ```\n // tag`...`\n // ```\n // which is effectively like:\n // ```\n // tag(__makeTemplateObject(cooked, raw), expression1, expression2, ...);\n // ```\n const elements = ast.template.elements;\n ast.tag.visitExpression(this, ctx);\n ctx.print(ast, `(${makeTemplateObjectPolyfill}(`);\n ctx.print(ast, `[${elements.map(part => escapeIdentifier(part.text, false)).join(', ')}], `);\n ctx.print(ast, `[${elements.map(part => escapeIdentifier(part.rawText, false)).join(', ')}])`);\n ast.template.expressions.forEach(expression => {\n ctx.print(ast, ', ');\n expression.visitExpression(this, ctx);\n });\n ctx.print(ast, ')');\n return null;\n }\n visitFunctionExpr(ast, ctx) {\n ctx.print(ast, `function${ast.name ? ' ' + ast.name : ''}(`);\n this._visitParams(ast.params, ctx);\n ctx.println(ast, `) {`);\n ctx.incIndent();\n this.visitAllStatements(ast.statements, ctx);\n ctx.decIndent();\n ctx.print(ast, `}`);\n return null;\n }\n visitDeclareFunctionStmt(stmt, ctx) {\n ctx.print(stmt, `function ${stmt.name}(`);\n this._visitParams(stmt.params, ctx);\n ctx.println(stmt, `) {`);\n ctx.incIndent();\n this.visitAllStatements(stmt.statements, ctx);\n ctx.decIndent();\n ctx.println(stmt, `}`);\n return null;\n }\n visitLocalizedString(ast, ctx) {\n // The following convoluted piece of code is effectively the downlevelled equivalent of\n // ```\n // $localize `...`\n // ```\n // which is effectively like:\n // ```\n // $localize(__makeTemplateObject(cooked, raw), expression1, expression2, ...);\n // ```\n ctx.print(ast, `$localize(${makeTemplateObjectPolyfill}(`);\n const parts = [ast.serializeI18nHead()];\n for (let i = 1; i < ast.messageParts.length; i++) {\n parts.push(ast.serializeI18nTemplatePart(i));\n }\n ctx.print(ast, `[${parts.map(part => escapeIdentifier(part.cooked, false)).join(', ')}], `);\n ctx.print(ast, `[${parts.map(part => escapeIdentifier(part.raw, false)).join(', ')}])`);\n ast.expressions.forEach(expression => {\n ctx.print(ast, ', ');\n expression.visitExpression(this, ctx);\n });\n ctx.print(ast, ')');\n return null;\n }\n _visitParams(params, ctx) {\n this.visitAllObjects(param => ctx.print(null, param.name), params, ctx, ',');\n }\n}\n\n/**\n * @fileoverview\n * A module to facilitate use of a Trusted Types policy within the JIT\n * compiler. It lazily constructs the Trusted Types policy, providing helper\n * utilities for promoting strings to Trusted Types. When Trusted Types are not\n * available, strings are used as a fallback.\n * @security All use of this module is security-sensitive and should go through\n * security review.\n */\n/**\n * The Trusted Types policy, or null if Trusted Types are not\n * enabled/supported, or undefined if the policy has not been created yet.\n */\nlet policy;\n/**\n * Returns the Trusted Types policy, or null if Trusted Types are not\n * enabled/supported. The first call to this function will create the policy.\n */\nfunction getPolicy() {\n if (policy === undefined) {\n policy = null;\n if (_global.trustedTypes) {\n try {\n policy = _global.trustedTypes.createPolicy('angular#unsafe-jit', {\n createScript: s => s\n });\n } catch {\n // trustedTypes.createPolicy throws if called with a name that is\n // already registered, even in report-only mode. Until the API changes,\n // catch the error not to break the applications functionally. In such\n // cases, the code will fall back to using strings.\n }\n }\n }\n return policy;\n}\n/**\n * Unsafely promote a string to a TrustedScript, falling back to strings when\n * Trusted Types are not available.\n * @security In particular, it must be assured that the provided string will\n * never cause an XSS vulnerability if used in a context that will be\n * interpreted and executed as a script by a browser, e.g. when calling eval.\n */\nfunction trustedScriptFromString(script) {\n return getPolicy()?.createScript(script) || script;\n}\n/**\n * Unsafely call the Function constructor with the given string arguments.\n * @security This is a security-sensitive function; any use of this function\n * must go through security review. In particular, it must be assured that it\n * is only called from the JIT compiler, as use in other code can lead to XSS\n * vulnerabilities.\n */\nfunction newTrustedFunctionForJIT(...args) {\n if (!_global.trustedTypes) {\n // In environments that don't support Trusted Types, fall back to the most\n // straightforward implementation:\n return new Function(...args);\n }\n // Chrome currently does not support passing TrustedScript to the Function\n // constructor. The following implements the workaround proposed on the page\n // below, where the Chromium bug is also referenced:\n // https://github.com/w3c/webappsec-trusted-types/wiki/Trusted-Types-for-function-constructor\n const fnArgs = args.slice(0, -1).join(',');\n const fnBody = args[args.length - 1];\n const body = `(function anonymous(${fnArgs}\n) { ${fnBody}\n})`;\n // Using eval directly confuses the compiler and prevents this module from\n // being stripped out of JS binaries even if not used. The global['eval']\n // indirection fixes that.\n const fn = _global['eval'](trustedScriptFromString(body));\n if (fn.bind === undefined) {\n // Workaround for a browser bug that only exists in Chrome 83, where passing\n // a TrustedScript to eval just returns the TrustedScript back without\n // evaluating it. In that case, fall back to the most straightforward\n // implementation:\n return new Function(...args);\n }\n // To completely mimic the behavior of calling \"new Function\", two more\n // things need to happen:\n // 1. Stringifying the resulting function should return its source code\n fn.toString = () => body;\n // 2. When calling the resulting function, `this` should refer to `global`\n return fn.bind(_global);\n // When Trusted Types support in Function constructors is widely available,\n // the implementation of this function can be simplified to:\n // return new Function(...args.map(a => trustedScriptFromString(a)));\n}\n\n/**\n * A helper class to manage the evaluation of JIT generated code.\n */\nclass JitEvaluator {\n /**\n *\n * @param sourceUrl The URL of the generated code.\n * @param statements An array of Angular statement AST nodes to be evaluated.\n * @param refResolver Resolves `o.ExternalReference`s into values.\n * @param createSourceMaps If true then create a source-map for the generated code and include it\n * inline as a source-map comment.\n * @returns A map of all the variables in the generated code.\n */\n evaluateStatements(sourceUrl, statements, refResolver, createSourceMaps) {\n const converter = new JitEmitterVisitor(refResolver);\n const ctx = EmitterVisitorContext.createRoot();\n // Ensure generated code is in strict mode\n if (statements.length > 0 && !isUseStrictStatement(statements[0])) {\n statements = [literal('use strict').toStmt(), ...statements];\n }\n converter.visitAllStatements(statements, ctx);\n converter.createReturnStmt(ctx);\n return this.evaluateCode(sourceUrl, ctx, converter.getArgs(), createSourceMaps);\n }\n /**\n * Evaluate a piece of JIT generated code.\n * @param sourceUrl The URL of this generated code.\n * @param ctx A context object that contains an AST of the code to be evaluated.\n * @param vars A map containing the names and values of variables that the evaluated code might\n * reference.\n * @param createSourceMap If true then create a source-map for the generated code and include it\n * inline as a source-map comment.\n * @returns The result of evaluating the code.\n */\n evaluateCode(sourceUrl, ctx, vars, createSourceMap) {\n let fnBody = `\"use strict\";${ctx.toSource()}\\n//# sourceURL=${sourceUrl}`;\n const fnArgNames = [];\n const fnArgValues = [];\n for (const argName in vars) {\n fnArgValues.push(vars[argName]);\n fnArgNames.push(argName);\n }\n if (createSourceMap) {\n // using `new Function(...)` generates a header, 1 line of no arguments, 2 lines otherwise\n // E.g. ```\n // function anonymous(a,b,c\n // /**/) { ... }```\n // We don't want to hard code this fact, so we auto detect it via an empty function first.\n const emptyFn = newTrustedFunctionForJIT(...fnArgNames.concat('return null;')).toString();\n const headerLines = emptyFn.slice(0, emptyFn.indexOf('return null;')).split('\\n').length - 1;\n fnBody += `\\n${ctx.toSourceMapGenerator(sourceUrl, headerLines).toJsComment()}`;\n }\n const fn = newTrustedFunctionForJIT(...fnArgNames.concat(fnBody));\n return this.executeFunction(fn, fnArgValues);\n }\n /**\n * Execute a JIT generated function by calling it.\n *\n * This method can be overridden in tests to capture the functions that are generated\n * by this `JitEvaluator` class.\n *\n * @param fn A function to execute.\n * @param args The arguments to pass to the function being executed.\n * @returns The return value of the executed function.\n */\n executeFunction(fn, args) {\n return fn(...args);\n }\n}\n/**\n * An Angular AST visitor that converts AST nodes into executable JavaScript code.\n */\nclass JitEmitterVisitor extends AbstractJsEmitterVisitor {\n constructor(refResolver) {\n super();\n this.refResolver = refResolver;\n this._evalArgNames = [];\n this._evalArgValues = [];\n this._evalExportedVars = [];\n }\n createReturnStmt(ctx) {\n const stmt = new ReturnStatement(new LiteralMapExpr(this._evalExportedVars.map(resultVar => new LiteralMapEntry(resultVar, variable(resultVar), false))));\n stmt.visitStatement(this, ctx);\n }\n getArgs() {\n const result = {};\n for (let i = 0; i < this._evalArgNames.length; i++) {\n result[this._evalArgNames[i]] = this._evalArgValues[i];\n }\n return result;\n }\n visitExternalExpr(ast, ctx) {\n this._emitReferenceToExternal(ast, this.refResolver.resolveExternalReference(ast.value), ctx);\n return null;\n }\n visitWrappedNodeExpr(ast, ctx) {\n this._emitReferenceToExternal(ast, ast.node, ctx);\n return null;\n }\n visitDeclareVarStmt(stmt, ctx) {\n if (stmt.hasModifier(StmtModifier.Exported)) {\n this._evalExportedVars.push(stmt.name);\n }\n return super.visitDeclareVarStmt(stmt, ctx);\n }\n visitDeclareFunctionStmt(stmt, ctx) {\n if (stmt.hasModifier(StmtModifier.Exported)) {\n this._evalExportedVars.push(stmt.name);\n }\n return super.visitDeclareFunctionStmt(stmt, ctx);\n }\n _emitReferenceToExternal(ast, value, ctx) {\n let id = this._evalArgValues.indexOf(value);\n if (id === -1) {\n id = this._evalArgValues.length;\n this._evalArgValues.push(value);\n const name = identifierName({\n reference: value\n }) || 'val';\n this._evalArgNames.push(`jit_${name}_${id}`);\n }\n ctx.print(ast, this._evalArgNames[id]);\n }\n}\nfunction isUseStrictStatement(statement) {\n return statement.isEquivalent(literal('use strict').toStmt());\n}\nfunction compileInjector(meta) {\n const definitionMap = new DefinitionMap();\n if (meta.providers !== null) {\n definitionMap.set('providers', meta.providers);\n }\n if (meta.imports.length > 0) {\n definitionMap.set('imports', literalArr(meta.imports));\n }\n const expression = importExpr(Identifiers.defineInjector).callFn([definitionMap.toLiteralMap()], undefined, true);\n const type = createInjectorType(meta);\n return {\n expression,\n type,\n statements: []\n };\n}\nfunction createInjectorType(meta) {\n return new ExpressionType(importExpr(Identifiers.InjectorDeclaration, [new ExpressionType(meta.type.type)]));\n}\n\n/**\n * Implementation of `CompileReflector` which resolves references to @angular/core\n * symbols at runtime, according to a consumer-provided mapping.\n *\n * Only supports `resolveExternalReference`, all other methods throw.\n */\nclass R3JitReflector {\n constructor(context) {\n this.context = context;\n }\n resolveExternalReference(ref) {\n // This reflector only handles @angular/core imports.\n if (ref.moduleName !== '@angular/core') {\n throw new Error(`Cannot resolve external reference to ${ref.moduleName}, only references to @angular/core are supported.`);\n }\n if (!this.context.hasOwnProperty(ref.name)) {\n throw new Error(`No value provided for @angular/core symbol '${ref.name}'.`);\n }\n return this.context[ref.name];\n }\n}\n\n/**\n * How the selector scope of an NgModule (its declarations, imports, and exports) should be emitted\n * as a part of the NgModule definition.\n */\nvar R3SelectorScopeMode;\n(function (R3SelectorScopeMode) {\n /**\n * Emit the declarations inline into the module definition.\n *\n * This option is useful in certain contexts where it's known that JIT support is required. The\n * tradeoff here is that this emit style prevents directives and pipes from being tree-shaken if\n * they are unused, but the NgModule is used.\n */\n R3SelectorScopeMode[R3SelectorScopeMode[\"Inline\"] = 0] = \"Inline\";\n /**\n * Emit the declarations using a side effectful function call, `ɵɵsetNgModuleScope`, that is\n * guarded with the `ngJitMode` flag.\n *\n * This form of emit supports JIT and can be optimized away if the `ngJitMode` flag is set to\n * false, which allows unused directives and pipes to be tree-shaken.\n */\n R3SelectorScopeMode[R3SelectorScopeMode[\"SideEffect\"] = 1] = \"SideEffect\";\n /**\n * Don't generate selector scopes at all.\n *\n * This is useful for contexts where JIT support is known to be unnecessary.\n */\n R3SelectorScopeMode[R3SelectorScopeMode[\"Omit\"] = 2] = \"Omit\";\n})(R3SelectorScopeMode || (R3SelectorScopeMode = {}));\n/**\n * The type of the NgModule meta data.\n * - Global: Used for full and partial compilation modes which mainly includes R3References.\n * - Local: Used for the local compilation mode which mainly includes the raw expressions as appears\n * in the NgModule decorator.\n */\nvar R3NgModuleMetadataKind;\n(function (R3NgModuleMetadataKind) {\n R3NgModuleMetadataKind[R3NgModuleMetadataKind[\"Global\"] = 0] = \"Global\";\n R3NgModuleMetadataKind[R3NgModuleMetadataKind[\"Local\"] = 1] = \"Local\";\n})(R3NgModuleMetadataKind || (R3NgModuleMetadataKind = {}));\n/**\n * Construct an `R3NgModuleDef` for the given `R3NgModuleMetadata`.\n */\nfunction compileNgModule(meta) {\n const statements = [];\n const definitionMap = new DefinitionMap();\n definitionMap.set('type', meta.type.value);\n // Assign bootstrap definition\n if (meta.kind === R3NgModuleMetadataKind.Global) {\n if (meta.bootstrap.length > 0) {\n definitionMap.set('bootstrap', refsToArray(meta.bootstrap, meta.containsForwardDecls));\n }\n } else {\n if (meta.bootstrapExpression) {\n definitionMap.set('bootstrap', meta.bootstrapExpression);\n }\n }\n if (meta.selectorScopeMode === R3SelectorScopeMode.Inline) {\n // If requested to emit scope information inline, pass the `declarations`, `imports` and\n // `exports` to the `ɵɵdefineNgModule()` call directly.\n if (meta.declarations.length > 0) {\n definitionMap.set('declarations', refsToArray(meta.declarations, meta.containsForwardDecls));\n }\n if (meta.imports.length > 0) {\n definitionMap.set('imports', refsToArray(meta.imports, meta.containsForwardDecls));\n }\n if (meta.exports.length > 0) {\n definitionMap.set('exports', refsToArray(meta.exports, meta.containsForwardDecls));\n }\n } else if (meta.selectorScopeMode === R3SelectorScopeMode.SideEffect) {\n // In this mode, scope information is not passed into `ɵɵdefineNgModule` as it\n // would prevent tree-shaking of the declarations, imports and exports references. Instead, it's\n // patched onto the NgModule definition with a `ɵɵsetNgModuleScope` call that's guarded by the\n // `ngJitMode` flag.\n const setNgModuleScopeCall = generateSetNgModuleScopeCall(meta);\n if (setNgModuleScopeCall !== null) {\n statements.push(setNgModuleScopeCall);\n }\n } else {\n // Selector scope emit was not requested, so skip it.\n }\n if (meta.schemas !== null && meta.schemas.length > 0) {\n definitionMap.set('schemas', literalArr(meta.schemas.map(ref => ref.value)));\n }\n if (meta.id !== null) {\n definitionMap.set('id', meta.id);\n // Generate a side-effectful call to register this NgModule by its id, as per the semantics of\n // NgModule ids.\n statements.push(importExpr(Identifiers.registerNgModuleType).callFn([meta.type.value, meta.id]).toStmt());\n }\n const expression = importExpr(Identifiers.defineNgModule).callFn([definitionMap.toLiteralMap()], undefined, true);\n const type = createNgModuleType(meta);\n return {\n expression,\n type,\n statements\n };\n}\n/**\n * This function is used in JIT mode to generate the call to `ɵɵdefineNgModule()` from a call to\n * `ɵɵngDeclareNgModule()`.\n */\nfunction compileNgModuleDeclarationExpression(meta) {\n const definitionMap = new DefinitionMap();\n definitionMap.set('type', new WrappedNodeExpr(meta.type));\n if (meta.bootstrap !== undefined) {\n definitionMap.set('bootstrap', new WrappedNodeExpr(meta.bootstrap));\n }\n if (meta.declarations !== undefined) {\n definitionMap.set('declarations', new WrappedNodeExpr(meta.declarations));\n }\n if (meta.imports !== undefined) {\n definitionMap.set('imports', new WrappedNodeExpr(meta.imports));\n }\n if (meta.exports !== undefined) {\n definitionMap.set('exports', new WrappedNodeExpr(meta.exports));\n }\n if (meta.schemas !== undefined) {\n definitionMap.set('schemas', new WrappedNodeExpr(meta.schemas));\n }\n if (meta.id !== undefined) {\n definitionMap.set('id', new WrappedNodeExpr(meta.id));\n }\n return importExpr(Identifiers.defineNgModule).callFn([definitionMap.toLiteralMap()]);\n}\nfunction createNgModuleType(meta) {\n if (meta.kind === R3NgModuleMetadataKind.Local) {\n return new ExpressionType(meta.type.value);\n }\n const {\n type: moduleType,\n declarations,\n exports,\n imports,\n includeImportTypes,\n publicDeclarationTypes\n } = meta;\n return new ExpressionType(importExpr(Identifiers.NgModuleDeclaration, [new ExpressionType(moduleType.type), publicDeclarationTypes === null ? tupleTypeOf(declarations) : tupleOfTypes(publicDeclarationTypes), includeImportTypes ? tupleTypeOf(imports) : NONE_TYPE, tupleTypeOf(exports)]));\n}\n/**\n * Generates a function call to `ɵɵsetNgModuleScope` with all necessary information so that the\n * transitive module scope can be computed during runtime in JIT mode. This call is marked pure\n * such that the references to declarations, imports and exports may be elided causing these\n * symbols to become tree-shakeable.\n */\nfunction generateSetNgModuleScopeCall(meta) {\n const scopeMap = new DefinitionMap();\n if (meta.kind === R3NgModuleMetadataKind.Global) {\n if (meta.declarations.length > 0) {\n scopeMap.set('declarations', refsToArray(meta.declarations, meta.containsForwardDecls));\n }\n } else {\n if (meta.declarationsExpression) {\n scopeMap.set('declarations', meta.declarationsExpression);\n }\n }\n if (meta.kind === R3NgModuleMetadataKind.Global) {\n if (meta.imports.length > 0) {\n scopeMap.set('imports', refsToArray(meta.imports, meta.containsForwardDecls));\n }\n } else {\n if (meta.importsExpression) {\n scopeMap.set('imports', meta.importsExpression);\n }\n }\n if (meta.kind === R3NgModuleMetadataKind.Global) {\n if (meta.exports.length > 0) {\n scopeMap.set('exports', refsToArray(meta.exports, meta.containsForwardDecls));\n }\n } else {\n if (meta.exportsExpression) {\n scopeMap.set('exports', meta.exportsExpression);\n }\n }\n if (Object.keys(scopeMap.values).length === 0) {\n return null;\n }\n // setNgModuleScope(...)\n const fnCall = new InvokeFunctionExpr(/* fn */importExpr(Identifiers.setNgModuleScope), /* args */[meta.type.value, scopeMap.toLiteralMap()]);\n // (ngJitMode guard) && setNgModuleScope(...)\n const guardedCall = jitOnlyGuardedExpression(fnCall);\n // function() { (ngJitMode guard) && setNgModuleScope(...); }\n const iife = new FunctionExpr(/* params */[], /* statements */[guardedCall.toStmt()]);\n // (function() { (ngJitMode guard) && setNgModuleScope(...); })()\n const iifeCall = new InvokeFunctionExpr(/* fn */iife, /* args */[]);\n return iifeCall.toStmt();\n}\nfunction tupleTypeOf(exp) {\n const types = exp.map(ref => typeofExpr(ref.type));\n return exp.length > 0 ? expressionType(literalArr(types)) : NONE_TYPE;\n}\nfunction tupleOfTypes(types) {\n const typeofTypes = types.map(type => typeofExpr(type));\n return types.length > 0 ? expressionType(literalArr(typeofTypes)) : NONE_TYPE;\n}\nfunction compilePipeFromMetadata(metadata) {\n const definitionMapValues = [];\n // e.g. `name: 'myPipe'`\n definitionMapValues.push({\n key: 'name',\n value: literal(metadata.pipeName),\n quoted: false\n });\n // e.g. `type: MyPipe`\n definitionMapValues.push({\n key: 'type',\n value: metadata.type.value,\n quoted: false\n });\n // e.g. `pure: true`\n definitionMapValues.push({\n key: 'pure',\n value: literal(metadata.pure),\n quoted: false\n });\n if (metadata.isStandalone) {\n definitionMapValues.push({\n key: 'standalone',\n value: literal(true),\n quoted: false\n });\n }\n const expression = importExpr(Identifiers.definePipe).callFn([literalMap(definitionMapValues)], undefined, true);\n const type = createPipeType(metadata);\n return {\n expression,\n type,\n statements: []\n };\n}\nfunction createPipeType(metadata) {\n return new ExpressionType(importExpr(Identifiers.PipeDeclaration, [typeWithParameters(metadata.type.type, metadata.typeArgumentCount), new ExpressionType(new LiteralExpr(metadata.pipeName)), new ExpressionType(new LiteralExpr(metadata.isStandalone))]));\n}\nvar R3TemplateDependencyKind;\n(function (R3TemplateDependencyKind) {\n R3TemplateDependencyKind[R3TemplateDependencyKind[\"Directive\"] = 0] = \"Directive\";\n R3TemplateDependencyKind[R3TemplateDependencyKind[\"Pipe\"] = 1] = \"Pipe\";\n R3TemplateDependencyKind[R3TemplateDependencyKind[\"NgModule\"] = 2] = \"NgModule\";\n})(R3TemplateDependencyKind || (R3TemplateDependencyKind = {}));\nclass ParserError {\n constructor(message, input, errLocation, ctxLocation) {\n this.input = input;\n this.errLocation = errLocation;\n this.ctxLocation = ctxLocation;\n this.message = `Parser Error: ${message} ${errLocation} [${input}] in ${ctxLocation}`;\n }\n}\nclass ParseSpan {\n constructor(start, end) {\n this.start = start;\n this.end = end;\n }\n toAbsolute(absoluteOffset) {\n return new AbsoluteSourceSpan(absoluteOffset + this.start, absoluteOffset + this.end);\n }\n}\nclass AST {\n constructor(span,\n /**\n * Absolute location of the expression AST in a source code file.\n */\n sourceSpan) {\n this.span = span;\n this.sourceSpan = sourceSpan;\n }\n toString() {\n return 'AST';\n }\n}\nclass ASTWithName extends AST {\n constructor(span, sourceSpan, nameSpan) {\n super(span, sourceSpan);\n this.nameSpan = nameSpan;\n }\n}\nclass EmptyExpr$1 extends AST {\n visit(visitor, context = null) {\n // do nothing\n }\n}\nclass ImplicitReceiver extends AST {\n visit(visitor, context = null) {\n return visitor.visitImplicitReceiver(this, context);\n }\n}\n/**\n * Receiver when something is accessed through `this` (e.g. `this.foo`). Note that this class\n * inherits from `ImplicitReceiver`, because accessing something through `this` is treated the\n * same as accessing it implicitly inside of an Angular template (e.g. `[attr.title]=\"this.title\"`\n * is the same as `[attr.title]=\"title\"`.). Inheriting allows for the `this` accesses to be treated\n * the same as implicit ones, except for a couple of exceptions like `$event` and `$any`.\n * TODO: we should find a way for this class not to extend from `ImplicitReceiver` in the future.\n */\nclass ThisReceiver extends ImplicitReceiver {\n visit(visitor, context = null) {\n return visitor.visitThisReceiver?.(this, context);\n }\n}\n/**\n * Multiple expressions separated by a semicolon.\n */\nclass Chain extends AST {\n constructor(span, sourceSpan, expressions) {\n super(span, sourceSpan);\n this.expressions = expressions;\n }\n visit(visitor, context = null) {\n return visitor.visitChain(this, context);\n }\n}\nclass Conditional extends AST {\n constructor(span, sourceSpan, condition, trueExp, falseExp) {\n super(span, sourceSpan);\n this.condition = condition;\n this.trueExp = trueExp;\n this.falseExp = falseExp;\n }\n visit(visitor, context = null) {\n return visitor.visitConditional(this, context);\n }\n}\nclass PropertyRead extends ASTWithName {\n constructor(span, sourceSpan, nameSpan, receiver, name) {\n super(span, sourceSpan, nameSpan);\n this.receiver = receiver;\n this.name = name;\n }\n visit(visitor, context = null) {\n return visitor.visitPropertyRead(this, context);\n }\n}\nclass PropertyWrite extends ASTWithName {\n constructor(span, sourceSpan, nameSpan, receiver, name, value) {\n super(span, sourceSpan, nameSpan);\n this.receiver = receiver;\n this.name = name;\n this.value = value;\n }\n visit(visitor, context = null) {\n return visitor.visitPropertyWrite(this, context);\n }\n}\nclass SafePropertyRead extends ASTWithName {\n constructor(span, sourceSpan, nameSpan, receiver, name) {\n super(span, sourceSpan, nameSpan);\n this.receiver = receiver;\n this.name = name;\n }\n visit(visitor, context = null) {\n return visitor.visitSafePropertyRead(this, context);\n }\n}\nclass KeyedRead extends AST {\n constructor(span, sourceSpan, receiver, key) {\n super(span, sourceSpan);\n this.receiver = receiver;\n this.key = key;\n }\n visit(visitor, context = null) {\n return visitor.visitKeyedRead(this, context);\n }\n}\nclass SafeKeyedRead extends AST {\n constructor(span, sourceSpan, receiver, key) {\n super(span, sourceSpan);\n this.receiver = receiver;\n this.key = key;\n }\n visit(visitor, context = null) {\n return visitor.visitSafeKeyedRead(this, context);\n }\n}\nclass KeyedWrite extends AST {\n constructor(span, sourceSpan, receiver, key, value) {\n super(span, sourceSpan);\n this.receiver = receiver;\n this.key = key;\n this.value = value;\n }\n visit(visitor, context = null) {\n return visitor.visitKeyedWrite(this, context);\n }\n}\nclass BindingPipe extends ASTWithName {\n constructor(span, sourceSpan, exp, name, args, nameSpan) {\n super(span, sourceSpan, nameSpan);\n this.exp = exp;\n this.name = name;\n this.args = args;\n }\n visit(visitor, context = null) {\n return visitor.visitPipe(this, context);\n }\n}\nclass LiteralPrimitive extends AST {\n constructor(span, sourceSpan, value) {\n super(span, sourceSpan);\n this.value = value;\n }\n visit(visitor, context = null) {\n return visitor.visitLiteralPrimitive(this, context);\n }\n}\nclass LiteralArray extends AST {\n constructor(span, sourceSpan, expressions) {\n super(span, sourceSpan);\n this.expressions = expressions;\n }\n visit(visitor, context = null) {\n return visitor.visitLiteralArray(this, context);\n }\n}\nclass LiteralMap extends AST {\n constructor(span, sourceSpan, keys, values) {\n super(span, sourceSpan);\n this.keys = keys;\n this.values = values;\n }\n visit(visitor, context = null) {\n return visitor.visitLiteralMap(this, context);\n }\n}\nclass Interpolation$1 extends AST {\n constructor(span, sourceSpan, strings, expressions) {\n super(span, sourceSpan);\n this.strings = strings;\n this.expressions = expressions;\n }\n visit(visitor, context = null) {\n return visitor.visitInterpolation(this, context);\n }\n}\nclass Binary extends AST {\n constructor(span, sourceSpan, operation, left, right) {\n super(span, sourceSpan);\n this.operation = operation;\n this.left = left;\n this.right = right;\n }\n visit(visitor, context = null) {\n return visitor.visitBinary(this, context);\n }\n}\n/**\n * For backwards compatibility reasons, `Unary` inherits from `Binary` and mimics the binary AST\n * node that was originally used. This inheritance relation can be deleted in some future major,\n * after consumers have been given a chance to fully support Unary.\n */\nclass Unary extends Binary {\n /**\n * Creates a unary minus expression \"-x\", represented as `Binary` using \"0 - x\".\n */\n static createMinus(span, sourceSpan, expr) {\n return new Unary(span, sourceSpan, '-', expr, '-', new LiteralPrimitive(span, sourceSpan, 0), expr);\n }\n /**\n * Creates a unary plus expression \"+x\", represented as `Binary` using \"x - 0\".\n */\n static createPlus(span, sourceSpan, expr) {\n return new Unary(span, sourceSpan, '+', expr, '-', expr, new LiteralPrimitive(span, sourceSpan, 0));\n }\n /**\n * During the deprecation period this constructor is private, to avoid consumers from creating\n * a `Unary` with the fallback properties for `Binary`.\n */\n constructor(span, sourceSpan, operator, expr, binaryOp, binaryLeft, binaryRight) {\n super(span, sourceSpan, binaryOp, binaryLeft, binaryRight);\n this.operator = operator;\n this.expr = expr;\n // Redeclare the properties that are inherited from `Binary` as `never`, as consumers should not\n // depend on these fields when operating on `Unary`.\n this.left = null;\n this.right = null;\n this.operation = null;\n }\n visit(visitor, context = null) {\n if (visitor.visitUnary !== undefined) {\n return visitor.visitUnary(this, context);\n }\n return visitor.visitBinary(this, context);\n }\n}\nclass PrefixNot extends AST {\n constructor(span, sourceSpan, expression) {\n super(span, sourceSpan);\n this.expression = expression;\n }\n visit(visitor, context = null) {\n return visitor.visitPrefixNot(this, context);\n }\n}\nclass NonNullAssert extends AST {\n constructor(span, sourceSpan, expression) {\n super(span, sourceSpan);\n this.expression = expression;\n }\n visit(visitor, context = null) {\n return visitor.visitNonNullAssert(this, context);\n }\n}\nclass Call extends AST {\n constructor(span, sourceSpan, receiver, args, argumentSpan) {\n super(span, sourceSpan);\n this.receiver = receiver;\n this.args = args;\n this.argumentSpan = argumentSpan;\n }\n visit(visitor, context = null) {\n return visitor.visitCall(this, context);\n }\n}\nclass SafeCall extends AST {\n constructor(span, sourceSpan, receiver, args, argumentSpan) {\n super(span, sourceSpan);\n this.receiver = receiver;\n this.args = args;\n this.argumentSpan = argumentSpan;\n }\n visit(visitor, context = null) {\n return visitor.visitSafeCall(this, context);\n }\n}\n/**\n * Records the absolute position of a text span in a source file, where `start` and `end` are the\n * starting and ending byte offsets, respectively, of the text span in a source file.\n */\nclass AbsoluteSourceSpan {\n constructor(start, end) {\n this.start = start;\n this.end = end;\n }\n}\nclass ASTWithSource extends AST {\n constructor(ast, source, location, absoluteOffset, errors) {\n super(new ParseSpan(0, source === null ? 0 : source.length), new AbsoluteSourceSpan(absoluteOffset, source === null ? absoluteOffset : absoluteOffset + source.length));\n this.ast = ast;\n this.source = source;\n this.location = location;\n this.errors = errors;\n }\n visit(visitor, context = null) {\n if (visitor.visitASTWithSource) {\n return visitor.visitASTWithSource(this, context);\n }\n return this.ast.visit(visitor, context);\n }\n toString() {\n return `${this.source} in ${this.location}`;\n }\n}\nclass VariableBinding {\n /**\n * @param sourceSpan entire span of the binding.\n * @param key name of the LHS along with its span.\n * @param value optional value for the RHS along with its span.\n */\n constructor(sourceSpan, key, value) {\n this.sourceSpan = sourceSpan;\n this.key = key;\n this.value = value;\n }\n}\nclass ExpressionBinding {\n /**\n * @param sourceSpan entire span of the binding.\n * @param key binding name, like ngForOf, ngForTrackBy, ngIf, along with its\n * span. Note that the length of the span may not be the same as\n * `key.source.length`. For example,\n * 1. key.source = ngFor, key.span is for \"ngFor\"\n * 2. key.source = ngForOf, key.span is for \"of\"\n * 3. key.source = ngForTrackBy, key.span is for \"trackBy\"\n * @param value optional expression for the RHS.\n */\n constructor(sourceSpan, key, value) {\n this.sourceSpan = sourceSpan;\n this.key = key;\n this.value = value;\n }\n}\nclass RecursiveAstVisitor {\n visit(ast, context) {\n // The default implementation just visits every node.\n // Classes that extend RecursiveAstVisitor should override this function\n // to selectively visit the specified node.\n ast.visit(this, context);\n }\n visitUnary(ast, context) {\n this.visit(ast.expr, context);\n }\n visitBinary(ast, context) {\n this.visit(ast.left, context);\n this.visit(ast.right, context);\n }\n visitChain(ast, context) {\n this.visitAll(ast.expressions, context);\n }\n visitConditional(ast, context) {\n this.visit(ast.condition, context);\n this.visit(ast.trueExp, context);\n this.visit(ast.falseExp, context);\n }\n visitPipe(ast, context) {\n this.visit(ast.exp, context);\n this.visitAll(ast.args, context);\n }\n visitImplicitReceiver(ast, context) {}\n visitThisReceiver(ast, context) {}\n visitInterpolation(ast, context) {\n this.visitAll(ast.expressions, context);\n }\n visitKeyedRead(ast, context) {\n this.visit(ast.receiver, context);\n this.visit(ast.key, context);\n }\n visitKeyedWrite(ast, context) {\n this.visit(ast.receiver, context);\n this.visit(ast.key, context);\n this.visit(ast.value, context);\n }\n visitLiteralArray(ast, context) {\n this.visitAll(ast.expressions, context);\n }\n visitLiteralMap(ast, context) {\n this.visitAll(ast.values, context);\n }\n visitLiteralPrimitive(ast, context) {}\n visitPrefixNot(ast, context) {\n this.visit(ast.expression, context);\n }\n visitNonNullAssert(ast, context) {\n this.visit(ast.expression, context);\n }\n visitPropertyRead(ast, context) {\n this.visit(ast.receiver, context);\n }\n visitPropertyWrite(ast, context) {\n this.visit(ast.receiver, context);\n this.visit(ast.value, context);\n }\n visitSafePropertyRead(ast, context) {\n this.visit(ast.receiver, context);\n }\n visitSafeKeyedRead(ast, context) {\n this.visit(ast.receiver, context);\n this.visit(ast.key, context);\n }\n visitCall(ast, context) {\n this.visit(ast.receiver, context);\n this.visitAll(ast.args, context);\n }\n visitSafeCall(ast, context) {\n this.visit(ast.receiver, context);\n this.visitAll(ast.args, context);\n }\n // This is not part of the AstVisitor interface, just a helper method\n visitAll(asts, context) {\n for (const ast of asts) {\n this.visit(ast, context);\n }\n }\n}\nclass AstTransformer {\n visitImplicitReceiver(ast, context) {\n return ast;\n }\n visitThisReceiver(ast, context) {\n return ast;\n }\n visitInterpolation(ast, context) {\n return new Interpolation$1(ast.span, ast.sourceSpan, ast.strings, this.visitAll(ast.expressions));\n }\n visitLiteralPrimitive(ast, context) {\n return new LiteralPrimitive(ast.span, ast.sourceSpan, ast.value);\n }\n visitPropertyRead(ast, context) {\n return new PropertyRead(ast.span, ast.sourceSpan, ast.nameSpan, ast.receiver.visit(this), ast.name);\n }\n visitPropertyWrite(ast, context) {\n return new PropertyWrite(ast.span, ast.sourceSpan, ast.nameSpan, ast.receiver.visit(this), ast.name, ast.value.visit(this));\n }\n visitSafePropertyRead(ast, context) {\n return new SafePropertyRead(ast.span, ast.sourceSpan, ast.nameSpan, ast.receiver.visit(this), ast.name);\n }\n visitLiteralArray(ast, context) {\n return new LiteralArray(ast.span, ast.sourceSpan, this.visitAll(ast.expressions));\n }\n visitLiteralMap(ast, context) {\n return new LiteralMap(ast.span, ast.sourceSpan, ast.keys, this.visitAll(ast.values));\n }\n visitUnary(ast, context) {\n switch (ast.operator) {\n case '+':\n return Unary.createPlus(ast.span, ast.sourceSpan, ast.expr.visit(this));\n case '-':\n return Unary.createMinus(ast.span, ast.sourceSpan, ast.expr.visit(this));\n default:\n throw new Error(`Unknown unary operator ${ast.operator}`);\n }\n }\n visitBinary(ast, context) {\n return new Binary(ast.span, ast.sourceSpan, ast.operation, ast.left.visit(this), ast.right.visit(this));\n }\n visitPrefixNot(ast, context) {\n return new PrefixNot(ast.span, ast.sourceSpan, ast.expression.visit(this));\n }\n visitNonNullAssert(ast, context) {\n return new NonNullAssert(ast.span, ast.sourceSpan, ast.expression.visit(this));\n }\n visitConditional(ast, context) {\n return new Conditional(ast.span, ast.sourceSpan, ast.condition.visit(this), ast.trueExp.visit(this), ast.falseExp.visit(this));\n }\n visitPipe(ast, context) {\n return new BindingPipe(ast.span, ast.sourceSpan, ast.exp.visit(this), ast.name, this.visitAll(ast.args), ast.nameSpan);\n }\n visitKeyedRead(ast, context) {\n return new KeyedRead(ast.span, ast.sourceSpan, ast.receiver.visit(this), ast.key.visit(this));\n }\n visitKeyedWrite(ast, context) {\n return new KeyedWrite(ast.span, ast.sourceSpan, ast.receiver.visit(this), ast.key.visit(this), ast.value.visit(this));\n }\n visitCall(ast, context) {\n return new Call(ast.span, ast.sourceSpan, ast.receiver.visit(this), this.visitAll(ast.args), ast.argumentSpan);\n }\n visitSafeCall(ast, context) {\n return new SafeCall(ast.span, ast.sourceSpan, ast.receiver.visit(this), this.visitAll(ast.args), ast.argumentSpan);\n }\n visitAll(asts) {\n const res = [];\n for (let i = 0; i < asts.length; ++i) {\n res[i] = asts[i].visit(this);\n }\n return res;\n }\n visitChain(ast, context) {\n return new Chain(ast.span, ast.sourceSpan, this.visitAll(ast.expressions));\n }\n visitSafeKeyedRead(ast, context) {\n return new SafeKeyedRead(ast.span, ast.sourceSpan, ast.receiver.visit(this), ast.key.visit(this));\n }\n}\n// A transformer that only creates new nodes if the transformer makes a change or\n// a change is made a child node.\nclass AstMemoryEfficientTransformer {\n visitImplicitReceiver(ast, context) {\n return ast;\n }\n visitThisReceiver(ast, context) {\n return ast;\n }\n visitInterpolation(ast, context) {\n const expressions = this.visitAll(ast.expressions);\n if (expressions !== ast.expressions) return new Interpolation$1(ast.span, ast.sourceSpan, ast.strings, expressions);\n return ast;\n }\n visitLiteralPrimitive(ast, context) {\n return ast;\n }\n visitPropertyRead(ast, context) {\n const receiver = ast.receiver.visit(this);\n if (receiver !== ast.receiver) {\n return new PropertyRead(ast.span, ast.sourceSpan, ast.nameSpan, receiver, ast.name);\n }\n return ast;\n }\n visitPropertyWrite(ast, context) {\n const receiver = ast.receiver.visit(this);\n const value = ast.value.visit(this);\n if (receiver !== ast.receiver || value !== ast.value) {\n return new PropertyWrite(ast.span, ast.sourceSpan, ast.nameSpan, receiver, ast.name, value);\n }\n return ast;\n }\n visitSafePropertyRead(ast, context) {\n const receiver = ast.receiver.visit(this);\n if (receiver !== ast.receiver) {\n return new SafePropertyRead(ast.span, ast.sourceSpan, ast.nameSpan, receiver, ast.name);\n }\n return ast;\n }\n visitLiteralArray(ast, context) {\n const expressions = this.visitAll(ast.expressions);\n if (expressions !== ast.expressions) {\n return new LiteralArray(ast.span, ast.sourceSpan, expressions);\n }\n return ast;\n }\n visitLiteralMap(ast, context) {\n const values = this.visitAll(ast.values);\n if (values !== ast.values) {\n return new LiteralMap(ast.span, ast.sourceSpan, ast.keys, values);\n }\n return ast;\n }\n visitUnary(ast, context) {\n const expr = ast.expr.visit(this);\n if (expr !== ast.expr) {\n switch (ast.operator) {\n case '+':\n return Unary.createPlus(ast.span, ast.sourceSpan, expr);\n case '-':\n return Unary.createMinus(ast.span, ast.sourceSpan, expr);\n default:\n throw new Error(`Unknown unary operator ${ast.operator}`);\n }\n }\n return ast;\n }\n visitBinary(ast, context) {\n const left = ast.left.visit(this);\n const right = ast.right.visit(this);\n if (left !== ast.left || right !== ast.right) {\n return new Binary(ast.span, ast.sourceSpan, ast.operation, left, right);\n }\n return ast;\n }\n visitPrefixNot(ast, context) {\n const expression = ast.expression.visit(this);\n if (expression !== ast.expression) {\n return new PrefixNot(ast.span, ast.sourceSpan, expression);\n }\n return ast;\n }\n visitNonNullAssert(ast, context) {\n const expression = ast.expression.visit(this);\n if (expression !== ast.expression) {\n return new NonNullAssert(ast.span, ast.sourceSpan, expression);\n }\n return ast;\n }\n visitConditional(ast, context) {\n const condition = ast.condition.visit(this);\n const trueExp = ast.trueExp.visit(this);\n const falseExp = ast.falseExp.visit(this);\n if (condition !== ast.condition || trueExp !== ast.trueExp || falseExp !== ast.falseExp) {\n return new Conditional(ast.span, ast.sourceSpan, condition, trueExp, falseExp);\n }\n return ast;\n }\n visitPipe(ast, context) {\n const exp = ast.exp.visit(this);\n const args = this.visitAll(ast.args);\n if (exp !== ast.exp || args !== ast.args) {\n return new BindingPipe(ast.span, ast.sourceSpan, exp, ast.name, args, ast.nameSpan);\n }\n return ast;\n }\n visitKeyedRead(ast, context) {\n const obj = ast.receiver.visit(this);\n const key = ast.key.visit(this);\n if (obj !== ast.receiver || key !== ast.key) {\n return new KeyedRead(ast.span, ast.sourceSpan, obj, key);\n }\n return ast;\n }\n visitKeyedWrite(ast, context) {\n const obj = ast.receiver.visit(this);\n const key = ast.key.visit(this);\n const value = ast.value.visit(this);\n if (obj !== ast.receiver || key !== ast.key || value !== ast.value) {\n return new KeyedWrite(ast.span, ast.sourceSpan, obj, key, value);\n }\n return ast;\n }\n visitAll(asts) {\n const res = [];\n let modified = false;\n for (let i = 0; i < asts.length; ++i) {\n const original = asts[i];\n const value = original.visit(this);\n res[i] = value;\n modified = modified || value !== original;\n }\n return modified ? res : asts;\n }\n visitChain(ast, context) {\n const expressions = this.visitAll(ast.expressions);\n if (expressions !== ast.expressions) {\n return new Chain(ast.span, ast.sourceSpan, expressions);\n }\n return ast;\n }\n visitCall(ast, context) {\n const receiver = ast.receiver.visit(this);\n const args = this.visitAll(ast.args);\n if (receiver !== ast.receiver || args !== ast.args) {\n return new Call(ast.span, ast.sourceSpan, receiver, args, ast.argumentSpan);\n }\n return ast;\n }\n visitSafeCall(ast, context) {\n const receiver = ast.receiver.visit(this);\n const args = this.visitAll(ast.args);\n if (receiver !== ast.receiver || args !== ast.args) {\n return new SafeCall(ast.span, ast.sourceSpan, receiver, args, ast.argumentSpan);\n }\n return ast;\n }\n visitSafeKeyedRead(ast, context) {\n const obj = ast.receiver.visit(this);\n const key = ast.key.visit(this);\n if (obj !== ast.receiver || key !== ast.key) {\n return new SafeKeyedRead(ast.span, ast.sourceSpan, obj, key);\n }\n return ast;\n }\n}\n// Bindings\nclass ParsedProperty {\n constructor(name, expression, type, sourceSpan, keySpan, valueSpan) {\n this.name = name;\n this.expression = expression;\n this.type = type;\n this.sourceSpan = sourceSpan;\n this.keySpan = keySpan;\n this.valueSpan = valueSpan;\n this.isLiteral = this.type === ParsedPropertyType.LITERAL_ATTR;\n this.isAnimation = this.type === ParsedPropertyType.ANIMATION;\n }\n}\nvar ParsedPropertyType;\n(function (ParsedPropertyType) {\n ParsedPropertyType[ParsedPropertyType[\"DEFAULT\"] = 0] = \"DEFAULT\";\n ParsedPropertyType[ParsedPropertyType[\"LITERAL_ATTR\"] = 1] = \"LITERAL_ATTR\";\n ParsedPropertyType[ParsedPropertyType[\"ANIMATION\"] = 2] = \"ANIMATION\";\n})(ParsedPropertyType || (ParsedPropertyType = {}));\nclass ParsedEvent {\n // Regular events have a target\n // Animation events have a phase\n constructor(name, targetOrPhase, type, handler, sourceSpan, handlerSpan, keySpan) {\n this.name = name;\n this.targetOrPhase = targetOrPhase;\n this.type = type;\n this.handler = handler;\n this.sourceSpan = sourceSpan;\n this.handlerSpan = handlerSpan;\n this.keySpan = keySpan;\n }\n}\n/**\n * ParsedVariable represents a variable declaration in a microsyntax expression.\n */\nclass ParsedVariable {\n constructor(name, value, sourceSpan, keySpan, valueSpan) {\n this.name = name;\n this.value = value;\n this.sourceSpan = sourceSpan;\n this.keySpan = keySpan;\n this.valueSpan = valueSpan;\n }\n}\nclass BoundElementProperty {\n constructor(name, type, securityContext, value, unit, sourceSpan, keySpan, valueSpan) {\n this.name = name;\n this.type = type;\n this.securityContext = securityContext;\n this.value = value;\n this.unit = unit;\n this.sourceSpan = sourceSpan;\n this.keySpan = keySpan;\n this.valueSpan = valueSpan;\n }\n}\nclass EventHandlerVars {\n static {\n this.event = variable('$event');\n }\n}\n/**\n * Converts the given expression AST into an executable output AST, assuming the expression is\n * used in an action binding (e.g. an event handler).\n */\nfunction convertActionBinding(localResolver, implicitReceiver, action, bindingId, baseSourceSpan, implicitReceiverAccesses, globals) {\n if (!localResolver) {\n localResolver = new DefaultLocalResolver(globals);\n }\n const actionWithoutBuiltins = convertPropertyBindingBuiltins({\n createLiteralArrayConverter: argCount => {\n // Note: no caching for literal arrays in actions.\n return args => literalArr(args);\n },\n createLiteralMapConverter: keys => {\n // Note: no caching for literal maps in actions.\n return values => {\n const entries = keys.map((k, i) => ({\n key: k.key,\n value: values[i],\n quoted: k.quoted\n }));\n return literalMap(entries);\n };\n },\n createPipeConverter: name => {\n throw new Error(`Illegal State: Actions are not allowed to contain pipes. Pipe: ${name}`);\n }\n }, action);\n const visitor = new _AstToIrVisitor(localResolver, implicitReceiver, bindingId, /* supportsInterpolation */false, baseSourceSpan, implicitReceiverAccesses);\n const actionStmts = [];\n flattenStatements(actionWithoutBuiltins.visit(visitor, _Mode.Statement), actionStmts);\n prependTemporaryDecls(visitor.temporaryCount, bindingId, actionStmts);\n if (visitor.usesImplicitReceiver) {\n localResolver.notifyImplicitReceiverUse();\n }\n const lastIndex = actionStmts.length - 1;\n if (lastIndex >= 0) {\n const lastStatement = actionStmts[lastIndex];\n // Ensure that the value of the last expression statement is returned\n if (lastStatement instanceof ExpressionStatement) {\n actionStmts[lastIndex] = new ReturnStatement(lastStatement.expr);\n }\n }\n return actionStmts;\n}\nfunction convertPropertyBindingBuiltins(converterFactory, ast) {\n return convertBuiltins(converterFactory, ast);\n}\nclass ConvertPropertyBindingResult {\n constructor(stmts, currValExpr) {\n this.stmts = stmts;\n this.currValExpr = currValExpr;\n }\n}\n/**\n * Converts the given expression AST into an executable output AST, assuming the expression\n * is used in property binding. The expression has to be preprocessed via\n * `convertPropertyBindingBuiltins`.\n */\nfunction convertPropertyBinding(localResolver, implicitReceiver, expressionWithoutBuiltins, bindingId) {\n if (!localResolver) {\n localResolver = new DefaultLocalResolver();\n }\n const visitor = new _AstToIrVisitor(localResolver, implicitReceiver, bindingId, /* supportsInterpolation */false);\n const outputExpr = expressionWithoutBuiltins.visit(visitor, _Mode.Expression);\n const stmts = getStatementsFromVisitor(visitor, bindingId);\n if (visitor.usesImplicitReceiver) {\n localResolver.notifyImplicitReceiverUse();\n }\n return new ConvertPropertyBindingResult(stmts, outputExpr);\n}\n/**\n * Given some expression, such as a binding or interpolation expression, and a context expression to\n * look values up on, visit each facet of the given expression resolving values from the context\n * expression such that a list of arguments can be derived from the found values that can be used as\n * arguments to an external update instruction.\n *\n * @param localResolver The resolver to use to look up expressions by name appropriately\n * @param contextVariableExpression The expression representing the context variable used to create\n * the final argument expressions\n * @param expressionWithArgumentsToExtract The expression to visit to figure out what values need to\n * be resolved and what arguments list to build.\n * @param bindingId A name prefix used to create temporary variable names if they're needed for the\n * arguments generated\n * @returns An array of expressions that can be passed as arguments to instruction expressions like\n * `o.importExpr(R3.propertyInterpolate).callFn(result)`\n */\nfunction convertUpdateArguments(localResolver, contextVariableExpression, expressionWithArgumentsToExtract, bindingId) {\n const visitor = new _AstToIrVisitor(localResolver, contextVariableExpression, bindingId, /* supportsInterpolation */true);\n const outputExpr = visitor.visitInterpolation(expressionWithArgumentsToExtract, _Mode.Expression);\n if (visitor.usesImplicitReceiver) {\n localResolver.notifyImplicitReceiverUse();\n }\n const stmts = getStatementsFromVisitor(visitor, bindingId);\n const args = outputExpr.args;\n return {\n stmts,\n args\n };\n}\nfunction getStatementsFromVisitor(visitor, bindingId) {\n const stmts = [];\n for (let i = 0; i < visitor.temporaryCount; i++) {\n stmts.push(temporaryDeclaration(bindingId, i));\n }\n return stmts;\n}\nfunction convertBuiltins(converterFactory, ast) {\n const visitor = new _BuiltinAstConverter(converterFactory);\n return ast.visit(visitor);\n}\nfunction temporaryName(bindingId, temporaryNumber) {\n return `tmp_${bindingId}_${temporaryNumber}`;\n}\nfunction temporaryDeclaration(bindingId, temporaryNumber) {\n return new DeclareVarStmt(temporaryName(bindingId, temporaryNumber));\n}\nfunction prependTemporaryDecls(temporaryCount, bindingId, statements) {\n for (let i = temporaryCount - 1; i >= 0; i--) {\n statements.unshift(temporaryDeclaration(bindingId, i));\n }\n}\nvar _Mode;\n(function (_Mode) {\n _Mode[_Mode[\"Statement\"] = 0] = \"Statement\";\n _Mode[_Mode[\"Expression\"] = 1] = \"Expression\";\n})(_Mode || (_Mode = {}));\nfunction ensureStatementMode(mode, ast) {\n if (mode !== _Mode.Statement) {\n throw new Error(`Expected a statement, but saw ${ast}`);\n }\n}\nfunction ensureExpressionMode(mode, ast) {\n if (mode !== _Mode.Expression) {\n throw new Error(`Expected an expression, but saw ${ast}`);\n }\n}\nfunction convertToStatementIfNeeded(mode, expr) {\n if (mode === _Mode.Statement) {\n return expr.toStmt();\n } else {\n return expr;\n }\n}\nclass _BuiltinAstConverter extends AstTransformer {\n constructor(_converterFactory) {\n super();\n this._converterFactory = _converterFactory;\n }\n visitPipe(ast, context) {\n const args = [ast.exp, ...ast.args].map(ast => ast.visit(this, context));\n return new BuiltinFunctionCall(ast.span, ast.sourceSpan, args, this._converterFactory.createPipeConverter(ast.name, args.length));\n }\n visitLiteralArray(ast, context) {\n const args = ast.expressions.map(ast => ast.visit(this, context));\n return new BuiltinFunctionCall(ast.span, ast.sourceSpan, args, this._converterFactory.createLiteralArrayConverter(ast.expressions.length));\n }\n visitLiteralMap(ast, context) {\n const args = ast.values.map(ast => ast.visit(this, context));\n return new BuiltinFunctionCall(ast.span, ast.sourceSpan, args, this._converterFactory.createLiteralMapConverter(ast.keys));\n }\n}\nclass _AstToIrVisitor {\n constructor(_localResolver, _implicitReceiver, bindingId, supportsInterpolation, baseSourceSpan, implicitReceiverAccesses) {\n this._localResolver = _localResolver;\n this._implicitReceiver = _implicitReceiver;\n this.bindingId = bindingId;\n this.supportsInterpolation = supportsInterpolation;\n this.baseSourceSpan = baseSourceSpan;\n this.implicitReceiverAccesses = implicitReceiverAccesses;\n this._nodeMap = new Map();\n this._resultMap = new Map();\n this._currentTemporary = 0;\n this.temporaryCount = 0;\n this.usesImplicitReceiver = false;\n }\n visitUnary(ast, mode) {\n let op;\n switch (ast.operator) {\n case '+':\n op = UnaryOperator.Plus;\n break;\n case '-':\n op = UnaryOperator.Minus;\n break;\n default:\n throw new Error(`Unsupported operator ${ast.operator}`);\n }\n return convertToStatementIfNeeded(mode, new UnaryOperatorExpr(op, this._visit(ast.expr, _Mode.Expression), undefined, this.convertSourceSpan(ast.span)));\n }\n visitBinary(ast, mode) {\n let op;\n switch (ast.operation) {\n case '+':\n op = BinaryOperator.Plus;\n break;\n case '-':\n op = BinaryOperator.Minus;\n break;\n case '*':\n op = BinaryOperator.Multiply;\n break;\n case '/':\n op = BinaryOperator.Divide;\n break;\n case '%':\n op = BinaryOperator.Modulo;\n break;\n case '&&':\n op = BinaryOperator.And;\n break;\n case '||':\n op = BinaryOperator.Or;\n break;\n case '==':\n op = BinaryOperator.Equals;\n break;\n case '!=':\n op = BinaryOperator.NotEquals;\n break;\n case '===':\n op = BinaryOperator.Identical;\n break;\n case '!==':\n op = BinaryOperator.NotIdentical;\n break;\n case '<':\n op = BinaryOperator.Lower;\n break;\n case '>':\n op = BinaryOperator.Bigger;\n break;\n case '<=':\n op = BinaryOperator.LowerEquals;\n break;\n case '>=':\n op = BinaryOperator.BiggerEquals;\n break;\n case '??':\n return this.convertNullishCoalesce(ast, mode);\n default:\n throw new Error(`Unsupported operation ${ast.operation}`);\n }\n return convertToStatementIfNeeded(mode, new BinaryOperatorExpr(op, this._visit(ast.left, _Mode.Expression), this._visit(ast.right, _Mode.Expression), undefined, this.convertSourceSpan(ast.span)));\n }\n visitChain(ast, mode) {\n ensureStatementMode(mode, ast);\n return this.visitAll(ast.expressions, mode);\n }\n visitConditional(ast, mode) {\n const value = this._visit(ast.condition, _Mode.Expression);\n return convertToStatementIfNeeded(mode, value.conditional(this._visit(ast.trueExp, _Mode.Expression), this._visit(ast.falseExp, _Mode.Expression), this.convertSourceSpan(ast.span)));\n }\n visitPipe(ast, mode) {\n throw new Error(`Illegal state: Pipes should have been converted into functions. Pipe: ${ast.name}`);\n }\n visitImplicitReceiver(ast, mode) {\n ensureExpressionMode(mode, ast);\n this.usesImplicitReceiver = true;\n return this._implicitReceiver;\n }\n visitThisReceiver(ast, mode) {\n return this.visitImplicitReceiver(ast, mode);\n }\n visitInterpolation(ast, mode) {\n if (!this.supportsInterpolation) {\n throw new Error('Unexpected interpolation');\n }\n ensureExpressionMode(mode, ast);\n let args = [];\n for (let i = 0; i < ast.strings.length - 1; i++) {\n args.push(literal(ast.strings[i]));\n args.push(this._visit(ast.expressions[i], _Mode.Expression));\n }\n args.push(literal(ast.strings[ast.strings.length - 1]));\n // If we're dealing with an interpolation of 1 value with an empty prefix and suffix, reduce the\n // args returned to just the value, because we're going to pass it to a special instruction.\n const strings = ast.strings;\n if (strings.length === 2 && strings[0] === '' && strings[1] === '') {\n // Single argument interpolate instructions.\n args = [args[1]];\n } else if (ast.expressions.length >= 9) {\n // 9 or more arguments must be passed to the `interpolateV`-style instructions, which accept\n // an array of arguments\n args = [literalArr(args)];\n }\n return new InterpolationExpression(args);\n }\n visitKeyedRead(ast, mode) {\n const leftMostSafe = this.leftMostSafeNode(ast);\n if (leftMostSafe) {\n return this.convertSafeAccess(ast, leftMostSafe, mode);\n } else {\n return convertToStatementIfNeeded(mode, this._visit(ast.receiver, _Mode.Expression).key(this._visit(ast.key, _Mode.Expression)));\n }\n }\n visitKeyedWrite(ast, mode) {\n const obj = this._visit(ast.receiver, _Mode.Expression);\n const key = this._visit(ast.key, _Mode.Expression);\n const value = this._visit(ast.value, _Mode.Expression);\n if (obj === this._implicitReceiver) {\n this._localResolver.maybeRestoreView();\n }\n return convertToStatementIfNeeded(mode, obj.key(key).set(value));\n }\n visitLiteralArray(ast, mode) {\n throw new Error(`Illegal State: literal arrays should have been converted into functions`);\n }\n visitLiteralMap(ast, mode) {\n throw new Error(`Illegal State: literal maps should have been converted into functions`);\n }\n visitLiteralPrimitive(ast, mode) {\n // For literal values of null, undefined, true, or false allow type interference\n // to infer the type.\n const type = ast.value === null || ast.value === undefined || ast.value === true || ast.value === true ? INFERRED_TYPE : undefined;\n return convertToStatementIfNeeded(mode, literal(ast.value, type, this.convertSourceSpan(ast.span)));\n }\n _getLocal(name, receiver) {\n if (this._localResolver.globals?.has(name) && receiver instanceof ThisReceiver) {\n return null;\n }\n return this._localResolver.getLocal(name);\n }\n visitPrefixNot(ast, mode) {\n return convertToStatementIfNeeded(mode, not(this._visit(ast.expression, _Mode.Expression)));\n }\n visitNonNullAssert(ast, mode) {\n return convertToStatementIfNeeded(mode, this._visit(ast.expression, _Mode.Expression));\n }\n visitPropertyRead(ast, mode) {\n const leftMostSafe = this.leftMostSafeNode(ast);\n if (leftMostSafe) {\n return this.convertSafeAccess(ast, leftMostSafe, mode);\n } else {\n let result = null;\n const prevUsesImplicitReceiver = this.usesImplicitReceiver;\n const receiver = this._visit(ast.receiver, _Mode.Expression);\n if (receiver === this._implicitReceiver) {\n result = this._getLocal(ast.name, ast.receiver);\n if (result) {\n // Restore the previous \"usesImplicitReceiver\" state since the implicit\n // receiver has been replaced with a resolved local expression.\n this.usesImplicitReceiver = prevUsesImplicitReceiver;\n this.addImplicitReceiverAccess(ast.name);\n }\n }\n if (result == null) {\n result = receiver.prop(ast.name, this.convertSourceSpan(ast.span));\n }\n return convertToStatementIfNeeded(mode, result);\n }\n }\n visitPropertyWrite(ast, mode) {\n const receiver = this._visit(ast.receiver, _Mode.Expression);\n const prevUsesImplicitReceiver = this.usesImplicitReceiver;\n let varExpr = null;\n if (receiver === this._implicitReceiver) {\n const localExpr = this._getLocal(ast.name, ast.receiver);\n if (localExpr) {\n if (localExpr instanceof ReadPropExpr) {\n // If the local variable is a property read expression, it's a reference\n // to a 'context.property' value and will be used as the target of the\n // write expression.\n varExpr = localExpr;\n // Restore the previous \"usesImplicitReceiver\" state since the implicit\n // receiver has been replaced with a resolved local expression.\n this.usesImplicitReceiver = prevUsesImplicitReceiver;\n this.addImplicitReceiverAccess(ast.name);\n } else {\n // Otherwise it's an error.\n const receiver = ast.name;\n const value = ast.value instanceof PropertyRead ? ast.value.name : undefined;\n throw new Error(`Cannot assign value \"${value}\" to template variable \"${receiver}\". Template variables are read-only.`);\n }\n }\n }\n // If no local expression could be produced, use the original receiver's\n // property as the target.\n if (varExpr === null) {\n varExpr = receiver.prop(ast.name, this.convertSourceSpan(ast.span));\n }\n return convertToStatementIfNeeded(mode, varExpr.set(this._visit(ast.value, _Mode.Expression)));\n }\n visitSafePropertyRead(ast, mode) {\n return this.convertSafeAccess(ast, this.leftMostSafeNode(ast), mode);\n }\n visitSafeKeyedRead(ast, mode) {\n return this.convertSafeAccess(ast, this.leftMostSafeNode(ast), mode);\n }\n visitAll(asts, mode) {\n return asts.map(ast => this._visit(ast, mode));\n }\n visitCall(ast, mode) {\n const leftMostSafe = this.leftMostSafeNode(ast);\n if (leftMostSafe) {\n return this.convertSafeAccess(ast, leftMostSafe, mode);\n }\n const convertedArgs = this.visitAll(ast.args, _Mode.Expression);\n if (ast instanceof BuiltinFunctionCall) {\n return convertToStatementIfNeeded(mode, ast.converter(convertedArgs));\n }\n const receiver = ast.receiver;\n if (receiver instanceof PropertyRead && receiver.receiver instanceof ImplicitReceiver && !(receiver.receiver instanceof ThisReceiver) && receiver.name === '$any') {\n if (convertedArgs.length !== 1) {\n throw new Error(`Invalid call to $any, expected 1 argument but received ${convertedArgs.length || 'none'}`);\n }\n return convertToStatementIfNeeded(mode, convertedArgs[0]);\n }\n const call = this._visit(receiver, _Mode.Expression).callFn(convertedArgs, this.convertSourceSpan(ast.span));\n return convertToStatementIfNeeded(mode, call);\n }\n visitSafeCall(ast, mode) {\n return this.convertSafeAccess(ast, this.leftMostSafeNode(ast), mode);\n }\n _visit(ast, mode) {\n const result = this._resultMap.get(ast);\n if (result) return result;\n return (this._nodeMap.get(ast) || ast).visit(this, mode);\n }\n convertSafeAccess(ast, leftMostSafe, mode) {\n // If the expression contains a safe access node on the left it needs to be converted to\n // an expression that guards the access to the member by checking the receiver for blank. As\n // execution proceeds from left to right, the left most part of the expression must be guarded\n // first but, because member access is left associative, the right side of the expression is at\n // the top of the AST. The desired result requires lifting a copy of the left part of the\n // expression up to test it for blank before generating the unguarded version.\n // Consider, for example the following expression: a?.b.c?.d.e\n // This results in the ast:\n // .\n // / \\\n // ?. e\n // / \\\n // . d\n // / \\\n // ?. c\n // / \\\n // a b\n // The following tree should be generated:\n //\n // /---- ? ----\\\n // / | \\\n // a /--- ? ---\\ null\n // / | \\\n // . . null\n // / \\ / \\\n // . c . e\n // / \\ / \\\n // a b . d\n // / \\\n // . c\n // / \\\n // a b\n //\n // Notice that the first guard condition is the left hand of the left most safe access node\n // which comes in as leftMostSafe to this routine.\n let guardedExpression = this._visit(leftMostSafe.receiver, _Mode.Expression);\n let temporary = undefined;\n if (this.needsTemporaryInSafeAccess(leftMostSafe.receiver)) {\n // If the expression has method calls or pipes then we need to save the result into a\n // temporary variable to avoid calling stateful or impure code more than once.\n temporary = this.allocateTemporary();\n // Preserve the result in the temporary variable\n guardedExpression = temporary.set(guardedExpression);\n // Ensure all further references to the guarded expression refer to the temporary instead.\n this._resultMap.set(leftMostSafe.receiver, temporary);\n }\n const condition = guardedExpression.isBlank();\n // Convert the ast to an unguarded access to the receiver's member. The map will substitute\n // leftMostNode with its unguarded version in the call to `this.visit()`.\n if (leftMostSafe instanceof SafeCall) {\n this._nodeMap.set(leftMostSafe, new Call(leftMostSafe.span, leftMostSafe.sourceSpan, leftMostSafe.receiver, leftMostSafe.args, leftMostSafe.argumentSpan));\n } else if (leftMostSafe instanceof SafeKeyedRead) {\n this._nodeMap.set(leftMostSafe, new KeyedRead(leftMostSafe.span, leftMostSafe.sourceSpan, leftMostSafe.receiver, leftMostSafe.key));\n } else {\n this._nodeMap.set(leftMostSafe, new PropertyRead(leftMostSafe.span, leftMostSafe.sourceSpan, leftMostSafe.nameSpan, leftMostSafe.receiver, leftMostSafe.name));\n }\n // Recursively convert the node now without the guarded member access.\n const access = this._visit(ast, _Mode.Expression);\n // Remove the mapping. This is not strictly required as the converter only traverses each node\n // once but is safer if the conversion is changed to traverse the nodes more than once.\n this._nodeMap.delete(leftMostSafe);\n // If we allocated a temporary, release it.\n if (temporary) {\n this.releaseTemporary(temporary);\n }\n // Produce the conditional\n return convertToStatementIfNeeded(mode, condition.conditional(NULL_EXPR, access));\n }\n convertNullishCoalesce(ast, mode) {\n const left = this._visit(ast.left, _Mode.Expression);\n const right = this._visit(ast.right, _Mode.Expression);\n const temporary = this.allocateTemporary();\n this.releaseTemporary(temporary);\n // Generate the following expression. It is identical to how TS\n // transpiles binary expressions with a nullish coalescing operator.\n // let temp;\n // (temp = a) !== null && temp !== undefined ? temp : b;\n return convertToStatementIfNeeded(mode, temporary.set(left).notIdentical(NULL_EXPR).and(temporary.notIdentical(literal(undefined))).conditional(temporary, right));\n }\n // Given an expression of the form a?.b.c?.d.e then the left most safe node is\n // the (a?.b). The . and ?. are left associative thus can be rewritten as:\n // ((((a?.c).b).c)?.d).e. This returns the most deeply nested safe read or\n // safe method call as this needs to be transformed initially to:\n // a == null ? null : a.c.b.c?.d.e\n // then to:\n // a == null ? null : a.b.c == null ? null : a.b.c.d.e\n leftMostSafeNode(ast) {\n const visit = (visitor, ast) => {\n return (this._nodeMap.get(ast) || ast).visit(visitor);\n };\n return ast.visit({\n visitUnary(ast) {\n return null;\n },\n visitBinary(ast) {\n return null;\n },\n visitChain(ast) {\n return null;\n },\n visitConditional(ast) {\n return null;\n },\n visitCall(ast) {\n return visit(this, ast.receiver);\n },\n visitSafeCall(ast) {\n return visit(this, ast.receiver) || ast;\n },\n visitImplicitReceiver(ast) {\n return null;\n },\n visitThisReceiver(ast) {\n return null;\n },\n visitInterpolation(ast) {\n return null;\n },\n visitKeyedRead(ast) {\n return visit(this, ast.receiver);\n },\n visitKeyedWrite(ast) {\n return null;\n },\n visitLiteralArray(ast) {\n return null;\n },\n visitLiteralMap(ast) {\n return null;\n },\n visitLiteralPrimitive(ast) {\n return null;\n },\n visitPipe(ast) {\n return null;\n },\n visitPrefixNot(ast) {\n return null;\n },\n visitNonNullAssert(ast) {\n return visit(this, ast.expression);\n },\n visitPropertyRead(ast) {\n return visit(this, ast.receiver);\n },\n visitPropertyWrite(ast) {\n return null;\n },\n visitSafePropertyRead(ast) {\n return visit(this, ast.receiver) || ast;\n },\n visitSafeKeyedRead(ast) {\n return visit(this, ast.receiver) || ast;\n }\n });\n }\n // Returns true of the AST includes a method or a pipe indicating that, if the\n // expression is used as the target of a safe property or method access then\n // the expression should be stored into a temporary variable.\n needsTemporaryInSafeAccess(ast) {\n const visit = (visitor, ast) => {\n return ast && (this._nodeMap.get(ast) || ast).visit(visitor);\n };\n const visitSome = (visitor, ast) => {\n return ast.some(ast => visit(visitor, ast));\n };\n return ast.visit({\n visitUnary(ast) {\n return visit(this, ast.expr);\n },\n visitBinary(ast) {\n return visit(this, ast.left) || visit(this, ast.right);\n },\n visitChain(ast) {\n return false;\n },\n visitConditional(ast) {\n return visit(this, ast.condition) || visit(this, ast.trueExp) || visit(this, ast.falseExp);\n },\n visitCall(ast) {\n return true;\n },\n visitSafeCall(ast) {\n return true;\n },\n visitImplicitReceiver(ast) {\n return false;\n },\n visitThisReceiver(ast) {\n return false;\n },\n visitInterpolation(ast) {\n return visitSome(this, ast.expressions);\n },\n visitKeyedRead(ast) {\n return false;\n },\n visitKeyedWrite(ast) {\n return false;\n },\n visitLiteralArray(ast) {\n return true;\n },\n visitLiteralMap(ast) {\n return true;\n },\n visitLiteralPrimitive(ast) {\n return false;\n },\n visitPipe(ast) {\n return true;\n },\n visitPrefixNot(ast) {\n return visit(this, ast.expression);\n },\n visitNonNullAssert(ast) {\n return visit(this, ast.expression);\n },\n visitPropertyRead(ast) {\n return false;\n },\n visitPropertyWrite(ast) {\n return false;\n },\n visitSafePropertyRead(ast) {\n return false;\n },\n visitSafeKeyedRead(ast) {\n return false;\n }\n });\n }\n allocateTemporary() {\n const tempNumber = this._currentTemporary++;\n this.temporaryCount = Math.max(this._currentTemporary, this.temporaryCount);\n return new ReadVarExpr(temporaryName(this.bindingId, tempNumber));\n }\n releaseTemporary(temporary) {\n this._currentTemporary--;\n if (temporary.name != temporaryName(this.bindingId, this._currentTemporary)) {\n throw new Error(`Temporary ${temporary.name} released out of order`);\n }\n }\n /**\n * Creates an absolute `ParseSourceSpan` from the relative `ParseSpan`.\n *\n * `ParseSpan` objects are relative to the start of the expression.\n * This method converts these to full `ParseSourceSpan` objects that\n * show where the span is within the overall source file.\n *\n * @param span the relative span to convert.\n * @returns a `ParseSourceSpan` for the given span or null if no\n * `baseSourceSpan` was provided to this class.\n */\n convertSourceSpan(span) {\n if (this.baseSourceSpan) {\n const start = this.baseSourceSpan.start.moveBy(span.start);\n const end = this.baseSourceSpan.start.moveBy(span.end);\n const fullStart = this.baseSourceSpan.fullStart.moveBy(span.start);\n return new ParseSourceSpan(start, end, fullStart);\n } else {\n return null;\n }\n }\n /** Adds the name of an AST to the list of implicit receiver accesses. */\n addImplicitReceiverAccess(name) {\n if (this.implicitReceiverAccesses) {\n this.implicitReceiverAccesses.add(name);\n }\n }\n}\nfunction flattenStatements(arg, output) {\n if (Array.isArray(arg)) {\n arg.forEach(entry => flattenStatements(entry, output));\n } else {\n output.push(arg);\n }\n}\nfunction unsupported() {\n throw new Error('Unsupported operation');\n}\nclass InterpolationExpression extends Expression {\n constructor(args) {\n super(null, null);\n this.args = args;\n this.isConstant = unsupported;\n this.isEquivalent = unsupported;\n this.visitExpression = unsupported;\n this.clone = unsupported;\n }\n}\nclass DefaultLocalResolver {\n constructor(globals) {\n this.globals = globals;\n }\n notifyImplicitReceiverUse() {}\n maybeRestoreView() {}\n getLocal(name) {\n if (name === EventHandlerVars.event.name) {\n return EventHandlerVars.event;\n }\n return null;\n }\n}\nclass BuiltinFunctionCall extends Call {\n constructor(span, sourceSpan, args, converter) {\n super(span, sourceSpan, new EmptyExpr$1(span, sourceSpan), args, null);\n this.converter = converter;\n }\n}\n\n// =================================================================================================\n// =================================================================================================\n// =========== S T O P - S T O P - S T O P - S T O P - S T O P - S T O P ===========\n// =================================================================================================\n// =================================================================================================\n//\n// DO NOT EDIT THIS LIST OF SECURITY SENSITIVE PROPERTIES WITHOUT A SECURITY REVIEW!\n// Reach out to mprobst for details.\n//\n// =================================================================================================\n/** Map from tagName|propertyName to SecurityContext. Properties applying to all tags use '*'. */\nlet _SECURITY_SCHEMA;\nfunction SECURITY_SCHEMA() {\n if (!_SECURITY_SCHEMA) {\n _SECURITY_SCHEMA = {};\n // Case is insignificant below, all element and attribute names are lower-cased for lookup.\n registerContext(SecurityContext.HTML, ['iframe|srcdoc', '*|innerHTML', '*|outerHTML']);\n registerContext(SecurityContext.STYLE, ['*|style']);\n // NB: no SCRIPT contexts here, they are never allowed due to the parser stripping them.\n registerContext(SecurityContext.URL, ['*|formAction', 'area|href', 'area|ping', 'audio|src', 'a|href', 'a|ping', 'blockquote|cite', 'body|background', 'del|cite', 'form|action', 'img|src', 'input|src', 'ins|cite', 'q|cite', 'source|src', 'track|src', 'video|poster', 'video|src']);\n registerContext(SecurityContext.RESOURCE_URL, ['applet|code', 'applet|codebase', 'base|href', 'embed|src', 'frame|src', 'head|profile', 'html|manifest', 'iframe|src', 'link|href', 'media|src', 'object|codebase', 'object|data', 'script|src']);\n }\n return _SECURITY_SCHEMA;\n}\nfunction registerContext(ctx, specs) {\n for (const spec of specs) _SECURITY_SCHEMA[spec.toLowerCase()] = ctx;\n}\n/**\n * The set of security-sensitive attributes of an `<iframe>` that *must* be\n * applied as a static attribute only. This ensures that all security-sensitive\n * attributes are taken into account while creating an instance of an `<iframe>`\n * at runtime.\n *\n * Note: avoid using this set directly, use the `isIframeSecuritySensitiveAttr` function\n * in the code instead.\n */\nconst IFRAME_SECURITY_SENSITIVE_ATTRS = new Set(['sandbox', 'allow', 'allowfullscreen', 'referrerpolicy', 'csp', 'fetchpriority']);\n/**\n * Checks whether a given attribute name might represent a security-sensitive\n * attribute of an <iframe>.\n */\nfunction isIframeSecuritySensitiveAttr(attrName) {\n // The `setAttribute` DOM API is case-insensitive, so we lowercase the value\n // before checking it against a known security-sensitive attributes.\n return IFRAME_SECURITY_SENSITIVE_ATTRS.has(attrName.toLowerCase());\n}\n\n/**\n * The following set contains all keywords that can be used in the animation css shorthand\n * property and is used during the scoping of keyframes to make sure such keywords\n * are not modified.\n */\nconst animationKeywords = new Set([\n// global values\n'inherit', 'initial', 'revert', 'unset',\n// animation-direction\n'alternate', 'alternate-reverse', 'normal', 'reverse',\n// animation-fill-mode\n'backwards', 'both', 'forwards', 'none',\n// animation-play-state\n'paused', 'running',\n// animation-timing-function\n'ease', 'ease-in', 'ease-in-out', 'ease-out', 'linear', 'step-start', 'step-end',\n// `steps()` function\n'end', 'jump-both', 'jump-end', 'jump-none', 'jump-start', 'start']);\n/**\n * The following class has its origin from a port of shadowCSS from webcomponents.js to TypeScript.\n * It has since diverge in many ways to tailor Angular's needs.\n *\n * Source:\n * https://github.com/webcomponents/webcomponentsjs/blob/4efecd7e0e/src/ShadowCSS/ShadowCSS.js\n *\n * The original file level comment is reproduced below\n */\n/*\n This is a limited shim for ShadowDOM css styling.\n https://dvcs.w3.org/hg/webcomponents/raw-file/tip/spec/shadow/index.html#styles\n\n The intention here is to support only the styling features which can be\n relatively simply implemented. The goal is to allow users to avoid the\n most obvious pitfalls and do so without compromising performance significantly.\n For ShadowDOM styling that's not covered here, a set of best practices\n can be provided that should allow users to accomplish more complex styling.\n\n The following is a list of specific ShadowDOM styling features and a brief\n discussion of the approach used to shim.\n\n Shimmed features:\n\n * :host, :host-context: ShadowDOM allows styling of the shadowRoot's host\n element using the :host rule. To shim this feature, the :host styles are\n reformatted and prefixed with a given scope name and promoted to a\n document level stylesheet.\n For example, given a scope name of .foo, a rule like this:\n\n :host {\n background: red;\n }\n }\n\n becomes:\n\n .foo {\n background: red;\n }\n\n * encapsulation: Styles defined within ShadowDOM, apply only to\n dom inside the ShadowDOM.\n The selectors are scoped by adding an attribute selector suffix to each\n simple selector that contains the host element tag name. Each element\n in the element's ShadowDOM template is also given the scope attribute.\n Thus, these rules match only elements that have the scope attribute.\n For example, given a scope name of x-foo, a rule like this:\n\n div {\n font-weight: bold;\n }\n\n becomes:\n\n div[x-foo] {\n font-weight: bold;\n }\n\n Note that elements that are dynamically added to a scope must have the scope\n selector added to them manually.\n\n * upper/lower bound encapsulation: Styles which are defined outside a\n shadowRoot should not cross the ShadowDOM boundary and should not apply\n inside a shadowRoot.\n\n This styling behavior is not emulated. Some possible ways to do this that\n were rejected due to complexity and/or performance concerns include: (1) reset\n every possible property for every possible selector for a given scope name;\n (2) re-implement css in javascript.\n\n As an alternative, users should make sure to use selectors\n specific to the scope in which they are working.\n\n * ::distributed: This behavior is not emulated. It's often not necessary\n to style the contents of a specific insertion point and instead, descendants\n of the host element can be styled selectively. Users can also create an\n extra node around an insertion point and style that node's contents\n via descendent selectors. For example, with a shadowRoot like this:\n\n <style>\n ::content(div) {\n background: red;\n }\n </style>\n <content></content>\n\n could become:\n\n <style>\n / *@polyfill .content-container div * /\n ::content(div) {\n background: red;\n }\n </style>\n <div class=\"content-container\">\n <content></content>\n </div>\n\n Note the use of @polyfill in the comment above a ShadowDOM specific style\n declaration. This is a directive to the styling shim to use the selector\n in comments in lieu of the next selector when running under polyfill.\n*/\nclass ShadowCss {\n constructor() {\n /**\n * Regular expression used to extrapolate the possible keyframes from an\n * animation declaration (with possibly multiple animation definitions)\n *\n * The regular expression can be divided in three parts\n * - (^|\\s+)\n * simply captures how many (if any) leading whitespaces are present\n * - (?:(?:(['\"])((?:\\\\\\\\|\\\\\\2|(?!\\2).)+)\\2)|(-?[A-Za-z][\\w\\-]*))\n * captures two different possible keyframes, ones which are quoted or ones which are valid css\n * idents (custom properties excluded)\n * - (?=[,\\s;]|$)\n * simply matches the end of the possible keyframe, valid endings are: a comma, a space, a\n * semicolon or the end of the string\n */\n this._animationDeclarationKeyframesRe = /(^|\\s+)(?:(?:(['\"])((?:\\\\\\\\|\\\\\\2|(?!\\2).)+)\\2)|(-?[A-Za-z][\\w\\-]*))(?=[,\\s]|$)/g;\n }\n /*\n * Shim some cssText with the given selector. Returns cssText that can be included in the document\n *\n * The selector is the attribute added to all elements inside the host,\n * The hostSelector is the attribute added to the host itself.\n */\n shimCssText(cssText, selector, hostSelector = '') {\n // **NOTE**: Do not strip comments as this will cause component sourcemaps to break\n // due to shift in lines.\n // Collect comments and replace them with a placeholder, this is done to avoid complicating\n // the rule parsing RegExp and keep it safer.\n const comments = [];\n cssText = cssText.replace(_commentRe, m => {\n if (m.match(_commentWithHashRe)) {\n comments.push(m);\n } else {\n // Replace non hash comments with empty lines.\n // This is done so that we do not leak any senstive data in comments.\n const newLinesMatches = m.match(_newLinesRe);\n comments.push((newLinesMatches?.join('') ?? '') + '\\n');\n }\n return COMMENT_PLACEHOLDER;\n });\n cssText = this._insertDirectives(cssText);\n const scopedCssText = this._scopeCssText(cssText, selector, hostSelector);\n // Add back comments at the original position.\n let commentIdx = 0;\n return scopedCssText.replace(_commentWithHashPlaceHolderRe, () => comments[commentIdx++]);\n }\n _insertDirectives(cssText) {\n cssText = this._insertPolyfillDirectivesInCssText(cssText);\n return this._insertPolyfillRulesInCssText(cssText);\n }\n /**\n * Process styles to add scope to keyframes.\n *\n * Modify both the names of the keyframes defined in the component styles and also the css\n * animation rules using them.\n *\n * Animation rules using keyframes defined elsewhere are not modified to allow for globally\n * defined keyframes.\n *\n * For example, we convert this css:\n *\n * ```\n * .box {\n * animation: box-animation 1s forwards;\n * }\n *\n * @keyframes box-animation {\n * to {\n * background-color: green;\n * }\n * }\n * ```\n *\n * to this:\n *\n * ```\n * .box {\n * animation: scopeName_box-animation 1s forwards;\n * }\n *\n * @keyframes scopeName_box-animation {\n * to {\n * background-color: green;\n * }\n * }\n * ```\n *\n * @param cssText the component's css text that needs to be scoped.\n * @param scopeSelector the component's scope selector.\n *\n * @returns the scoped css text.\n */\n _scopeKeyframesRelatedCss(cssText, scopeSelector) {\n const unscopedKeyframesSet = new Set();\n const scopedKeyframesCssText = processRules(cssText, rule => this._scopeLocalKeyframeDeclarations(rule, scopeSelector, unscopedKeyframesSet));\n return processRules(scopedKeyframesCssText, rule => this._scopeAnimationRule(rule, scopeSelector, unscopedKeyframesSet));\n }\n /**\n * Scopes local keyframes names, returning the updated css rule and it also\n * adds the original keyframe name to a provided set to collect all keyframes names\n * so that it can later be used to scope the animation rules.\n *\n * For example, it takes a rule such as:\n *\n * ```\n * @keyframes box-animation {\n * to {\n * background-color: green;\n * }\n * }\n * ```\n *\n * and returns:\n *\n * ```\n * @keyframes scopeName_box-animation {\n * to {\n * background-color: green;\n * }\n * }\n * ```\n * and as a side effect it adds \"box-animation\" to the `unscopedKeyframesSet` set\n *\n * @param cssRule the css rule to process.\n * @param scopeSelector the component's scope selector.\n * @param unscopedKeyframesSet the set of unscoped keyframes names (which can be\n * modified as a side effect)\n *\n * @returns the css rule modified with the scoped keyframes name.\n */\n _scopeLocalKeyframeDeclarations(rule, scopeSelector, unscopedKeyframesSet) {\n return {\n ...rule,\n selector: rule.selector.replace(/(^@(?:-webkit-)?keyframes(?:\\s+))(['\"]?)(.+)\\2(\\s*)$/, (_, start, quote, keyframeName, endSpaces) => {\n unscopedKeyframesSet.add(unescapeQuotes(keyframeName, quote));\n return `${start}${quote}${scopeSelector}_${keyframeName}${quote}${endSpaces}`;\n })\n };\n }\n /**\n * Function used to scope a keyframes name (obtained from an animation declaration)\n * using an existing set of unscopedKeyframes names to discern if the scoping needs to be\n * performed (keyframes names of keyframes not defined in the component's css need not to be\n * scoped).\n *\n * @param keyframe the keyframes name to check.\n * @param scopeSelector the component's scope selector.\n * @param unscopedKeyframesSet the set of unscoped keyframes names.\n *\n * @returns the scoped name of the keyframe, or the original name is the name need not to be\n * scoped.\n */\n _scopeAnimationKeyframe(keyframe, scopeSelector, unscopedKeyframesSet) {\n return keyframe.replace(/^(\\s*)(['\"]?)(.+?)\\2(\\s*)$/, (_, spaces1, quote, name, spaces2) => {\n name = `${unscopedKeyframesSet.has(unescapeQuotes(name, quote)) ? scopeSelector + '_' : ''}${name}`;\n return `${spaces1}${quote}${name}${quote}${spaces2}`;\n });\n }\n /**\n * Scope an animation rule so that the keyframes mentioned in such rule\n * are scoped if defined in the component's css and left untouched otherwise.\n *\n * It can scope values of both the 'animation' and 'animation-name' properties.\n *\n * @param rule css rule to scope.\n * @param scopeSelector the component's scope selector.\n * @param unscopedKeyframesSet the set of unscoped keyframes names.\n *\n * @returns the updated css rule.\n **/\n _scopeAnimationRule(rule, scopeSelector, unscopedKeyframesSet) {\n let content = rule.content.replace(/((?:^|\\s+|;)(?:-webkit-)?animation(?:\\s*):(?:\\s*))([^;]+)/g, (_, start, animationDeclarations) => start + animationDeclarations.replace(this._animationDeclarationKeyframesRe, (original, leadingSpaces, quote = '', quotedName, nonQuotedName) => {\n if (quotedName) {\n return `${leadingSpaces}${this._scopeAnimationKeyframe(`${quote}${quotedName}${quote}`, scopeSelector, unscopedKeyframesSet)}`;\n } else {\n return animationKeywords.has(nonQuotedName) ? original : `${leadingSpaces}${this._scopeAnimationKeyframe(nonQuotedName, scopeSelector, unscopedKeyframesSet)}`;\n }\n }));\n content = content.replace(/((?:^|\\s+|;)(?:-webkit-)?animation-name(?:\\s*):(?:\\s*))([^;]+)/g, (_match, start, commaSeparatedKeyframes) => `${start}${commaSeparatedKeyframes.split(',').map(keyframe => this._scopeAnimationKeyframe(keyframe, scopeSelector, unscopedKeyframesSet)).join(',')}`);\n return {\n ...rule,\n content\n };\n }\n /*\n * Process styles to convert native ShadowDOM rules that will trip\n * up the css parser; we rely on decorating the stylesheet with inert rules.\n *\n * For example, we convert this rule:\n *\n * polyfill-next-selector { content: ':host menu-item'; }\n * ::content menu-item {\n *\n * to this:\n *\n * scopeName menu-item {\n *\n **/\n _insertPolyfillDirectivesInCssText(cssText) {\n return cssText.replace(_cssContentNextSelectorRe, function (...m) {\n return m[2] + '{';\n });\n }\n /*\n * Process styles to add rules which will only apply under the polyfill\n *\n * For example, we convert this rule:\n *\n * polyfill-rule {\n * content: ':host menu-item';\n * ...\n * }\n *\n * to this:\n *\n * scopeName menu-item {...}\n *\n **/\n _insertPolyfillRulesInCssText(cssText) {\n return cssText.replace(_cssContentRuleRe, (...m) => {\n const rule = m[0].replace(m[1], '').replace(m[2], '');\n return m[4] + rule;\n });\n }\n /* Ensure styles are scoped. Pseudo-scoping takes a rule like:\n *\n * .foo {... }\n *\n * and converts this to\n *\n * scopeName .foo { ... }\n */\n _scopeCssText(cssText, scopeSelector, hostSelector) {\n const unscopedRules = this._extractUnscopedRulesFromCssText(cssText);\n // replace :host and :host-context -shadowcsshost and -shadowcsshost respectively\n cssText = this._insertPolyfillHostInCssText(cssText);\n cssText = this._convertColonHost(cssText);\n cssText = this._convertColonHostContext(cssText);\n cssText = this._convertShadowDOMSelectors(cssText);\n if (scopeSelector) {\n cssText = this._scopeKeyframesRelatedCss(cssText, scopeSelector);\n cssText = this._scopeSelectors(cssText, scopeSelector, hostSelector);\n }\n cssText = cssText + '\\n' + unscopedRules;\n return cssText.trim();\n }\n /*\n * Process styles to add rules which will only apply under the polyfill\n * and do not process via CSSOM. (CSSOM is destructive to rules on rare\n * occasions, e.g. -webkit-calc on Safari.)\n * For example, we convert this rule:\n *\n * @polyfill-unscoped-rule {\n * content: 'menu-item';\n * ... }\n *\n * to this:\n *\n * menu-item {...}\n *\n **/\n _extractUnscopedRulesFromCssText(cssText) {\n let r = '';\n let m;\n _cssContentUnscopedRuleRe.lastIndex = 0;\n while ((m = _cssContentUnscopedRuleRe.exec(cssText)) !== null) {\n const rule = m[0].replace(m[2], '').replace(m[1], m[4]);\n r += rule + '\\n\\n';\n }\n return r;\n }\n /*\n * convert a rule like :host(.foo) > .bar { }\n *\n * to\n *\n * .foo<scopeName> > .bar\n */\n _convertColonHost(cssText) {\n return cssText.replace(_cssColonHostRe, (_, hostSelectors, otherSelectors) => {\n if (hostSelectors) {\n const convertedSelectors = [];\n const hostSelectorArray = hostSelectors.split(',').map(p => p.trim());\n for (const hostSelector of hostSelectorArray) {\n if (!hostSelector) break;\n const convertedSelector = _polyfillHostNoCombinator + hostSelector.replace(_polyfillHost, '') + otherSelectors;\n convertedSelectors.push(convertedSelector);\n }\n return convertedSelectors.join(',');\n } else {\n return _polyfillHostNoCombinator + otherSelectors;\n }\n });\n }\n /*\n * convert a rule like :host-context(.foo) > .bar { }\n *\n * to\n *\n * .foo<scopeName> > .bar, .foo <scopeName> > .bar { }\n *\n * and\n *\n * :host-context(.foo:host) .bar { ... }\n *\n * to\n *\n * .foo<scopeName> .bar { ... }\n */\n _convertColonHostContext(cssText) {\n return cssText.replace(_cssColonHostContextReGlobal, selectorText => {\n // We have captured a selector that contains a `:host-context` rule.\n // For backward compatibility `:host-context` may contain a comma separated list of selectors.\n // Each context selector group will contain a list of host-context selectors that must match\n // an ancestor of the host.\n // (Normally `contextSelectorGroups` will only contain a single array of context selectors.)\n const contextSelectorGroups = [[]];\n // There may be more than `:host-context` in this selector so `selectorText` could look like:\n // `:host-context(.one):host-context(.two)`.\n // Execute `_cssColonHostContextRe` over and over until we have extracted all the\n // `:host-context` selectors from this selector.\n let match;\n while (match = _cssColonHostContextRe.exec(selectorText)) {\n // `match` = [':host-context(<selectors>)<rest>', <selectors>, <rest>]\n // The `<selectors>` could actually be a comma separated list: `:host-context(.one, .two)`.\n const newContextSelectors = (match[1] ?? '').trim().split(',').map(m => m.trim()).filter(m => m !== '');\n // We must duplicate the current selector group for each of these new selectors.\n // For example if the current groups are:\n // ```\n // [\n // ['a', 'b', 'c'],\n // ['x', 'y', 'z'],\n // ]\n // ```\n // And we have a new set of comma separated selectors: `:host-context(m,n)` then the new\n // groups are:\n // ```\n // [\n // ['a', 'b', 'c', 'm'],\n // ['x', 'y', 'z', 'm'],\n // ['a', 'b', 'c', 'n'],\n // ['x', 'y', 'z', 'n'],\n // ]\n // ```\n const contextSelectorGroupsLength = contextSelectorGroups.length;\n repeatGroups(contextSelectorGroups, newContextSelectors.length);\n for (let i = 0; i < newContextSelectors.length; i++) {\n for (let j = 0; j < contextSelectorGroupsLength; j++) {\n contextSelectorGroups[j + i * contextSelectorGroupsLength].push(newContextSelectors[i]);\n }\n }\n // Update the `selectorText` and see repeat to see if there are more `:host-context`s.\n selectorText = match[2];\n }\n // The context selectors now must be combined with each other to capture all the possible\n // selectors that `:host-context` can match. See `combineHostContextSelectors()` for more\n // info about how this is done.\n return contextSelectorGroups.map(contextSelectors => combineHostContextSelectors(contextSelectors, selectorText)).join(', ');\n });\n }\n /*\n * Convert combinators like ::shadow and pseudo-elements like ::content\n * by replacing with space.\n */\n _convertShadowDOMSelectors(cssText) {\n return _shadowDOMSelectorsRe.reduce((result, pattern) => result.replace(pattern, ' '), cssText);\n }\n // change a selector like 'div' to 'name div'\n _scopeSelectors(cssText, scopeSelector, hostSelector) {\n return processRules(cssText, rule => {\n let selector = rule.selector;\n let content = rule.content;\n if (rule.selector[0] !== '@') {\n selector = this._scopeSelector(rule.selector, scopeSelector, hostSelector);\n } else if (rule.selector.startsWith('@media') || rule.selector.startsWith('@supports') || rule.selector.startsWith('@document') || rule.selector.startsWith('@layer') || rule.selector.startsWith('@container') || rule.selector.startsWith('@scope')) {\n content = this._scopeSelectors(rule.content, scopeSelector, hostSelector);\n } else if (rule.selector.startsWith('@font-face') || rule.selector.startsWith('@page')) {\n content = this._stripScopingSelectors(rule.content);\n }\n return new CssRule(selector, content);\n });\n }\n /**\n * Handle a css text that is within a rule that should not contain scope selectors by simply\n * removing them! An example of such a rule is `@font-face`.\n *\n * `@font-face` rules cannot contain nested selectors. Nor can they be nested under a selector.\n * Normally this would be a syntax error by the author of the styles. But in some rare cases, such\n * as importing styles from a library, and applying `:host ::ng-deep` to the imported styles, we\n * can end up with broken css if the imported styles happen to contain @font-face rules.\n *\n * For example:\n *\n * ```\n * :host ::ng-deep {\n * import 'some/lib/containing/font-face';\n * }\n *\n * Similar logic applies to `@page` rules which can contain a particular set of properties,\n * as well as some specific at-rules. Since they can't be encapsulated, we have to strip\n * any scoping selectors from them. For more information: https://www.w3.org/TR/css-page-3\n * ```\n */\n _stripScopingSelectors(cssText) {\n return processRules(cssText, rule => {\n const selector = rule.selector.replace(_shadowDeepSelectors, ' ').replace(_polyfillHostNoCombinatorRe, ' ');\n return new CssRule(selector, rule.content);\n });\n }\n _scopeSelector(selector, scopeSelector, hostSelector) {\n return selector.split(',').map(part => part.trim().split(_shadowDeepSelectors)).map(deepParts => {\n const [shallowPart, ...otherParts] = deepParts;\n const applyScope = shallowPart => {\n if (this._selectorNeedsScoping(shallowPart, scopeSelector)) {\n return this._applySelectorScope(shallowPart, scopeSelector, hostSelector);\n } else {\n return shallowPart;\n }\n };\n return [applyScope(shallowPart), ...otherParts].join(' ');\n }).join(', ');\n }\n _selectorNeedsScoping(selector, scopeSelector) {\n const re = this._makeScopeMatcher(scopeSelector);\n return !re.test(selector);\n }\n _makeScopeMatcher(scopeSelector) {\n const lre = /\\[/g;\n const rre = /\\]/g;\n scopeSelector = scopeSelector.replace(lre, '\\\\[').replace(rre, '\\\\]');\n return new RegExp('^(' + scopeSelector + ')' + _selectorReSuffix, 'm');\n }\n // scope via name and [is=name]\n _applySimpleSelectorScope(selector, scopeSelector, hostSelector) {\n // In Android browser, the lastIndex is not reset when the regex is used in String.replace()\n _polyfillHostRe.lastIndex = 0;\n if (_polyfillHostRe.test(selector)) {\n const replaceBy = `[${hostSelector}]`;\n return selector.replace(_polyfillHostNoCombinatorRe, (hnc, selector) => {\n return selector.replace(/([^:]*)(:*)(.*)/, (_, before, colon, after) => {\n return before + replaceBy + colon + after;\n });\n }).replace(_polyfillHostRe, replaceBy + ' ');\n }\n return scopeSelector + ' ' + selector;\n }\n // return a selector with [name] suffix on each simple selector\n // e.g. .foo.bar > .zot becomes .foo[name].bar[name] > .zot[name] /** @internal */\n _applySelectorScope(selector, scopeSelector, hostSelector) {\n const isRe = /\\[is=([^\\]]*)\\]/g;\n scopeSelector = scopeSelector.replace(isRe, (_, ...parts) => parts[0]);\n const attrName = '[' + scopeSelector + ']';\n const _scopeSelectorPart = p => {\n let scopedP = p.trim();\n if (!scopedP) {\n return '';\n }\n if (p.indexOf(_polyfillHostNoCombinator) > -1) {\n scopedP = this._applySimpleSelectorScope(p, scopeSelector, hostSelector);\n } else {\n // remove :host since it should be unnecessary\n const t = p.replace(_polyfillHostRe, '');\n if (t.length > 0) {\n const matches = t.match(/([^:]*)(:*)(.*)/);\n if (matches) {\n scopedP = matches[1] + attrName + matches[2] + matches[3];\n }\n }\n }\n return scopedP;\n };\n const safeContent = new SafeSelector(selector);\n selector = safeContent.content();\n let scopedSelector = '';\n let startIndex = 0;\n let res;\n const sep = /( |>|\\+|~(?!=))\\s*/g;\n // If a selector appears before :host it should not be shimmed as it\n // matches on ancestor elements and not on elements in the host's shadow\n // `:host-context(div)` is transformed to\n // `-shadowcsshost-no-combinatordiv, div -shadowcsshost-no-combinator`\n // the `div` is not part of the component in the 2nd selectors and should not be scoped.\n // Historically `component-tag:host` was matching the component so we also want to preserve\n // this behavior to avoid breaking legacy apps (it should not match).\n // The behavior should be:\n // - `tag:host` -> `tag[h]` (this is to avoid breaking legacy apps, should not match anything)\n // - `tag :host` -> `tag [h]` (`tag` is not scoped because it's considered part of a\n // `:host-context(tag)`)\n const hasHost = selector.indexOf(_polyfillHostNoCombinator) > -1;\n // Only scope parts after the first `-shadowcsshost-no-combinator` when it is present\n let shouldScope = !hasHost;\n while ((res = sep.exec(selector)) !== null) {\n const separator = res[1];\n const part = selector.slice(startIndex, res.index).trim();\n // A space following an escaped hex value and followed by another hex character\n // (ie: \".\\fc ber\" for \".über\") is not a separator between 2 selectors\n // also keep in mind that backslashes are replaced by a placeholder by SafeSelector\n // These escaped selectors happen for example when esbuild runs with optimization.minify.\n if (part.match(_placeholderRe) && selector[res.index + 1]?.match(/[a-fA-F\\d]/)) {\n continue;\n }\n shouldScope = shouldScope || part.indexOf(_polyfillHostNoCombinator) > -1;\n const scopedPart = shouldScope ? _scopeSelectorPart(part) : part;\n scopedSelector += `${scopedPart} ${separator} `;\n startIndex = sep.lastIndex;\n }\n const part = selector.substring(startIndex);\n shouldScope = shouldScope || part.indexOf(_polyfillHostNoCombinator) > -1;\n scopedSelector += shouldScope ? _scopeSelectorPart(part) : part;\n // replace the placeholders with their original values\n return safeContent.restore(scopedSelector);\n }\n _insertPolyfillHostInCssText(selector) {\n return selector.replace(_colonHostContextRe, _polyfillHostContext).replace(_colonHostRe, _polyfillHost);\n }\n}\nclass SafeSelector {\n constructor(selector) {\n this.placeholders = [];\n this.index = 0;\n // Replaces attribute selectors with placeholders.\n // The WS in [attr=\"va lue\"] would otherwise be interpreted as a selector separator.\n selector = this._escapeRegexMatches(selector, /(\\[[^\\]]*\\])/g);\n // CSS allows for certain special characters to be used in selectors if they're escaped.\n // E.g. `.foo:blue` won't match a class called `foo:blue`, because the colon denotes a\n // pseudo-class, but writing `.foo\\:blue` will match, because the colon was escaped.\n // Replace all escape sequences (`\\` followed by a character) with a placeholder so\n // that our handling of pseudo-selectors doesn't mess with them.\n selector = this._escapeRegexMatches(selector, /(\\\\.)/g);\n // Replaces the expression in `:nth-child(2n + 1)` with a placeholder.\n // WS and \"+\" would otherwise be interpreted as selector separators.\n this._content = selector.replace(/(:nth-[-\\w]+)(\\([^)]+\\))/g, (_, pseudo, exp) => {\n const replaceBy = `__ph-${this.index}__`;\n this.placeholders.push(exp);\n this.index++;\n return pseudo + replaceBy;\n });\n }\n restore(content) {\n return content.replace(_placeholderRe, (_ph, index) => this.placeholders[+index]);\n }\n content() {\n return this._content;\n }\n /**\n * Replaces all of the substrings that match a regex within a\n * special string (e.g. `__ph-0__`, `__ph-1__`, etc).\n */\n _escapeRegexMatches(content, pattern) {\n return content.replace(pattern, (_, keep) => {\n const replaceBy = `__ph-${this.index}__`;\n this.placeholders.push(keep);\n this.index++;\n return replaceBy;\n });\n }\n}\nconst _cssContentNextSelectorRe = /polyfill-next-selector[^}]*content:[\\s]*?(['\"])(.*?)\\1[;\\s]*}([^{]*?){/gim;\nconst _cssContentRuleRe = /(polyfill-rule)[^}]*(content:[\\s]*(['\"])(.*?)\\3)[;\\s]*[^}]*}/gim;\nconst _cssContentUnscopedRuleRe = /(polyfill-unscoped-rule)[^}]*(content:[\\s]*(['\"])(.*?)\\3)[;\\s]*[^}]*}/gim;\nconst _polyfillHost = '-shadowcsshost';\n// note: :host-context pre-processed to -shadowcsshostcontext.\nconst _polyfillHostContext = '-shadowcsscontext';\nconst _parenSuffix = '(?:\\\\((' + '(?:\\\\([^)(]*\\\\)|[^)(]*)+?' + ')\\\\))?([^,{]*)';\nconst _cssColonHostRe = new RegExp(_polyfillHost + _parenSuffix, 'gim');\nconst _cssColonHostContextReGlobal = new RegExp(_polyfillHostContext + _parenSuffix, 'gim');\nconst _cssColonHostContextRe = new RegExp(_polyfillHostContext + _parenSuffix, 'im');\nconst _polyfillHostNoCombinator = _polyfillHost + '-no-combinator';\nconst _polyfillHostNoCombinatorRe = /-shadowcsshost-no-combinator([^\\s]*)/;\nconst _shadowDOMSelectorsRe = [/::shadow/g, /::content/g,\n// Deprecated selectors\n/\\/shadow-deep\\//g, /\\/shadow\\//g];\n// The deep combinator is deprecated in the CSS spec\n// Support for `>>>`, `deep`, `::ng-deep` is then also deprecated and will be removed in the future.\n// see https://github.com/angular/angular/pull/17677\nconst _shadowDeepSelectors = /(?:>>>)|(?:\\/deep\\/)|(?:::ng-deep)/g;\nconst _selectorReSuffix = '([>\\\\s~+[.,{:][\\\\s\\\\S]*)?$';\nconst _polyfillHostRe = /-shadowcsshost/gim;\nconst _colonHostRe = /:host/gim;\nconst _colonHostContextRe = /:host-context/gim;\nconst _newLinesRe = /\\r?\\n/g;\nconst _commentRe = /\\/\\*[\\s\\S]*?\\*\\//g;\nconst _commentWithHashRe = /\\/\\*\\s*#\\s*source(Mapping)?URL=/g;\nconst COMMENT_PLACEHOLDER = '%COMMENT%';\nconst _commentWithHashPlaceHolderRe = new RegExp(COMMENT_PLACEHOLDER, 'g');\nconst _placeholderRe = /__ph-(\\d+)__/g;\nconst BLOCK_PLACEHOLDER = '%BLOCK%';\nconst _ruleRe = new RegExp(`(\\\\s*(?:${COMMENT_PLACEHOLDER}\\\\s*)*)([^;\\\\{\\\\}]+?)(\\\\s*)((?:{%BLOCK%}?\\\\s*;?)|(?:\\\\s*;))`, 'g');\nconst CONTENT_PAIRS = new Map([['{', '}']]);\nconst COMMA_IN_PLACEHOLDER = '%COMMA_IN_PLACEHOLDER%';\nconst SEMI_IN_PLACEHOLDER = '%SEMI_IN_PLACEHOLDER%';\nconst COLON_IN_PLACEHOLDER = '%COLON_IN_PLACEHOLDER%';\nconst _cssCommaInPlaceholderReGlobal = new RegExp(COMMA_IN_PLACEHOLDER, 'g');\nconst _cssSemiInPlaceholderReGlobal = new RegExp(SEMI_IN_PLACEHOLDER, 'g');\nconst _cssColonInPlaceholderReGlobal = new RegExp(COLON_IN_PLACEHOLDER, 'g');\nclass CssRule {\n constructor(selector, content) {\n this.selector = selector;\n this.content = content;\n }\n}\nfunction processRules(input, ruleCallback) {\n const escaped = escapeInStrings(input);\n const inputWithEscapedBlocks = escapeBlocks(escaped, CONTENT_PAIRS, BLOCK_PLACEHOLDER);\n let nextBlockIndex = 0;\n const escapedResult = inputWithEscapedBlocks.escapedString.replace(_ruleRe, (...m) => {\n const selector = m[2];\n let content = '';\n let suffix = m[4];\n let contentPrefix = '';\n if (suffix && suffix.startsWith('{' + BLOCK_PLACEHOLDER)) {\n content = inputWithEscapedBlocks.blocks[nextBlockIndex++];\n suffix = suffix.substring(BLOCK_PLACEHOLDER.length + 1);\n contentPrefix = '{';\n }\n const rule = ruleCallback(new CssRule(selector, content));\n return `${m[1]}${rule.selector}${m[3]}${contentPrefix}${rule.content}${suffix}`;\n });\n return unescapeInStrings(escapedResult);\n}\nclass StringWithEscapedBlocks {\n constructor(escapedString, blocks) {\n this.escapedString = escapedString;\n this.blocks = blocks;\n }\n}\nfunction escapeBlocks(input, charPairs, placeholder) {\n const resultParts = [];\n const escapedBlocks = [];\n let openCharCount = 0;\n let nonBlockStartIndex = 0;\n let blockStartIndex = -1;\n let openChar;\n let closeChar;\n for (let i = 0; i < input.length; i++) {\n const char = input[i];\n if (char === '\\\\') {\n i++;\n } else if (char === closeChar) {\n openCharCount--;\n if (openCharCount === 0) {\n escapedBlocks.push(input.substring(blockStartIndex, i));\n resultParts.push(placeholder);\n nonBlockStartIndex = i;\n blockStartIndex = -1;\n openChar = closeChar = undefined;\n }\n } else if (char === openChar) {\n openCharCount++;\n } else if (openCharCount === 0 && charPairs.has(char)) {\n openChar = char;\n closeChar = charPairs.get(char);\n openCharCount = 1;\n blockStartIndex = i + 1;\n resultParts.push(input.substring(nonBlockStartIndex, blockStartIndex));\n }\n }\n if (blockStartIndex !== -1) {\n escapedBlocks.push(input.substring(blockStartIndex));\n resultParts.push(placeholder);\n } else {\n resultParts.push(input.substring(nonBlockStartIndex));\n }\n return new StringWithEscapedBlocks(resultParts.join(''), escapedBlocks);\n}\n/**\n * Object containing as keys characters that should be substituted by placeholders\n * when found in strings during the css text parsing, and as values the respective\n * placeholders\n */\nconst ESCAPE_IN_STRING_MAP = {\n ';': SEMI_IN_PLACEHOLDER,\n ',': COMMA_IN_PLACEHOLDER,\n ':': COLON_IN_PLACEHOLDER\n};\n/**\n * Parse the provided css text and inside strings (meaning, inside pairs of unescaped single or\n * double quotes) replace specific characters with their respective placeholders as indicated\n * by the `ESCAPE_IN_STRING_MAP` map.\n *\n * For example convert the text\n * `animation: \"my-anim:at\\\"ion\" 1s;`\n * to\n * `animation: \"my-anim%COLON_IN_PLACEHOLDER%at\\\"ion\" 1s;`\n *\n * This is necessary in order to remove the meaning of some characters when found inside strings\n * (for example `;` indicates the end of a css declaration, `,` the sequence of values and `:` the\n * division between property and value during a declaration, none of these meanings apply when such\n * characters are within strings and so in order to prevent parsing issues they need to be replaced\n * with placeholder text for the duration of the css manipulation process).\n *\n * @param input the original css text.\n *\n * @returns the css text with specific characters in strings replaced by placeholders.\n **/\nfunction escapeInStrings(input) {\n let result = input;\n let currentQuoteChar = null;\n for (let i = 0; i < result.length; i++) {\n const char = result[i];\n if (char === '\\\\') {\n i++;\n } else {\n if (currentQuoteChar !== null) {\n // index i is inside a quoted sub-string\n if (char === currentQuoteChar) {\n currentQuoteChar = null;\n } else {\n const placeholder = ESCAPE_IN_STRING_MAP[char];\n if (placeholder) {\n result = `${result.substr(0, i)}${placeholder}${result.substr(i + 1)}`;\n i += placeholder.length - 1;\n }\n }\n } else if (char === '\\'' || char === '\"') {\n currentQuoteChar = char;\n }\n }\n }\n return result;\n}\n/**\n * Replace in a string all occurrences of keys in the `ESCAPE_IN_STRING_MAP` map with their\n * original representation, this is simply used to revert the changes applied by the\n * escapeInStrings function.\n *\n * For example it reverts the text:\n * `animation: \"my-anim%COLON_IN_PLACEHOLDER%at\\\"ion\" 1s;`\n * to it's original form of:\n * `animation: \"my-anim:at\\\"ion\" 1s;`\n *\n * Note: For the sake of simplicity this function does not check that the placeholders are\n * actually inside strings as it would anyway be extremely unlikely to find them outside of strings.\n *\n * @param input the css text containing the placeholders.\n *\n * @returns the css text without the placeholders.\n */\nfunction unescapeInStrings(input) {\n let result = input.replace(_cssCommaInPlaceholderReGlobal, ',');\n result = result.replace(_cssSemiInPlaceholderReGlobal, ';');\n result = result.replace(_cssColonInPlaceholderReGlobal, ':');\n return result;\n}\n/**\n * Unescape all quotes present in a string, but only if the string was actually already\n * quoted.\n *\n * This generates a \"canonical\" representation of strings which can be used to match strings\n * which would otherwise only differ because of differently escaped quotes.\n *\n * For example it converts the string (assumed to be quoted):\n * `this \\\\\"is\\\\\" a \\\\'\\\\\\\\'test`\n * to:\n * `this \"is\" a '\\\\\\\\'test`\n * (note that the latter backslashes are not removed as they are not actually escaping the single\n * quote)\n *\n *\n * @param input the string possibly containing escaped quotes.\n * @param isQuoted boolean indicating whether the string was quoted inside a bigger string (if not\n * then it means that it doesn't represent an inner string and thus no unescaping is required)\n *\n * @returns the string in the \"canonical\" representation without escaped quotes.\n */\nfunction unescapeQuotes(str, isQuoted) {\n return !isQuoted ? str : str.replace(/((?:^|[^\\\\])(?:\\\\\\\\)*)\\\\(?=['\"])/g, '$1');\n}\n/**\n * Combine the `contextSelectors` with the `hostMarker` and the `otherSelectors`\n * to create a selector that matches the same as `:host-context()`.\n *\n * Given a single context selector `A` we need to output selectors that match on the host and as an\n * ancestor of the host:\n *\n * ```\n * A <hostMarker>, A<hostMarker> {}\n * ```\n *\n * When there is more than one context selector we also have to create combinations of those\n * selectors with each other. For example if there are `A` and `B` selectors the output is:\n *\n * ```\n * AB<hostMarker>, AB <hostMarker>, A B<hostMarker>,\n * B A<hostMarker>, A B <hostMarker>, B A <hostMarker> {}\n * ```\n *\n * And so on...\n *\n * @param contextSelectors an array of context selectors that will be combined.\n * @param otherSelectors the rest of the selectors that are not context selectors.\n */\nfunction combineHostContextSelectors(contextSelectors, otherSelectors) {\n const hostMarker = _polyfillHostNoCombinator;\n _polyfillHostRe.lastIndex = 0; // reset the regex to ensure we get an accurate test\n const otherSelectorsHasHost = _polyfillHostRe.test(otherSelectors);\n // If there are no context selectors then just output a host marker\n if (contextSelectors.length === 0) {\n return hostMarker + otherSelectors;\n }\n const combined = [contextSelectors.pop() || ''];\n while (contextSelectors.length > 0) {\n const length = combined.length;\n const contextSelector = contextSelectors.pop();\n for (let i = 0; i < length; i++) {\n const previousSelectors = combined[i];\n // Add the new selector as a descendant of the previous selectors\n combined[length * 2 + i] = previousSelectors + ' ' + contextSelector;\n // Add the new selector as an ancestor of the previous selectors\n combined[length + i] = contextSelector + ' ' + previousSelectors;\n // Add the new selector to act on the same element as the previous selectors\n combined[i] = contextSelector + previousSelectors;\n }\n }\n // Finally connect the selector to the `hostMarker`s: either acting directly on the host\n // (A<hostMarker>) or as an ancestor (A <hostMarker>).\n return combined.map(s => otherSelectorsHasHost ? `${s}${otherSelectors}` : `${s}${hostMarker}${otherSelectors}, ${s} ${hostMarker}${otherSelectors}`).join(',');\n}\n/**\n * Mutate the given `groups` array so that there are `multiples` clones of the original array\n * stored.\n *\n * For example `repeatGroups([a, b], 3)` will result in `[a, b, a, b, a, b]` - but importantly the\n * newly added groups will be clones of the original.\n *\n * @param groups An array of groups of strings that will be repeated. This array is mutated\n * in-place.\n * @param multiples The number of times the current groups should appear.\n */\nfunction repeatGroups(groups, multiples) {\n const length = groups.length;\n for (let i = 1; i < multiples; i++) {\n for (let j = 0; j < length; j++) {\n groups[j + i * length] = groups[j].slice(0);\n }\n }\n}\nvar TagContentType;\n(function (TagContentType) {\n TagContentType[TagContentType[\"RAW_TEXT\"] = 0] = \"RAW_TEXT\";\n TagContentType[TagContentType[\"ESCAPABLE_RAW_TEXT\"] = 1] = \"ESCAPABLE_RAW_TEXT\";\n TagContentType[TagContentType[\"PARSABLE_DATA\"] = 2] = \"PARSABLE_DATA\";\n})(TagContentType || (TagContentType = {}));\nfunction splitNsName(elementName) {\n if (elementName[0] != ':') {\n return [null, elementName];\n }\n const colonIndex = elementName.indexOf(':', 1);\n if (colonIndex === -1) {\n throw new Error(`Unsupported format \"${elementName}\" expecting \":namespace:name\"`);\n }\n return [elementName.slice(1, colonIndex), elementName.slice(colonIndex + 1)];\n}\n// `<ng-container>` tags work the same regardless the namespace\nfunction isNgContainer(tagName) {\n return splitNsName(tagName)[1] === 'ng-container';\n}\n// `<ng-content>` tags work the same regardless the namespace\nfunction isNgContent(tagName) {\n return splitNsName(tagName)[1] === 'ng-content';\n}\n// `<ng-template>` tags work the same regardless the namespace\nfunction isNgTemplate(tagName) {\n return splitNsName(tagName)[1] === 'ng-template';\n}\nfunction getNsPrefix(fullName) {\n return fullName === null ? null : splitNsName(fullName)[0];\n}\nfunction mergeNsAndName(prefix, localName) {\n return prefix ? `:${prefix}:${localName}` : localName;\n}\n\n/**\n * Enumeration of the types of attributes which can be applied to an element.\n */\nvar BindingKind;\n(function (BindingKind) {\n /**\n * Static attributes.\n */\n BindingKind[BindingKind[\"Attribute\"] = 0] = \"Attribute\";\n /**\n * Class bindings.\n */\n BindingKind[BindingKind[\"ClassName\"] = 1] = \"ClassName\";\n /**\n * Style bindings.\n */\n BindingKind[BindingKind[\"StyleProperty\"] = 2] = \"StyleProperty\";\n /**\n * Dynamic property bindings.\n */\n BindingKind[BindingKind[\"Property\"] = 3] = \"Property\";\n /**\n * Property or attribute bindings on a template.\n */\n BindingKind[BindingKind[\"Template\"] = 4] = \"Template\";\n /**\n * Internationalized attributes.\n */\n BindingKind[BindingKind[\"I18n\"] = 5] = \"I18n\";\n /**\n * TODO: Consider how Animations are handled, and if they should be a distinct BindingKind.\n */\n BindingKind[BindingKind[\"Animation\"] = 6] = \"Animation\";\n})(BindingKind || (BindingKind = {}));\nconst FLYWEIGHT_ARRAY = Object.freeze([]);\n/**\n * Container for all of the various kinds of attributes which are applied on an element.\n */\nclass ElementAttributes {\n constructor() {\n this.known = new Set();\n this.byKind = new Map();\n this.projectAs = null;\n }\n get attributes() {\n return this.byKind.get(BindingKind.Attribute) ?? FLYWEIGHT_ARRAY;\n }\n get classes() {\n return this.byKind.get(BindingKind.ClassName) ?? FLYWEIGHT_ARRAY;\n }\n get styles() {\n return this.byKind.get(BindingKind.StyleProperty) ?? FLYWEIGHT_ARRAY;\n }\n get bindings() {\n return this.byKind.get(BindingKind.Property) ?? FLYWEIGHT_ARRAY;\n }\n get template() {\n return this.byKind.get(BindingKind.Template) ?? FLYWEIGHT_ARRAY;\n }\n get i18n() {\n return this.byKind.get(BindingKind.I18n) ?? FLYWEIGHT_ARRAY;\n }\n add(kind, name, value) {\n if (this.known.has(name)) {\n return;\n }\n this.known.add(name);\n const array = this.arrayFor(kind);\n array.push(...getAttributeNameLiterals$1(name));\n if (kind === BindingKind.Attribute || kind === BindingKind.StyleProperty) {\n if (value === null) {\n throw Error('Attribute & style element attributes must have a value');\n }\n array.push(value);\n }\n }\n arrayFor(kind) {\n if (!this.byKind.has(kind)) {\n this.byKind.set(kind, []);\n }\n return this.byKind.get(kind);\n }\n}\nfunction getAttributeNameLiterals$1(name) {\n const [attributeNamespace, attributeName] = splitNsName(name);\n const nameLiteral = literal(attributeName);\n if (attributeNamespace) {\n return [literal(0 /* core.AttributeMarker.NamespaceURI */), literal(attributeNamespace), nameLiteral];\n }\n return [nameLiteral];\n}\nfunction assertIsElementAttributes(attrs) {\n if (!(attrs instanceof ElementAttributes)) {\n throw new Error(`AssertionError: ElementAttributes has already been coalesced into the view constants`);\n }\n}\n\n/**\n * Distinguishes different kinds of IR operations.\n *\n * Includes both creation and update operations.\n */\nvar OpKind;\n(function (OpKind) {\n /**\n * A special operation type which is used to represent the beginning and end nodes of a linked\n * list of operations.\n */\n OpKind[OpKind[\"ListEnd\"] = 0] = \"ListEnd\";\n /**\n * An operation which wraps an output AST statement.\n */\n OpKind[OpKind[\"Statement\"] = 1] = \"Statement\";\n /**\n * An operation which declares and initializes a `SemanticVariable`.\n */\n OpKind[OpKind[\"Variable\"] = 2] = \"Variable\";\n /**\n * An operation to begin rendering of an element.\n */\n OpKind[OpKind[\"ElementStart\"] = 3] = \"ElementStart\";\n /**\n * An operation to render an element with no children.\n */\n OpKind[OpKind[\"Element\"] = 4] = \"Element\";\n /**\n * An operation which declares an embedded view.\n */\n OpKind[OpKind[\"Template\"] = 5] = \"Template\";\n /**\n * An operation to end rendering of an element previously started with `ElementStart`.\n */\n OpKind[OpKind[\"ElementEnd\"] = 6] = \"ElementEnd\";\n /**\n * An operation to begin an `ng-container`.\n */\n OpKind[OpKind[\"ContainerStart\"] = 7] = \"ContainerStart\";\n /**\n * An operation for an `ng-container` with no children.\n */\n OpKind[OpKind[\"Container\"] = 8] = \"Container\";\n /**\n * An operation to end an `ng-container`.\n */\n OpKind[OpKind[\"ContainerEnd\"] = 9] = \"ContainerEnd\";\n /**\n * An operation disable binding for subsequent elements, which are descendants of a non-bindable\n * node.\n */\n OpKind[OpKind[\"DisableBindings\"] = 10] = \"DisableBindings\";\n /**\n * An operation to re-enable binding, after it was previously disabled.\n */\n OpKind[OpKind[\"EnableBindings\"] = 11] = \"EnableBindings\";\n /**\n * An operation to render a text node.\n */\n OpKind[OpKind[\"Text\"] = 12] = \"Text\";\n /**\n * An operation declaring an event listener for an element.\n */\n OpKind[OpKind[\"Listener\"] = 13] = \"Listener\";\n /**\n * An operation to interpolate text into a text node.\n */\n OpKind[OpKind[\"InterpolateText\"] = 14] = \"InterpolateText\";\n /**\n * An intermediate binding op, that has not yet been processed into an individual property,\n * attribute, style, etc.\n */\n OpKind[OpKind[\"Binding\"] = 15] = \"Binding\";\n /**\n * An operation to bind an expression to a property of an element.\n */\n OpKind[OpKind[\"Property\"] = 16] = \"Property\";\n /**\n * An operation to bind an expression to a style property of an element.\n */\n OpKind[OpKind[\"StyleProp\"] = 17] = \"StyleProp\";\n /**\n * An operation to bind an expression to a class property of an element.\n */\n OpKind[OpKind[\"ClassProp\"] = 18] = \"ClassProp\";\n /**\n * An operation to bind an expression to the styles of an element.\n */\n OpKind[OpKind[\"StyleMap\"] = 19] = \"StyleMap\";\n /**\n * An operation to bind an expression to the classes of an element.\n */\n OpKind[OpKind[\"ClassMap\"] = 20] = \"ClassMap\";\n /**\n * An operation to advance the runtime's implicit slot context during the update phase of a view.\n */\n OpKind[OpKind[\"Advance\"] = 21] = \"Advance\";\n /**\n * An operation to instantiate a pipe.\n */\n OpKind[OpKind[\"Pipe\"] = 22] = \"Pipe\";\n /**\n * An operation to associate an attribute with an element.\n */\n OpKind[OpKind[\"Attribute\"] = 23] = \"Attribute\";\n /**\n * A host binding property.\n */\n OpKind[OpKind[\"HostProperty\"] = 24] = \"HostProperty\";\n /**\n * A namespace change, which causes the subsequent elements to be processed as either HTML or SVG.\n */\n OpKind[OpKind[\"Namespace\"] = 25] = \"Namespace\";\n // TODO: Add Host Listeners, and possibly other host ops also.\n})(OpKind || (OpKind = {}));\n/**\n * Distinguishes different kinds of IR expressions.\n */\nvar ExpressionKind;\n(function (ExpressionKind) {\n /**\n * Read of a variable in a lexical scope.\n */\n ExpressionKind[ExpressionKind[\"LexicalRead\"] = 0] = \"LexicalRead\";\n /**\n * A reference to the current view context.\n */\n ExpressionKind[ExpressionKind[\"Context\"] = 1] = \"Context\";\n /**\n * Read of a variable declared in a `VariableOp`.\n */\n ExpressionKind[ExpressionKind[\"ReadVariable\"] = 2] = \"ReadVariable\";\n /**\n * Runtime operation to navigate to the next view context in the view hierarchy.\n */\n ExpressionKind[ExpressionKind[\"NextContext\"] = 3] = \"NextContext\";\n /**\n * Runtime operation to retrieve the value of a local reference.\n */\n ExpressionKind[ExpressionKind[\"Reference\"] = 4] = \"Reference\";\n /**\n * Runtime operation to snapshot the current view context.\n */\n ExpressionKind[ExpressionKind[\"GetCurrentView\"] = 5] = \"GetCurrentView\";\n /**\n * Runtime operation to restore a snapshotted view.\n */\n ExpressionKind[ExpressionKind[\"RestoreView\"] = 6] = \"RestoreView\";\n /**\n * Runtime operation to reset the current view context after `RestoreView`.\n */\n ExpressionKind[ExpressionKind[\"ResetView\"] = 7] = \"ResetView\";\n /**\n * Defines and calls a function with change-detected arguments.\n */\n ExpressionKind[ExpressionKind[\"PureFunctionExpr\"] = 8] = \"PureFunctionExpr\";\n /**\n * Indicates a positional parameter to a pure function definition.\n */\n ExpressionKind[ExpressionKind[\"PureFunctionParameterExpr\"] = 9] = \"PureFunctionParameterExpr\";\n /**\n * Binding to a pipe transformation.\n */\n ExpressionKind[ExpressionKind[\"PipeBinding\"] = 10] = \"PipeBinding\";\n /**\n * Binding to a pipe transformation with a variable number of arguments.\n */\n ExpressionKind[ExpressionKind[\"PipeBindingVariadic\"] = 11] = \"PipeBindingVariadic\";\n /*\n * A safe property read requiring expansion into a null check.\n */\n ExpressionKind[ExpressionKind[\"SafePropertyRead\"] = 12] = \"SafePropertyRead\";\n /**\n * A safe keyed read requiring expansion into a null check.\n */\n ExpressionKind[ExpressionKind[\"SafeKeyedRead\"] = 13] = \"SafeKeyedRead\";\n /**\n * A safe function call requiring expansion into a null check.\n */\n ExpressionKind[ExpressionKind[\"SafeInvokeFunction\"] = 14] = \"SafeInvokeFunction\";\n /**\n * An intermediate expression that will be expanded from a safe read into an explicit ternary.\n */\n ExpressionKind[ExpressionKind[\"SafeTernaryExpr\"] = 15] = \"SafeTernaryExpr\";\n /**\n * An empty expression that will be stipped before generating the final output.\n */\n ExpressionKind[ExpressionKind[\"EmptyExpr\"] = 16] = \"EmptyExpr\";\n /*\n * An assignment to a temporary variable.\n */\n ExpressionKind[ExpressionKind[\"AssignTemporaryExpr\"] = 17] = \"AssignTemporaryExpr\";\n /**\n * A reference to a temporary variable.\n */\n ExpressionKind[ExpressionKind[\"ReadTemporaryExpr\"] = 18] = \"ReadTemporaryExpr\";\n /**\n * An expression representing a sanitizer function.\n */\n ExpressionKind[ExpressionKind[\"SanitizerExpr\"] = 19] = \"SanitizerExpr\";\n})(ExpressionKind || (ExpressionKind = {}));\n/**\n * Distinguishes between different kinds of `SemanticVariable`s.\n */\nvar SemanticVariableKind;\n(function (SemanticVariableKind) {\n /**\n * Represents the context of a particular view.\n */\n SemanticVariableKind[SemanticVariableKind[\"Context\"] = 0] = \"Context\";\n /**\n * Represents an identifier declared in the lexical scope of a view.\n */\n SemanticVariableKind[SemanticVariableKind[\"Identifier\"] = 1] = \"Identifier\";\n /**\n * Represents a saved state that can be used to restore a view in a listener handler function.\n */\n SemanticVariableKind[SemanticVariableKind[\"SavedView\"] = 2] = \"SavedView\";\n})(SemanticVariableKind || (SemanticVariableKind = {}));\n/**\n * Whether to compile in compatibilty mode. In compatibility mode, the template pipeline will\n * attempt to match the output of `TemplateDefinitionBuilder` as exactly as possible, at the cost of\n * producing quirky or larger code in some cases.\n */\nvar CompatibilityMode;\n(function (CompatibilityMode) {\n CompatibilityMode[CompatibilityMode[\"Normal\"] = 0] = \"Normal\";\n CompatibilityMode[CompatibilityMode[\"TemplateDefinitionBuilder\"] = 1] = \"TemplateDefinitionBuilder\";\n})(CompatibilityMode || (CompatibilityMode = {}));\n/**\n * Represents functions used to sanitize different pieces of a template.\n */\nvar SanitizerFn;\n(function (SanitizerFn) {\n SanitizerFn[SanitizerFn[\"Html\"] = 0] = \"Html\";\n SanitizerFn[SanitizerFn[\"Script\"] = 1] = \"Script\";\n SanitizerFn[SanitizerFn[\"Style\"] = 2] = \"Style\";\n SanitizerFn[SanitizerFn[\"Url\"] = 3] = \"Url\";\n SanitizerFn[SanitizerFn[\"ResourceUrl\"] = 4] = \"ResourceUrl\";\n SanitizerFn[SanitizerFn[\"IframeAttribute\"] = 5] = \"IframeAttribute\";\n})(SanitizerFn || (SanitizerFn = {}));\n\n/**\n * Marker symbol for `ConsumesSlotOpTrait`.\n */\nconst ConsumesSlot = Symbol('ConsumesSlot');\n/**\n * Marker symbol for `DependsOnSlotContextOpTrait`.\n */\nconst DependsOnSlotContext = Symbol('DependsOnSlotContext');\n/**\n * Marker symbol for `UsesSlotIndex` trait.\n */\nconst UsesSlotIndex = Symbol('UsesSlotIndex');\n/**\n * Marker symbol for `ConsumesVars` trait.\n */\nconst ConsumesVarsTrait = Symbol('ConsumesVars');\n/**\n * Marker symbol for `UsesVarOffset` trait.\n */\nconst UsesVarOffset = Symbol('UsesVarOffset');\n/**\n * Default values for most `ConsumesSlotOpTrait` fields (used with the spread operator to initialize\n * implementors of the trait).\n */\nconst TRAIT_CONSUMES_SLOT = {\n [ConsumesSlot]: true,\n slot: null,\n numSlotsUsed: 1\n};\n/**\n * Default values for most `UsesSlotIndexTrait` fields (used with the spread operator to initialize\n * implementors of the trait).\n */\nconst TRAIT_USES_SLOT_INDEX = {\n [UsesSlotIndex]: true,\n slot: null\n};\n/**\n * Default values for most `DependsOnSlotContextOpTrait` fields (used with the spread operator to\n * initialize implementors of the trait).\n */\nconst TRAIT_DEPENDS_ON_SLOT_CONTEXT = {\n [DependsOnSlotContext]: true\n};\n/**\n * Default values for `UsesVars` fields (used with the spread operator to initialize\n * implementors of the trait).\n */\nconst TRAIT_CONSUMES_VARS = {\n [ConsumesVarsTrait]: true\n};\n/**\n * Default values for `UsesVarOffset` fields (used with the spread operator to initialize\n * implementors of this trait).\n */\nconst TRAIT_USES_VAR_OFFSET = {\n [UsesVarOffset]: true,\n varOffset: null\n};\n/**\n * Test whether an operation implements `ConsumesSlotOpTrait`.\n */\nfunction hasConsumesSlotTrait(op) {\n return op[ConsumesSlot] === true;\n}\n/**\n * Test whether an operation implements `DependsOnSlotContextOpTrait`.\n */\nfunction hasDependsOnSlotContextTrait(op) {\n return op[DependsOnSlotContext] === true;\n}\nfunction hasConsumesVarsTrait(value) {\n return value[ConsumesVarsTrait] === true;\n}\n/**\n * Test whether an expression implements `UsesVarOffsetTrait`.\n */\nfunction hasUsesVarOffsetTrait(expr) {\n return expr[UsesVarOffset] === true;\n}\nfunction hasUsesSlotIndexTrait(value) {\n return value[UsesSlotIndex] === true;\n}\n\n/**\n * Create a `StatementOp`.\n */\nfunction createStatementOp(statement) {\n return {\n kind: OpKind.Statement,\n statement,\n ...NEW_OP\n };\n}\n/**\n * Create a `VariableOp`.\n */\nfunction createVariableOp(xref, variable, initializer) {\n return {\n kind: OpKind.Variable,\n xref,\n variable,\n initializer,\n ...NEW_OP\n };\n}\n/**\n * Static structure shared by all operations.\n *\n * Used as a convenience via the spread operator (`...NEW_OP`) when creating new operations, and\n * ensures the fields are always in the same order.\n */\nconst NEW_OP = {\n debugListId: null,\n prev: null,\n next: null\n};\n\n/**\n * Create an `InterpolationTextOp`.\n */\nfunction createInterpolateTextOp(xref, interpolation, sourceSpan) {\n return {\n kind: OpKind.InterpolateText,\n target: xref,\n interpolation,\n sourceSpan,\n ...TRAIT_DEPENDS_ON_SLOT_CONTEXT,\n ...TRAIT_CONSUMES_VARS,\n ...NEW_OP\n };\n}\nclass Interpolation {\n constructor(strings, expressions) {\n this.strings = strings;\n this.expressions = expressions;\n }\n}\n/**\n * Create a `BindingOp`, not yet transformed into a particular type of binding.\n */\nfunction createBindingOp(target, kind, name, expression, unit, securityContext, isTemplate, sourceSpan) {\n return {\n kind: OpKind.Binding,\n bindingKind: kind,\n target,\n name,\n expression,\n unit,\n securityContext,\n isTemplate,\n sourceSpan,\n ...NEW_OP\n };\n}\n/**\n * Create a `PropertyOp`.\n */\nfunction createPropertyOp(target, name, expression, isAnimationTrigger, securityContext, isTemplate, sourceSpan) {\n return {\n kind: OpKind.Property,\n target,\n name,\n expression,\n isAnimationTrigger,\n securityContext,\n sanitizer: null,\n isTemplate,\n sourceSpan,\n ...TRAIT_DEPENDS_ON_SLOT_CONTEXT,\n ...TRAIT_CONSUMES_VARS,\n ...NEW_OP\n };\n}\n/** Create a `StylePropOp`. */\nfunction createStylePropOp(xref, name, expression, unit, sourceSpan) {\n return {\n kind: OpKind.StyleProp,\n target: xref,\n name,\n expression,\n unit,\n sourceSpan,\n ...TRAIT_DEPENDS_ON_SLOT_CONTEXT,\n ...TRAIT_CONSUMES_VARS,\n ...NEW_OP\n };\n}\n/**\n * Create a `ClassPropOp`.\n */\nfunction createClassPropOp(xref, name, expression, sourceSpan) {\n return {\n kind: OpKind.ClassProp,\n target: xref,\n name,\n expression,\n sourceSpan,\n ...TRAIT_DEPENDS_ON_SLOT_CONTEXT,\n ...TRAIT_CONSUMES_VARS,\n ...NEW_OP\n };\n}\n/** Create a `StyleMapOp`. */\nfunction createStyleMapOp(xref, expression, sourceSpan) {\n return {\n kind: OpKind.StyleMap,\n target: xref,\n expression,\n sourceSpan,\n ...TRAIT_DEPENDS_ON_SLOT_CONTEXT,\n ...TRAIT_CONSUMES_VARS,\n ...NEW_OP\n };\n}\n/**\n * Create a `ClassMapOp`.\n */\nfunction createClassMapOp(xref, expression, sourceSpan) {\n return {\n kind: OpKind.ClassMap,\n target: xref,\n expression,\n sourceSpan,\n ...TRAIT_DEPENDS_ON_SLOT_CONTEXT,\n ...TRAIT_CONSUMES_VARS,\n ...NEW_OP\n };\n}\n/**\n * Create an `AttributeOp`.\n */\nfunction createAttributeOp(target, name, expression, securityContext, isTemplate, sourceSpan) {\n return {\n kind: OpKind.Attribute,\n target,\n name,\n expression,\n securityContext,\n sanitizer: null,\n isTemplate,\n sourceSpan,\n ...TRAIT_DEPENDS_ON_SLOT_CONTEXT,\n ...TRAIT_CONSUMES_VARS,\n ...NEW_OP\n };\n}\n/**\n * Create an `AdvanceOp`.\n */\nfunction createAdvanceOp(delta, sourceSpan) {\n return {\n kind: OpKind.Advance,\n delta,\n sourceSpan,\n ...NEW_OP\n };\n}\nvar _a, _b, _c, _d, _e, _f, _g, _h, _j;\n/**\n * Check whether a given `o.Expression` is a logical IR expression type.\n */\nfunction isIrExpression(expr) {\n return expr instanceof ExpressionBase;\n}\n/**\n * Base type used for all logical IR expressions.\n */\nclass ExpressionBase extends Expression {\n constructor(sourceSpan = null) {\n super(null, sourceSpan);\n }\n}\n/**\n * Logical expression representing a lexical read of a variable name.\n */\nclass LexicalReadExpr extends ExpressionBase {\n constructor(name) {\n super();\n this.name = name;\n this.kind = ExpressionKind.LexicalRead;\n }\n visitExpression(visitor, context) {}\n isEquivalent() {\n return false;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions() {}\n clone() {\n return new LexicalReadExpr(this.name);\n }\n}\n/**\n * Runtime operation to retrieve the value of a local reference.\n */\nclass ReferenceExpr extends ExpressionBase {\n static {\n _a = UsesSlotIndex;\n }\n constructor(target, offset) {\n super();\n this.target = target;\n this.offset = offset;\n this.kind = ExpressionKind.Reference;\n this[_a] = true;\n this.slot = null;\n }\n visitExpression() {}\n isEquivalent(e) {\n return e instanceof ReferenceExpr && e.target === this.target;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions() {}\n clone() {\n const expr = new ReferenceExpr(this.target, this.offset);\n expr.slot = this.slot;\n return expr;\n }\n}\n/**\n * A reference to the current view context (usually the `ctx` variable in a template function).\n */\nclass ContextExpr extends ExpressionBase {\n constructor(view) {\n super();\n this.view = view;\n this.kind = ExpressionKind.Context;\n }\n visitExpression() {}\n isEquivalent(e) {\n return e instanceof ContextExpr && e.view === this.view;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions() {}\n clone() {\n return new ContextExpr(this.view);\n }\n}\n/**\n * Runtime operation to navigate to the next view context in the view hierarchy.\n */\nclass NextContextExpr extends ExpressionBase {\n constructor() {\n super();\n this.kind = ExpressionKind.NextContext;\n this.steps = 1;\n }\n visitExpression() {}\n isEquivalent(e) {\n return e instanceof NextContextExpr && e.steps === this.steps;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions() {}\n clone() {\n const expr = new NextContextExpr();\n expr.steps = this.steps;\n return expr;\n }\n}\n/**\n * Runtime operation to snapshot the current view context.\n *\n * The result of this operation can be stored in a variable and later used with the `RestoreView`\n * operation.\n */\nclass GetCurrentViewExpr extends ExpressionBase {\n constructor() {\n super();\n this.kind = ExpressionKind.GetCurrentView;\n }\n visitExpression() {}\n isEquivalent(e) {\n return e instanceof GetCurrentViewExpr;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions() {}\n clone() {\n return new GetCurrentViewExpr();\n }\n}\n/**\n * Runtime operation to restore a snapshotted view.\n */\nclass RestoreViewExpr extends ExpressionBase {\n constructor(view) {\n super();\n this.view = view;\n this.kind = ExpressionKind.RestoreView;\n }\n visitExpression(visitor, context) {\n if (typeof this.view !== 'number') {\n this.view.visitExpression(visitor, context);\n }\n }\n isEquivalent(e) {\n if (!(e instanceof RestoreViewExpr) || typeof e.view !== typeof this.view) {\n return false;\n }\n if (typeof this.view === 'number') {\n return this.view === e.view;\n } else {\n return this.view.isEquivalent(e.view);\n }\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions(transform, flags) {\n if (typeof this.view !== 'number') {\n this.view = transformExpressionsInExpression(this.view, transform, flags);\n }\n }\n clone() {\n return new RestoreViewExpr(this.view instanceof Expression ? this.view.clone() : this.view);\n }\n}\n/**\n * Runtime operation to reset the current view context after `RestoreView`.\n */\nclass ResetViewExpr extends ExpressionBase {\n constructor(expr) {\n super();\n this.expr = expr;\n this.kind = ExpressionKind.ResetView;\n }\n visitExpression(visitor, context) {\n this.expr.visitExpression(visitor, context);\n }\n isEquivalent(e) {\n return e instanceof ResetViewExpr && this.expr.isEquivalent(e.expr);\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions(transform, flags) {\n this.expr = transformExpressionsInExpression(this.expr, transform, flags);\n }\n clone() {\n return new ResetViewExpr(this.expr.clone());\n }\n}\n/**\n * Read of a variable declared as an `ir.VariableOp` and referenced through its `ir.XrefId`.\n */\nclass ReadVariableExpr extends ExpressionBase {\n constructor(xref) {\n super();\n this.xref = xref;\n this.kind = ExpressionKind.ReadVariable;\n this.name = null;\n }\n visitExpression() {}\n isEquivalent(other) {\n return other instanceof ReadVariableExpr && other.xref === this.xref;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions() {}\n clone() {\n const expr = new ReadVariableExpr(this.xref);\n expr.name = this.name;\n return expr;\n }\n}\nclass PureFunctionExpr extends ExpressionBase {\n static {\n _b = ConsumesVarsTrait, _c = UsesVarOffset;\n }\n constructor(expression, args) {\n super();\n this.kind = ExpressionKind.PureFunctionExpr;\n this[_b] = true;\n this[_c] = true;\n this.varOffset = null;\n /**\n * Once extracted to the `ConstantPool`, a reference to the function which defines the computation\n * of `body`.\n */\n this.fn = null;\n this.body = expression;\n this.args = args;\n }\n visitExpression(visitor, context) {\n this.body?.visitExpression(visitor, context);\n for (const arg of this.args) {\n arg.visitExpression(visitor, context);\n }\n }\n isEquivalent(other) {\n if (!(other instanceof PureFunctionExpr) || other.args.length !== this.args.length) {\n return false;\n }\n return other.body !== null && this.body !== null && other.body.isEquivalent(this.body) && other.args.every((arg, idx) => arg.isEquivalent(this.args[idx]));\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions(transform, flags) {\n if (this.body !== null) {\n // TODO: figure out if this is the right flag to pass here.\n this.body = transformExpressionsInExpression(this.body, transform, flags | VisitorContextFlag.InChildOperation);\n } else if (this.fn !== null) {\n this.fn = transformExpressionsInExpression(this.fn, transform, flags);\n }\n for (let i = 0; i < this.args.length; i++) {\n this.args[i] = transformExpressionsInExpression(this.args[i], transform, flags);\n }\n }\n clone() {\n const expr = new PureFunctionExpr(this.body?.clone() ?? null, this.args.map(arg => arg.clone()));\n expr.fn = this.fn?.clone() ?? null;\n expr.varOffset = this.varOffset;\n return expr;\n }\n}\nclass PureFunctionParameterExpr extends ExpressionBase {\n constructor(index) {\n super();\n this.index = index;\n this.kind = ExpressionKind.PureFunctionParameterExpr;\n }\n visitExpression() {}\n isEquivalent(other) {\n return other instanceof PureFunctionParameterExpr && other.index === this.index;\n }\n isConstant() {\n return true;\n }\n transformInternalExpressions() {}\n clone() {\n return new PureFunctionParameterExpr(this.index);\n }\n}\nclass PipeBindingExpr extends ExpressionBase {\n static {\n _d = UsesSlotIndex, _e = ConsumesVarsTrait, _f = UsesVarOffset;\n }\n constructor(target, name, args) {\n super();\n this.target = target;\n this.name = name;\n this.args = args;\n this.kind = ExpressionKind.PipeBinding;\n this[_d] = true;\n this[_e] = true;\n this[_f] = true;\n this.slot = null;\n this.varOffset = null;\n }\n visitExpression(visitor, context) {\n for (const arg of this.args) {\n arg.visitExpression(visitor, context);\n }\n }\n isEquivalent() {\n return false;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions(transform, flags) {\n for (let idx = 0; idx < this.args.length; idx++) {\n this.args[idx] = transformExpressionsInExpression(this.args[idx], transform, flags);\n }\n }\n clone() {\n const r = new PipeBindingExpr(this.target, this.name, this.args.map(a => a.clone()));\n r.slot = this.slot;\n r.varOffset = this.varOffset;\n return r;\n }\n}\nclass PipeBindingVariadicExpr extends ExpressionBase {\n static {\n _g = UsesSlotIndex, _h = ConsumesVarsTrait, _j = UsesVarOffset;\n }\n constructor(target, name, args, numArgs) {\n super();\n this.target = target;\n this.name = name;\n this.args = args;\n this.numArgs = numArgs;\n this.kind = ExpressionKind.PipeBindingVariadic;\n this[_g] = true;\n this[_h] = true;\n this[_j] = true;\n this.slot = null;\n this.varOffset = null;\n }\n visitExpression(visitor, context) {\n this.args.visitExpression(visitor, context);\n }\n isEquivalent() {\n return false;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions(transform, flags) {\n this.args = transformExpressionsInExpression(this.args, transform, flags);\n }\n clone() {\n const r = new PipeBindingVariadicExpr(this.target, this.name, this.args.clone(), this.numArgs);\n r.slot = this.slot;\n r.varOffset = this.varOffset;\n return r;\n }\n}\nclass SafePropertyReadExpr extends ExpressionBase {\n constructor(receiver, name) {\n super();\n this.receiver = receiver;\n this.name = name;\n this.kind = ExpressionKind.SafePropertyRead;\n }\n // An alias for name, which allows other logic to handle property reads and keyed reads together.\n get index() {\n return this.name;\n }\n visitExpression(visitor, context) {\n this.receiver.visitExpression(visitor, context);\n }\n isEquivalent() {\n return false;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions(transform, flags) {\n this.receiver = transformExpressionsInExpression(this.receiver, transform, flags);\n }\n clone() {\n return new SafePropertyReadExpr(this.receiver.clone(), this.name);\n }\n}\nclass SafeKeyedReadExpr extends ExpressionBase {\n constructor(receiver, index) {\n super();\n this.receiver = receiver;\n this.index = index;\n this.kind = ExpressionKind.SafeKeyedRead;\n }\n visitExpression(visitor, context) {\n this.receiver.visitExpression(visitor, context);\n this.index.visitExpression(visitor, context);\n }\n isEquivalent() {\n return false;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions(transform, flags) {\n this.receiver = transformExpressionsInExpression(this.receiver, transform, flags);\n this.index = transformExpressionsInExpression(this.index, transform, flags);\n }\n clone() {\n return new SafeKeyedReadExpr(this.receiver.clone(), this.index.clone());\n }\n}\nclass SafeInvokeFunctionExpr extends ExpressionBase {\n constructor(receiver, args) {\n super();\n this.receiver = receiver;\n this.args = args;\n this.kind = ExpressionKind.SafeInvokeFunction;\n }\n visitExpression(visitor, context) {\n this.receiver.visitExpression(visitor, context);\n for (const a of this.args) {\n a.visitExpression(visitor, context);\n }\n }\n isEquivalent() {\n return false;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions(transform, flags) {\n this.receiver = transformExpressionsInExpression(this.receiver, transform, flags);\n for (let i = 0; i < this.args.length; i++) {\n this.args[i] = transformExpressionsInExpression(this.args[i], transform, flags);\n }\n }\n clone() {\n return new SafeInvokeFunctionExpr(this.receiver.clone(), this.args.map(a => a.clone()));\n }\n}\nclass SafeTernaryExpr extends ExpressionBase {\n constructor(guard, expr) {\n super();\n this.guard = guard;\n this.expr = expr;\n this.kind = ExpressionKind.SafeTernaryExpr;\n }\n visitExpression(visitor, context) {\n this.guard.visitExpression(visitor, context);\n this.expr.visitExpression(visitor, context);\n }\n isEquivalent() {\n return false;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions(transform, flags) {\n this.guard = transformExpressionsInExpression(this.guard, transform, flags);\n this.expr = transformExpressionsInExpression(this.expr, transform, flags);\n }\n clone() {\n return new SafeTernaryExpr(this.guard.clone(), this.expr.clone());\n }\n}\nclass EmptyExpr extends ExpressionBase {\n constructor() {\n super(...arguments);\n this.kind = ExpressionKind.EmptyExpr;\n }\n visitExpression(visitor, context) {}\n isEquivalent(e) {\n return e instanceof EmptyExpr;\n }\n isConstant() {\n return true;\n }\n clone() {\n return new EmptyExpr();\n }\n transformInternalExpressions() {}\n}\nclass AssignTemporaryExpr extends ExpressionBase {\n constructor(expr, xref) {\n super();\n this.expr = expr;\n this.xref = xref;\n this.kind = ExpressionKind.AssignTemporaryExpr;\n this.name = null;\n }\n visitExpression(visitor, context) {\n this.expr.visitExpression(visitor, context);\n }\n isEquivalent() {\n return false;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions(transform, flags) {\n this.expr = transformExpressionsInExpression(this.expr, transform, flags);\n }\n clone() {\n const a = new AssignTemporaryExpr(this.expr.clone(), this.xref);\n a.name = this.name;\n return a;\n }\n}\nclass ReadTemporaryExpr extends ExpressionBase {\n constructor(xref) {\n super();\n this.xref = xref;\n this.kind = ExpressionKind.ReadTemporaryExpr;\n this.name = null;\n }\n visitExpression(visitor, context) {}\n isEquivalent() {\n return this.xref === this.xref;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions(transform, flags) {}\n clone() {\n const r = new ReadTemporaryExpr(this.xref);\n r.name = this.name;\n return r;\n }\n}\nclass SanitizerExpr extends ExpressionBase {\n constructor(fn) {\n super();\n this.fn = fn;\n this.kind = ExpressionKind.SanitizerExpr;\n }\n visitExpression(visitor, context) {}\n isEquivalent(e) {\n return e instanceof SanitizerExpr && e.fn === this.fn;\n }\n isConstant() {\n return true;\n }\n clone() {\n return new SanitizerExpr(this.fn);\n }\n transformInternalExpressions() {}\n}\n/**\n * Visits all `Expression`s in the AST of `op` with the `visitor` function.\n */\nfunction visitExpressionsInOp(op, visitor) {\n transformExpressionsInOp(op, (expr, flags) => {\n visitor(expr, flags);\n return expr;\n }, VisitorContextFlag.None);\n}\nvar VisitorContextFlag;\n(function (VisitorContextFlag) {\n VisitorContextFlag[VisitorContextFlag[\"None\"] = 0] = \"None\";\n VisitorContextFlag[VisitorContextFlag[\"InChildOperation\"] = 1] = \"InChildOperation\";\n})(VisitorContextFlag || (VisitorContextFlag = {}));\nfunction transformExpressionsInInterpolation(interpolation, transform, flags) {\n for (let i = 0; i < interpolation.expressions.length; i++) {\n interpolation.expressions[i] = transformExpressionsInExpression(interpolation.expressions[i], transform, flags);\n }\n}\n/**\n * Transform all `Expression`s in the AST of `op` with the `transform` function.\n *\n * All such operations will be replaced with the result of applying `transform`, which may be an\n * identity transformation.\n */\nfunction transformExpressionsInOp(op, transform, flags) {\n switch (op.kind) {\n case OpKind.StyleProp:\n case OpKind.StyleMap:\n case OpKind.ClassProp:\n case OpKind.ClassMap:\n case OpKind.Binding:\n case OpKind.HostProperty:\n if (op.expression instanceof Interpolation) {\n transformExpressionsInInterpolation(op.expression, transform, flags);\n } else {\n op.expression = transformExpressionsInExpression(op.expression, transform, flags);\n }\n break;\n case OpKind.Property:\n case OpKind.Attribute:\n if (op.expression instanceof Interpolation) {\n transformExpressionsInInterpolation(op.expression, transform, flags);\n } else {\n op.expression = transformExpressionsInExpression(op.expression, transform, flags);\n }\n op.sanitizer = op.sanitizer && transformExpressionsInExpression(op.sanitizer, transform, flags);\n break;\n case OpKind.InterpolateText:\n transformExpressionsInInterpolation(op.interpolation, transform, flags);\n break;\n case OpKind.Statement:\n transformExpressionsInStatement(op.statement, transform, flags);\n break;\n case OpKind.Variable:\n op.initializer = transformExpressionsInExpression(op.initializer, transform, flags);\n break;\n case OpKind.Listener:\n for (const innerOp of op.handlerOps) {\n transformExpressionsInOp(innerOp, transform, flags | VisitorContextFlag.InChildOperation);\n }\n break;\n case OpKind.Element:\n case OpKind.ElementStart:\n case OpKind.ElementEnd:\n case OpKind.Container:\n case OpKind.ContainerStart:\n case OpKind.ContainerEnd:\n case OpKind.Template:\n case OpKind.DisableBindings:\n case OpKind.EnableBindings:\n case OpKind.Text:\n case OpKind.Pipe:\n case OpKind.Advance:\n case OpKind.Namespace:\n // These operations contain no expressions.\n break;\n default:\n throw new Error(`AssertionError: transformExpressionsInOp doesn't handle ${OpKind[op.kind]}`);\n }\n}\n/**\n * Transform all `Expression`s in the AST of `expr` with the `transform` function.\n *\n * All such operations will be replaced with the result of applying `transform`, which may be an\n * identity transformation.\n */\nfunction transformExpressionsInExpression(expr, transform, flags) {\n if (expr instanceof ExpressionBase) {\n expr.transformInternalExpressions(transform, flags);\n } else if (expr instanceof BinaryOperatorExpr) {\n expr.lhs = transformExpressionsInExpression(expr.lhs, transform, flags);\n expr.rhs = transformExpressionsInExpression(expr.rhs, transform, flags);\n } else if (expr instanceof ReadPropExpr) {\n expr.receiver = transformExpressionsInExpression(expr.receiver, transform, flags);\n } else if (expr instanceof ReadKeyExpr) {\n expr.receiver = transformExpressionsInExpression(expr.receiver, transform, flags);\n expr.index = transformExpressionsInExpression(expr.index, transform, flags);\n } else if (expr instanceof WritePropExpr) {\n expr.receiver = transformExpressionsInExpression(expr.receiver, transform, flags);\n expr.value = transformExpressionsInExpression(expr.value, transform, flags);\n } else if (expr instanceof WriteKeyExpr) {\n expr.receiver = transformExpressionsInExpression(expr.receiver, transform, flags);\n expr.index = transformExpressionsInExpression(expr.index, transform, flags);\n expr.value = transformExpressionsInExpression(expr.value, transform, flags);\n } else if (expr instanceof InvokeFunctionExpr) {\n expr.fn = transformExpressionsInExpression(expr.fn, transform, flags);\n for (let i = 0; i < expr.args.length; i++) {\n expr.args[i] = transformExpressionsInExpression(expr.args[i], transform, flags);\n }\n } else if (expr instanceof LiteralArrayExpr) {\n for (let i = 0; i < expr.entries.length; i++) {\n expr.entries[i] = transformExpressionsInExpression(expr.entries[i], transform, flags);\n }\n } else if (expr instanceof LiteralMapExpr) {\n for (let i = 0; i < expr.entries.length; i++) {\n expr.entries[i].value = transformExpressionsInExpression(expr.entries[i].value, transform, flags);\n }\n } else if (expr instanceof ConditionalExpr) {\n expr.condition = transformExpressionsInExpression(expr.condition, transform, flags);\n expr.trueCase = transformExpressionsInExpression(expr.trueCase, transform, flags);\n if (expr.falseCase !== null) {\n expr.falseCase = transformExpressionsInExpression(expr.falseCase, transform, flags);\n }\n } else if (expr instanceof ReadVarExpr || expr instanceof ExternalExpr || expr instanceof LiteralExpr) {\n // No action for these types.\n } else {\n throw new Error(`Unhandled expression kind: ${expr.constructor.name}`);\n }\n return transform(expr, flags);\n}\n/**\n * Transform all `Expression`s in the AST of `stmt` with the `transform` function.\n *\n * All such operations will be replaced with the result of applying `transform`, which may be an\n * identity transformation.\n */\nfunction transformExpressionsInStatement(stmt, transform, flags) {\n if (stmt instanceof ExpressionStatement) {\n stmt.expr = transformExpressionsInExpression(stmt.expr, transform, flags);\n } else if (stmt instanceof ReturnStatement) {\n stmt.value = transformExpressionsInExpression(stmt.value, transform, flags);\n } else if (stmt instanceof DeclareVarStmt) {\n if (stmt.value !== undefined) {\n stmt.value = transformExpressionsInExpression(stmt.value, transform, flags);\n }\n } else {\n throw new Error(`Unhandled statement kind: ${stmt.constructor.name}`);\n }\n}\n\n/**\n * A linked list of `Op` nodes of a given subtype.\n *\n * @param OpT specific subtype of `Op` nodes which this list contains.\n */\nclass OpList {\n static {\n this.nextListId = 0;\n }\n constructor() {\n /**\n * Debug ID of this `OpList` instance.\n */\n this.debugListId = OpList.nextListId++;\n // OpList uses static head/tail nodes of a special `ListEnd` type.\n // This avoids the need for special casing of the first and last list\n // elements in all list operations.\n this.head = {\n kind: OpKind.ListEnd,\n next: null,\n prev: null,\n debugListId: this.debugListId\n };\n this.tail = {\n kind: OpKind.ListEnd,\n next: null,\n prev: null,\n debugListId: this.debugListId\n };\n // Link `head` and `tail` together at the start (list is empty).\n this.head.next = this.tail;\n this.tail.prev = this.head;\n }\n /**\n * Push a new operation to the tail of the list.\n */\n push(op) {\n OpList.assertIsNotEnd(op);\n OpList.assertIsUnowned(op);\n op.debugListId = this.debugListId;\n // The old \"previous\" node (which might be the head, if the list is empty).\n const oldLast = this.tail.prev;\n // Insert `op` following the old last node.\n op.prev = oldLast;\n oldLast.next = op;\n // Connect `op` with the list tail.\n op.next = this.tail;\n this.tail.prev = op;\n }\n /**\n * Prepend one or more nodes to the start of the list.\n */\n prepend(ops) {\n if (ops.length === 0) {\n return;\n }\n for (const op of ops) {\n OpList.assertIsNotEnd(op);\n OpList.assertIsUnowned(op);\n op.debugListId = this.debugListId;\n }\n const first = this.head.next;\n let prev = this.head;\n for (const op of ops) {\n prev.next = op;\n op.prev = prev;\n prev = op;\n }\n prev.next = first;\n first.prev = prev;\n }\n /**\n * `OpList` is iterable via the iteration protocol.\n *\n * It's safe to mutate the part of the list that has already been returned by the iterator, up to\n * and including the last operation returned. Mutations beyond that point _may_ be safe, but may\n * also corrupt the iteration position and should be avoided.\n */\n *[Symbol.iterator]() {\n let current = this.head.next;\n while (current !== this.tail) {\n // Guards against corruption of the iterator state by mutations to the tail of the list during\n // iteration.\n OpList.assertIsOwned(current, this.debugListId);\n const next = current.next;\n yield current;\n current = next;\n }\n }\n *reversed() {\n let current = this.tail.prev;\n while (current !== this.head) {\n OpList.assertIsOwned(current, this.debugListId);\n const prev = current.prev;\n yield current;\n current = prev;\n }\n }\n /**\n * Replace `oldOp` with `newOp` in the list.\n */\n static replace(oldOp, newOp) {\n OpList.assertIsNotEnd(oldOp);\n OpList.assertIsNotEnd(newOp);\n OpList.assertIsOwned(oldOp);\n OpList.assertIsUnowned(newOp);\n newOp.debugListId = oldOp.debugListId;\n if (oldOp.prev !== null) {\n oldOp.prev.next = newOp;\n newOp.prev = oldOp.prev;\n }\n if (oldOp.next !== null) {\n oldOp.next.prev = newOp;\n newOp.next = oldOp.next;\n }\n oldOp.debugListId = null;\n oldOp.prev = null;\n oldOp.next = null;\n }\n /**\n * Replace `oldOp` with some number of new operations in the list (which may include `oldOp`).\n */\n static replaceWithMany(oldOp, newOps) {\n if (newOps.length === 0) {\n // Replacing with an empty list -> pure removal.\n OpList.remove(oldOp);\n return;\n }\n OpList.assertIsNotEnd(oldOp);\n OpList.assertIsOwned(oldOp);\n const listId = oldOp.debugListId;\n oldOp.debugListId = null;\n for (const newOp of newOps) {\n OpList.assertIsNotEnd(newOp);\n // `newOp` might be `oldOp`, but at this point it's been marked as unowned.\n OpList.assertIsUnowned(newOp);\n }\n // It should be safe to reuse `oldOp` in the `newOps` list - maybe you want to sandwich an\n // operation between two new ops.\n const {\n prev: oldPrev,\n next: oldNext\n } = oldOp;\n oldOp.prev = null;\n oldOp.next = null;\n let prev = oldPrev;\n for (const newOp of newOps) {\n this.assertIsUnowned(newOp);\n newOp.debugListId = listId;\n prev.next = newOp;\n newOp.prev = prev;\n // This _should_ be the case, but set it just in case.\n newOp.next = null;\n prev = newOp;\n }\n // At the end of iteration, `prev` holds the last node in the list.\n const first = newOps[0];\n const last = prev;\n // Replace `oldOp` with the chain `first` -> `last`.\n if (oldPrev !== null) {\n oldPrev.next = first;\n first.prev = oldOp.prev;\n }\n if (oldNext !== null) {\n oldNext.prev = last;\n last.next = oldNext;\n }\n }\n /**\n * Remove the given node from the list which contains it.\n */\n static remove(op) {\n OpList.assertIsNotEnd(op);\n OpList.assertIsOwned(op);\n op.prev.next = op.next;\n op.next.prev = op.prev;\n // Break any link between the node and this list to safeguard against its usage in future\n // operations.\n op.debugListId = null;\n op.prev = null;\n op.next = null;\n }\n /**\n * Insert `op` before `target`.\n */\n static insertBefore(op, target) {\n OpList.assertIsOwned(target);\n if (target.prev === null) {\n throw new Error(`AssertionError: illegal operation on list start`);\n }\n OpList.assertIsNotEnd(op);\n OpList.assertIsUnowned(op);\n op.debugListId = target.debugListId;\n // Just in case.\n op.prev = null;\n target.prev.next = op;\n op.prev = target.prev;\n op.next = target;\n target.prev = op;\n }\n /**\n * Insert `op` after `target`.\n */\n static insertAfter(op, target) {\n OpList.assertIsOwned(target);\n if (target.next === null) {\n throw new Error(`AssertionError: illegal operation on list end`);\n }\n OpList.assertIsNotEnd(op);\n OpList.assertIsUnowned(op);\n op.debugListId = target.debugListId;\n target.next.prev = op;\n op.next = target.next;\n op.prev = target;\n target.next = op;\n }\n /**\n * Asserts that `op` does not currently belong to a list.\n */\n static assertIsUnowned(op) {\n if (op.debugListId !== null) {\n throw new Error(`AssertionError: illegal operation on owned node: ${OpKind[op.kind]}`);\n }\n }\n /**\n * Asserts that `op` currently belongs to a list. If `byList` is passed, `op` is asserted to\n * specifically belong to that list.\n */\n static assertIsOwned(op, byList) {\n if (op.debugListId === null) {\n throw new Error(`AssertionError: illegal operation on unowned node: ${OpKind[op.kind]}`);\n } else if (byList !== undefined && op.debugListId !== byList) {\n throw new Error(`AssertionError: node belongs to the wrong list (expected ${byList}, actual ${op.debugListId})`);\n }\n }\n /**\n * Asserts that `op` is not a special `ListEnd` node.\n */\n static assertIsNotEnd(op) {\n if (op.kind === OpKind.ListEnd) {\n throw new Error(`AssertionError: illegal operation on list head or tail`);\n }\n }\n}\n\n/**\n * The set of OpKinds that represent the creation of an element or container\n */\nconst elementContainerOpKinds = new Set([OpKind.Element, OpKind.ElementStart, OpKind.Container, OpKind.ContainerStart, OpKind.Template]);\n/**\n * Checks whether the given operation represents the creation of an element or container.\n */\nfunction isElementOrContainerOp(op) {\n return elementContainerOpKinds.has(op.kind);\n}\n/**\n * Create an `ElementStartOp`.\n */\nfunction createElementStartOp(tag, xref, namespace, sourceSpan) {\n return {\n kind: OpKind.ElementStart,\n xref,\n tag,\n attributes: new ElementAttributes(),\n localRefs: [],\n nonBindable: false,\n namespace,\n sourceSpan,\n ...TRAIT_CONSUMES_SLOT,\n ...NEW_OP\n };\n}\n/**\n * Create a `TemplateOp`.\n */\nfunction createTemplateOp(xref, tag, namespace, sourceSpan) {\n return {\n kind: OpKind.Template,\n xref,\n attributes: new ElementAttributes(),\n tag,\n decls: null,\n vars: null,\n localRefs: [],\n nonBindable: false,\n namespace,\n sourceSpan,\n ...TRAIT_CONSUMES_SLOT,\n ...NEW_OP\n };\n}\n/**\n * Create an `ElementEndOp`.\n */\nfunction createElementEndOp(xref, sourceSpan) {\n return {\n kind: OpKind.ElementEnd,\n xref,\n sourceSpan,\n ...NEW_OP\n };\n}\nfunction createDisableBindingsOp(xref) {\n return {\n kind: OpKind.DisableBindings,\n xref,\n ...NEW_OP\n };\n}\nfunction createEnableBindingsOp(xref) {\n return {\n kind: OpKind.EnableBindings,\n xref,\n ...NEW_OP\n };\n}\n/**\n * Create a `TextOp`.\n */\nfunction createTextOp(xref, initialValue, sourceSpan) {\n return {\n kind: OpKind.Text,\n xref,\n initialValue,\n sourceSpan,\n ...TRAIT_CONSUMES_SLOT,\n ...NEW_OP\n };\n}\n/**\n * Create a `ListenerOp`.\n */\nfunction createListenerOp(target, name, tag) {\n return {\n kind: OpKind.Listener,\n target,\n tag,\n name,\n handlerOps: new OpList(),\n handlerFnName: null,\n consumesDollarEvent: false,\n isAnimationListener: false,\n animationPhase: null,\n ...NEW_OP,\n ...TRAIT_USES_SLOT_INDEX\n };\n}\n/**\n * Create a `ListenerOp` for an animation.\n */\nfunction createListenerOpForAnimation(target, name, animationPhase, tag) {\n return {\n kind: OpKind.Listener,\n target,\n tag,\n name,\n handlerOps: new OpList(),\n handlerFnName: null,\n consumesDollarEvent: false,\n isAnimationListener: true,\n animationPhase,\n ...NEW_OP,\n ...TRAIT_USES_SLOT_INDEX\n };\n}\nfunction createPipeOp(xref, name) {\n return {\n kind: OpKind.Pipe,\n xref,\n name,\n ...NEW_OP,\n ...TRAIT_CONSUMES_SLOT\n };\n}\n/**\n * Whether the active namespace is HTML, MathML, or SVG mode.\n */\nvar Namespace;\n(function (Namespace) {\n Namespace[Namespace[\"HTML\"] = 0] = \"HTML\";\n Namespace[Namespace[\"SVG\"] = 1] = \"SVG\";\n Namespace[Namespace[\"Math\"] = 2] = \"Math\";\n})(Namespace || (Namespace = {}));\nfunction createNamespaceOp(namespace) {\n return {\n kind: OpKind.Namespace,\n active: namespace,\n ...NEW_OP\n };\n}\nfunction createHostPropertyOp(name, expression, sourceSpan) {\n return {\n kind: OpKind.HostProperty,\n name,\n expression,\n sourceSpan,\n ...TRAIT_CONSUMES_VARS,\n ...NEW_OP\n };\n}\n\n/**\n * A compilation unit is compiled into a template function.\n * Some example units are views and host bindings.\n */\nclass CompilationUnit {\n constructor(xref) {\n this.xref = xref;\n /**\n * List of creation operations for this view.\n *\n * Creation operations may internally contain other operations, including update operations.\n */\n this.create = new OpList();\n /**\n * List of update operations for this view.\n */\n this.update = new OpList();\n /**\n * Name of the function which will be generated for this unit.\n *\n * May be `null` if not yet determined.\n */\n this.fnName = null;\n /**\n * Number of variable slots used within this view, or `null` if variables have not yet been\n * counted.\n */\n this.vars = null;\n }\n /**\n * Iterate over all `ir.Op`s within this view.\n *\n * Some operations may have child operations, which this iterator will visit.\n */\n *ops() {\n for (const op of this.create) {\n yield op;\n if (op.kind === OpKind.Listener) {\n for (const listenerOp of op.handlerOps) {\n yield listenerOp;\n }\n }\n }\n for (const op of this.update) {\n yield op;\n }\n }\n}\nclass HostBindingCompilationJob extends CompilationUnit {\n // TODO: Perhaps we should accept a reference to the enclosing component, and get the name from\n // there?\n constructor(componentName, pool, compatibility) {\n super(0);\n this.componentName = componentName;\n this.pool = pool;\n this.compatibility = compatibility;\n this.fnSuffix = 'HostBindings';\n this.units = [this];\n this.nextXrefId = 1;\n }\n get job() {\n return this;\n }\n get root() {\n return this;\n }\n allocateXrefId() {\n return this.nextXrefId++;\n }\n}\n/**\n * Compilation-in-progress of a whole component's template, including the main template and any\n * embedded views or host bindings.\n */\nclass ComponentCompilationJob {\n get units() {\n return this.views.values();\n }\n constructor(componentName, pool, compatibility) {\n this.componentName = componentName;\n this.pool = pool;\n this.compatibility = compatibility;\n this.fnSuffix = 'Template';\n /**\n * Tracks the next `ir.XrefId` which can be assigned as template structures are ingested.\n */\n this.nextXrefId = 0;\n /**\n * Map of view IDs to `ViewCompilation`s.\n */\n this.views = new Map();\n /**\n * Constant expressions used by operations within this component's compilation.\n *\n * This will eventually become the `consts` array in the component definition.\n */\n this.consts = [];\n // Allocate the root view.\n const root = new ViewCompilationUnit(this, this.allocateXrefId(), null);\n this.views.set(root.xref, root);\n this.root = root;\n }\n /**\n * Add a `ViewCompilation` for a new embedded view to this compilation.\n */\n allocateView(parent) {\n const view = new ViewCompilationUnit(this, this.allocateXrefId(), parent);\n this.views.set(view.xref, view);\n return view;\n }\n /**\n * Generate a new unique `ir.XrefId` in this job.\n */\n allocateXrefId() {\n return this.nextXrefId++;\n }\n /**\n * Add a constant `o.Expression` to the compilation and return its index in the `consts` array.\n */\n addConst(newConst) {\n for (let idx = 0; idx < this.consts.length; idx++) {\n if (this.consts[idx].isEquivalent(newConst)) {\n return idx;\n }\n }\n const idx = this.consts.length;\n this.consts.push(newConst);\n return idx;\n }\n}\n/**\n * Compilation-in-progress of an individual view within a template.\n */\nclass ViewCompilationUnit extends CompilationUnit {\n constructor(job, xref, parent) {\n super(xref);\n this.job = job;\n this.parent = parent;\n /**\n * Map of declared variables available within this view to the property on the context object\n * which they alias.\n */\n this.contextVariables = new Map();\n /**\n * Number of declaration slots used within this view, or `null` if slots have not yet been\n * allocated.\n */\n this.decls = null;\n }\n get compatibility() {\n return this.job.compatibility;\n }\n}\n\n/**\n * Counts the number of variable slots used within each view, and stores that on the view itself, as\n * well as propagates it to the `ir.TemplateOp` for embedded views.\n */\nfunction phaseVarCounting(job) {\n // First, count the vars used in each view, and update the view-level counter.\n for (const unit of job.units) {\n let varCount = 0;\n for (const op of unit.ops()) {\n if (hasConsumesVarsTrait(op)) {\n varCount += varsUsedByOp(op);\n }\n visitExpressionsInOp(op, expr => {\n if (!isIrExpression(expr)) {\n return;\n }\n // Some expressions require knowledge of the number of variable slots consumed.\n if (hasUsesVarOffsetTrait(expr)) {\n expr.varOffset = varCount;\n }\n if (hasConsumesVarsTrait(expr)) {\n varCount += varsUsedByIrExpression(expr);\n }\n });\n }\n unit.vars = varCount;\n }\n if (job instanceof ComponentCompilationJob) {\n // Add var counts for each view to the `ir.TemplateOp` which declares that view (if the view is\n // an embedded view).\n for (const view of job.views.values()) {\n for (const op of view.create) {\n if (op.kind !== OpKind.Template) {\n continue;\n }\n const childView = job.views.get(op.xref);\n op.vars = childView.vars;\n }\n }\n }\n}\n/**\n * Different operations that implement `ir.UsesVarsTrait` use different numbers of variables, so\n * count the variables used by any particular `op`.\n */\nfunction varsUsedByOp(op) {\n let slots;\n switch (op.kind) {\n case OpKind.Property:\n case OpKind.HostProperty:\n case OpKind.Attribute:\n // All of these bindings use 1 variable slot, plus 1 slot for every interpolated expression,\n // if any.\n slots = 1;\n if (op.expression instanceof Interpolation) {\n slots += op.expression.expressions.length;\n }\n return slots;\n case OpKind.StyleProp:\n case OpKind.ClassProp:\n case OpKind.StyleMap:\n case OpKind.ClassMap:\n // Style & class bindings use 2 variable slots, plus 1 slot for every interpolated expression,\n // if any.\n slots = 2;\n if (op.expression instanceof Interpolation) {\n slots += op.expression.expressions.length;\n }\n return slots;\n case OpKind.InterpolateText:\n // `ir.InterpolateTextOp`s use a variable slot for each dynamic expression.\n return op.interpolation.expressions.length;\n default:\n throw new Error(`Unhandled op: ${OpKind[op.kind]}`);\n }\n}\nfunction varsUsedByIrExpression(expr) {\n switch (expr.kind) {\n case ExpressionKind.PureFunctionExpr:\n return 1 + expr.args.length;\n case ExpressionKind.PipeBinding:\n return 1 + expr.args.length;\n case ExpressionKind.PipeBindingVariadic:\n return 1 + expr.numArgs;\n default:\n throw new Error(`AssertionError: unhandled ConsumesVarsTrait expression ${expr.constructor.name}`);\n }\n}\nfunction phaseAlignPipeVariadicVarOffset(cpl) {\n for (const view of cpl.views.values()) {\n for (const op of view.update) {\n visitExpressionsInOp(op, expr => {\n if (!(expr instanceof PipeBindingVariadicExpr)) {\n return expr;\n }\n if (!(expr.args instanceof PureFunctionExpr)) {\n return expr;\n }\n if (expr.varOffset === null || expr.args.varOffset === null) {\n throw new Error(`Must run after variable counting`);\n }\n // The structure of this variadic pipe expression is:\n // PipeBindingVariadic(#, Y, PureFunction(X, ...ARGS))\n // Where X and Y are the slot offsets for the variables used by these operations, and Y > X.\n // In `TemplateDefinitionBuilder` the PipeBindingVariadic variable slots are allocated\n // before the PureFunction slots, which is unusually out-of-order.\n //\n // To maintain identical output for the tests in question, we adjust the variable offsets of\n // these two calls to emulate TDB's behavior. This is not perfect, because the ARGS of the\n // PureFunction call may also allocate slots which by TDB's ordering would come after X, and\n // we don't account for that. Still, this should be enough to pass the existing pipe tests.\n // Put the PipeBindingVariadic vars where the PureFunction vars were previously allocated.\n expr.varOffset = expr.args.varOffset;\n // Put the PureFunction vars following the PipeBindingVariadic vars.\n expr.args.varOffset = expr.varOffset + varsUsedByIrExpression(expr);\n });\n }\n }\n}\n\n/**\n * Find any function calls to `$any`, excluding `this.$any`, and delete them.\n */\nfunction phaseFindAnyCasts(cpl) {\n for (const [_, view] of cpl.views) {\n for (const op of view.ops()) {\n transformExpressionsInOp(op, removeAnys, VisitorContextFlag.None);\n }\n }\n}\nfunction removeAnys(e) {\n if (e instanceof InvokeFunctionExpr && e.fn instanceof LexicalReadExpr && e.fn.name === '$any') {\n if (e.args.length !== 1) {\n throw new Error('The $any builtin function expects exactly one argument.');\n }\n return e.args[0];\n }\n return e;\n}\n\n/**\n * Parses string representation of a style and converts it into object literal.\n *\n * @param value string representation of style as used in the `style` attribute in HTML.\n * Example: `color: red; height: auto`.\n * @returns An array of style property name and value pairs, e.g. `['color', 'red', 'height',\n * 'auto']`\n */\nfunction parse(value) {\n // we use a string array here instead of a string map\n // because a string-map is not guaranteed to retain the\n // order of the entries whereas a string array can be\n // constructed in a [key, value, key, value] format.\n const styles = [];\n let i = 0;\n let parenDepth = 0;\n let quote = 0 /* Char.QuoteNone */;\n let valueStart = 0;\n let propStart = 0;\n let currentProp = null;\n while (i < value.length) {\n const token = value.charCodeAt(i++);\n switch (token) {\n case 40 /* Char.OpenParen */:\n parenDepth++;\n break;\n case 41 /* Char.CloseParen */:\n parenDepth--;\n break;\n case 39 /* Char.QuoteSingle */:\n // valueStart needs to be there since prop values don't\n // have quotes in CSS\n if (quote === 0 /* Char.QuoteNone */) {\n quote = 39 /* Char.QuoteSingle */;\n } else if (quote === 39 /* Char.QuoteSingle */ && value.charCodeAt(i - 1) !== 92 /* Char.BackSlash */) {\n quote = 0 /* Char.QuoteNone */;\n }\n break;\n case 34 /* Char.QuoteDouble */:\n // same logic as above\n if (quote === 0 /* Char.QuoteNone */) {\n quote = 34 /* Char.QuoteDouble */;\n } else if (quote === 34 /* Char.QuoteDouble */ && value.charCodeAt(i - 1) !== 92 /* Char.BackSlash */) {\n quote = 0 /* Char.QuoteNone */;\n }\n break;\n case 58 /* Char.Colon */:\n if (!currentProp && parenDepth === 0 && quote === 0 /* Char.QuoteNone */) {\n currentProp = hyphenate$1(value.substring(propStart, i - 1).trim());\n valueStart = i;\n }\n break;\n case 59 /* Char.Semicolon */:\n if (currentProp && valueStart > 0 && parenDepth === 0 && quote === 0 /* Char.QuoteNone */) {\n const styleVal = value.substring(valueStart, i - 1).trim();\n styles.push(currentProp, styleVal);\n propStart = i;\n valueStart = 0;\n currentProp = null;\n }\n break;\n }\n }\n if (currentProp && valueStart) {\n const styleVal = value.slice(valueStart).trim();\n styles.push(currentProp, styleVal);\n }\n return styles;\n}\nfunction hyphenate$1(value) {\n return value.replace(/[a-z][A-Z]/g, v => {\n return v.charAt(0) + '-' + v.charAt(1);\n }).toLowerCase();\n}\n\n/**\n * Gets a map of all elements in the given view by their xref id.\n */\nfunction getElementsByXrefId(view) {\n const elements = new Map();\n for (const op of view.create) {\n if (!isElementOrContainerOp(op)) {\n continue;\n }\n elements.set(op.xref, op);\n }\n return elements;\n}\n\n/**\n * Find all attribute and binding ops, and collect them into the ElementAttribute structures.\n * In cases where no instruction needs to be generated for the attribute or binding, it is removed.\n */\nfunction phaseAttributeExtraction(cpl) {\n for (const [_, view] of cpl.views) {\n populateElementAttributes(view);\n }\n}\n/**\n * Looks up an element in the given map by xref ID.\n */\nfunction lookupElement$2(elements, xref) {\n const el = elements.get(xref);\n if (el === undefined) {\n throw new Error('All attributes should have an element-like target.');\n }\n return el;\n}\n/**\n * Populates the ElementAttributes map for the given view, and removes ops for any bindings that do\n * not need further processing.\n */\nfunction populateElementAttributes(view) {\n const elements = getElementsByXrefId(view);\n for (const op of view.ops()) {\n let ownerOp;\n switch (op.kind) {\n case OpKind.Attribute:\n extractAttributeOp(view, op, elements);\n break;\n case OpKind.Property:\n if (op.isAnimationTrigger) {\n continue; // Don't extract animation properties.\n }\n ownerOp = lookupElement$2(elements, op.target);\n assertIsElementAttributes(ownerOp.attributes);\n ownerOp.attributes.add(op.isTemplate ? BindingKind.Template : BindingKind.Property, op.name, null);\n break;\n case OpKind.StyleProp:\n case OpKind.ClassProp:\n ownerOp = lookupElement$2(elements, op.target);\n assertIsElementAttributes(ownerOp.attributes);\n // Empty StyleProperty and ClassName expressions are treated differently depending on\n // compatibility mode.\n if (view.compatibility === CompatibilityMode.TemplateDefinitionBuilder && op.expression instanceof EmptyExpr) {\n // The old compiler treated empty style bindings as regular bindings for the purpose of\n // directive matching. That behavior is incorrect, but we emulate it in compatibility\n // mode.\n ownerOp.attributes.add(BindingKind.Property, op.name, null);\n }\n break;\n case OpKind.Listener:\n if (op.isAnimationListener) {\n continue; // Don't extract animation listeners.\n }\n ownerOp = lookupElement$2(elements, op.target);\n assertIsElementAttributes(ownerOp.attributes);\n ownerOp.attributes.add(BindingKind.Property, op.name, null);\n break;\n }\n }\n}\nfunction isStringLiteral(expr) {\n return expr instanceof LiteralExpr && typeof expr.value === 'string';\n}\nfunction extractAttributeOp(view, op, elements) {\n if (op.expression instanceof Interpolation) {\n return;\n }\n const ownerOp = lookupElement$2(elements, op.target);\n assertIsElementAttributes(ownerOp.attributes);\n if (op.name === 'style' && isStringLiteral(op.expression)) {\n // TemplateDefinitionBuilder did not extract style attributes that had a security context.\n if (view.compatibility === CompatibilityMode.TemplateDefinitionBuilder && op.securityContext !== SecurityContext.NONE) {\n return;\n }\n // Extract style attributes.\n const parsedStyles = parse(op.expression.value);\n for (let i = 0; i < parsedStyles.length - 1; i += 2) {\n ownerOp.attributes.add(BindingKind.StyleProperty, parsedStyles[i], literal(parsedStyles[i + 1]));\n }\n OpList.remove(op);\n } else {\n // The old compiler only extracted string constants, so we emulate that behavior in\n // compaitiblity mode, otherwise we optimize more aggressively.\n let extractable = view.compatibility === CompatibilityMode.TemplateDefinitionBuilder ? op.expression instanceof LiteralExpr && typeof op.expression.value === 'string' : op.expression.isConstant();\n // We don't need to generate instructions for attributes that can be extracted as consts.\n if (extractable) {\n ownerOp.attributes.add(op.isTemplate ? BindingKind.Template : BindingKind.Attribute, op.name, op.expression);\n OpList.remove(op);\n }\n }\n}\n\n/**\n * Looks up an element in the given map by xref ID.\n */\nfunction lookupElement$1(elements, xref) {\n const el = elements.get(xref);\n if (el === undefined) {\n throw new Error('All attributes should have an element-like target.');\n }\n return el;\n}\nfunction phaseBindingSpecialization(job) {\n const elements = new Map();\n for (const unit of job.units) {\n for (const op of unit.create) {\n if (!isElementOrContainerOp(op)) {\n continue;\n }\n elements.set(op.xref, op);\n }\n }\n for (const unit of job.units) {\n for (const op of unit.ops()) {\n if (op.kind !== OpKind.Binding) {\n continue;\n }\n switch (op.bindingKind) {\n case BindingKind.Attribute:\n if (op.name === 'ngNonBindable') {\n OpList.remove(op);\n const target = lookupElement$1(elements, op.target);\n target.nonBindable = true;\n } else {\n OpList.replace(op, createAttributeOp(op.target, op.name, op.expression, op.securityContext, op.isTemplate, op.sourceSpan));\n }\n break;\n case BindingKind.Property:\n case BindingKind.Animation:\n if (job instanceof HostBindingCompilationJob) {\n // TODO: host property animations\n OpList.replace(op, createHostPropertyOp(op.name, op.expression, op.sourceSpan));\n } else {\n OpList.replace(op, createPropertyOp(op.target, op.name, op.expression, op.bindingKind === BindingKind.Animation, op.securityContext, op.isTemplate, op.sourceSpan));\n }\n break;\n case BindingKind.I18n:\n case BindingKind.ClassName:\n case BindingKind.StyleProperty:\n throw new Error(`Unhandled binding of kind ${BindingKind[op.bindingKind]}`);\n }\n }\n }\n}\nconst CHAINABLE = new Set([Identifiers.elementStart, Identifiers.elementEnd, Identifiers.element, Identifiers.property, Identifiers.hostProperty, Identifiers.styleProp, Identifiers.attribute, Identifiers.stylePropInterpolate1, Identifiers.stylePropInterpolate2, Identifiers.stylePropInterpolate3, Identifiers.stylePropInterpolate4, Identifiers.stylePropInterpolate5, Identifiers.stylePropInterpolate6, Identifiers.stylePropInterpolate7, Identifiers.stylePropInterpolate8, Identifiers.stylePropInterpolateV, Identifiers.classProp, Identifiers.listener, Identifiers.elementContainerStart, Identifiers.elementContainerEnd, Identifiers.elementContainer, Identifiers.listener]);\n/**\n * Post-process a reified view compilation and convert sequential calls to chainable instructions\n * into chain calls.\n *\n * For example, two `elementStart` operations in sequence:\n *\n * ```typescript\n * elementStart(0, 'div');\n * elementStart(1, 'span');\n * ```\n *\n * Can be called as a chain instead:\n *\n * ```typescript\n * elementStart(0, 'div')(1, 'span');\n * ```\n */\nfunction phaseChaining(job) {\n for (const unit of job.units) {\n chainOperationsInList(unit.create);\n chainOperationsInList(unit.update);\n }\n}\nfunction chainOperationsInList(opList) {\n let chain = null;\n for (const op of opList) {\n if (op.kind !== OpKind.Statement || !(op.statement instanceof ExpressionStatement)) {\n // This type of statement isn't chainable.\n chain = null;\n continue;\n }\n if (!(op.statement.expr instanceof InvokeFunctionExpr) || !(op.statement.expr.fn instanceof ExternalExpr)) {\n // This is a statement, but not an instruction-type call, so not chainable.\n chain = null;\n continue;\n }\n const instruction = op.statement.expr.fn.value;\n if (!CHAINABLE.has(instruction)) {\n // This instruction isn't chainable.\n chain = null;\n continue;\n }\n // This instruction can be chained. It can either be added on to the previous chain (if\n // compatible) or it can be the start of a new chain.\n if (chain !== null && chain.instruction === instruction) {\n // This instruction can be added onto the previous chain.\n const expression = chain.expression.callFn(op.statement.expr.args, op.statement.expr.sourceSpan, op.statement.expr.pure);\n chain.expression = expression;\n chain.op.statement = expression.toStmt();\n OpList.remove(op);\n } else {\n // Leave this instruction alone for now, but consider it the start of a new chain.\n chain = {\n op,\n instruction,\n expression: op.statement.expr\n };\n }\n }\n}\n\n/**\n * Converts the semantic attributes of element-like operations (elements, templates) into constant\n * array expressions, and lifts them into the overall component `consts`.\n */\nfunction phaseConstCollection(cpl) {\n for (const [_, view] of cpl.views) {\n for (const op of view.create) {\n if (op.kind !== OpKind.ElementStart && op.kind !== OpKind.Element && op.kind !== OpKind.Template) {\n continue;\n } else if (!(op.attributes instanceof ElementAttributes)) {\n continue;\n }\n const attrArray = serializeAttributes(op.attributes);\n if (attrArray.entries.length > 0) {\n op.attributes = cpl.addConst(attrArray);\n } else {\n op.attributes = null;\n }\n }\n }\n}\nfunction serializeAttributes({\n attributes,\n bindings,\n classes,\n i18n,\n projectAs,\n styles,\n template\n}) {\n const attrArray = [...attributes];\n if (projectAs !== null) {\n attrArray.push(literal(5 /* core.AttributeMarker.ProjectAs */), literal(projectAs));\n }\n if (classes.length > 0) {\n attrArray.push(literal(1 /* core.AttributeMarker.Classes */), ...classes);\n }\n if (styles.length > 0) {\n attrArray.push(literal(2 /* core.AttributeMarker.Styles */), ...styles);\n }\n if (bindings.length > 0) {\n attrArray.push(literal(3 /* core.AttributeMarker.Bindings */), ...bindings);\n }\n if (template.length > 0) {\n attrArray.push(literal(4 /* core.AttributeMarker.Template */), ...template);\n }\n if (i18n.length > 0) {\n attrArray.push(literal(6 /* core.AttributeMarker.I18n */), ...i18n);\n }\n return literalArr(attrArray);\n}\nconst REPLACEMENTS = new Map([[OpKind.ElementEnd, [OpKind.ElementStart, OpKind.Element]], [OpKind.ContainerEnd, [OpKind.ContainerStart, OpKind.Container]]]);\n/**\n * Replace sequences of mergable elements (e.g. `ElementStart` and `ElementEnd`) with a consolidated\n * element (e.g. `Element`).\n */\nfunction phaseEmptyElements(cpl) {\n for (const [_, view] of cpl.views) {\n for (const op of view.create) {\n const opReplacements = REPLACEMENTS.get(op.kind);\n if (opReplacements === undefined) {\n continue;\n }\n const [startKind, mergedKind] = opReplacements;\n if (op.prev !== null && op.prev.kind === startKind) {\n // Transmute the start instruction to the merged version. This is safe as they're designed\n // to be identical apart from the `kind`.\n op.prev.kind = mergedKind;\n // Remove the end instruction.\n OpList.remove(op);\n }\n }\n }\n}\n\n/**\n * Finds all unresolved safe read expressions, and converts them into the appropriate output AST\n * reads, guarded by null checks.\n */\nfunction phaseExpandSafeReads(job) {\n for (const unit of job.units) {\n for (const op of unit.ops()) {\n transformExpressionsInOp(op, e => safeTransform(e, {\n job\n }), VisitorContextFlag.None);\n transformExpressionsInOp(op, ternaryTransform, VisitorContextFlag.None);\n }\n }\n}\n// A lookup set of all the expression kinds that require a temporary variable to be generated.\nconst requiresTemporary = [InvokeFunctionExpr, LiteralArrayExpr, LiteralMapExpr, SafeInvokeFunctionExpr, PipeBindingExpr].map(e => e.constructor.name);\nfunction needsTemporaryInSafeAccess(e) {\n // TODO: We probably want to use an expression visitor to recursively visit all descendents.\n // However, that would potentially do a lot of extra work (because it cannot short circuit), so we\n // implement the logic ourselves for now.\n if (e instanceof UnaryOperatorExpr) {\n return needsTemporaryInSafeAccess(e.expr);\n } else if (e instanceof BinaryOperatorExpr) {\n return needsTemporaryInSafeAccess(e.lhs) || needsTemporaryInSafeAccess(e.rhs);\n } else if (e instanceof ConditionalExpr) {\n if (e.falseCase && needsTemporaryInSafeAccess(e.falseCase)) return true;\n return needsTemporaryInSafeAccess(e.condition) || needsTemporaryInSafeAccess(e.trueCase);\n } else if (e instanceof NotExpr) {\n return needsTemporaryInSafeAccess(e.condition);\n } else if (e instanceof AssignTemporaryExpr) {\n return needsTemporaryInSafeAccess(e.expr);\n } else if (e instanceof ReadPropExpr) {\n return needsTemporaryInSafeAccess(e.receiver);\n } else if (e instanceof ReadKeyExpr) {\n return needsTemporaryInSafeAccess(e.receiver) || needsTemporaryInSafeAccess(e.index);\n }\n // TODO: Switch to a method which is exhaustive of newly added expression subtypes.\n return e instanceof InvokeFunctionExpr || e instanceof LiteralArrayExpr || e instanceof LiteralMapExpr || e instanceof SafeInvokeFunctionExpr || e instanceof PipeBindingExpr;\n}\nfunction temporariesIn(e) {\n const temporaries = new Set();\n // TODO: Although it's not currently supported by the transform helper, we should be able to\n // short-circuit exploring the tree to do less work. In particular, we don't have to penetrate\n // into the subexpressions of temporary assignments.\n transformExpressionsInExpression(e, e => {\n if (e instanceof AssignTemporaryExpr) {\n temporaries.add(e.xref);\n }\n return e;\n }, VisitorContextFlag.None);\n return temporaries;\n}\nfunction eliminateTemporaryAssignments(e, tmps, ctx) {\n // TODO: We can be more efficient than the transform helper here. We don't need to visit any\n // descendents of temporary assignments.\n transformExpressionsInExpression(e, e => {\n if (e instanceof AssignTemporaryExpr && tmps.has(e.xref)) {\n const read = new ReadTemporaryExpr(e.xref);\n // `TemplateDefinitionBuilder` has the (accidental?) behavior of generating assignments of\n // temporary variables to themselves. This happens because some subexpression that the\n // temporary refers to, possibly through nested temporaries, has a function call. We copy that\n // behavior here.\n return ctx.job.compatibility === CompatibilityMode.TemplateDefinitionBuilder ? new AssignTemporaryExpr(read, read.xref) : read;\n }\n return e;\n }, VisitorContextFlag.None);\n return e;\n}\n/**\n * Creates a safe ternary guarded by the input expression, and with a body generated by the provided\n * callback on the input expression. Generates a temporary variable assignment if needed, and\n * deduplicates nested temporary assignments if needed.\n */\nfunction safeTernaryWithTemporary(guard, body, ctx) {\n let result;\n if (needsTemporaryInSafeAccess(guard)) {\n const xref = ctx.job.allocateXrefId();\n result = [new AssignTemporaryExpr(guard, xref), new ReadTemporaryExpr(xref)];\n } else {\n result = [guard, guard.clone()];\n // Consider an expression like `a?.[b?.c()]?.d`. The `b?.c()` will be transformed first,\n // introducing a temporary assignment into the key. Then, as part of expanding the `?.d`. That\n // assignment will be duplicated into both the guard and expression sides. We de-duplicate it,\n // by transforming it from an assignment into a read on the expression side.\n eliminateTemporaryAssignments(result[1], temporariesIn(result[0]), ctx);\n }\n return new SafeTernaryExpr(result[0], body(result[1]));\n}\nfunction isSafeAccessExpression(e) {\n return e instanceof SafePropertyReadExpr || e instanceof SafeKeyedReadExpr || e instanceof SafeInvokeFunctionExpr;\n}\nfunction isUnsafeAccessExpression(e) {\n return e instanceof ReadPropExpr || e instanceof ReadKeyExpr || e instanceof InvokeFunctionExpr;\n}\nfunction isAccessExpression(e) {\n return isSafeAccessExpression(e) || isUnsafeAccessExpression(e);\n}\nfunction deepestSafeTernary(e) {\n if (isAccessExpression(e) && e.receiver instanceof SafeTernaryExpr) {\n let st = e.receiver;\n while (st.expr instanceof SafeTernaryExpr) {\n st = st.expr;\n }\n return st;\n }\n return null;\n}\n// TODO: When strict compatibility with TemplateDefinitionBuilder is not required, we can use `&&`\n// instead to save some code size.\nfunction safeTransform(e, ctx) {\n if (!isAccessExpression(e)) {\n return e;\n }\n const dst = deepestSafeTernary(e);\n if (dst) {\n if (e instanceof InvokeFunctionExpr) {\n dst.expr = dst.expr.callFn(e.args);\n return e.receiver;\n }\n if (e instanceof ReadPropExpr) {\n dst.expr = dst.expr.prop(e.name);\n return e.receiver;\n }\n if (e instanceof ReadKeyExpr) {\n dst.expr = dst.expr.key(e.index);\n return e.receiver;\n }\n if (e instanceof SafeInvokeFunctionExpr) {\n dst.expr = safeTernaryWithTemporary(dst.expr, r => r.callFn(e.args), ctx);\n return e.receiver;\n }\n if (e instanceof SafePropertyReadExpr) {\n dst.expr = safeTernaryWithTemporary(dst.expr, r => r.prop(e.name), ctx);\n return e.receiver;\n }\n if (e instanceof SafeKeyedReadExpr) {\n dst.expr = safeTernaryWithTemporary(dst.expr, r => r.key(e.index), ctx);\n return e.receiver;\n }\n } else {\n if (e instanceof SafeInvokeFunctionExpr) {\n return safeTernaryWithTemporary(e.receiver, r => r.callFn(e.args), ctx);\n }\n if (e instanceof SafePropertyReadExpr) {\n return safeTernaryWithTemporary(e.receiver, r => r.prop(e.name), ctx);\n }\n if (e instanceof SafeKeyedReadExpr) {\n return safeTernaryWithTemporary(e.receiver, r => r.key(e.index), ctx);\n }\n }\n return e;\n}\nfunction ternaryTransform(e) {\n if (!(e instanceof SafeTernaryExpr)) {\n return e;\n }\n return new ConditionalExpr(new BinaryOperatorExpr(BinaryOperator.Equals, e.guard, NULL_EXPR), NULL_EXPR, e.expr);\n}\n\n/**\n * Generate `ir.AdvanceOp`s in between `ir.UpdateOp`s that ensure the runtime's implicit slot\n * context will be advanced correctly.\n */\nfunction phaseGenerateAdvance(cpl) {\n for (const [_, view] of cpl.views) {\n // First build a map of all of the declarations in the view that have assigned slots.\n const slotMap = new Map();\n for (const op of view.create) {\n if (!hasConsumesSlotTrait(op)) {\n continue;\n } else if (op.slot === null) {\n throw new Error(`AssertionError: expected slots to have been allocated before generating advance() calls`);\n }\n slotMap.set(op.xref, op.slot);\n }\n // Next, step through the update operations and generate `ir.AdvanceOp`s as required to ensure\n // the runtime's implicit slot counter will be set to the correct slot before executing each\n // update operation which depends on it.\n //\n // To do that, we track what the runtime's slot counter will be through the update operations.\n let slotContext = 0;\n for (const op of view.update) {\n if (!hasDependsOnSlotContextTrait(op)) {\n // `op` doesn't depend on the slot counter, so it can be skipped.\n continue;\n } else if (!slotMap.has(op.target)) {\n // We expect ops that _do_ depend on the slot counter to point at declarations that exist in\n // the `slotMap`.\n throw new Error(`AssertionError: reference to unknown slot for var ${op.target}`);\n }\n const slot = slotMap.get(op.target);\n // Does the slot counter need to be adjusted?\n if (slotContext !== slot) {\n // If so, generate an `ir.AdvanceOp` to advance the counter.\n const delta = slot - slotContext;\n if (delta < 0) {\n throw new Error(`AssertionError: slot counter should never need to move backwards`);\n }\n OpList.insertBefore(createAdvanceOp(delta, op.sourceSpan), op);\n slotContext = slot;\n }\n }\n }\n}\n\n/**\n * Generate a preamble sequence for each view creation block and listener function which declares\n * any variables that be referenced in other operations in the block.\n *\n * Variables generated include:\n * * a saved view context to be used to restore the current view in event listeners.\n * * the context of the restored view within event listener handlers.\n * * context variables from the current view as well as all parent views (including the root\n * context if needed).\n * * local references from elements within the current view and any lexical parents.\n *\n * Variables are generated here unconditionally, and may optimized away in future operations if it\n * turns out their values (and any side effects) are unused.\n */\nfunction phaseGenerateVariables(cpl) {\n recursivelyProcessView(cpl.root, /* there is no parent scope for the root view */null);\n}\n/**\n * Process the given `ViewCompilation` and generate preambles for it and any listeners that it\n * declares.\n *\n * @param `parentScope` a scope extracted from the parent view which captures any variables which\n * should be inherited by this view. `null` if the current view is the root view.\n */\nfunction recursivelyProcessView(view, parentScope) {\n // Extract a `Scope` from this view.\n const scope = getScopeForView(view, parentScope);\n for (const op of view.create) {\n switch (op.kind) {\n case OpKind.Template:\n // Descend into child embedded views.\n recursivelyProcessView(view.job.views.get(op.xref), scope);\n break;\n case OpKind.Listener:\n // Prepend variables to listener handler functions.\n op.handlerOps.prepend(generateVariablesInScopeForView(view, scope));\n break;\n }\n }\n // Prepend the declarations for all available variables in scope to the `update` block.\n const preambleOps = generateVariablesInScopeForView(view, scope);\n view.update.prepend(preambleOps);\n}\n/**\n * Process a view and generate a `Scope` representing the variables available for reference within\n * that view.\n */\nfunction getScopeForView(view, parent) {\n const scope = {\n view: view.xref,\n viewContextVariable: {\n kind: SemanticVariableKind.Context,\n name: null,\n view: view.xref\n },\n contextVariables: new Map(),\n references: [],\n parent\n };\n for (const identifier of view.contextVariables.keys()) {\n scope.contextVariables.set(identifier, {\n kind: SemanticVariableKind.Identifier,\n name: null,\n identifier\n });\n }\n for (const op of view.create) {\n switch (op.kind) {\n case OpKind.Element:\n case OpKind.ElementStart:\n case OpKind.Template:\n if (!Array.isArray(op.localRefs)) {\n throw new Error(`AssertionError: expected localRefs to be an array`);\n }\n // Record available local references from this element.\n for (let offset = 0; offset < op.localRefs.length; offset++) {\n scope.references.push({\n name: op.localRefs[offset].name,\n targetId: op.xref,\n offset,\n variable: {\n kind: SemanticVariableKind.Identifier,\n name: null,\n identifier: op.localRefs[offset].name\n }\n });\n }\n break;\n }\n }\n return scope;\n}\n/**\n * Generate declarations for all variables that are in scope for a given view.\n *\n * This is a recursive process, as views inherit variables available from their parent view, which\n * itself may have inherited variables, etc.\n */\nfunction generateVariablesInScopeForView(view, scope) {\n const newOps = [];\n if (scope.view !== view.xref) {\n // Before generating variables for a parent view, we need to switch to the context of the parent\n // view with a `nextContext` expression. This context switching operation itself declares a\n // variable, because the context of the view may be referenced directly.\n newOps.push(createVariableOp(view.job.allocateXrefId(), scope.viewContextVariable, new NextContextExpr()));\n }\n // Add variables for all context variables available in this scope's view.\n for (const [name, value] of view.job.views.get(scope.view).contextVariables) {\n newOps.push(createVariableOp(view.job.allocateXrefId(), scope.contextVariables.get(name), new ReadPropExpr(new ContextExpr(scope.view), value)));\n }\n // Add variables for all local references declared for elements in this scope.\n for (const ref of scope.references) {\n newOps.push(createVariableOp(view.job.allocateXrefId(), ref.variable, new ReferenceExpr(ref.targetId, ref.offset)));\n }\n if (scope.parent !== null) {\n // Recursively add variables from the parent scope.\n newOps.push(...generateVariablesInScopeForView(view, scope.parent));\n }\n return newOps;\n}\nconst STYLE_DOT = 'style.';\nconst CLASS_DOT = 'class.';\nfunction phaseHostStylePropertyParsing(job) {\n for (const op of job.update) {\n if (op.kind !== OpKind.Binding) {\n continue;\n }\n if (op.name.startsWith(STYLE_DOT)) {\n op.bindingKind = BindingKind.StyleProperty;\n op.name = op.name.substring(STYLE_DOT.length);\n if (isCssCustomProperty$1(op.name)) {\n op.name = hyphenate(op.name);\n }\n const {\n property,\n suffix\n } = parseProperty$1(op.name);\n op.name = property;\n op.unit = suffix;\n } else if (op.name.startsWith('style!')) {\n // TODO: do we only transform !important?\n op.name = 'style';\n } else if (op.name.startsWith(CLASS_DOT)) {\n op.bindingKind = BindingKind.ClassName;\n op.name = parseProperty$1(op.name.substring(CLASS_DOT.length)).property;\n }\n }\n}\n/**\n * Checks whether property name is a custom CSS property.\n * See: https://www.w3.org/TR/css-variables-1\n */\nfunction isCssCustomProperty$1(name) {\n return name.startsWith('--');\n}\nfunction hyphenate(value) {\n return value.replace(/[a-z][A-Z]/g, v => {\n return v.charAt(0) + '-' + v.charAt(1);\n }).toLowerCase();\n}\nfunction parseProperty$1(name) {\n const overrideIndex = name.indexOf('!important');\n if (overrideIndex !== -1) {\n name = overrideIndex > 0 ? name.substring(0, overrideIndex) : '';\n }\n let suffix = null;\n let property = name;\n const unitIndex = name.lastIndexOf('.');\n if (unitIndex > 0) {\n suffix = name.slice(unitIndex + 1);\n property = name.substring(0, unitIndex);\n }\n return {\n property,\n suffix\n };\n}\n\n/**\n * Lifts local reference declarations on element-like structures within each view into an entry in\n * the `consts` array for the whole component.\n */\nfunction phaseLocalRefs(cpl) {\n for (const view of cpl.views.values()) {\n for (const op of view.create) {\n switch (op.kind) {\n case OpKind.ElementStart:\n case OpKind.Element:\n case OpKind.Template:\n if (!Array.isArray(op.localRefs)) {\n throw new Error(`AssertionError: expected localRefs to be an array still`);\n }\n op.numSlotsUsed += op.localRefs.length;\n if (op.localRefs.length > 0) {\n const localRefs = serializeLocalRefs(op.localRefs);\n op.localRefs = cpl.addConst(localRefs);\n } else {\n op.localRefs = null;\n }\n break;\n }\n }\n }\n}\nfunction serializeLocalRefs(refs) {\n const constRefs = [];\n for (const ref of refs) {\n constRefs.push(literal(ref.name), literal(ref.target));\n }\n return literalArr(constRefs);\n}\n\n/**\n * Change namespaces between HTML, SVG and MathML, depending on the next element.\n */\nfunction phaseNamespace(job) {\n for (const [_, view] of job.views) {\n let activeNamespace = Namespace.HTML;\n for (const op of view.create) {\n if (op.kind !== OpKind.Element && op.kind !== OpKind.ElementStart) {\n continue;\n }\n if (op.namespace !== activeNamespace) {\n OpList.insertBefore(createNamespaceOp(op.namespace), op);\n activeNamespace = op.namespace;\n }\n }\n }\n}\nconst BINARY_OPERATORS = new Map([['&&', BinaryOperator.And], ['>', BinaryOperator.Bigger], ['>=', BinaryOperator.BiggerEquals], ['&', BinaryOperator.BitwiseAnd], ['/', BinaryOperator.Divide], ['==', BinaryOperator.Equals], ['===', BinaryOperator.Identical], ['<', BinaryOperator.Lower], ['<=', BinaryOperator.LowerEquals], ['-', BinaryOperator.Minus], ['%', BinaryOperator.Modulo], ['*', BinaryOperator.Multiply], ['!=', BinaryOperator.NotEquals], ['!==', BinaryOperator.NotIdentical], ['??', BinaryOperator.NullishCoalesce], ['||', BinaryOperator.Or], ['+', BinaryOperator.Plus]]);\nconst NAMESPACES = new Map([['svg', Namespace.SVG], ['math', Namespace.Math]]);\nfunction namespaceForKey(namespacePrefixKey) {\n if (namespacePrefixKey === null) {\n return Namespace.HTML;\n }\n return NAMESPACES.get(namespacePrefixKey) ?? Namespace.HTML;\n}\nfunction keyForNamespace(namespace) {\n for (const [k, n] of NAMESPACES.entries()) {\n if (n === namespace) {\n return k;\n }\n }\n return null; // No namespace prefix for HTML\n}\nfunction prefixWithNamespace(strippedTag, namespace) {\n if (namespace === Namespace.HTML) {\n return strippedTag;\n }\n return `:${keyForNamespace(namespace)}:${strippedTag}`;\n}\n\n/**\n * Generate names for functions and variables across all views.\n *\n * This includes propagating those names into any `ir.ReadVariableExpr`s of those variables, so that\n * the reads can be emitted correctly.\n */\nfunction phaseNaming(cpl) {\n addNamesToView(cpl.root, cpl.componentName, {\n index: 0\n }, cpl.compatibility === CompatibilityMode.TemplateDefinitionBuilder);\n}\nfunction addNamesToView(unit, baseName, state, compatibility) {\n if (unit.fnName === null) {\n unit.fnName = sanitizeIdentifier(`${baseName}_${unit.job.fnSuffix}`);\n }\n // Keep track of the names we assign to variables in the view. We'll need to propagate these\n // into reads of those variables afterwards.\n const varNames = new Map();\n for (const op of unit.ops()) {\n switch (op.kind) {\n case OpKind.Property:\n if (op.isAnimationTrigger) {\n op.name = '@' + op.name;\n }\n break;\n case OpKind.Listener:\n if (op.handlerFnName === null) {\n if (op.slot === null) {\n throw new Error(`Expected a slot to be assigned`);\n }\n const safeTagName = op.tag.replace('-', '_');\n if (op.isAnimationListener) {\n op.handlerFnName = sanitizeIdentifier(`${unit.fnName}_${safeTagName}_animation_${op.name}_${op.animationPhase}_${op.slot}_listener`);\n op.name = `@${op.name}.${op.animationPhase}`;\n } else {\n op.handlerFnName = sanitizeIdentifier(`${unit.fnName}_${safeTagName}_${op.name}_${op.slot}_listener`);\n }\n }\n break;\n case OpKind.Variable:\n varNames.set(op.xref, getVariableName(op.variable, state));\n break;\n case OpKind.Template:\n if (!(unit instanceof ViewCompilationUnit)) {\n throw new Error(`AssertionError: must be compiling a component`);\n }\n const childView = unit.job.views.get(op.xref);\n if (op.slot === null) {\n throw new Error(`Expected slot to be assigned`);\n }\n addNamesToView(childView, `${baseName}_${prefixWithNamespace(op.tag, op.namespace)}_${op.slot}`, state, compatibility);\n break;\n case OpKind.StyleProp:\n op.name = normalizeStylePropName(op.name);\n if (compatibility) {\n op.name = stripImportant(op.name);\n }\n break;\n case OpKind.ClassProp:\n if (compatibility) {\n op.name = stripImportant(op.name);\n }\n break;\n }\n }\n // Having named all variables declared in the view, now we can push those names into the\n // `ir.ReadVariableExpr` expressions which represent reads of those variables.\n for (const op of unit.ops()) {\n visitExpressionsInOp(op, expr => {\n if (!(expr instanceof ReadVariableExpr) || expr.name !== null) {\n return;\n }\n if (!varNames.has(expr.xref)) {\n throw new Error(`Variable ${expr.xref} not yet named`);\n }\n expr.name = varNames.get(expr.xref);\n });\n }\n}\nfunction getVariableName(variable, state) {\n if (variable.name === null) {\n switch (variable.kind) {\n case SemanticVariableKind.Context:\n variable.name = `ctx_r${state.index++}`;\n break;\n case SemanticVariableKind.Identifier:\n variable.name = `${variable.identifier}_${state.index++}`;\n break;\n default:\n variable.name = `_r${state.index++}`;\n break;\n }\n }\n return variable.name;\n}\n/**\n * Normalizes a style prop name by hyphenating it (unless its a CSS variable).\n */\nfunction normalizeStylePropName(name) {\n return name.startsWith('--') ? name : hyphenate$1(name);\n}\n/**\n * Strips `!important` out of the given style or class name.\n */\nfunction stripImportant(name) {\n const importantIndex = name.indexOf('!important');\n if (importantIndex > -1) {\n return name.substring(0, importantIndex);\n }\n return name;\n}\n\n/**\n * Merges logically sequential `NextContextExpr` operations.\n *\n * `NextContextExpr` can be referenced repeatedly, \"popping\" the runtime's context stack each time.\n * When two such expressions appear back-to-back, it's possible to merge them together into a single\n * `NextContextExpr` that steps multiple contexts. This merging is possible if all conditions are\n * met:\n *\n * * The result of the `NextContextExpr` that's folded into the subsequent one is not stored (that\n * is, the call is purely side-effectful).\n * * No operations in between them uses the implicit context.\n */\nfunction phaseMergeNextContext(cpl) {\n for (const view of cpl.views.values()) {\n for (const op of view.create) {\n if (op.kind === OpKind.Listener) {\n mergeNextContextsInOps(op.handlerOps);\n }\n }\n mergeNextContextsInOps(view.update);\n }\n}\nfunction mergeNextContextsInOps(ops) {\n for (const op of ops) {\n // Look for a candidate operation to maybe merge.\n if (op.kind !== OpKind.Statement || !(op.statement instanceof ExpressionStatement) || !(op.statement.expr instanceof NextContextExpr)) {\n continue;\n }\n const mergeSteps = op.statement.expr.steps;\n // Try to merge this `ir.NextContextExpr`.\n let tryToMerge = true;\n for (let candidate = op.next; candidate.kind !== OpKind.ListEnd && tryToMerge; candidate = candidate.next) {\n visitExpressionsInOp(candidate, (expr, flags) => {\n if (!isIrExpression(expr)) {\n return expr;\n }\n if (!tryToMerge) {\n // Either we've already merged, or failed to merge.\n return;\n }\n if (flags & VisitorContextFlag.InChildOperation) {\n // We cannot merge into child operations.\n return;\n }\n switch (expr.kind) {\n case ExpressionKind.NextContext:\n // Merge the previous `ir.NextContextExpr` into this one.\n expr.steps += mergeSteps;\n OpList.remove(op);\n tryToMerge = false;\n break;\n case ExpressionKind.GetCurrentView:\n case ExpressionKind.Reference:\n // Can't merge past a dependency on the context.\n tryToMerge = false;\n break;\n }\n });\n }\n }\n}\nconst CONTAINER_TAG = 'ng-container';\n/**\n * Replace an `Element` or `ElementStart` whose tag is `ng-container` with a specific op.\n */\nfunction phaseNgContainer(cpl) {\n for (const [_, view] of cpl.views) {\n const updatedElementXrefs = new Set();\n for (const op of view.create) {\n if (op.kind === OpKind.ElementStart && op.tag === CONTAINER_TAG) {\n // Transmute the `ElementStart` instruction to `ContainerStart`.\n op.kind = OpKind.ContainerStart;\n updatedElementXrefs.add(op.xref);\n }\n if (op.kind === OpKind.ElementEnd && updatedElementXrefs.has(op.xref)) {\n // This `ElementEnd` is associated with an `ElementStart` we already transmuted.\n op.kind = OpKind.ContainerEnd;\n }\n }\n }\n}\n\n/**\n * Transforms special-case bindings with 'style' or 'class' in their names. Must run before the\n * main binding specialization pass.\n */\nfunction phaseNoListenersOnTemplates(job) {\n for (const unit of job.units) {\n let inTemplate = false;\n for (const op of unit.create) {\n switch (op.kind) {\n case OpKind.Template:\n inTemplate = true;\n break;\n case OpKind.ElementStart:\n case OpKind.Element:\n case OpKind.ContainerStart:\n case OpKind.Container:\n inTemplate = false;\n break;\n case OpKind.Listener:\n if (inTemplate) {\n OpList.remove(op);\n }\n break;\n }\n }\n }\n}\n\n/**\n * Looks up an element in the given map by xref ID.\n */\nfunction lookupElement(elements, xref) {\n const el = elements.get(xref);\n if (el === undefined) {\n throw new Error('All attributes should have an element-like target.');\n }\n return el;\n}\n/**\n * When a container is marked with `ngNonBindable`, the non-bindable characteristic also applies to\n * all descendants of that container. Therefore, we must emit `disableBindings` and `enableBindings`\n * instructions for every such container.\n */\nfunction phaseNonbindable(job) {\n const elements = new Map();\n for (const view of job.units) {\n for (const op of view.create) {\n if (!isElementOrContainerOp(op)) {\n continue;\n }\n elements.set(op.xref, op);\n }\n }\n for (const [_, view] of job.views) {\n for (const op of view.create) {\n if ((op.kind === OpKind.ElementStart || op.kind === OpKind.ContainerStart) && op.nonBindable) {\n OpList.insertAfter(createDisableBindingsOp(op.xref), op);\n }\n if ((op.kind === OpKind.ElementEnd || op.kind === OpKind.ContainerEnd) && lookupElement(elements, op.xref).nonBindable) {\n OpList.insertBefore(createEnableBindingsOp(op.xref), op);\n }\n }\n }\n}\nfunction phaseNullishCoalescing(job) {\n for (const unit of job.units) {\n for (const op of unit.ops()) {\n transformExpressionsInOp(op, expr => {\n if (!(expr instanceof BinaryOperatorExpr) || expr.operator !== BinaryOperator.NullishCoalesce) {\n return expr;\n }\n const assignment = new AssignTemporaryExpr(expr.lhs.clone(), job.allocateXrefId());\n const read = new ReadTemporaryExpr(assignment.xref);\n // TODO: When not in compatibility mode for TemplateDefinitionBuilder, we can just emit\n // `t != null` instead of including an undefined check as well.\n return new ConditionalExpr(new BinaryOperatorExpr(BinaryOperator.And, new BinaryOperatorExpr(BinaryOperator.NotIdentical, assignment, NULL_EXPR), new BinaryOperatorExpr(BinaryOperator.NotIdentical, read, new LiteralExpr(undefined))), read.clone(), expr.rhs);\n }, VisitorContextFlag.None);\n }\n }\n}\nfunction phasePipeCreation(cpl) {\n for (const view of cpl.views.values()) {\n processPipeBindingsInView(view);\n }\n}\nfunction processPipeBindingsInView(view) {\n for (const updateOp of view.update) {\n visitExpressionsInOp(updateOp, (expr, flags) => {\n if (!isIrExpression(expr)) {\n return;\n }\n if (expr.kind !== ExpressionKind.PipeBinding) {\n return;\n }\n if (flags & VisitorContextFlag.InChildOperation) {\n throw new Error(`AssertionError: pipe bindings should not appear in child expressions`);\n }\n if (!hasDependsOnSlotContextTrait(updateOp)) {\n throw new Error(`AssertionError: pipe binding associated with non-slot operation ${OpKind[updateOp.kind]}`);\n }\n addPipeToCreationBlock(view, updateOp.target, expr);\n });\n }\n}\nfunction addPipeToCreationBlock(view, afterTargetXref, binding) {\n // Find the appropriate point to insert the Pipe creation operation.\n // We're looking for `afterTargetXref` (and also want to insert after any other pipe operations\n // which might be beyond it).\n for (let op = view.create.head.next; op.kind !== OpKind.ListEnd; op = op.next) {\n if (!hasConsumesSlotTrait(op)) {\n continue;\n }\n if (op.xref !== afterTargetXref) {\n continue;\n }\n // We've found a tentative insertion point; however, we also want to skip past any _other_ pipe\n // operations present.\n while (op.next.kind === OpKind.Pipe) {\n op = op.next;\n }\n const pipe = createPipeOp(binding.target, binding.name);\n OpList.insertBefore(pipe, op.next);\n // This completes adding the pipe to the creation block.\n return;\n }\n // At this point, we've failed to add the pipe to the creation block.\n throw new Error(`AssertionError: unable to find insertion point for pipe ${binding.name}`);\n}\nfunction phasePipeVariadic(cpl) {\n for (const view of cpl.views.values()) {\n for (const op of view.update) {\n transformExpressionsInOp(op, expr => {\n if (!(expr instanceof PipeBindingExpr)) {\n return expr;\n }\n // Pipes are variadic if they have more than 4 arguments.\n if (expr.args.length <= 4) {\n return expr;\n }\n return new PipeBindingVariadicExpr(expr.target, expr.name, literalArr(expr.args), expr.args.length);\n }, VisitorContextFlag.None);\n }\n }\n}\nfunction kindTest(kind) {\n return op => op.kind === kind;\n}\n/**\n * Defines the groups based on `OpKind` that ops will be divided into. Ops will be collected into\n * groups, then optionally transformed, before recombining the groups in the order defined here.\n */\nconst ORDERING = [{\n test: kindTest(OpKind.StyleMap),\n transform: keepLast\n}, {\n test: kindTest(OpKind.ClassMap),\n transform: keepLast\n}, {\n test: kindTest(OpKind.StyleProp)\n}, {\n test: kindTest(OpKind.ClassProp)\n}, {\n test: op => (op.kind === OpKind.Property || op.kind === OpKind.HostProperty) && op.expression instanceof Interpolation\n}, {\n test: op => (op.kind === OpKind.Property || op.kind === OpKind.HostProperty) && !(op.expression instanceof Interpolation)\n}, {\n test: kindTest(OpKind.Attribute)\n}];\n/**\n * The set of all op kinds we handle in the reordering phase.\n */\nconst handledOpKinds = new Set([OpKind.StyleMap, OpKind.ClassMap, OpKind.StyleProp, OpKind.ClassProp, OpKind.Property, OpKind.HostProperty, OpKind.Attribute]);\n/**\n * Reorders property and attribute ops according to the following ordering:\n * 1. styleMap & styleMapInterpolate (drops all but the last op in the group)\n * 2. classMap & classMapInterpolate (drops all but the last op in the group)\n * 3. styleProp & stylePropInterpolate (ordering preserved within group)\n * 4. classProp (ordering preserved within group)\n * 5. propertyInterpolate (ordering preserved within group)\n * 6. property (ordering preserved within group)\n * 7. attribute & attributeInterpolate (ordering preserve within group)\n */\nfunction phasePropertyOrdering(cpl) {\n for (const unit of cpl.units) {\n let opsToOrder = [];\n for (const op of unit.update) {\n if (handledOpKinds.has(op.kind)) {\n // Pull out ops that need o be ordered.\n opsToOrder.push(op);\n OpList.remove(op);\n } else {\n // When we encounter an op that shouldn't be reordered, put the ones we've pulled so far\n // back in the correct order.\n for (const orderedOp of reorder(opsToOrder)) {\n OpList.insertBefore(orderedOp, op);\n }\n opsToOrder = [];\n }\n }\n // If we still have ops pulled at the end, put them back in the correct order.\n for (const orderedOp of reorder(opsToOrder)) {\n unit.update.push(orderedOp);\n }\n }\n}\n/**\n * Reorders the given list of ops according to the ordering defined by `ORDERING`.\n */\nfunction reorder(ops) {\n // Break the ops list into groups based on OpKind.\n const groups = Array.from(ORDERING, () => new Array());\n for (const op of ops) {\n const groupIndex = ORDERING.findIndex(o => o.test(op));\n groups[groupIndex].push(op);\n }\n // Reassemble the groups into a single list, in the correct order.\n return groups.flatMap((group, i) => {\n const transform = ORDERING[i].transform;\n return transform ? transform(group) : group;\n });\n}\n/**\n * Keeps only the last op in a list of ops.\n */\nfunction keepLast(ops) {\n return ops.slice(ops.length - 1);\n}\nfunction phasePureFunctionExtraction(job) {\n for (const view of job.units) {\n for (const op of view.ops()) {\n visitExpressionsInOp(op, expr => {\n if (!(expr instanceof PureFunctionExpr) || expr.body === null) {\n return;\n }\n const constantDef = new PureFunctionConstant(expr.args.length);\n expr.fn = job.pool.getSharedConstant(constantDef, expr.body);\n expr.body = null;\n });\n }\n }\n}\nclass PureFunctionConstant extends GenericKeyFn {\n constructor(numArgs) {\n super();\n this.numArgs = numArgs;\n }\n keyOf(expr) {\n if (expr instanceof PureFunctionParameterExpr) {\n return `param(${expr.index})`;\n } else {\n return super.keyOf(expr);\n }\n }\n toSharedConstantDeclaration(declName, keyExpr) {\n const fnParams = [];\n for (let idx = 0; idx < this.numArgs; idx++) {\n fnParams.push(new FnParam('_p' + idx));\n }\n // We will never visit `ir.PureFunctionParameterExpr`s that don't belong to us, because this\n // transform runs inside another visitor which will visit nested pure functions before this one.\n const returnExpr = transformExpressionsInExpression(keyExpr, expr => {\n if (!(expr instanceof PureFunctionParameterExpr)) {\n return expr;\n }\n return variable('_p' + expr.index);\n }, VisitorContextFlag.None);\n return new DeclareFunctionStmt(declName, fnParams, [new ReturnStatement(returnExpr)]);\n }\n}\nfunction phasePureLiteralStructures(job) {\n for (const view of job.units) {\n for (const op of view.update) {\n transformExpressionsInOp(op, (expr, flags) => {\n if (flags & VisitorContextFlag.InChildOperation) {\n return expr;\n }\n if (expr instanceof LiteralArrayExpr) {\n return transformLiteralArray(expr);\n } else if (expr instanceof LiteralMapExpr) {\n return transformLiteralMap(expr);\n }\n return expr;\n }, VisitorContextFlag.None);\n }\n }\n}\nfunction transformLiteralArray(expr) {\n const derivedEntries = [];\n const nonConstantArgs = [];\n for (const entry of expr.entries) {\n if (entry.isConstant()) {\n derivedEntries.push(entry);\n } else {\n const idx = nonConstantArgs.length;\n nonConstantArgs.push(entry);\n derivedEntries.push(new PureFunctionParameterExpr(idx));\n }\n }\n return new PureFunctionExpr(literalArr(derivedEntries), nonConstantArgs);\n}\nfunction transformLiteralMap(expr) {\n let derivedEntries = [];\n const nonConstantArgs = [];\n for (const entry of expr.entries) {\n if (entry.value.isConstant()) {\n derivedEntries.push(entry);\n } else {\n const idx = nonConstantArgs.length;\n nonConstantArgs.push(entry.value);\n derivedEntries.push(new LiteralMapEntry(entry.key, new PureFunctionParameterExpr(idx), entry.quoted));\n }\n }\n return new PureFunctionExpr(literalMap(derivedEntries), nonConstantArgs);\n}\n\n// This file contains helpers for generating calls to Ivy instructions. In particular, each\n// instruction type is represented as a function, which may select a specific instruction variant\n// depending on the exact arguments.\nfunction element(slot, tag, constIndex, localRefIndex, sourceSpan) {\n return elementOrContainerBase(Identifiers.element, slot, tag, constIndex, localRefIndex, sourceSpan);\n}\nfunction elementStart(slot, tag, constIndex, localRefIndex, sourceSpan) {\n return elementOrContainerBase(Identifiers.elementStart, slot, tag, constIndex, localRefIndex, sourceSpan);\n}\nfunction elementOrContainerBase(instruction, slot, tag, constIndex, localRefIndex, sourceSpan) {\n const args = [literal(slot)];\n if (tag !== null) {\n args.push(literal(tag));\n }\n if (localRefIndex !== null) {\n args.push(literal(constIndex),\n // might be null, but that's okay.\n literal(localRefIndex));\n } else if (constIndex !== null) {\n args.push(literal(constIndex));\n }\n return call(instruction, args, sourceSpan);\n}\nfunction elementEnd(sourceSpan) {\n return call(Identifiers.elementEnd, [], sourceSpan);\n}\nfunction elementContainerStart(slot, constIndex, localRefIndex, sourceSpan) {\n return elementOrContainerBase(Identifiers.elementContainerStart, slot, /* tag */null, constIndex, localRefIndex, sourceSpan);\n}\nfunction elementContainer(slot, constIndex, localRefIndex, sourceSpan) {\n return elementOrContainerBase(Identifiers.elementContainer, slot, /* tag */null, constIndex, localRefIndex, sourceSpan);\n}\nfunction elementContainerEnd() {\n return call(Identifiers.elementContainerEnd, [], null);\n}\nfunction template(slot, templateFnRef, decls, vars, tag, constIndex, sourceSpan) {\n return call(Identifiers.templateCreate, [literal(slot), templateFnRef, literal(decls), literal(vars), literal(tag), literal(constIndex)], sourceSpan);\n}\nfunction disableBindings() {\n return call(Identifiers.disableBindings, [], null);\n}\nfunction enableBindings() {\n return call(Identifiers.enableBindings, [], null);\n}\nfunction listener(name, handlerFn) {\n return call(Identifiers.listener, [literal(name), handlerFn], null);\n}\nfunction pipe(slot, name) {\n return call(Identifiers.pipe, [literal(slot), literal(name)], null);\n}\nfunction namespaceHTML() {\n return call(Identifiers.namespaceHTML, [], null);\n}\nfunction namespaceSVG() {\n return call(Identifiers.namespaceSVG, [], null);\n}\nfunction namespaceMath() {\n return call(Identifiers.namespaceMathML, [], null);\n}\nfunction advance(delta, sourceSpan) {\n return call(Identifiers.advance, [literal(delta)], sourceSpan);\n}\nfunction reference(slot) {\n return importExpr(Identifiers.reference).callFn([literal(slot)]);\n}\nfunction nextContext(steps) {\n return importExpr(Identifiers.nextContext).callFn(steps === 1 ? [] : [literal(steps)]);\n}\nfunction getCurrentView() {\n return importExpr(Identifiers.getCurrentView).callFn([]);\n}\nfunction restoreView(savedView) {\n return importExpr(Identifiers.restoreView).callFn([savedView]);\n}\nfunction resetView(returnValue) {\n return importExpr(Identifiers.resetView).callFn([returnValue]);\n}\nfunction text(slot, initialValue, sourceSpan) {\n const args = [literal(slot, null)];\n if (initialValue !== '') {\n args.push(literal(initialValue));\n }\n return call(Identifiers.text, args, sourceSpan);\n}\nfunction property(name, expression, sanitizer, sourceSpan) {\n const args = [literal(name), expression];\n if (sanitizer !== null) {\n args.push(sanitizer);\n }\n return call(Identifiers.property, args, sourceSpan);\n}\nfunction attribute(name, expression, sanitizer) {\n const args = [literal(name), expression];\n if (sanitizer !== null) {\n args.push(sanitizer);\n }\n return call(Identifiers.attribute, args, null);\n}\nfunction styleProp(name, expression, unit) {\n const args = [literal(name), expression];\n if (unit !== null) {\n args.push(literal(unit));\n }\n return call(Identifiers.styleProp, args, null);\n}\nfunction classProp(name, expression) {\n return call(Identifiers.classProp, [literal(name), expression], null);\n}\nfunction styleMap(expression) {\n return call(Identifiers.styleMap, [expression], null);\n}\nfunction classMap(expression) {\n return call(Identifiers.classMap, [expression], null);\n}\nconst PIPE_BINDINGS = [Identifiers.pipeBind1, Identifiers.pipeBind2, Identifiers.pipeBind3, Identifiers.pipeBind4];\nfunction pipeBind(slot, varOffset, args) {\n if (args.length < 1 || args.length > PIPE_BINDINGS.length) {\n throw new Error(`pipeBind() argument count out of bounds`);\n }\n const instruction = PIPE_BINDINGS[args.length - 1];\n return importExpr(instruction).callFn([literal(slot), literal(varOffset), ...args]);\n}\nfunction pipeBindV(slot, varOffset, args) {\n return importExpr(Identifiers.pipeBindV).callFn([literal(slot), literal(varOffset), args]);\n}\nfunction textInterpolate(strings, expressions, sourceSpan) {\n if (strings.length < 1 || expressions.length !== strings.length - 1) {\n throw new Error(`AssertionError: expected specific shape of args for strings/expressions in interpolation`);\n }\n const interpolationArgs = [];\n if (expressions.length === 1 && strings[0] === '' && strings[1] === '') {\n interpolationArgs.push(expressions[0]);\n } else {\n let idx;\n for (idx = 0; idx < expressions.length; idx++) {\n interpolationArgs.push(literal(strings[idx]), expressions[idx]);\n }\n // idx points at the last string.\n interpolationArgs.push(literal(strings[idx]));\n }\n return callVariadicInstruction(TEXT_INTERPOLATE_CONFIG, [], interpolationArgs, [], sourceSpan);\n}\nfunction propertyInterpolate(name, strings, expressions, sanitizer, sourceSpan) {\n const interpolationArgs = collateInterpolationArgs(strings, expressions);\n const extraArgs = [];\n if (sanitizer !== null) {\n extraArgs.push(sanitizer);\n }\n return callVariadicInstruction(PROPERTY_INTERPOLATE_CONFIG, [literal(name)], interpolationArgs, extraArgs, sourceSpan);\n}\nfunction attributeInterpolate(name, strings, expressions, sanitizer) {\n const interpolationArgs = collateInterpolationArgs(strings, expressions);\n const extraArgs = [];\n if (sanitizer !== null) {\n extraArgs.push(sanitizer);\n }\n return callVariadicInstruction(ATTRIBUTE_INTERPOLATE_CONFIG, [literal(name)], interpolationArgs, extraArgs, null);\n}\nfunction stylePropInterpolate(name, strings, expressions, unit) {\n const interpolationArgs = collateInterpolationArgs(strings, expressions);\n const extraArgs = [];\n if (unit !== null) {\n extraArgs.push(literal(unit));\n }\n return callVariadicInstruction(STYLE_PROP_INTERPOLATE_CONFIG, [literal(name)], interpolationArgs, extraArgs, null);\n}\nfunction styleMapInterpolate(strings, expressions) {\n const interpolationArgs = collateInterpolationArgs(strings, expressions);\n return callVariadicInstruction(STYLE_MAP_INTERPOLATE_CONFIG, [], interpolationArgs, [], null);\n}\nfunction classMapInterpolate(strings, expressions) {\n const interpolationArgs = collateInterpolationArgs(strings, expressions);\n return callVariadicInstruction(CLASS_MAP_INTERPOLATE_CONFIG, [], interpolationArgs, [], null);\n}\nfunction hostProperty(name, expression) {\n return call(Identifiers.hostProperty, [literal(name), expression], null);\n}\nfunction pureFunction(varOffset, fn, args) {\n return callVariadicInstructionExpr(PURE_FUNCTION_CONFIG, [literal(varOffset), fn], args, [], null);\n}\n/**\n * Collates the string an expression arguments for an interpolation instruction.\n */\nfunction collateInterpolationArgs(strings, expressions) {\n if (strings.length < 1 || expressions.length !== strings.length - 1) {\n throw new Error(`AssertionError: expected specific shape of args for strings/expressions in interpolation`);\n }\n const interpolationArgs = [];\n if (expressions.length === 1 && strings[0] === '' && strings[1] === '') {\n interpolationArgs.push(expressions[0]);\n } else {\n let idx;\n for (idx = 0; idx < expressions.length; idx++) {\n interpolationArgs.push(literal(strings[idx]), expressions[idx]);\n }\n // idx points at the last string.\n interpolationArgs.push(literal(strings[idx]));\n }\n return interpolationArgs;\n}\nfunction call(instruction, args, sourceSpan) {\n const expr = importExpr(instruction).callFn(args, sourceSpan);\n return createStatementOp(new ExpressionStatement(expr, sourceSpan));\n}\n/**\n * `InterpolationConfig` for the `textInterpolate` instruction.\n */\nconst TEXT_INTERPOLATE_CONFIG = {\n constant: [Identifiers.textInterpolate, Identifiers.textInterpolate1, Identifiers.textInterpolate2, Identifiers.textInterpolate3, Identifiers.textInterpolate4, Identifiers.textInterpolate5, Identifiers.textInterpolate6, Identifiers.textInterpolate7, Identifiers.textInterpolate8],\n variable: Identifiers.textInterpolateV,\n mapping: n => {\n if (n % 2 === 0) {\n throw new Error(`Expected odd number of arguments`);\n }\n return (n - 1) / 2;\n }\n};\n/**\n * `InterpolationConfig` for the `propertyInterpolate` instruction.\n */\nconst PROPERTY_INTERPOLATE_CONFIG = {\n constant: [Identifiers.propertyInterpolate, Identifiers.propertyInterpolate1, Identifiers.propertyInterpolate2, Identifiers.propertyInterpolate3, Identifiers.propertyInterpolate4, Identifiers.propertyInterpolate5, Identifiers.propertyInterpolate6, Identifiers.propertyInterpolate7, Identifiers.propertyInterpolate8],\n variable: Identifiers.propertyInterpolateV,\n mapping: n => {\n if (n % 2 === 0) {\n throw new Error(`Expected odd number of arguments`);\n }\n return (n - 1) / 2;\n }\n};\n/**\n * `InterpolationConfig` for the `stylePropInterpolate` instruction.\n */\nconst STYLE_PROP_INTERPOLATE_CONFIG = {\n constant: [Identifiers.styleProp, Identifiers.stylePropInterpolate1, Identifiers.stylePropInterpolate2, Identifiers.stylePropInterpolate3, Identifiers.stylePropInterpolate4, Identifiers.stylePropInterpolate5, Identifiers.stylePropInterpolate6, Identifiers.stylePropInterpolate7, Identifiers.stylePropInterpolate8],\n variable: Identifiers.stylePropInterpolateV,\n mapping: n => {\n if (n % 2 === 0) {\n throw new Error(`Expected odd number of arguments`);\n }\n return (n - 1) / 2;\n }\n};\n/**\n * `InterpolationConfig` for the `attributeInterpolate` instruction.\n */\nconst ATTRIBUTE_INTERPOLATE_CONFIG = {\n constant: [Identifiers.attribute, Identifiers.attributeInterpolate1, Identifiers.attributeInterpolate2, Identifiers.attributeInterpolate3, Identifiers.attributeInterpolate4, Identifiers.attributeInterpolate5, Identifiers.attributeInterpolate6, Identifiers.attributeInterpolate7, Identifiers.attributeInterpolate8],\n variable: Identifiers.attributeInterpolateV,\n mapping: n => {\n if (n % 2 === 0) {\n throw new Error(`Expected odd number of arguments`);\n }\n return (n - 1) / 2;\n }\n};\n/**\n * `InterpolationConfig` for the `styleMapInterpolate` instruction.\n */\nconst STYLE_MAP_INTERPOLATE_CONFIG = {\n constant: [Identifiers.styleMap, Identifiers.styleMapInterpolate1, Identifiers.styleMapInterpolate2, Identifiers.styleMapInterpolate3, Identifiers.styleMapInterpolate4, Identifiers.styleMapInterpolate5, Identifiers.styleMapInterpolate6, Identifiers.styleMapInterpolate7, Identifiers.styleMapInterpolate8],\n variable: Identifiers.styleMapInterpolateV,\n mapping: n => {\n if (n % 2 === 0) {\n throw new Error(`Expected odd number of arguments`);\n }\n return (n - 1) / 2;\n }\n};\n/**\n * `InterpolationConfig` for the `classMapInterpolate` instruction.\n */\nconst CLASS_MAP_INTERPOLATE_CONFIG = {\n constant: [Identifiers.classMap, Identifiers.classMapInterpolate1, Identifiers.classMapInterpolate2, Identifiers.classMapInterpolate3, Identifiers.classMapInterpolate4, Identifiers.classMapInterpolate5, Identifiers.classMapInterpolate6, Identifiers.classMapInterpolate7, Identifiers.classMapInterpolate8],\n variable: Identifiers.classMapInterpolateV,\n mapping: n => {\n if (n % 2 === 0) {\n throw new Error(`Expected odd number of arguments`);\n }\n return (n - 1) / 2;\n }\n};\nconst PURE_FUNCTION_CONFIG = {\n constant: [Identifiers.pureFunction0, Identifiers.pureFunction1, Identifiers.pureFunction2, Identifiers.pureFunction3, Identifiers.pureFunction4, Identifiers.pureFunction5, Identifiers.pureFunction6, Identifiers.pureFunction7, Identifiers.pureFunction8],\n variable: Identifiers.pureFunctionV,\n mapping: n => n\n};\nfunction callVariadicInstructionExpr(config, baseArgs, interpolationArgs, extraArgs, sourceSpan) {\n const n = config.mapping(interpolationArgs.length);\n if (n < config.constant.length) {\n // Constant calling pattern.\n return importExpr(config.constant[n]).callFn([...baseArgs, ...interpolationArgs, ...extraArgs], sourceSpan);\n } else if (config.variable !== null) {\n // Variable calling pattern.\n return importExpr(config.variable).callFn([...baseArgs, literalArr(interpolationArgs), ...extraArgs], sourceSpan);\n } else {\n throw new Error(`AssertionError: unable to call variadic function`);\n }\n}\nfunction callVariadicInstruction(config, baseArgs, interpolationArgs, extraArgs, sourceSpan) {\n return createStatementOp(callVariadicInstructionExpr(config, baseArgs, interpolationArgs, extraArgs, sourceSpan).toStmt());\n}\n\n/**\n * Map of sanitizers to their identifier.\n */\nconst sanitizerIdentifierMap = new Map([[SanitizerFn.Html, Identifiers.sanitizeHtml], [SanitizerFn.IframeAttribute, Identifiers.validateIframeAttribute], [SanitizerFn.ResourceUrl, Identifiers.sanitizeResourceUrl], [SanitizerFn.Script, Identifiers.sanitizeScript], [SanitizerFn.Style, Identifiers.sanitizeStyle], [SanitizerFn.Url, Identifiers.sanitizeUrl]]);\n/**\n * Compiles semantic operations across all views and generates output `o.Statement`s with actual\n * runtime calls in their place.\n *\n * Reification replaces semantic operations with selected Ivy instructions and other generated code\n * structures. After reification, the create/update operation lists of all views should only contain\n * `ir.StatementOp`s (which wrap generated `o.Statement`s).\n */\nfunction phaseReify(cpl) {\n for (const unit of cpl.units) {\n reifyCreateOperations(unit, unit.create);\n reifyUpdateOperations(unit, unit.update);\n }\n}\nfunction reifyCreateOperations(unit, ops) {\n for (const op of ops) {\n transformExpressionsInOp(op, reifyIrExpression, VisitorContextFlag.None);\n switch (op.kind) {\n case OpKind.Text:\n OpList.replace(op, text(op.slot, op.initialValue, op.sourceSpan));\n break;\n case OpKind.ElementStart:\n OpList.replace(op, elementStart(op.slot, op.tag, op.attributes, op.localRefs, op.sourceSpan));\n break;\n case OpKind.Element:\n OpList.replace(op, element(op.slot, op.tag, op.attributes, op.localRefs, op.sourceSpan));\n break;\n case OpKind.ElementEnd:\n OpList.replace(op, elementEnd(op.sourceSpan));\n break;\n case OpKind.ContainerStart:\n OpList.replace(op, elementContainerStart(op.slot, op.attributes, op.localRefs, op.sourceSpan));\n break;\n case OpKind.Container:\n OpList.replace(op, elementContainer(op.slot, op.attributes, op.localRefs, op.sourceSpan));\n break;\n case OpKind.ContainerEnd:\n OpList.replace(op, elementContainerEnd());\n break;\n case OpKind.Template:\n if (!(unit instanceof ViewCompilationUnit)) {\n throw new Error(`AssertionError: must be compiling a component`);\n }\n const childView = unit.job.views.get(op.xref);\n OpList.replace(op, template(op.slot, variable(childView.fnName), childView.decls, childView.vars, op.tag, op.attributes, op.sourceSpan));\n break;\n case OpKind.DisableBindings:\n OpList.replace(op, disableBindings());\n break;\n case OpKind.EnableBindings:\n OpList.replace(op, enableBindings());\n break;\n case OpKind.Pipe:\n OpList.replace(op, pipe(op.slot, op.name));\n break;\n case OpKind.Listener:\n const listenerFn = reifyListenerHandler(unit, op.handlerFnName, op.handlerOps, op.consumesDollarEvent);\n OpList.replace(op, listener(op.name, listenerFn));\n break;\n case OpKind.Variable:\n if (op.variable.name === null) {\n throw new Error(`AssertionError: unnamed variable ${op.xref}`);\n }\n OpList.replace(op, createStatementOp(new DeclareVarStmt(op.variable.name, op.initializer, undefined, StmtModifier.Final)));\n break;\n case OpKind.Namespace:\n switch (op.active) {\n case Namespace.HTML:\n OpList.replace(op, namespaceHTML());\n break;\n case Namespace.SVG:\n OpList.replace(op, namespaceSVG());\n break;\n case Namespace.Math:\n OpList.replace(op, namespaceMath());\n break;\n }\n break;\n case OpKind.Statement:\n // Pass statement operations directly through.\n break;\n default:\n throw new Error(`AssertionError: Unsupported reification of create op ${OpKind[op.kind]}`);\n }\n }\n}\nfunction reifyUpdateOperations(_unit, ops) {\n for (const op of ops) {\n transformExpressionsInOp(op, reifyIrExpression, VisitorContextFlag.None);\n switch (op.kind) {\n case OpKind.Advance:\n OpList.replace(op, advance(op.delta, op.sourceSpan));\n break;\n case OpKind.Property:\n if (op.expression instanceof Interpolation) {\n OpList.replace(op, propertyInterpolate(op.name, op.expression.strings, op.expression.expressions, op.sanitizer, op.sourceSpan));\n } else {\n OpList.replace(op, property(op.name, op.expression, op.sanitizer, op.sourceSpan));\n }\n break;\n case OpKind.StyleProp:\n if (op.expression instanceof Interpolation) {\n OpList.replace(op, stylePropInterpolate(op.name, op.expression.strings, op.expression.expressions, op.unit));\n } else {\n OpList.replace(op, styleProp(op.name, op.expression, op.unit));\n }\n break;\n case OpKind.ClassProp:\n OpList.replace(op, classProp(op.name, op.expression));\n break;\n case OpKind.StyleMap:\n if (op.expression instanceof Interpolation) {\n OpList.replace(op, styleMapInterpolate(op.expression.strings, op.expression.expressions));\n } else {\n OpList.replace(op, styleMap(op.expression));\n }\n break;\n case OpKind.ClassMap:\n if (op.expression instanceof Interpolation) {\n OpList.replace(op, classMapInterpolate(op.expression.strings, op.expression.expressions));\n } else {\n OpList.replace(op, classMap(op.expression));\n }\n break;\n case OpKind.InterpolateText:\n OpList.replace(op, textInterpolate(op.interpolation.strings, op.interpolation.expressions, op.sourceSpan));\n break;\n case OpKind.Attribute:\n if (op.expression instanceof Interpolation) {\n OpList.replace(op, attributeInterpolate(op.name, op.expression.strings, op.expression.expressions, op.sanitizer));\n } else {\n OpList.replace(op, attribute(op.name, op.expression, op.sanitizer));\n }\n break;\n case OpKind.HostProperty:\n if (op.expression instanceof Interpolation) {\n throw new Error('not yet handled');\n } else {\n OpList.replace(op, hostProperty(op.name, op.expression));\n }\n break;\n case OpKind.Variable:\n if (op.variable.name === null) {\n throw new Error(`AssertionError: unnamed variable ${op.xref}`);\n }\n OpList.replace(op, createStatementOp(new DeclareVarStmt(op.variable.name, op.initializer, undefined, StmtModifier.Final)));\n break;\n case OpKind.Statement:\n // Pass statement operations directly through.\n break;\n default:\n throw new Error(`AssertionError: Unsupported reification of update op ${OpKind[op.kind]}`);\n }\n }\n}\nfunction reifyIrExpression(expr) {\n if (!isIrExpression(expr)) {\n return expr;\n }\n switch (expr.kind) {\n case ExpressionKind.NextContext:\n return nextContext(expr.steps);\n case ExpressionKind.Reference:\n return reference(expr.slot + 1 + expr.offset);\n case ExpressionKind.LexicalRead:\n throw new Error(`AssertionError: unresolved LexicalRead of ${expr.name}`);\n case ExpressionKind.RestoreView:\n if (typeof expr.view === 'number') {\n throw new Error(`AssertionError: unresolved RestoreView`);\n }\n return restoreView(expr.view);\n case ExpressionKind.ResetView:\n return resetView(expr.expr);\n case ExpressionKind.GetCurrentView:\n return getCurrentView();\n case ExpressionKind.ReadVariable:\n if (expr.name === null) {\n throw new Error(`Read of unnamed variable ${expr.xref}`);\n }\n return variable(expr.name);\n case ExpressionKind.ReadTemporaryExpr:\n if (expr.name === null) {\n throw new Error(`Read of unnamed temporary ${expr.xref}`);\n }\n return variable(expr.name);\n case ExpressionKind.AssignTemporaryExpr:\n if (expr.name === null) {\n throw new Error(`Assign of unnamed temporary ${expr.xref}`);\n }\n return variable(expr.name).set(expr.expr);\n case ExpressionKind.PureFunctionExpr:\n if (expr.fn === null) {\n throw new Error(`AssertionError: expected PureFunctions to have been extracted`);\n }\n return pureFunction(expr.varOffset, expr.fn, expr.args);\n case ExpressionKind.PureFunctionParameterExpr:\n throw new Error(`AssertionError: expected PureFunctionParameterExpr to have been extracted`);\n case ExpressionKind.PipeBinding:\n return pipeBind(expr.slot, expr.varOffset, expr.args);\n case ExpressionKind.PipeBindingVariadic:\n return pipeBindV(expr.slot, expr.varOffset, expr.args);\n case ExpressionKind.SanitizerExpr:\n return importExpr(sanitizerIdentifierMap.get(expr.fn));\n default:\n throw new Error(`AssertionError: Unsupported reification of ir.Expression kind: ${ExpressionKind[expr.kind]}`);\n }\n}\n/**\n * Listeners get turned into a function expression, which may or may not have the `$event`\n * parameter defined.\n */\nfunction reifyListenerHandler(unit, name, handlerOps, consumesDollarEvent) {\n // First, reify all instruction calls within `handlerOps`.\n reifyUpdateOperations(unit, handlerOps);\n // Next, extract all the `o.Statement`s from the reified operations. We can expect that at this\n // point, all operations have been converted to statements.\n const handlerStmts = [];\n for (const op of handlerOps) {\n if (op.kind !== OpKind.Statement) {\n throw new Error(`AssertionError: expected reified statements, but found op ${OpKind[op.kind]}`);\n }\n handlerStmts.push(op.statement);\n }\n // If `$event` is referenced, we need to generate it as a parameter.\n const params = [];\n if (consumesDollarEvent) {\n // We need the `$event` parameter.\n params.push(new FnParam('$event'));\n }\n return fn(params, handlerStmts, undefined, undefined, name);\n}\nfunction phaseRemoveEmptyBindings(job) {\n for (const unit of job.units) {\n for (const op of unit.update) {\n switch (op.kind) {\n case OpKind.Attribute:\n case OpKind.Binding:\n case OpKind.ClassProp:\n case OpKind.ClassMap:\n case OpKind.Property:\n case OpKind.StyleProp:\n case OpKind.StyleMap:\n if (op.expression instanceof EmptyExpr) {\n OpList.remove(op);\n }\n break;\n }\n }\n }\n}\n\n/**\n * Resolves `ir.ContextExpr` expressions (which represent embedded view or component contexts) to\n * either the `ctx` parameter to component functions (for the current view context) or to variables\n * that store those contexts (for contexts accessed via the `nextContext()` instruction).\n */\nfunction phaseResolveContexts(cpl) {\n for (const unit of cpl.units) {\n processLexicalScope$1(unit, unit.create);\n processLexicalScope$1(unit, unit.update);\n }\n}\nfunction processLexicalScope$1(view, ops) {\n // Track the expressions used to access all available contexts within the current view, by the\n // view `ir.XrefId`.\n const scope = new Map();\n // The current view's context is accessible via the `ctx` parameter.\n scope.set(view.xref, variable('ctx'));\n for (const op of ops) {\n switch (op.kind) {\n case OpKind.Variable:\n switch (op.variable.kind) {\n case SemanticVariableKind.Context:\n scope.set(op.variable.view, new ReadVariableExpr(op.xref));\n break;\n }\n break;\n case OpKind.Listener:\n processLexicalScope$1(view, op.handlerOps);\n break;\n }\n }\n for (const op of ops) {\n transformExpressionsInOp(op, expr => {\n if (expr instanceof ContextExpr) {\n if (!scope.has(expr.view)) {\n throw new Error(`No context found for reference to view ${expr.view} from view ${view.xref}`);\n }\n return scope.get(expr.view);\n } else {\n return expr;\n }\n }, VisitorContextFlag.None);\n }\n}\n\n/**\n * Any variable inside a listener with the name `$event` will be transformed into a output lexical\n * read immediately, and does not participate in any of the normal logic for handling variables.\n */\nfunction phaseResolveDollarEvent(cpl) {\n for (const [_, view] of cpl.views) {\n resolveDollarEvent(view, view.create);\n resolveDollarEvent(view, view.update);\n }\n}\nfunction resolveDollarEvent(view, ops) {\n for (const op of ops) {\n if (op.kind === OpKind.Listener) {\n transformExpressionsInOp(op, expr => {\n if (expr instanceof LexicalReadExpr && expr.name === '$event') {\n op.consumesDollarEvent = true;\n return new ReadVarExpr(expr.name);\n }\n return expr;\n }, VisitorContextFlag.InChildOperation);\n }\n }\n}\n\n/**\n * Resolves lexical references in views (`ir.LexicalReadExpr`) to either a target variable or to\n * property reads on the top-level component context.\n *\n * Also matches `ir.RestoreViewExpr` expressions with the variables of their corresponding saved\n * views.\n */\nfunction phaseResolveNames(cpl) {\n for (const unit of cpl.units) {\n processLexicalScope(unit, unit.create, null);\n processLexicalScope(unit, unit.update, null);\n }\n}\nfunction processLexicalScope(unit, ops, savedView) {\n // Maps names defined in the lexical scope of this template to the `ir.XrefId`s of the variable\n // declarations which represent those values.\n //\n // Since variables are generated in each view for the entire lexical scope (including any\n // identifiers from parent templates) only local variables need be considered here.\n const scope = new Map();\n // First, step through the operations list and:\n // 1) build up the `scope` mapping\n // 2) recurse into any listener functions\n for (const op of ops) {\n switch (op.kind) {\n case OpKind.Variable:\n switch (op.variable.kind) {\n case SemanticVariableKind.Identifier:\n // This variable represents some kind of identifier which can be used in the template.\n if (scope.has(op.variable.identifier)) {\n continue;\n }\n scope.set(op.variable.identifier, op.xref);\n break;\n case SemanticVariableKind.SavedView:\n // This variable represents a snapshot of the current view context, and can be used to\n // restore that context within listener functions.\n savedView = {\n view: op.variable.view,\n variable: op.xref\n };\n break;\n }\n break;\n case OpKind.Listener:\n // Listener functions have separate variable declarations, so process them as a separate\n // lexical scope.\n processLexicalScope(unit, op.handlerOps, savedView);\n break;\n }\n }\n // Next, use the `scope` mapping to match `ir.LexicalReadExpr` with defined names in the lexical\n // scope. Also, look for `ir.RestoreViewExpr`s and match them with the snapshotted view context\n // variable.\n for (const op of ops) {\n if (op.kind == OpKind.Listener) {\n // Listeners were already processed above with their own scopes.\n continue;\n }\n transformExpressionsInOp(op, (expr, flags) => {\n if (expr instanceof LexicalReadExpr) {\n // `expr` is a read of a name within the lexical scope of this view.\n // Either that name is defined within the current view, or it represents a property from the\n // main component context.\n if (scope.has(expr.name)) {\n // This was a defined variable in the current scope.\n return new ReadVariableExpr(scope.get(expr.name));\n } else {\n // Reading from the component context.\n return new ReadPropExpr(new ContextExpr(unit.job.root.xref), expr.name);\n }\n } else if (expr instanceof RestoreViewExpr && typeof expr.view === 'number') {\n // `ir.RestoreViewExpr` happens in listener functions and restores a saved view from the\n // parent creation list. We expect to find that we captured the `savedView` previously, and\n // that it matches the expected view to be restored.\n if (savedView === null || savedView.view !== expr.view) {\n throw new Error(`AssertionError: no saved view ${expr.view} from view ${unit.xref}`);\n }\n expr.view = new ReadVariableExpr(savedView.variable);\n return expr;\n } else {\n return expr;\n }\n }, VisitorContextFlag.None);\n }\n for (const op of ops) {\n visitExpressionsInOp(op, expr => {\n if (expr instanceof LexicalReadExpr) {\n throw new Error(`AssertionError: no lexical reads should remain, but found read of ${expr.name}`);\n }\n });\n }\n}\n\n/**\n * Mapping of security contexts to sanitizer function for that context.\n */\nconst sanitizers = new Map([[SecurityContext.HTML, SanitizerFn.Html], [SecurityContext.SCRIPT, SanitizerFn.Script], [SecurityContext.STYLE, SanitizerFn.Style], [SecurityContext.URL, SanitizerFn.Url], [SecurityContext.RESOURCE_URL, SanitizerFn.ResourceUrl]]);\n/**\n * Resolves sanitization functions for ops that need them.\n */\nfunction phaseResolveSanitizers(cpl) {\n for (const [_, view] of cpl.views) {\n const elements = getElementsByXrefId(view);\n let sanitizerFn;\n for (const op of view.update) {\n switch (op.kind) {\n case OpKind.Property:\n case OpKind.Attribute:\n sanitizerFn = sanitizers.get(op.securityContext) || null;\n op.sanitizer = sanitizerFn ? new SanitizerExpr(sanitizerFn) : null;\n // If there was no sanitization function found based on the security context of an\n // attribute/property, check whether this attribute/property is one of the\n // security-sensitive <iframe> attributes (and that the current element is actually an\n // <iframe>).\n if (op.sanitizer === null) {\n const ownerOp = elements.get(op.target);\n if (ownerOp === undefined) {\n throw Error('Property should have an element-like owner');\n }\n if (isIframeElement$1(ownerOp) && isIframeSecuritySensitiveAttr(op.name)) {\n op.sanitizer = new SanitizerExpr(SanitizerFn.IframeAttribute);\n }\n }\n break;\n }\n }\n }\n}\n/**\n * Checks whether the given op represents an iframe element.\n */\nfunction isIframeElement$1(op) {\n return (op.kind === OpKind.Element || op.kind === OpKind.ElementStart) && op.tag.toLowerCase() === 'iframe';\n}\nfunction phaseSaveRestoreView(cpl) {\n for (const view of cpl.views.values()) {\n view.create.prepend([createVariableOp(view.job.allocateXrefId(), {\n kind: SemanticVariableKind.SavedView,\n name: null,\n view: view.xref\n }, new GetCurrentViewExpr())]);\n for (const op of view.create) {\n if (op.kind !== OpKind.Listener) {\n continue;\n }\n // Embedded views always need the save/restore view operation.\n let needsRestoreView = view !== cpl.root;\n if (!needsRestoreView) {\n for (const handlerOp of op.handlerOps) {\n visitExpressionsInOp(handlerOp, expr => {\n if (expr instanceof ReferenceExpr) {\n // Listeners that reference() a local ref need the save/restore view operation.\n needsRestoreView = true;\n }\n });\n }\n }\n if (needsRestoreView) {\n addSaveRestoreViewOperationToListener(view, op);\n }\n }\n }\n}\nfunction addSaveRestoreViewOperationToListener(view, op) {\n op.handlerOps.prepend([createVariableOp(view.job.allocateXrefId(), {\n kind: SemanticVariableKind.Context,\n name: null,\n view: view.xref\n }, new RestoreViewExpr(view.xref))]);\n // The \"restore view\" operation in listeners requires a call to `resetView` to reset the\n // context prior to returning from the listener operation. Find any `return` statements in\n // the listener body and wrap them in a call to reset the view.\n for (const handlerOp of op.handlerOps) {\n if (handlerOp.kind === OpKind.Statement && handlerOp.statement instanceof ReturnStatement) {\n handlerOp.statement.value = new ResetViewExpr(handlerOp.statement.value);\n }\n }\n}\n\n/**\n * Assign data slots for all operations which implement `ConsumesSlotOpTrait`, and propagate the\n * assigned data slots of those operations to any expressions which reference them via\n * `UsesSlotIndexTrait`.\n *\n * This phase is also responsible for counting the number of slots used for each view (its `decls`)\n * and propagating that number into the `Template` operations which declare embedded views.\n */\nfunction phaseSlotAllocation(cpl) {\n // Map of all declarations in all views within the component which require an assigned slot index.\n // This map needs to be global (across all views within the component) since it's possible to\n // reference a slot from one view from an expression within another (e.g. local references work\n // this way).\n const slotMap = new Map();\n // Process all views in the component and assign slot indexes.\n for (const [_, view] of cpl.views) {\n // Slot indices start at 0 for each view (and are not unique between views).\n let slotCount = 0;\n for (const op of view.create) {\n // Only consider declarations which consume data slots.\n if (!hasConsumesSlotTrait(op)) {\n continue;\n }\n // Assign slots to this declaration starting at the current `slotCount`.\n op.slot = slotCount;\n // And track its assigned slot in the `slotMap`.\n slotMap.set(op.xref, op.slot);\n // Each declaration may use more than 1 slot, so increment `slotCount` to reserve the number\n // of slots required.\n slotCount += op.numSlotsUsed;\n }\n // Record the total number of slots used on the view itself. This will later be propagated into\n // `ir.TemplateOp`s which declare those views (except for the root view).\n view.decls = slotCount;\n }\n // After slot assignment, `slotMap` now contains slot assignments for every declaration in the\n // whole template, across all views. Next, look for expressions which implement\n // `UsesSlotIndexExprTrait` and propagate the assigned slot indexes into them.\n // Additionally, this second scan allows us to find `ir.TemplateOp`s which declare views and\n // propagate the number of slots used for each view into the operation which declares it.\n for (const [_, view] of cpl.views) {\n for (const op of view.ops()) {\n if (op.kind === OpKind.Template) {\n // Record the number of slots used by the view this `ir.TemplateOp` declares in the\n // operation itself, so it can be emitted later.\n const childView = cpl.views.get(op.xref);\n op.decls = childView.decls;\n }\n if (hasUsesSlotIndexTrait(op) && op.slot === null) {\n if (!slotMap.has(op.target)) {\n // We do expect to find a slot allocated for everything which might be referenced.\n throw new Error(`AssertionError: no slot allocated for ${OpKind[op.kind]} target ${op.target}`);\n }\n op.slot = slotMap.get(op.target);\n }\n // Process all `ir.Expression`s within this view, and look for `usesSlotIndexExprTrait`.\n visitExpressionsInOp(op, expr => {\n if (!isIrExpression(expr)) {\n return;\n }\n if (!hasUsesSlotIndexTrait(expr) || expr.slot !== null) {\n return;\n }\n // The `UsesSlotIndexExprTrait` indicates that this expression references something declared\n // in this component template by its slot index. Use the `target` `ir.XrefId` to find the\n // allocated slot for that declaration in `slotMap`.\n if (!slotMap.has(expr.target)) {\n // We do expect to find a slot allocated for everything which might be referenced.\n throw new Error(`AssertionError: no slot allocated for ${expr.constructor.name} target ${expr.target}`);\n }\n // Record the allocated slot on the expression.\n expr.slot = slotMap.get(expr.target);\n });\n }\n }\n}\n\n/**\n * Transforms special-case bindings with 'style' or 'class' in their names. Must run before the\n * main binding specialization pass.\n */\nfunction phaseStyleBindingSpecialization(cpl) {\n for (const unit of cpl.units) {\n for (const op of unit.update) {\n if (op.kind !== OpKind.Binding) {\n continue;\n }\n switch (op.bindingKind) {\n case BindingKind.ClassName:\n if (op.expression instanceof Interpolation) {\n throw new Error(`Unexpected interpolation in ClassName binding`);\n }\n OpList.replace(op, createClassPropOp(op.target, op.name, op.expression, op.sourceSpan));\n break;\n case BindingKind.StyleProperty:\n OpList.replace(op, createStylePropOp(op.target, op.name, op.expression, op.unit, op.sourceSpan));\n break;\n case BindingKind.Property:\n case BindingKind.Template:\n if (op.name === 'style') {\n OpList.replace(op, createStyleMapOp(op.target, op.expression, op.sourceSpan));\n } else if (op.name === 'class') {\n OpList.replace(op, createClassMapOp(op.target, op.expression, op.sourceSpan));\n }\n break;\n }\n }\n }\n}\n\n/**\n * Find all assignments and usages of temporary variables, which are linked to each other with cross\n * references. Generate names for each cross-reference, and add a `DeclareVarStmt` to initialize\n * them at the beginning of the update block.\n *\n * TODO: Sometimes, it will be possible to reuse names across different subexpressions. For example,\n * in the double keyed read `a?.[f()]?.[f()]`, the two function calls have non-overlapping scopes.\n * Implement an algorithm for reuse.\n */\nfunction phaseTemporaryVariables(cpl) {\n for (const unit of cpl.units) {\n let opCount = 0;\n let generatedStatements = [];\n for (const op of unit.ops()) {\n // Identify the final time each temp var is read.\n const finalReads = new Map();\n visitExpressionsInOp(op, expr => {\n if (expr instanceof ReadTemporaryExpr) {\n finalReads.set(expr.xref, expr);\n }\n });\n // Name the temp vars, accounting for the fact that a name can be reused after it has been\n // read for the final time.\n let count = 0;\n const assigned = new Set();\n const released = new Set();\n const defs = new Map();\n visitExpressionsInOp(op, expr => {\n if (expr instanceof AssignTemporaryExpr) {\n if (!assigned.has(expr.xref)) {\n assigned.add(expr.xref);\n // TODO: Exactly replicate the naming scheme used by `TemplateDefinitionBuilder`.\n // It seems to rely on an expression index instead of an op index.\n defs.set(expr.xref, `tmp_${opCount}_${count++}`);\n }\n assignName(defs, expr);\n } else if (expr instanceof ReadTemporaryExpr) {\n if (finalReads.get(expr.xref) === expr) {\n released.add(expr.xref);\n count--;\n }\n assignName(defs, expr);\n }\n });\n // Add declarations for the temp vars.\n generatedStatements.push(...Array.from(new Set(defs.values())).map(name => createStatementOp(new DeclareVarStmt(name))));\n opCount++;\n }\n unit.update.prepend(generatedStatements);\n }\n}\n/**\n * Assigns a name to the temporary variable in the given temporary variable expression.\n */\nfunction assignName(names, expr) {\n const name = names.get(expr.xref);\n if (name === undefined) {\n throw new Error(`Found xref with unassigned name: ${expr.xref}`);\n }\n expr.name = name;\n}\n\n/**\n * Optimize variables declared and used in the IR.\n *\n * Variables are eagerly generated by pipeline stages for all possible values that could be\n * referenced. This stage processes the list of declared variables and all variable usages,\n * and optimizes where possible. It performs 3 main optimizations:\n *\n * * It transforms variable declarations to side effectful expressions when the\n * variable is not used, but its initializer has global effects which other\n * operations rely upon.\n * * It removes variable declarations if those variables are not referenced and\n * either they do not have global effects, or nothing relies on them.\n * * It inlines variable declarations when those variables are only used once\n * and the inlining is semantically safe.\n *\n * To guarantee correctness, analysis of \"fences\" in the instruction lists is used to determine\n * which optimizations are safe to perform.\n */\nfunction phaseVariableOptimization(job) {\n for (const unit of job.units) {\n optimizeVariablesInOpList(unit.create, job.compatibility);\n optimizeVariablesInOpList(unit.update, job.compatibility);\n for (const op of unit.create) {\n if (op.kind === OpKind.Listener) {\n optimizeVariablesInOpList(op.handlerOps, job.compatibility);\n }\n }\n }\n}\n/**\n * A [fence](https://en.wikipedia.org/wiki/Memory_barrier) flag for an expression which indicates\n * how that expression can be optimized in relation to other expressions or instructions.\n *\n * `Fence`s are a bitfield, so multiple flags may be set on a single expression.\n */\nvar Fence;\n(function (Fence) {\n /**\n * Empty flag (no fence exists).\n */\n Fence[Fence[\"None\"] = 0] = \"None\";\n /**\n * A context read fence, meaning that the expression in question reads from the \"current view\"\n * context of the runtime.\n */\n Fence[Fence[\"ViewContextRead\"] = 1] = \"ViewContextRead\";\n /**\n * A context write fence, meaning that the expression in question writes to the \"current view\"\n * context of the runtime.\n *\n * Note that all `ContextWrite` fences are implicitly `ContextRead` fences as operations which\n * change the view context do so based on the current one.\n */\n Fence[Fence[\"ViewContextWrite\"] = 3] = \"ViewContextWrite\";\n /**\n * Indicates that a call is required for its side-effects, even if nothing reads its result.\n *\n * This is also true of `ViewContextWrite` operations **if** they are followed by a\n * `ViewContextRead`.\n */\n Fence[Fence[\"SideEffectful\"] = 4] = \"SideEffectful\";\n})(Fence || (Fence = {}));\n/**\n * Process a list of operations and optimize variables within that list.\n */\nfunction optimizeVariablesInOpList(ops, compatibility) {\n const varDecls = new Map();\n const varUsages = new Map();\n // Track variables that are used outside of the immediate operation list. For example, within\n // `ListenerOp` handler operations of listeners in the current operation list.\n const varRemoteUsages = new Set();\n const opMap = new Map();\n // First, extract information about variables declared or used within the whole list.\n for (const op of ops) {\n if (op.kind === OpKind.Variable) {\n if (varDecls.has(op.xref) || varUsages.has(op.xref)) {\n throw new Error(`Should not see two declarations of the same variable: ${op.xref}`);\n }\n varDecls.set(op.xref, op);\n varUsages.set(op.xref, 0);\n }\n opMap.set(op, collectOpInfo(op));\n countVariableUsages(op, varUsages, varRemoteUsages);\n }\n // The next step is to remove any variable declarations for variables that aren't used. The\n // variable initializer expressions may be side-effectful, so they may need to be retained as\n // expression statements.\n // Track whether we've seen an operation which reads from the view context yet. This is used to\n // determine whether a write to the view context in a variable initializer can be observed.\n let contextIsUsed = false;\n // Note that iteration through the list happens in reverse, which guarantees that we'll process\n // all reads of a variable prior to processing its declaration.\n for (const op of ops.reversed()) {\n const opInfo = opMap.get(op);\n if (op.kind === OpKind.Variable && varUsages.get(op.xref) === 0) {\n // This variable is unused and can be removed. We might need to keep the initializer around,\n // though, if something depends on it running.\n if (contextIsUsed && opInfo.fences & Fence.ViewContextWrite || opInfo.fences & Fence.SideEffectful) {\n // This variable initializer has a side effect which must be retained. Either:\n // * it writes to the view context, and we know there is a future operation which depends\n // on that write, or\n // * it's an operation which is inherently side-effectful.\n // We can't remove the initializer, but we can remove the variable declaration itself and\n // replace it with a side-effectful statement.\n const stmtOp = createStatementOp(op.initializer.toStmt());\n opMap.set(stmtOp, opInfo);\n OpList.replace(op, stmtOp);\n } else {\n // It's safe to delete this entire variable declaration as nothing depends on it, even\n // side-effectfully. Note that doing this might make other variables unused. Since we're\n // iterating in reverse order, we should always be processing usages before declarations\n // and therefore by the time we get to a declaration, all removable usages will have been\n // removed.\n uncountVariableUsages(op, varUsages);\n OpList.remove(op);\n }\n opMap.delete(op);\n varDecls.delete(op.xref);\n varUsages.delete(op.xref);\n continue;\n }\n // Does this operation depend on the view context?\n if (opInfo.fences & Fence.ViewContextRead) {\n contextIsUsed = true;\n }\n }\n // Next, inline any remaining variables with exactly one usage.\n const toInline = [];\n for (const [id, count] of varUsages) {\n // We can inline variables that:\n // - are used once\n // - are not used remotely\n if (count !== 1) {\n // We can't inline this variable as it's used more than once.\n continue;\n }\n if (varRemoteUsages.has(id)) {\n // This variable is used once, but across an operation boundary, so it can't be inlined.\n continue;\n }\n toInline.push(id);\n }\n let candidate;\n while (candidate = toInline.pop()) {\n // We will attempt to inline this variable. If inlining fails (due to fences for example),\n // no future operation will make inlining legal.\n const decl = varDecls.get(candidate);\n const varInfo = opMap.get(decl);\n // Scan operations following the variable declaration and look for the point where that variable\n // is used. There should only be one usage given the precondition above.\n for (let targetOp = decl.next; targetOp.kind !== OpKind.ListEnd; targetOp = targetOp.next) {\n const opInfo = opMap.get(targetOp);\n // Is the variable used in this operation?\n if (opInfo.variablesUsed.has(candidate)) {\n if (compatibility === CompatibilityMode.TemplateDefinitionBuilder && !allowConservativeInlining(decl, targetOp)) {\n // We're in conservative mode, and this variable is not eligible for inlining into the\n // target operation in this mode.\n break;\n }\n // Yes, try to inline it. Inlining may not be successful if fences in this operation before\n // the variable's usage cannot be safely crossed.\n if (tryInlineVariableInitializer(candidate, decl.initializer, targetOp, varInfo.fences)) {\n // Inlining was successful! Update the tracking structures to reflect the inlined\n // variable.\n opInfo.variablesUsed.delete(candidate);\n // Add all variables used in the variable's initializer to its new usage site.\n for (const id of varInfo.variablesUsed) {\n opInfo.variablesUsed.add(id);\n }\n // Merge fences in the variable's initializer into its new usage site.\n opInfo.fences |= varInfo.fences;\n // Delete tracking info related to the declaration.\n varDecls.delete(candidate);\n varUsages.delete(candidate);\n opMap.delete(decl);\n // And finally, delete the original declaration from the operation list.\n OpList.remove(decl);\n }\n // Whether inlining succeeded or failed, we're done processing this variable.\n break;\n }\n // If the variable is not used in this operation, then we'd need to inline across it. Check if\n // that's safe to do.\n if (!safeToInlinePastFences(opInfo.fences, varInfo.fences)) {\n // We can't safely inline this variable beyond this operation, so don't proceed with\n // inlining this variable.\n break;\n }\n }\n }\n}\n/**\n * Given an `ir.Expression`, returns the `Fence` flags for that expression type.\n */\nfunction fencesForIrExpression(expr) {\n switch (expr.kind) {\n case ExpressionKind.NextContext:\n return Fence.ViewContextWrite;\n case ExpressionKind.RestoreView:\n return Fence.ViewContextWrite | Fence.SideEffectful;\n case ExpressionKind.Reference:\n return Fence.ViewContextRead;\n default:\n return Fence.None;\n }\n}\n/**\n * Build the `OpInfo` structure for the given `op`. This performs two operations:\n *\n * * It tracks which variables are used in the operation's expressions.\n * * It rolls up fence flags for expressions within the operation.\n */\nfunction collectOpInfo(op) {\n let fences = Fence.None;\n const variablesUsed = new Set();\n visitExpressionsInOp(op, expr => {\n if (!isIrExpression(expr)) {\n return;\n }\n switch (expr.kind) {\n case ExpressionKind.ReadVariable:\n variablesUsed.add(expr.xref);\n break;\n default:\n fences |= fencesForIrExpression(expr);\n }\n });\n return {\n fences,\n variablesUsed\n };\n}\n/**\n * Count the number of usages of each variable, being careful to track whether those usages are\n * local or remote.\n */\nfunction countVariableUsages(op, varUsages, varRemoteUsage) {\n visitExpressionsInOp(op, (expr, flags) => {\n if (!isIrExpression(expr)) {\n return;\n }\n if (expr.kind !== ExpressionKind.ReadVariable) {\n return;\n }\n const count = varUsages.get(expr.xref);\n if (count === undefined) {\n // This variable is declared outside the current scope of optimization.\n return;\n }\n varUsages.set(expr.xref, count + 1);\n if (flags & VisitorContextFlag.InChildOperation) {\n varRemoteUsage.add(expr.xref);\n }\n });\n}\n/**\n * Remove usages of a variable in `op` from the `varUsages` tracking.\n */\nfunction uncountVariableUsages(op, varUsages) {\n visitExpressionsInOp(op, expr => {\n if (!isIrExpression(expr)) {\n return;\n }\n if (expr.kind !== ExpressionKind.ReadVariable) {\n return;\n }\n const count = varUsages.get(expr.xref);\n if (count === undefined) {\n // This variable is declared outside the current scope of optimization.\n return;\n } else if (count === 0) {\n throw new Error(`Inaccurate variable count: ${expr.xref} - found another read but count is already 0`);\n }\n varUsages.set(expr.xref, count - 1);\n });\n}\n/**\n * Checks whether it's safe to inline a variable across a particular operation.\n *\n * @param fences the fences of the operation which the inlining will cross\n * @param declFences the fences of the variable being inlined.\n */\nfunction safeToInlinePastFences(fences, declFences) {\n if (fences & Fence.ViewContextWrite) {\n // It's not safe to inline context reads across context writes.\n if (declFences & Fence.ViewContextRead) {\n return false;\n }\n } else if (fences & Fence.ViewContextRead) {\n // It's not safe to inline context writes across context reads.\n if (declFences & Fence.ViewContextWrite) {\n return false;\n }\n }\n return true;\n}\n/**\n * Attempt to inline the initializer of a variable into a target operation's expressions.\n *\n * This may or may not be safe to do. For example, the variable could be read following the\n * execution of an expression with fences that don't permit the variable to be inlined across them.\n */\nfunction tryInlineVariableInitializer(id, initializer, target, declFences) {\n // We use `ir.transformExpressionsInOp` to walk the expressions and inline the variable if\n // possible. Since this operation is callback-based, once inlining succeeds or fails we can't\n // \"stop\" the expression processing, and have to keep track of whether inlining has succeeded or\n // is no longer allowed.\n let inlined = false;\n let inliningAllowed = true;\n transformExpressionsInOp(target, (expr, flags) => {\n if (!isIrExpression(expr)) {\n return expr;\n }\n if (inlined || !inliningAllowed) {\n // Either the inlining has already succeeded, or we've passed a fence that disallows inlining\n // at this point, so don't try.\n return expr;\n } else if (flags & VisitorContextFlag.InChildOperation && declFences & Fence.ViewContextRead) {\n // We cannot inline variables that are sensitive to the current context across operation\n // boundaries.\n return expr;\n }\n switch (expr.kind) {\n case ExpressionKind.ReadVariable:\n if (expr.xref === id) {\n // This is the usage site of the variable. Since nothing has disallowed inlining, it's\n // safe to inline the initializer here.\n inlined = true;\n return initializer;\n }\n break;\n default:\n // For other types of `ir.Expression`s, whether inlining is allowed depends on their fences.\n const exprFences = fencesForIrExpression(expr);\n inliningAllowed = inliningAllowed && safeToInlinePastFences(exprFences, declFences);\n break;\n }\n return expr;\n }, VisitorContextFlag.None);\n return inlined;\n}\n/**\n * Determines whether inlining of `decl` should be allowed in \"conservative\" mode.\n *\n * In conservative mode, inlining behavior is limited to those operations which the\n * `TemplateDefinitionBuilder` supported, with the goal of producing equivalent output.\n */\nfunction allowConservativeInlining(decl, target) {\n // TODO(alxhub): understand exactly how TemplateDefinitionBuilder approaches inlining, and record\n // that behavior here.\n switch (decl.variable.kind) {\n case SemanticVariableKind.Identifier:\n return false;\n case SemanticVariableKind.Context:\n // Context can only be inlined into other variables.\n return target.kind === OpKind.Variable;\n default:\n return true;\n }\n}\n\n/**\n * Run all transformation phases in the correct order against a `ComponentCompilation`. After this\n * processing, the compilation should be in a state where it can be emitted.\n */\nfunction transformTemplate(job) {\n phaseNamespace(job);\n phaseStyleBindingSpecialization(job);\n phaseBindingSpecialization(job);\n phaseAttributeExtraction(job);\n phaseRemoveEmptyBindings(job);\n phaseNoListenersOnTemplates(job);\n phasePipeCreation(job);\n phasePipeVariadic(job);\n phasePureLiteralStructures(job);\n phaseGenerateVariables(job);\n phaseSaveRestoreView(job);\n phaseFindAnyCasts(job);\n phaseResolveDollarEvent(job);\n phaseResolveNames(job);\n phaseResolveContexts(job);\n phaseResolveSanitizers(job);\n phaseLocalRefs(job);\n phaseConstCollection(job);\n phaseNullishCoalescing(job);\n phaseExpandSafeReads(job);\n phaseTemporaryVariables(job);\n phaseSlotAllocation(job);\n phaseVarCounting(job);\n phaseGenerateAdvance(job);\n phaseVariableOptimization(job);\n phaseNaming(job);\n phaseMergeNextContext(job);\n phaseNgContainer(job);\n phaseEmptyElements(job);\n phaseNonbindable(job);\n phasePureFunctionExtraction(job);\n phaseAlignPipeVariadicVarOffset(job);\n phasePropertyOrdering(job);\n phaseReify(job);\n phaseChaining(job);\n}\n/**\n * Run all transformation phases in the correct order against a `HostBindingCompilationJob`. After\n * this processing, the compilation should be in a state where it can be emitted.\n */\nfunction transformHostBinding(job) {\n phaseHostStylePropertyParsing(job);\n phaseStyleBindingSpecialization(job);\n phaseBindingSpecialization(job);\n phasePureLiteralStructures(job);\n phaseNullishCoalescing(job);\n phaseExpandSafeReads(job);\n phaseTemporaryVariables(job);\n phaseVarCounting(job);\n phaseVariableOptimization(job);\n phaseResolveNames(job);\n phaseResolveContexts(job);\n // TODO: Figure out how to make this work for host bindings.\n // phaseResolveSanitizers(job);\n phaseNaming(job);\n phasePureFunctionExtraction(job);\n phasePropertyOrdering(job);\n phaseReify(job);\n phaseChaining(job);\n}\n/**\n * Compile all views in the given `ComponentCompilation` into the final template function, which may\n * reference constants defined in a `ConstantPool`.\n */\nfunction emitTemplateFn(tpl, pool) {\n const rootFn = emitView(tpl.root);\n emitChildViews(tpl.root, pool);\n return rootFn;\n}\nfunction emitChildViews(parent, pool) {\n for (const view of parent.job.views.values()) {\n if (view.parent !== parent.xref) {\n continue;\n }\n // Child views are emitted depth-first.\n emitChildViews(view, pool);\n const viewFn = emitView(view);\n pool.statements.push(viewFn.toDeclStmt(viewFn.name));\n }\n}\n/**\n * Emit a template function for an individual `ViewCompilation` (which may be either the root view\n * or an embedded view).\n */\nfunction emitView(view) {\n if (view.fnName === null) {\n throw new Error(`AssertionError: view ${view.xref} is unnamed`);\n }\n const createStatements = [];\n for (const op of view.create) {\n if (op.kind !== OpKind.Statement) {\n throw new Error(`AssertionError: expected all create ops to have been compiled, but got ${OpKind[op.kind]}`);\n }\n createStatements.push(op.statement);\n }\n const updateStatements = [];\n for (const op of view.update) {\n if (op.kind !== OpKind.Statement) {\n throw new Error(`AssertionError: expected all update ops to have been compiled, but got ${OpKind[op.kind]}`);\n }\n updateStatements.push(op.statement);\n }\n const createCond = maybeGenerateRfBlock(1, createStatements);\n const updateCond = maybeGenerateRfBlock(2, updateStatements);\n return fn([new FnParam('rf'), new FnParam('ctx')], [...createCond, ...updateCond], /* type */undefined, /* sourceSpan */undefined, view.fnName);\n}\nfunction maybeGenerateRfBlock(flag, statements) {\n if (statements.length === 0) {\n return [];\n }\n return [ifStmt(new BinaryOperatorExpr(BinaryOperator.BitwiseAnd, variable('rf'), literal(flag)), statements)];\n}\nfunction emitHostBindingFunction(job) {\n if (job.fnName === null) {\n throw new Error(`AssertionError: host binding function is unnamed`);\n }\n const createStatements = [];\n for (const op of job.create) {\n if (op.kind !== OpKind.Statement) {\n throw new Error(`AssertionError: expected all create ops to have been compiled, but got ${OpKind[op.kind]}`);\n }\n createStatements.push(op.statement);\n }\n const updateStatements = [];\n for (const op of job.update) {\n if (op.kind !== OpKind.Statement) {\n throw new Error(`AssertionError: expected all update ops to have been compiled, but got ${OpKind[op.kind]}`);\n }\n updateStatements.push(op.statement);\n }\n if (createStatements.length === 0 && updateStatements.length === 0) {\n return null;\n }\n const createCond = maybeGenerateRfBlock(1, createStatements);\n const updateCond = maybeGenerateRfBlock(2, updateStatements);\n return fn([new FnParam('rf'), new FnParam('ctx')], [...createCond, ...updateCond], /* type */undefined, /* sourceSpan */undefined, job.fnName);\n}\nconst compatibilityMode = CompatibilityMode.TemplateDefinitionBuilder;\n/**\n * Process a template AST and convert it into a `ComponentCompilation` in the intermediate\n * representation.\n */\nfunction ingestComponent(componentName, template, constantPool) {\n const cpl = new ComponentCompilationJob(componentName, constantPool, compatibilityMode);\n ingestNodes(cpl.root, template);\n return cpl;\n}\n/**\n * Process a host binding AST and convert it into a `HostBindingCompilationJob` in the intermediate\n * representation.\n */\nfunction ingestHostBinding(input, bindingParser, constantPool) {\n const job = new HostBindingCompilationJob(input.componentName, constantPool, compatibilityMode);\n for (const property of input.properties ?? []) {\n ingestHostProperty(job, property);\n }\n for (const event of input.events ?? []) {\n ingestHostEvent(job, event);\n }\n return job;\n}\n// TODO: We should refactor the parser to use the same types and structures for host bindings as\n// with ordinary components. This would allow us to share a lot more ingestion code.\nfunction ingestHostProperty(job, property) {\n let expression;\n const ast = property.expression.ast;\n if (ast instanceof Interpolation$1) {\n expression = new Interpolation(ast.strings, ast.expressions.map(expr => convertAst(expr, job)));\n } else {\n expression = convertAst(ast, job);\n }\n let bindingKind = BindingKind.Property;\n // TODO: this should really be handled in the parser.\n if (property.name.startsWith('attr.')) {\n property.name = property.name.substring('attr.'.length);\n bindingKind = BindingKind.Attribute;\n }\n job.update.push(createBindingOp(job.root.xref, bindingKind, property.name, expression, null, SecurityContext.NONE /* TODO: what should we pass as security context? Passing NONE for now. */, false, property.sourceSpan));\n}\nfunction ingestHostEvent(job, event) {}\n/**\n * Ingest the nodes of a template AST into the given `ViewCompilation`.\n */\nfunction ingestNodes(view, template) {\n for (const node of template) {\n if (node instanceof Element$1) {\n ingestElement(view, node);\n } else if (node instanceof Template) {\n ingestTemplate(view, node);\n } else if (node instanceof Text$3) {\n ingestText(view, node);\n } else if (node instanceof BoundText) {\n ingestBoundText(view, node);\n } else {\n throw new Error(`Unsupported template node: ${node.constructor.name}`);\n }\n }\n}\n/**\n * Ingest an element AST from the template into the given `ViewCompilation`.\n */\nfunction ingestElement(view, element) {\n const staticAttributes = {};\n for (const attr of element.attributes) {\n staticAttributes[attr.name] = attr.value;\n }\n const id = view.job.allocateXrefId();\n const [namespaceKey, elementName] = splitNsName(element.name);\n const startOp = createElementStartOp(elementName, id, namespaceForKey(namespaceKey), element.startSourceSpan);\n view.create.push(startOp);\n ingestBindings(view, startOp, element);\n ingestReferences(startOp, element);\n ingestNodes(view, element.children);\n view.create.push(createElementEndOp(id, element.endSourceSpan));\n}\n/**\n * Ingest an `ng-template` node from the AST into the given `ViewCompilation`.\n */\nfunction ingestTemplate(view, tmpl) {\n const childView = view.job.allocateView(view.xref);\n let tagNameWithoutNamespace = tmpl.tagName;\n let namespacePrefix = '';\n if (tmpl.tagName) {\n [namespacePrefix, tagNameWithoutNamespace] = splitNsName(tmpl.tagName);\n }\n // TODO: validate the fallback tag name here.\n const tplOp = createTemplateOp(childView.xref, tagNameWithoutNamespace ?? 'ng-template', namespaceForKey(namespacePrefix), tmpl.startSourceSpan);\n view.create.push(tplOp);\n ingestBindings(view, tplOp, tmpl);\n ingestReferences(tplOp, tmpl);\n ingestNodes(childView, tmpl.children);\n for (const {\n name,\n value\n } of tmpl.variables) {\n childView.contextVariables.set(name, value);\n }\n}\n/**\n * Ingest a literal text node from the AST into the given `ViewCompilation`.\n */\nfunction ingestText(view, text) {\n view.create.push(createTextOp(view.job.allocateXrefId(), text.value, text.sourceSpan));\n}\n/**\n * Ingest an interpolated text node from the AST into the given `ViewCompilation`.\n */\nfunction ingestBoundText(view, text) {\n let value = text.value;\n if (value instanceof ASTWithSource) {\n value = value.ast;\n }\n if (!(value instanceof Interpolation$1)) {\n throw new Error(`AssertionError: expected Interpolation for BoundText node, got ${value.constructor.name}`);\n }\n const textXref = view.job.allocateXrefId();\n view.create.push(createTextOp(textXref, '', text.sourceSpan));\n view.update.push(createInterpolateTextOp(textXref, new Interpolation(value.strings, value.expressions.map(expr => convertAst(expr, view.job))), text.sourceSpan));\n}\n/**\n * Convert a template AST expression into an output AST expression.\n */\nfunction convertAst(ast, cpl) {\n if (ast instanceof ASTWithSource) {\n return convertAst(ast.ast, cpl);\n } else if (ast instanceof PropertyRead) {\n if (ast.receiver instanceof ImplicitReceiver && !(ast.receiver instanceof ThisReceiver)) {\n return new LexicalReadExpr(ast.name);\n } else {\n return new ReadPropExpr(convertAst(ast.receiver, cpl), ast.name);\n }\n } else if (ast instanceof PropertyWrite) {\n return new WritePropExpr(convertAst(ast.receiver, cpl), ast.name, convertAst(ast.value, cpl));\n } else if (ast instanceof KeyedWrite) {\n return new WriteKeyExpr(convertAst(ast.receiver, cpl), convertAst(ast.key, cpl), convertAst(ast.value, cpl));\n } else if (ast instanceof Call) {\n if (ast.receiver instanceof ImplicitReceiver) {\n throw new Error(`Unexpected ImplicitReceiver`);\n } else {\n return new InvokeFunctionExpr(convertAst(ast.receiver, cpl), ast.args.map(arg => convertAst(arg, cpl)));\n }\n } else if (ast instanceof LiteralPrimitive) {\n return literal(ast.value);\n } else if (ast instanceof Binary) {\n const operator = BINARY_OPERATORS.get(ast.operation);\n if (operator === undefined) {\n throw new Error(`AssertionError: unknown binary operator ${ast.operation}`);\n }\n return new BinaryOperatorExpr(operator, convertAst(ast.left, cpl), convertAst(ast.right, cpl));\n } else if (ast instanceof ThisReceiver) {\n return new ContextExpr(cpl.root.xref);\n } else if (ast instanceof KeyedRead) {\n return new ReadKeyExpr(convertAst(ast.receiver, cpl), convertAst(ast.key, cpl));\n } else if (ast instanceof Chain) {\n throw new Error(`AssertionError: Chain in unknown context`);\n } else if (ast instanceof LiteralMap) {\n const entries = ast.keys.map((key, idx) => {\n const value = ast.values[idx];\n return new LiteralMapEntry(key.key, convertAst(value, cpl), key.quoted);\n });\n return new LiteralMapExpr(entries);\n } else if (ast instanceof LiteralArray) {\n return new LiteralArrayExpr(ast.expressions.map(expr => convertAst(expr, cpl)));\n } else if (ast instanceof Conditional) {\n return new ConditionalExpr(convertAst(ast.condition, cpl), convertAst(ast.trueExp, cpl), convertAst(ast.falseExp, cpl));\n } else if (ast instanceof NonNullAssert) {\n // A non-null assertion shouldn't impact generated instructions, so we can just drop it.\n return convertAst(ast.expression, cpl);\n } else if (ast instanceof BindingPipe) {\n return new PipeBindingExpr(cpl.allocateXrefId(), ast.name, [convertAst(ast.exp, cpl), ...ast.args.map(arg => convertAst(arg, cpl))]);\n } else if (ast instanceof SafeKeyedRead) {\n return new SafeKeyedReadExpr(convertAst(ast.receiver, cpl), convertAst(ast.key, cpl));\n } else if (ast instanceof SafePropertyRead) {\n return new SafePropertyReadExpr(convertAst(ast.receiver, cpl), ast.name);\n } else if (ast instanceof SafeCall) {\n return new SafeInvokeFunctionExpr(convertAst(ast.receiver, cpl), ast.args.map(a => convertAst(a, cpl)));\n } else if (ast instanceof EmptyExpr$1) {\n return new EmptyExpr();\n } else {\n throw new Error(`Unhandled expression type: ${ast.constructor.name}`);\n }\n}\n/**\n * Process all of the bindings on an element-like structure in the template AST and convert them\n * to their IR representation.\n */\nfunction ingestBindings(view, op, element) {\n if (element instanceof Template) {\n for (const attr of element.templateAttrs) {\n if (attr instanceof TextAttribute) {\n ingestBinding(view, op.xref, attr.name, literal(attr.value), 1 /* e.BindingType.Attribute */, null, SecurityContext.NONE, attr.sourceSpan, true);\n } else {\n ingestBinding(view, op.xref, attr.name, attr.value, attr.type, attr.unit, attr.securityContext, attr.sourceSpan, true);\n }\n }\n }\n for (const attr of element.attributes) {\n // This is only attribute TextLiteral bindings, such as `attr.foo=\"bar\"`. This can never be\n // `[attr.foo]=\"bar\"` or `attr.foo=\"{{bar}}\"`, both of which will be handled as inputs with\n // `BindingType.Attribute`.\n ingestBinding(view, op.xref, attr.name, literal(attr.value), 1 /* e.BindingType.Attribute */, null, SecurityContext.NONE, attr.sourceSpan, false);\n }\n for (const input of element.inputs) {\n ingestBinding(view, op.xref, input.name, input.value, input.type, input.unit, input.securityContext, input.sourceSpan, false);\n }\n for (const output of element.outputs) {\n let listenerOp;\n if (output.type === 1 /* e.ParsedEventType.Animation */) {\n if (output.phase === null) {\n throw Error('Animation listener should have a phase');\n }\n listenerOp = createListenerOpForAnimation(op.xref, output.name, output.phase, op.tag);\n } else {\n listenerOp = createListenerOp(op.xref, output.name, op.tag);\n }\n // if output.handler is a chain, then push each statement from the chain separately, and\n // return the last one?\n let inputExprs;\n let handler = output.handler;\n if (handler instanceof ASTWithSource) {\n handler = handler.ast;\n }\n if (handler instanceof Chain) {\n inputExprs = handler.expressions;\n } else {\n inputExprs = [handler];\n }\n if (inputExprs.length === 0) {\n throw new Error('Expected listener to have non-empty expression list.');\n }\n const expressions = inputExprs.map(expr => convertAst(expr, view.job));\n const returnExpr = expressions.pop();\n for (const expr of expressions) {\n const stmtOp = createStatementOp(new ExpressionStatement(expr));\n listenerOp.handlerOps.push(stmtOp);\n }\n listenerOp.handlerOps.push(createStatementOp(new ReturnStatement(returnExpr)));\n view.create.push(listenerOp);\n }\n}\nconst BINDING_KINDS = new Map([[0 /* e.BindingType.Property */, BindingKind.Property], [1 /* e.BindingType.Attribute */, BindingKind.Attribute], [2 /* e.BindingType.Class */, BindingKind.ClassName], [3 /* e.BindingType.Style */, BindingKind.StyleProperty], [4 /* e.BindingType.Animation */, BindingKind.Animation]]);\nfunction ingestBinding(view, xref, name, value, type, unit, securityContext, sourceSpan, isTemplateBinding) {\n if (value instanceof ASTWithSource) {\n value = value.ast;\n }\n let expression;\n if (value instanceof Interpolation$1) {\n expression = new Interpolation(value.strings, value.expressions.map(expr => convertAst(expr, view.job)));\n } else if (value instanceof AST) {\n expression = convertAst(value, view.job);\n } else {\n expression = value;\n }\n const kind = BINDING_KINDS.get(type);\n view.update.push(createBindingOp(xref, kind, name, expression, unit, securityContext, isTemplateBinding, sourceSpan));\n}\n/**\n * Process all of the local references on an element-like structure in the template AST and\n * convert them to their IR representation.\n */\nfunction ingestReferences(op, element) {\n assertIsArray(op.localRefs);\n for (const {\n name,\n value\n } of element.references) {\n op.localRefs.push({\n name,\n target: value\n });\n }\n}\n/**\n * Assert that the given value is an array.\n */\nfunction assertIsArray(value) {\n if (!Array.isArray(value)) {\n throw new Error(`AssertionError: expected an array`);\n }\n}\nconst USE_TEMPLATE_PIPELINE = false;\nconst IMPORTANT_FLAG = '!important';\n/**\n * Minimum amount of binding slots required in the runtime for style/class bindings.\n *\n * Styling in Angular uses up two slots in the runtime LView/TData data structures to\n * record binding data, property information and metadata.\n *\n * When a binding is registered it will place the following information in the `LView`:\n *\n * slot 1) binding value\n * slot 2) cached value (all other values collected before it in string form)\n *\n * When a binding is registered it will place the following information in the `TData`:\n *\n * slot 1) prop name\n * slot 2) binding index that points to the previous style/class binding (and some extra config\n * values)\n *\n * Let's imagine we have a binding that looks like so:\n *\n * ```\n * <div [style.width]=\"x\" [style.height]=\"y\">\n * ```\n *\n * Our `LView` and `TData` data-structures look like so:\n *\n * ```typescript\n * LView = [\n * // ...\n * x, // value of x\n * \"width: x\",\n *\n * y, // value of y\n * \"width: x; height: y\",\n * // ...\n * ];\n *\n * TData = [\n * // ...\n * \"width\", // binding slot 20\n * 0,\n *\n * \"height\",\n * 20,\n * // ...\n * ];\n * ```\n *\n * */\nconst MIN_STYLING_BINDING_SLOTS_REQUIRED = 2;\n/**\n * Produces creation/update instructions for all styling bindings (class and style)\n *\n * It also produces the creation instruction to register all initial styling values\n * (which are all the static class=\"...\" and style=\"...\" attribute values that exist\n * on an element within a template).\n *\n * The builder class below handles producing instructions for the following cases:\n *\n * - Static style/class attributes (style=\"...\" and class=\"...\")\n * - Dynamic style/class map bindings ([style]=\"map\" and [class]=\"map|string\")\n * - Dynamic style/class property bindings ([style.prop]=\"exp\" and [class.name]=\"exp\")\n *\n * Due to the complex relationship of all of these cases, the instructions generated\n * for these attributes/properties/bindings must be done so in the correct order. The\n * order which these must be generated is as follows:\n *\n * if (createMode) {\n * styling(...)\n * }\n * if (updateMode) {\n * styleMap(...)\n * classMap(...)\n * styleProp(...)\n * classProp(...)\n * }\n *\n * The creation/update methods within the builder class produce these instructions.\n */\nclass StylingBuilder {\n constructor(_directiveExpr) {\n this._directiveExpr = _directiveExpr;\n /** Whether or not there are any static styling values present */\n this._hasInitialValues = false;\n /**\n * Whether or not there are any styling bindings present\n * (i.e. `[style]`, `[class]`, `[style.prop]` or `[class.name]`)\n */\n this.hasBindings = false;\n this.hasBindingsWithPipes = false;\n /** the input for [class] (if it exists) */\n this._classMapInput = null;\n /** the input for [style] (if it exists) */\n this._styleMapInput = null;\n /** an array of each [style.prop] input */\n this._singleStyleInputs = null;\n /** an array of each [class.name] input */\n this._singleClassInputs = null;\n this._lastStylingInput = null;\n this._firstStylingInput = null;\n // maps are used instead of hash maps because a Map will\n // retain the ordering of the keys\n /**\n * Represents the location of each style binding in the template\n * (e.g. `<div [style.width]=\"w\" [style.height]=\"h\">` implies\n * that `width=0` and `height=1`)\n */\n this._stylesIndex = new Map();\n /**\n * Represents the location of each class binding in the template\n * (e.g. `<div [class.big]=\"b\" [class.hidden]=\"h\">` implies\n * that `big=0` and `hidden=1`)\n */\n this._classesIndex = new Map();\n this._initialStyleValues = [];\n this._initialClassValues = [];\n }\n /**\n * Registers a given input to the styling builder to be later used when producing AOT code.\n *\n * The code below will only accept the input if it is somehow tied to styling (whether it be\n * style/class bindings or static style/class attributes).\n */\n registerBoundInput(input) {\n // [attr.style] or [attr.class] are skipped in the code below,\n // they should not be treated as styling-based bindings since\n // they are intended to be written directly to the attr and\n // will therefore skip all style/class resolution that is present\n // with style=\"\", [style]=\"\" and [style.prop]=\"\", class=\"\",\n // [class.prop]=\"\". [class]=\"\" assignments\n let binding = null;\n let name = input.name;\n switch (input.type) {\n case 0 /* BindingType.Property */:\n binding = this.registerInputBasedOnName(name, input.value, input.sourceSpan);\n break;\n case 3 /* BindingType.Style */:\n binding = this.registerStyleInput(name, false, input.value, input.sourceSpan, input.unit);\n break;\n case 2 /* BindingType.Class */:\n binding = this.registerClassInput(name, false, input.value, input.sourceSpan);\n break;\n }\n return binding ? true : false;\n }\n registerInputBasedOnName(name, expression, sourceSpan) {\n let binding = null;\n const prefix = name.substring(0, 6);\n const isStyle = name === 'style' || prefix === 'style.' || prefix === 'style!';\n const isClass = !isStyle && (name === 'class' || prefix === 'class.' || prefix === 'class!');\n if (isStyle || isClass) {\n const isMapBased = name.charAt(5) !== '.'; // style.prop or class.prop makes this a no\n const property = name.slice(isMapBased ? 5 : 6); // the dot explains why there's a +1\n if (isStyle) {\n binding = this.registerStyleInput(property, isMapBased, expression, sourceSpan);\n } else {\n binding = this.registerClassInput(property, isMapBased, expression, sourceSpan);\n }\n }\n return binding;\n }\n registerStyleInput(name, isMapBased, value, sourceSpan, suffix) {\n if (isEmptyExpression(value)) {\n return null;\n }\n // CSS custom properties are case-sensitive so we shouldn't normalize them.\n // See: https://www.w3.org/TR/css-variables-1/#defining-variables\n if (!isCssCustomProperty(name)) {\n name = hyphenate$1(name);\n }\n const {\n property,\n hasOverrideFlag,\n suffix: bindingSuffix\n } = parseProperty(name);\n suffix = typeof suffix === 'string' && suffix.length !== 0 ? suffix : bindingSuffix;\n const entry = {\n name: property,\n suffix: suffix,\n value,\n sourceSpan,\n hasOverrideFlag\n };\n if (isMapBased) {\n this._styleMapInput = entry;\n } else {\n (this._singleStyleInputs = this._singleStyleInputs || []).push(entry);\n registerIntoMap(this._stylesIndex, property);\n }\n this._lastStylingInput = entry;\n this._firstStylingInput = this._firstStylingInput || entry;\n this._checkForPipes(value);\n this.hasBindings = true;\n return entry;\n }\n registerClassInput(name, isMapBased, value, sourceSpan) {\n if (isEmptyExpression(value)) {\n return null;\n }\n const {\n property,\n hasOverrideFlag\n } = parseProperty(name);\n const entry = {\n name: property,\n value,\n sourceSpan,\n hasOverrideFlag,\n suffix: null\n };\n if (isMapBased) {\n this._classMapInput = entry;\n } else {\n (this._singleClassInputs = this._singleClassInputs || []).push(entry);\n registerIntoMap(this._classesIndex, property);\n }\n this._lastStylingInput = entry;\n this._firstStylingInput = this._firstStylingInput || entry;\n this._checkForPipes(value);\n this.hasBindings = true;\n return entry;\n }\n _checkForPipes(value) {\n if (value instanceof ASTWithSource && value.ast instanceof BindingPipe) {\n this.hasBindingsWithPipes = true;\n }\n }\n /**\n * Registers the element's static style string value to the builder.\n *\n * @param value the style string (e.g. `width:100px; height:200px;`)\n */\n registerStyleAttr(value) {\n this._initialStyleValues = parse(value);\n this._hasInitialValues = true;\n }\n /**\n * Registers the element's static class string value to the builder.\n *\n * @param value the className string (e.g. `disabled gold zoom`)\n */\n registerClassAttr(value) {\n this._initialClassValues = value.trim().split(/\\s+/g);\n this._hasInitialValues = true;\n }\n /**\n * Appends all styling-related expressions to the provided attrs array.\n *\n * @param attrs an existing array where each of the styling expressions\n * will be inserted into.\n */\n populateInitialStylingAttrs(attrs) {\n // [CLASS_MARKER, 'foo', 'bar', 'baz' ...]\n if (this._initialClassValues.length) {\n attrs.push(literal(1 /* AttributeMarker.Classes */));\n for (let i = 0; i < this._initialClassValues.length; i++) {\n attrs.push(literal(this._initialClassValues[i]));\n }\n }\n // [STYLE_MARKER, 'width', '200px', 'height', '100px', ...]\n if (this._initialStyleValues.length) {\n attrs.push(literal(2 /* AttributeMarker.Styles */));\n for (let i = 0; i < this._initialStyleValues.length; i += 2) {\n attrs.push(literal(this._initialStyleValues[i]), literal(this._initialStyleValues[i + 1]));\n }\n }\n }\n /**\n * Builds an instruction with all the expressions and parameters for `elementHostAttrs`.\n *\n * The instruction generation code below is used for producing the AOT statement code which is\n * responsible for registering initial styles (within a directive hostBindings' creation block),\n * as well as any of the provided attribute values, to the directive host element.\n */\n assignHostAttrs(attrs, definitionMap) {\n if (this._directiveExpr && (attrs.length || this._hasInitialValues)) {\n this.populateInitialStylingAttrs(attrs);\n definitionMap.set('hostAttrs', literalArr(attrs));\n }\n }\n /**\n * Builds an instruction with all the expressions and parameters for `classMap`.\n *\n * The instruction data will contain all expressions for `classMap` to function\n * which includes the `[class]` expression params.\n */\n buildClassMapInstruction(valueConverter) {\n if (this._classMapInput) {\n return this._buildMapBasedInstruction(valueConverter, true, this._classMapInput);\n }\n return null;\n }\n /**\n * Builds an instruction with all the expressions and parameters for `styleMap`.\n *\n * The instruction data will contain all expressions for `styleMap` to function\n * which includes the `[style]` expression params.\n */\n buildStyleMapInstruction(valueConverter) {\n if (this._styleMapInput) {\n return this._buildMapBasedInstruction(valueConverter, false, this._styleMapInput);\n }\n return null;\n }\n _buildMapBasedInstruction(valueConverter, isClassBased, stylingInput) {\n // each styling binding value is stored in the LView\n // map-based bindings allocate two slots: one for the\n // previous binding value and another for the previous\n // className or style attribute value.\n let totalBindingSlotsRequired = MIN_STYLING_BINDING_SLOTS_REQUIRED;\n // these values must be outside of the update block so that they can\n // be evaluated (the AST visit call) during creation time so that any\n // pipes can be picked up in time before the template is built\n const mapValue = stylingInput.value.visit(valueConverter);\n let reference;\n if (mapValue instanceof Interpolation$1) {\n totalBindingSlotsRequired += mapValue.expressions.length;\n reference = isClassBased ? getClassMapInterpolationExpression(mapValue) : getStyleMapInterpolationExpression(mapValue);\n } else {\n reference = isClassBased ? Identifiers.classMap : Identifiers.styleMap;\n }\n return {\n reference,\n calls: [{\n supportsInterpolation: true,\n sourceSpan: stylingInput.sourceSpan,\n allocateBindingSlots: totalBindingSlotsRequired,\n params: convertFn => {\n const convertResult = convertFn(mapValue);\n const params = Array.isArray(convertResult) ? convertResult : [convertResult];\n return params;\n }\n }]\n };\n }\n _buildSingleInputs(reference, inputs, valueConverter, getInterpolationExpressionFn, isClassBased) {\n const instructions = [];\n inputs.forEach(input => {\n const previousInstruction = instructions[instructions.length - 1];\n const value = input.value.visit(valueConverter);\n let referenceForCall = reference;\n // each styling binding value is stored in the LView\n // but there are two values stored for each binding:\n // 1) the value itself\n // 2) an intermediate value (concatenation of style up to this point).\n // We need to store the intermediate value so that we don't allocate\n // the strings on each CD.\n let totalBindingSlotsRequired = MIN_STYLING_BINDING_SLOTS_REQUIRED;\n if (value instanceof Interpolation$1) {\n totalBindingSlotsRequired += value.expressions.length;\n if (getInterpolationExpressionFn) {\n referenceForCall = getInterpolationExpressionFn(value);\n }\n }\n const call = {\n sourceSpan: input.sourceSpan,\n allocateBindingSlots: totalBindingSlotsRequired,\n supportsInterpolation: !!getInterpolationExpressionFn,\n params: convertFn => {\n // params => stylingProp(propName, value, suffix)\n const params = [];\n params.push(literal(input.name));\n const convertResult = convertFn(value);\n if (Array.isArray(convertResult)) {\n params.push(...convertResult);\n } else {\n params.push(convertResult);\n }\n // [style.prop] bindings may use suffix values (e.g. px, em, etc...), therefore,\n // if that is detected then we need to pass that in as an optional param.\n if (!isClassBased && input.suffix !== null) {\n params.push(literal(input.suffix));\n }\n return params;\n }\n };\n // If we ended up generating a call to the same instruction as the previous styling property\n // we can chain the calls together safely to save some bytes, otherwise we have to generate\n // a separate instruction call. This is primarily a concern with interpolation instructions\n // where we may start off with one `reference`, but end up using another based on the\n // number of interpolations.\n if (previousInstruction && previousInstruction.reference === referenceForCall) {\n previousInstruction.calls.push(call);\n } else {\n instructions.push({\n reference: referenceForCall,\n calls: [call]\n });\n }\n });\n return instructions;\n }\n _buildClassInputs(valueConverter) {\n if (this._singleClassInputs) {\n return this._buildSingleInputs(Identifiers.classProp, this._singleClassInputs, valueConverter, null, true);\n }\n return [];\n }\n _buildStyleInputs(valueConverter) {\n if (this._singleStyleInputs) {\n return this._buildSingleInputs(Identifiers.styleProp, this._singleStyleInputs, valueConverter, getStylePropInterpolationExpression, false);\n }\n return [];\n }\n /**\n * Constructs all instructions which contain the expressions that will be placed\n * into the update block of a template function or a directive hostBindings function.\n */\n buildUpdateLevelInstructions(valueConverter) {\n const instructions = [];\n if (this.hasBindings) {\n const styleMapInstruction = this.buildStyleMapInstruction(valueConverter);\n if (styleMapInstruction) {\n instructions.push(styleMapInstruction);\n }\n const classMapInstruction = this.buildClassMapInstruction(valueConverter);\n if (classMapInstruction) {\n instructions.push(classMapInstruction);\n }\n instructions.push(...this._buildStyleInputs(valueConverter));\n instructions.push(...this._buildClassInputs(valueConverter));\n }\n return instructions;\n }\n}\nfunction registerIntoMap(map, key) {\n if (!map.has(key)) {\n map.set(key, map.size);\n }\n}\nfunction parseProperty(name) {\n let hasOverrideFlag = false;\n const overrideIndex = name.indexOf(IMPORTANT_FLAG);\n if (overrideIndex !== -1) {\n name = overrideIndex > 0 ? name.substring(0, overrideIndex) : '';\n hasOverrideFlag = true;\n }\n let suffix = null;\n let property = name;\n const unitIndex = name.lastIndexOf('.');\n if (unitIndex > 0) {\n suffix = name.slice(unitIndex + 1);\n property = name.substring(0, unitIndex);\n }\n return {\n property,\n suffix,\n hasOverrideFlag\n };\n}\n/**\n * Gets the instruction to generate for an interpolated class map.\n * @param interpolation An Interpolation AST\n */\nfunction getClassMapInterpolationExpression(interpolation) {\n switch (getInterpolationArgsLength(interpolation)) {\n case 1:\n return Identifiers.classMap;\n case 3:\n return Identifiers.classMapInterpolate1;\n case 5:\n return Identifiers.classMapInterpolate2;\n case 7:\n return Identifiers.classMapInterpolate3;\n case 9:\n return Identifiers.classMapInterpolate4;\n case 11:\n return Identifiers.classMapInterpolate5;\n case 13:\n return Identifiers.classMapInterpolate6;\n case 15:\n return Identifiers.classMapInterpolate7;\n case 17:\n return Identifiers.classMapInterpolate8;\n default:\n return Identifiers.classMapInterpolateV;\n }\n}\n/**\n * Gets the instruction to generate for an interpolated style map.\n * @param interpolation An Interpolation AST\n */\nfunction getStyleMapInterpolationExpression(interpolation) {\n switch (getInterpolationArgsLength(interpolation)) {\n case 1:\n return Identifiers.styleMap;\n case 3:\n return Identifiers.styleMapInterpolate1;\n case 5:\n return Identifiers.styleMapInterpolate2;\n case 7:\n return Identifiers.styleMapInterpolate3;\n case 9:\n return Identifiers.styleMapInterpolate4;\n case 11:\n return Identifiers.styleMapInterpolate5;\n case 13:\n return Identifiers.styleMapInterpolate6;\n case 15:\n return Identifiers.styleMapInterpolate7;\n case 17:\n return Identifiers.styleMapInterpolate8;\n default:\n return Identifiers.styleMapInterpolateV;\n }\n}\n/**\n * Gets the instruction to generate for an interpolated style prop.\n * @param interpolation An Interpolation AST\n */\nfunction getStylePropInterpolationExpression(interpolation) {\n switch (getInterpolationArgsLength(interpolation)) {\n case 1:\n return Identifiers.styleProp;\n case 3:\n return Identifiers.stylePropInterpolate1;\n case 5:\n return Identifiers.stylePropInterpolate2;\n case 7:\n return Identifiers.stylePropInterpolate3;\n case 9:\n return Identifiers.stylePropInterpolate4;\n case 11:\n return Identifiers.stylePropInterpolate5;\n case 13:\n return Identifiers.stylePropInterpolate6;\n case 15:\n return Identifiers.stylePropInterpolate7;\n case 17:\n return Identifiers.stylePropInterpolate8;\n default:\n return Identifiers.stylePropInterpolateV;\n }\n}\n/**\n * Checks whether property name is a custom CSS property.\n * See: https://www.w3.org/TR/css-variables-1\n */\nfunction isCssCustomProperty(name) {\n return name.startsWith('--');\n}\nfunction isEmptyExpression(ast) {\n if (ast instanceof ASTWithSource) {\n ast = ast.ast;\n }\n return ast instanceof EmptyExpr$1;\n}\nvar TokenType;\n(function (TokenType) {\n TokenType[TokenType[\"Character\"] = 0] = \"Character\";\n TokenType[TokenType[\"Identifier\"] = 1] = \"Identifier\";\n TokenType[TokenType[\"PrivateIdentifier\"] = 2] = \"PrivateIdentifier\";\n TokenType[TokenType[\"Keyword\"] = 3] = \"Keyword\";\n TokenType[TokenType[\"String\"] = 4] = \"String\";\n TokenType[TokenType[\"Operator\"] = 5] = \"Operator\";\n TokenType[TokenType[\"Number\"] = 6] = \"Number\";\n TokenType[TokenType[\"Error\"] = 7] = \"Error\";\n})(TokenType || (TokenType = {}));\nconst KEYWORDS = ['var', 'let', 'as', 'null', 'undefined', 'true', 'false', 'if', 'else', 'this'];\nclass Lexer {\n tokenize(text) {\n const scanner = new _Scanner(text);\n const tokens = [];\n let token = scanner.scanToken();\n while (token != null) {\n tokens.push(token);\n token = scanner.scanToken();\n }\n return tokens;\n }\n}\nclass Token {\n constructor(index, end, type, numValue, strValue) {\n this.index = index;\n this.end = end;\n this.type = type;\n this.numValue = numValue;\n this.strValue = strValue;\n }\n isCharacter(code) {\n return this.type == TokenType.Character && this.numValue == code;\n }\n isNumber() {\n return this.type == TokenType.Number;\n }\n isString() {\n return this.type == TokenType.String;\n }\n isOperator(operator) {\n return this.type == TokenType.Operator && this.strValue == operator;\n }\n isIdentifier() {\n return this.type == TokenType.Identifier;\n }\n isPrivateIdentifier() {\n return this.type == TokenType.PrivateIdentifier;\n }\n isKeyword() {\n return this.type == TokenType.Keyword;\n }\n isKeywordLet() {\n return this.type == TokenType.Keyword && this.strValue == 'let';\n }\n isKeywordAs() {\n return this.type == TokenType.Keyword && this.strValue == 'as';\n }\n isKeywordNull() {\n return this.type == TokenType.Keyword && this.strValue == 'null';\n }\n isKeywordUndefined() {\n return this.type == TokenType.Keyword && this.strValue == 'undefined';\n }\n isKeywordTrue() {\n return this.type == TokenType.Keyword && this.strValue == 'true';\n }\n isKeywordFalse() {\n return this.type == TokenType.Keyword && this.strValue == 'false';\n }\n isKeywordThis() {\n return this.type == TokenType.Keyword && this.strValue == 'this';\n }\n isError() {\n return this.type == TokenType.Error;\n }\n toNumber() {\n return this.type == TokenType.Number ? this.numValue : -1;\n }\n toString() {\n switch (this.type) {\n case TokenType.Character:\n case TokenType.Identifier:\n case TokenType.Keyword:\n case TokenType.Operator:\n case TokenType.PrivateIdentifier:\n case TokenType.String:\n case TokenType.Error:\n return this.strValue;\n case TokenType.Number:\n return this.numValue.toString();\n default:\n return null;\n }\n }\n}\nfunction newCharacterToken(index, end, code) {\n return new Token(index, end, TokenType.Character, code, String.fromCharCode(code));\n}\nfunction newIdentifierToken(index, end, text) {\n return new Token(index, end, TokenType.Identifier, 0, text);\n}\nfunction newPrivateIdentifierToken(index, end, text) {\n return new Token(index, end, TokenType.PrivateIdentifier, 0, text);\n}\nfunction newKeywordToken(index, end, text) {\n return new Token(index, end, TokenType.Keyword, 0, text);\n}\nfunction newOperatorToken(index, end, text) {\n return new Token(index, end, TokenType.Operator, 0, text);\n}\nfunction newStringToken(index, end, text) {\n return new Token(index, end, TokenType.String, 0, text);\n}\nfunction newNumberToken(index, end, n) {\n return new Token(index, end, TokenType.Number, n, '');\n}\nfunction newErrorToken(index, end, message) {\n return new Token(index, end, TokenType.Error, 0, message);\n}\nconst EOF = new Token(-1, -1, TokenType.Character, 0, '');\nclass _Scanner {\n constructor(input) {\n this.input = input;\n this.peek = 0;\n this.index = -1;\n this.length = input.length;\n this.advance();\n }\n advance() {\n this.peek = ++this.index >= this.length ? $EOF : this.input.charCodeAt(this.index);\n }\n scanToken() {\n const input = this.input,\n length = this.length;\n let peek = this.peek,\n index = this.index;\n // Skip whitespace.\n while (peek <= $SPACE) {\n if (++index >= length) {\n peek = $EOF;\n break;\n } else {\n peek = input.charCodeAt(index);\n }\n }\n this.peek = peek;\n this.index = index;\n if (index >= length) {\n return null;\n }\n // Handle identifiers and numbers.\n if (isIdentifierStart(peek)) return this.scanIdentifier();\n if (isDigit(peek)) return this.scanNumber(index);\n const start = index;\n switch (peek) {\n case $PERIOD:\n this.advance();\n return isDigit(this.peek) ? this.scanNumber(start) : newCharacterToken(start, this.index, $PERIOD);\n case $LPAREN:\n case $RPAREN:\n case $LBRACE:\n case $RBRACE:\n case $LBRACKET:\n case $RBRACKET:\n case $COMMA:\n case $COLON:\n case $SEMICOLON:\n return this.scanCharacter(start, peek);\n case $SQ:\n case $DQ:\n return this.scanString();\n case $HASH:\n return this.scanPrivateIdentifier();\n case $PLUS:\n case $MINUS:\n case $STAR:\n case $SLASH:\n case $PERCENT:\n case $CARET:\n return this.scanOperator(start, String.fromCharCode(peek));\n case $QUESTION:\n return this.scanQuestion(start);\n case $LT:\n case $GT:\n return this.scanComplexOperator(start, String.fromCharCode(peek), $EQ, '=');\n case $BANG:\n case $EQ:\n return this.scanComplexOperator(start, String.fromCharCode(peek), $EQ, '=', $EQ, '=');\n case $AMPERSAND:\n return this.scanComplexOperator(start, '&', $AMPERSAND, '&');\n case $BAR:\n return this.scanComplexOperator(start, '|', $BAR, '|');\n case $NBSP:\n while (isWhitespace(this.peek)) this.advance();\n return this.scanToken();\n }\n this.advance();\n return this.error(`Unexpected character [${String.fromCharCode(peek)}]`, 0);\n }\n scanCharacter(start, code) {\n this.advance();\n return newCharacterToken(start, this.index, code);\n }\n scanOperator(start, str) {\n this.advance();\n return newOperatorToken(start, this.index, str);\n }\n /**\n * Tokenize a 2/3 char long operator\n *\n * @param start start index in the expression\n * @param one first symbol (always part of the operator)\n * @param twoCode code point for the second symbol\n * @param two second symbol (part of the operator when the second code point matches)\n * @param threeCode code point for the third symbol\n * @param three third symbol (part of the operator when provided and matches source expression)\n */\n scanComplexOperator(start, one, twoCode, two, threeCode, three) {\n this.advance();\n let str = one;\n if (this.peek == twoCode) {\n this.advance();\n str += two;\n }\n if (threeCode != null && this.peek == threeCode) {\n this.advance();\n str += three;\n }\n return newOperatorToken(start, this.index, str);\n }\n scanIdentifier() {\n const start = this.index;\n this.advance();\n while (isIdentifierPart(this.peek)) this.advance();\n const str = this.input.substring(start, this.index);\n return KEYWORDS.indexOf(str) > -1 ? newKeywordToken(start, this.index, str) : newIdentifierToken(start, this.index, str);\n }\n /** Scans an ECMAScript private identifier. */\n scanPrivateIdentifier() {\n const start = this.index;\n this.advance();\n if (!isIdentifierStart(this.peek)) {\n return this.error('Invalid character [#]', -1);\n }\n while (isIdentifierPart(this.peek)) this.advance();\n const identifierName = this.input.substring(start, this.index);\n return newPrivateIdentifierToken(start, this.index, identifierName);\n }\n scanNumber(start) {\n let simple = this.index === start;\n let hasSeparators = false;\n this.advance(); // Skip initial digit.\n while (true) {\n if (isDigit(this.peek)) {\n // Do nothing.\n } else if (this.peek === $_) {\n // Separators are only valid when they're surrounded by digits. E.g. `1_0_1` is\n // valid while `_101` and `101_` are not. The separator can't be next to the decimal\n // point or another separator either. Note that it's unlikely that we'll hit a case where\n // the underscore is at the start, because that's a valid identifier and it will be picked\n // up earlier in the parsing. We validate for it anyway just in case.\n if (!isDigit(this.input.charCodeAt(this.index - 1)) || !isDigit(this.input.charCodeAt(this.index + 1))) {\n return this.error('Invalid numeric separator', 0);\n }\n hasSeparators = true;\n } else if (this.peek === $PERIOD) {\n simple = false;\n } else if (isExponentStart(this.peek)) {\n this.advance();\n if (isExponentSign(this.peek)) this.advance();\n if (!isDigit(this.peek)) return this.error('Invalid exponent', -1);\n simple = false;\n } else {\n break;\n }\n this.advance();\n }\n let str = this.input.substring(start, this.index);\n if (hasSeparators) {\n str = str.replace(/_/g, '');\n }\n const value = simple ? parseIntAutoRadix(str) : parseFloat(str);\n return newNumberToken(start, this.index, value);\n }\n scanString() {\n const start = this.index;\n const quote = this.peek;\n this.advance(); // Skip initial quote.\n let buffer = '';\n let marker = this.index;\n const input = this.input;\n while (this.peek != quote) {\n if (this.peek == $BACKSLASH) {\n buffer += input.substring(marker, this.index);\n let unescapedCode;\n this.advance(); // mutates this.peek\n // @ts-expect-error see microsoft/TypeScript#9998\n if (this.peek == $u) {\n // 4 character hex code for unicode character.\n const hex = input.substring(this.index + 1, this.index + 5);\n if (/^[0-9a-f]+$/i.test(hex)) {\n unescapedCode = parseInt(hex, 16);\n } else {\n return this.error(`Invalid unicode escape [\\\\u${hex}]`, 0);\n }\n for (let i = 0; i < 5; i++) {\n this.advance();\n }\n } else {\n unescapedCode = unescape(this.peek);\n this.advance();\n }\n buffer += String.fromCharCode(unescapedCode);\n marker = this.index;\n } else if (this.peek == $EOF) {\n return this.error('Unterminated quote', 0);\n } else {\n this.advance();\n }\n }\n const last = input.substring(marker, this.index);\n this.advance(); // Skip terminating quote.\n return newStringToken(start, this.index, buffer + last);\n }\n scanQuestion(start) {\n this.advance();\n let str = '?';\n // Either `a ?? b` or 'a?.b'.\n if (this.peek === $QUESTION || this.peek === $PERIOD) {\n str += this.peek === $PERIOD ? '.' : '?';\n this.advance();\n }\n return newOperatorToken(start, this.index, str);\n }\n error(message, offset) {\n const position = this.index + offset;\n return newErrorToken(position, this.index, `Lexer Error: ${message} at column ${position} in expression [${this.input}]`);\n }\n}\nfunction isIdentifierStart(code) {\n return $a <= code && code <= $z || $A <= code && code <= $Z || code == $_ || code == $$;\n}\nfunction isIdentifier(input) {\n if (input.length == 0) return false;\n const scanner = new _Scanner(input);\n if (!isIdentifierStart(scanner.peek)) return false;\n scanner.advance();\n while (scanner.peek !== $EOF) {\n if (!isIdentifierPart(scanner.peek)) return false;\n scanner.advance();\n }\n return true;\n}\nfunction isIdentifierPart(code) {\n return isAsciiLetter(code) || isDigit(code) || code == $_ || code == $$;\n}\nfunction isExponentStart(code) {\n return code == $e || code == $E;\n}\nfunction isExponentSign(code) {\n return code == $MINUS || code == $PLUS;\n}\nfunction unescape(code) {\n switch (code) {\n case $n:\n return $LF;\n case $f:\n return $FF;\n case $r:\n return $CR;\n case $t:\n return $TAB;\n case $v:\n return $VTAB;\n default:\n return code;\n }\n}\nfunction parseIntAutoRadix(text) {\n const result = parseInt(text);\n if (isNaN(result)) {\n throw new Error('Invalid integer literal when parsing ' + text);\n }\n return result;\n}\nclass SplitInterpolation {\n constructor(strings, expressions, offsets) {\n this.strings = strings;\n this.expressions = expressions;\n this.offsets = offsets;\n }\n}\nclass TemplateBindingParseResult {\n constructor(templateBindings, warnings, errors) {\n this.templateBindings = templateBindings;\n this.warnings = warnings;\n this.errors = errors;\n }\n}\nclass Parser$1 {\n constructor(_lexer) {\n this._lexer = _lexer;\n this.errors = [];\n }\n parseAction(input, isAssignmentEvent, location, absoluteOffset, interpolationConfig = DEFAULT_INTERPOLATION_CONFIG) {\n this._checkNoInterpolation(input, location, interpolationConfig);\n const sourceToLex = this._stripComments(input);\n const tokens = this._lexer.tokenize(sourceToLex);\n let flags = 1 /* ParseFlags.Action */;\n if (isAssignmentEvent) {\n flags |= 2 /* ParseFlags.AssignmentEvent */;\n }\n const ast = new _ParseAST(input, location, absoluteOffset, tokens, flags, this.errors, 0).parseChain();\n return new ASTWithSource(ast, input, location, absoluteOffset, this.errors);\n }\n parseBinding(input, location, absoluteOffset, interpolationConfig = DEFAULT_INTERPOLATION_CONFIG) {\n const ast = this._parseBindingAst(input, location, absoluteOffset, interpolationConfig);\n return new ASTWithSource(ast, input, location, absoluteOffset, this.errors);\n }\n checkSimpleExpression(ast) {\n const checker = new SimpleExpressionChecker();\n ast.visit(checker);\n return checker.errors;\n }\n // Host bindings parsed here\n parseSimpleBinding(input, location, absoluteOffset, interpolationConfig = DEFAULT_INTERPOLATION_CONFIG) {\n const ast = this._parseBindingAst(input, location, absoluteOffset, interpolationConfig);\n const errors = this.checkSimpleExpression(ast);\n if (errors.length > 0) {\n this._reportError(`Host binding expression cannot contain ${errors.join(' ')}`, input, location);\n }\n return new ASTWithSource(ast, input, location, absoluteOffset, this.errors);\n }\n _reportError(message, input, errLocation, ctxLocation) {\n this.errors.push(new ParserError(message, input, errLocation, ctxLocation));\n }\n _parseBindingAst(input, location, absoluteOffset, interpolationConfig) {\n this._checkNoInterpolation(input, location, interpolationConfig);\n const sourceToLex = this._stripComments(input);\n const tokens = this._lexer.tokenize(sourceToLex);\n return new _ParseAST(input, location, absoluteOffset, tokens, 0 /* ParseFlags.None */, this.errors, 0).parseChain();\n }\n /**\n * Parse microsyntax template expression and return a list of bindings or\n * parsing errors in case the given expression is invalid.\n *\n * For example,\n * ```\n * <div *ngFor=\"let item of items\">\n * ^ ^ absoluteValueOffset for `templateValue`\n * absoluteKeyOffset for `templateKey`\n * ```\n * contains three bindings:\n * 1. ngFor -> null\n * 2. item -> NgForOfContext.$implicit\n * 3. ngForOf -> items\n *\n * This is apparent from the de-sugared template:\n * ```\n * <ng-template ngFor let-item [ngForOf]=\"items\">\n * ```\n *\n * @param templateKey name of directive, without the * prefix. For example: ngIf, ngFor\n * @param templateValue RHS of the microsyntax attribute\n * @param templateUrl template filename if it's external, component filename if it's inline\n * @param absoluteKeyOffset start of the `templateKey`\n * @param absoluteValueOffset start of the `templateValue`\n */\n parseTemplateBindings(templateKey, templateValue, templateUrl, absoluteKeyOffset, absoluteValueOffset) {\n const tokens = this._lexer.tokenize(templateValue);\n const parser = new _ParseAST(templateValue, templateUrl, absoluteValueOffset, tokens, 0 /* ParseFlags.None */, this.errors, 0 /* relative offset */);\n return parser.parseTemplateBindings({\n source: templateKey,\n span: new AbsoluteSourceSpan(absoluteKeyOffset, absoluteKeyOffset + templateKey.length)\n });\n }\n parseInterpolation(input, location, absoluteOffset, interpolatedTokens, interpolationConfig = DEFAULT_INTERPOLATION_CONFIG) {\n const {\n strings,\n expressions,\n offsets\n } = this.splitInterpolation(input, location, interpolatedTokens, interpolationConfig);\n if (expressions.length === 0) return null;\n const expressionNodes = [];\n for (let i = 0; i < expressions.length; ++i) {\n const expressionText = expressions[i].text;\n const sourceToLex = this._stripComments(expressionText);\n const tokens = this._lexer.tokenize(sourceToLex);\n const ast = new _ParseAST(input, location, absoluteOffset, tokens, 0 /* ParseFlags.None */, this.errors, offsets[i]).parseChain();\n expressionNodes.push(ast);\n }\n return this.createInterpolationAst(strings.map(s => s.text), expressionNodes, input, location, absoluteOffset);\n }\n /**\n * Similar to `parseInterpolation`, but treats the provided string as a single expression\n * element that would normally appear within the interpolation prefix and suffix (`{{` and `}}`).\n * This is used for parsing the switch expression in ICUs.\n */\n parseInterpolationExpression(expression, location, absoluteOffset) {\n const sourceToLex = this._stripComments(expression);\n const tokens = this._lexer.tokenize(sourceToLex);\n const ast = new _ParseAST(expression, location, absoluteOffset, tokens, 0 /* ParseFlags.None */, this.errors, 0).parseChain();\n const strings = ['', '']; // The prefix and suffix strings are both empty\n return this.createInterpolationAst(strings, [ast], expression, location, absoluteOffset);\n }\n createInterpolationAst(strings, expressions, input, location, absoluteOffset) {\n const span = new ParseSpan(0, input.length);\n const interpolation = new Interpolation$1(span, span.toAbsolute(absoluteOffset), strings, expressions);\n return new ASTWithSource(interpolation, input, location, absoluteOffset, this.errors);\n }\n /**\n * Splits a string of text into \"raw\" text segments and expressions present in interpolations in\n * the string.\n * Returns `null` if there are no interpolations, otherwise a\n * `SplitInterpolation` with splits that look like\n * <raw text> <expression> <raw text> ... <raw text> <expression> <raw text>\n */\n splitInterpolation(input, location, interpolatedTokens, interpolationConfig = DEFAULT_INTERPOLATION_CONFIG) {\n const strings = [];\n const expressions = [];\n const offsets = [];\n const inputToTemplateIndexMap = interpolatedTokens ? getIndexMapForOriginalTemplate(interpolatedTokens) : null;\n let i = 0;\n let atInterpolation = false;\n let extendLastString = false;\n let {\n start: interpStart,\n end: interpEnd\n } = interpolationConfig;\n while (i < input.length) {\n if (!atInterpolation) {\n // parse until starting {{\n const start = i;\n i = input.indexOf(interpStart, i);\n if (i === -1) {\n i = input.length;\n }\n const text = input.substring(start, i);\n strings.push({\n text,\n start,\n end: i\n });\n atInterpolation = true;\n } else {\n // parse from starting {{ to ending }} while ignoring content inside quotes.\n const fullStart = i;\n const exprStart = fullStart + interpStart.length;\n const exprEnd = this._getInterpolationEndIndex(input, interpEnd, exprStart);\n if (exprEnd === -1) {\n // Could not find the end of the interpolation; do not parse an expression.\n // Instead we should extend the content on the last raw string.\n atInterpolation = false;\n extendLastString = true;\n break;\n }\n const fullEnd = exprEnd + interpEnd.length;\n const text = input.substring(exprStart, exprEnd);\n if (text.trim().length === 0) {\n this._reportError('Blank expressions are not allowed in interpolated strings', input, `at column ${i} in`, location);\n }\n expressions.push({\n text,\n start: fullStart,\n end: fullEnd\n });\n const startInOriginalTemplate = inputToTemplateIndexMap?.get(fullStart) ?? fullStart;\n const offset = startInOriginalTemplate + interpStart.length;\n offsets.push(offset);\n i = fullEnd;\n atInterpolation = false;\n }\n }\n if (!atInterpolation) {\n // If we are now at a text section, add the remaining content as a raw string.\n if (extendLastString) {\n const piece = strings[strings.length - 1];\n piece.text += input.substring(i);\n piece.end = input.length;\n } else {\n strings.push({\n text: input.substring(i),\n start: i,\n end: input.length\n });\n }\n }\n return new SplitInterpolation(strings, expressions, offsets);\n }\n wrapLiteralPrimitive(input, location, absoluteOffset) {\n const span = new ParseSpan(0, input == null ? 0 : input.length);\n return new ASTWithSource(new LiteralPrimitive(span, span.toAbsolute(absoluteOffset), input), input, location, absoluteOffset, this.errors);\n }\n _stripComments(input) {\n const i = this._commentStart(input);\n return i != null ? input.substring(0, i) : input;\n }\n _commentStart(input) {\n let outerQuote = null;\n for (let i = 0; i < input.length - 1; i++) {\n const char = input.charCodeAt(i);\n const nextChar = input.charCodeAt(i + 1);\n if (char === $SLASH && nextChar == $SLASH && outerQuote == null) return i;\n if (outerQuote === char) {\n outerQuote = null;\n } else if (outerQuote == null && isQuote(char)) {\n outerQuote = char;\n }\n }\n return null;\n }\n _checkNoInterpolation(input, location, {\n start,\n end\n }) {\n let startIndex = -1;\n let endIndex = -1;\n for (const charIndex of this._forEachUnquotedChar(input, 0)) {\n if (startIndex === -1) {\n if (input.startsWith(start)) {\n startIndex = charIndex;\n }\n } else {\n endIndex = this._getInterpolationEndIndex(input, end, charIndex);\n if (endIndex > -1) {\n break;\n }\n }\n }\n if (startIndex > -1 && endIndex > -1) {\n this._reportError(`Got interpolation (${start}${end}) where expression was expected`, input, `at column ${startIndex} in`, location);\n }\n }\n /**\n * Finds the index of the end of an interpolation expression\n * while ignoring comments and quoted content.\n */\n _getInterpolationEndIndex(input, expressionEnd, start) {\n for (const charIndex of this._forEachUnquotedChar(input, start)) {\n if (input.startsWith(expressionEnd, charIndex)) {\n return charIndex;\n }\n // Nothing else in the expression matters after we've\n // hit a comment so look directly for the end token.\n if (input.startsWith('//', charIndex)) {\n return input.indexOf(expressionEnd, charIndex);\n }\n }\n return -1;\n }\n /**\n * Generator used to iterate over the character indexes of a string that are outside of quotes.\n * @param input String to loop through.\n * @param start Index within the string at which to start.\n */\n *_forEachUnquotedChar(input, start) {\n let currentQuote = null;\n let escapeCount = 0;\n for (let i = start; i < input.length; i++) {\n const char = input[i];\n // Skip the characters inside quotes. Note that we only care about the outer-most\n // quotes matching up and we need to account for escape characters.\n if (isQuote(input.charCodeAt(i)) && (currentQuote === null || currentQuote === char) && escapeCount % 2 === 0) {\n currentQuote = currentQuote === null ? char : null;\n } else if (currentQuote === null) {\n yield i;\n }\n escapeCount = char === '\\\\' ? escapeCount + 1 : 0;\n }\n }\n}\n/** Describes a stateful context an expression parser is in. */\nvar ParseContextFlags;\n(function (ParseContextFlags) {\n ParseContextFlags[ParseContextFlags[\"None\"] = 0] = \"None\";\n /**\n * A Writable context is one in which a value may be written to an lvalue.\n * For example, after we see a property access, we may expect a write to the\n * property via the \"=\" operator.\n * prop\n * ^ possible \"=\" after\n */\n ParseContextFlags[ParseContextFlags[\"Writable\"] = 1] = \"Writable\";\n})(ParseContextFlags || (ParseContextFlags = {}));\nclass _ParseAST {\n constructor(input, location, absoluteOffset, tokens, parseFlags, errors, offset) {\n this.input = input;\n this.location = location;\n this.absoluteOffset = absoluteOffset;\n this.tokens = tokens;\n this.parseFlags = parseFlags;\n this.errors = errors;\n this.offset = offset;\n this.rparensExpected = 0;\n this.rbracketsExpected = 0;\n this.rbracesExpected = 0;\n this.context = ParseContextFlags.None;\n // Cache of expression start and input indeces to the absolute source span they map to, used to\n // prevent creating superfluous source spans in `sourceSpan`.\n // A serial of the expression start and input index is used for mapping because both are stateful\n // and may change for subsequent expressions visited by the parser.\n this.sourceSpanCache = new Map();\n this.index = 0;\n }\n peek(offset) {\n const i = this.index + offset;\n return i < this.tokens.length ? this.tokens[i] : EOF;\n }\n get next() {\n return this.peek(0);\n }\n /** Whether all the parser input has been processed. */\n get atEOF() {\n return this.index >= this.tokens.length;\n }\n /**\n * Index of the next token to be processed, or the end of the last token if all have been\n * processed.\n */\n get inputIndex() {\n return this.atEOF ? this.currentEndIndex : this.next.index + this.offset;\n }\n /**\n * End index of the last processed token, or the start of the first token if none have been\n * processed.\n */\n get currentEndIndex() {\n if (this.index > 0) {\n const curToken = this.peek(-1);\n return curToken.end + this.offset;\n }\n // No tokens have been processed yet; return the next token's start or the length of the input\n // if there is no token.\n if (this.tokens.length === 0) {\n return this.input.length + this.offset;\n }\n return this.next.index + this.offset;\n }\n /**\n * Returns the absolute offset of the start of the current token.\n */\n get currentAbsoluteOffset() {\n return this.absoluteOffset + this.inputIndex;\n }\n /**\n * Retrieve a `ParseSpan` from `start` to the current position (or to `artificialEndIndex` if\n * provided).\n *\n * @param start Position from which the `ParseSpan` will start.\n * @param artificialEndIndex Optional ending index to be used if provided (and if greater than the\n * natural ending index)\n */\n span(start, artificialEndIndex) {\n let endIndex = this.currentEndIndex;\n if (artificialEndIndex !== undefined && artificialEndIndex > this.currentEndIndex) {\n endIndex = artificialEndIndex;\n }\n // In some unusual parsing scenarios (like when certain tokens are missing and an `EmptyExpr` is\n // being created), the current token may already be advanced beyond the `currentEndIndex`. This\n // appears to be a deep-seated parser bug.\n //\n // As a workaround for now, swap the start and end indices to ensure a valid `ParseSpan`.\n // TODO(alxhub): fix the bug upstream in the parser state, and remove this workaround.\n if (start > endIndex) {\n const tmp = endIndex;\n endIndex = start;\n start = tmp;\n }\n return new ParseSpan(start, endIndex);\n }\n sourceSpan(start, artificialEndIndex) {\n const serial = `${start}@${this.inputIndex}:${artificialEndIndex}`;\n if (!this.sourceSpanCache.has(serial)) {\n this.sourceSpanCache.set(serial, this.span(start, artificialEndIndex).toAbsolute(this.absoluteOffset));\n }\n return this.sourceSpanCache.get(serial);\n }\n advance() {\n this.index++;\n }\n /**\n * Executes a callback in the provided context.\n */\n withContext(context, cb) {\n this.context |= context;\n const ret = cb();\n this.context ^= context;\n return ret;\n }\n consumeOptionalCharacter(code) {\n if (this.next.isCharacter(code)) {\n this.advance();\n return true;\n } else {\n return false;\n }\n }\n peekKeywordLet() {\n return this.next.isKeywordLet();\n }\n peekKeywordAs() {\n return this.next.isKeywordAs();\n }\n /**\n * Consumes an expected character, otherwise emits an error about the missing expected character\n * and skips over the token stream until reaching a recoverable point.\n *\n * See `this.error` and `this.skip` for more details.\n */\n expectCharacter(code) {\n if (this.consumeOptionalCharacter(code)) return;\n this.error(`Missing expected ${String.fromCharCode(code)}`);\n }\n consumeOptionalOperator(op) {\n if (this.next.isOperator(op)) {\n this.advance();\n return true;\n } else {\n return false;\n }\n }\n expectOperator(operator) {\n if (this.consumeOptionalOperator(operator)) return;\n this.error(`Missing expected operator ${operator}`);\n }\n prettyPrintToken(tok) {\n return tok === EOF ? 'end of input' : `token ${tok}`;\n }\n expectIdentifierOrKeyword() {\n const n = this.next;\n if (!n.isIdentifier() && !n.isKeyword()) {\n if (n.isPrivateIdentifier()) {\n this._reportErrorForPrivateIdentifier(n, 'expected identifier or keyword');\n } else {\n this.error(`Unexpected ${this.prettyPrintToken(n)}, expected identifier or keyword`);\n }\n return null;\n }\n this.advance();\n return n.toString();\n }\n expectIdentifierOrKeywordOrString() {\n const n = this.next;\n if (!n.isIdentifier() && !n.isKeyword() && !n.isString()) {\n if (n.isPrivateIdentifier()) {\n this._reportErrorForPrivateIdentifier(n, 'expected identifier, keyword or string');\n } else {\n this.error(`Unexpected ${this.prettyPrintToken(n)}, expected identifier, keyword, or string`);\n }\n return '';\n }\n this.advance();\n return n.toString();\n }\n parseChain() {\n const exprs = [];\n const start = this.inputIndex;\n while (this.index < this.tokens.length) {\n const expr = this.parsePipe();\n exprs.push(expr);\n if (this.consumeOptionalCharacter($SEMICOLON)) {\n if (!(this.parseFlags & 1 /* ParseFlags.Action */)) {\n this.error('Binding expression cannot contain chained expression');\n }\n while (this.consumeOptionalCharacter($SEMICOLON)) {} // read all semicolons\n } else if (this.index < this.tokens.length) {\n const errorIndex = this.index;\n this.error(`Unexpected token '${this.next}'`);\n // The `error` call above will skip ahead to the next recovery point in an attempt to\n // recover part of the expression, but that might be the token we started from which will\n // lead to an infinite loop. If that's the case, break the loop assuming that we can't\n // parse further.\n if (this.index === errorIndex) {\n break;\n }\n }\n }\n if (exprs.length === 0) {\n // We have no expressions so create an empty expression that spans the entire input length\n const artificialStart = this.offset;\n const artificialEnd = this.offset + this.input.length;\n return new EmptyExpr$1(this.span(artificialStart, artificialEnd), this.sourceSpan(artificialStart, artificialEnd));\n }\n if (exprs.length == 1) return exprs[0];\n return new Chain(this.span(start), this.sourceSpan(start), exprs);\n }\n parsePipe() {\n const start = this.inputIndex;\n let result = this.parseExpression();\n if (this.consumeOptionalOperator('|')) {\n if (this.parseFlags & 1 /* ParseFlags.Action */) {\n this.error('Cannot have a pipe in an action expression');\n }\n do {\n const nameStart = this.inputIndex;\n let nameId = this.expectIdentifierOrKeyword();\n let nameSpan;\n let fullSpanEnd = undefined;\n if (nameId !== null) {\n nameSpan = this.sourceSpan(nameStart);\n } else {\n // No valid identifier was found, so we'll assume an empty pipe name ('').\n nameId = '';\n // However, there may have been whitespace present between the pipe character and the next\n // token in the sequence (or the end of input). We want to track this whitespace so that\n // the `BindingPipe` we produce covers not just the pipe character, but any trailing\n // whitespace beyond it. Another way of thinking about this is that the zero-length name\n // is assumed to be at the end of any whitespace beyond the pipe character.\n //\n // Therefore, we push the end of the `ParseSpan` for this pipe all the way up to the\n // beginning of the next token, or until the end of input if the next token is EOF.\n fullSpanEnd = this.next.index !== -1 ? this.next.index : this.input.length + this.offset;\n // The `nameSpan` for an empty pipe name is zero-length at the end of any whitespace\n // beyond the pipe character.\n nameSpan = new ParseSpan(fullSpanEnd, fullSpanEnd).toAbsolute(this.absoluteOffset);\n }\n const args = [];\n while (this.consumeOptionalCharacter($COLON)) {\n args.push(this.parseExpression());\n // If there are additional expressions beyond the name, then the artificial end for the\n // name is no longer relevant.\n }\n result = new BindingPipe(this.span(start), this.sourceSpan(start, fullSpanEnd), result, nameId, args, nameSpan);\n } while (this.consumeOptionalOperator('|'));\n }\n return result;\n }\n parseExpression() {\n return this.parseConditional();\n }\n parseConditional() {\n const start = this.inputIndex;\n const result = this.parseLogicalOr();\n if (this.consumeOptionalOperator('?')) {\n const yes = this.parsePipe();\n let no;\n if (!this.consumeOptionalCharacter($COLON)) {\n const end = this.inputIndex;\n const expression = this.input.substring(start, end);\n this.error(`Conditional expression ${expression} requires all 3 expressions`);\n no = new EmptyExpr$1(this.span(start), this.sourceSpan(start));\n } else {\n no = this.parsePipe();\n }\n return new Conditional(this.span(start), this.sourceSpan(start), result, yes, no);\n } else {\n return result;\n }\n }\n parseLogicalOr() {\n // '||'\n const start = this.inputIndex;\n let result = this.parseLogicalAnd();\n while (this.consumeOptionalOperator('||')) {\n const right = this.parseLogicalAnd();\n result = new Binary(this.span(start), this.sourceSpan(start), '||', result, right);\n }\n return result;\n }\n parseLogicalAnd() {\n // '&&'\n const start = this.inputIndex;\n let result = this.parseNullishCoalescing();\n while (this.consumeOptionalOperator('&&')) {\n const right = this.parseNullishCoalescing();\n result = new Binary(this.span(start), this.sourceSpan(start), '&&', result, right);\n }\n return result;\n }\n parseNullishCoalescing() {\n // '??'\n const start = this.inputIndex;\n let result = this.parseEquality();\n while (this.consumeOptionalOperator('??')) {\n const right = this.parseEquality();\n result = new Binary(this.span(start), this.sourceSpan(start), '??', result, right);\n }\n return result;\n }\n parseEquality() {\n // '==','!=','===','!=='\n const start = this.inputIndex;\n let result = this.parseRelational();\n while (this.next.type == TokenType.Operator) {\n const operator = this.next.strValue;\n switch (operator) {\n case '==':\n case '===':\n case '!=':\n case '!==':\n this.advance();\n const right = this.parseRelational();\n result = new Binary(this.span(start), this.sourceSpan(start), operator, result, right);\n continue;\n }\n break;\n }\n return result;\n }\n parseRelational() {\n // '<', '>', '<=', '>='\n const start = this.inputIndex;\n let result = this.parseAdditive();\n while (this.next.type == TokenType.Operator) {\n const operator = this.next.strValue;\n switch (operator) {\n case '<':\n case '>':\n case '<=':\n case '>=':\n this.advance();\n const right = this.parseAdditive();\n result = new Binary(this.span(start), this.sourceSpan(start), operator, result, right);\n continue;\n }\n break;\n }\n return result;\n }\n parseAdditive() {\n // '+', '-'\n const start = this.inputIndex;\n let result = this.parseMultiplicative();\n while (this.next.type == TokenType.Operator) {\n const operator = this.next.strValue;\n switch (operator) {\n case '+':\n case '-':\n this.advance();\n let right = this.parseMultiplicative();\n result = new Binary(this.span(start), this.sourceSpan(start), operator, result, right);\n continue;\n }\n break;\n }\n return result;\n }\n parseMultiplicative() {\n // '*', '%', '/'\n const start = this.inputIndex;\n let result = this.parsePrefix();\n while (this.next.type == TokenType.Operator) {\n const operator = this.next.strValue;\n switch (operator) {\n case '*':\n case '%':\n case '/':\n this.advance();\n let right = this.parsePrefix();\n result = new Binary(this.span(start), this.sourceSpan(start), operator, result, right);\n continue;\n }\n break;\n }\n return result;\n }\n parsePrefix() {\n if (this.next.type == TokenType.Operator) {\n const start = this.inputIndex;\n const operator = this.next.strValue;\n let result;\n switch (operator) {\n case '+':\n this.advance();\n result = this.parsePrefix();\n return Unary.createPlus(this.span(start), this.sourceSpan(start), result);\n case '-':\n this.advance();\n result = this.parsePrefix();\n return Unary.createMinus(this.span(start), this.sourceSpan(start), result);\n case '!':\n this.advance();\n result = this.parsePrefix();\n return new PrefixNot(this.span(start), this.sourceSpan(start), result);\n }\n }\n return this.parseCallChain();\n }\n parseCallChain() {\n const start = this.inputIndex;\n let result = this.parsePrimary();\n while (true) {\n if (this.consumeOptionalCharacter($PERIOD)) {\n result = this.parseAccessMember(result, start, false);\n } else if (this.consumeOptionalOperator('?.')) {\n if (this.consumeOptionalCharacter($LPAREN)) {\n result = this.parseCall(result, start, true);\n } else {\n result = this.consumeOptionalCharacter($LBRACKET) ? this.parseKeyedReadOrWrite(result, start, true) : this.parseAccessMember(result, start, true);\n }\n } else if (this.consumeOptionalCharacter($LBRACKET)) {\n result = this.parseKeyedReadOrWrite(result, start, false);\n } else if (this.consumeOptionalCharacter($LPAREN)) {\n result = this.parseCall(result, start, false);\n } else if (this.consumeOptionalOperator('!')) {\n result = new NonNullAssert(this.span(start), this.sourceSpan(start), result);\n } else {\n return result;\n }\n }\n }\n parsePrimary() {\n const start = this.inputIndex;\n if (this.consumeOptionalCharacter($LPAREN)) {\n this.rparensExpected++;\n const result = this.parsePipe();\n this.rparensExpected--;\n this.expectCharacter($RPAREN);\n return result;\n } else if (this.next.isKeywordNull()) {\n this.advance();\n return new LiteralPrimitive(this.span(start), this.sourceSpan(start), null);\n } else if (this.next.isKeywordUndefined()) {\n this.advance();\n return new LiteralPrimitive(this.span(start), this.sourceSpan(start), void 0);\n } else if (this.next.isKeywordTrue()) {\n this.advance();\n return new LiteralPrimitive(this.span(start), this.sourceSpan(start), true);\n } else if (this.next.isKeywordFalse()) {\n this.advance();\n return new LiteralPrimitive(this.span(start), this.sourceSpan(start), false);\n } else if (this.next.isKeywordThis()) {\n this.advance();\n return new ThisReceiver(this.span(start), this.sourceSpan(start));\n } else if (this.consumeOptionalCharacter($LBRACKET)) {\n this.rbracketsExpected++;\n const elements = this.parseExpressionList($RBRACKET);\n this.rbracketsExpected--;\n this.expectCharacter($RBRACKET);\n return new LiteralArray(this.span(start), this.sourceSpan(start), elements);\n } else if (this.next.isCharacter($LBRACE)) {\n return this.parseLiteralMap();\n } else if (this.next.isIdentifier()) {\n return this.parseAccessMember(new ImplicitReceiver(this.span(start), this.sourceSpan(start)), start, false);\n } else if (this.next.isNumber()) {\n const value = this.next.toNumber();\n this.advance();\n return new LiteralPrimitive(this.span(start), this.sourceSpan(start), value);\n } else if (this.next.isString()) {\n const literalValue = this.next.toString();\n this.advance();\n return new LiteralPrimitive(this.span(start), this.sourceSpan(start), literalValue);\n } else if (this.next.isPrivateIdentifier()) {\n this._reportErrorForPrivateIdentifier(this.next, null);\n return new EmptyExpr$1(this.span(start), this.sourceSpan(start));\n } else if (this.index >= this.tokens.length) {\n this.error(`Unexpected end of expression: ${this.input}`);\n return new EmptyExpr$1(this.span(start), this.sourceSpan(start));\n } else {\n this.error(`Unexpected token ${this.next}`);\n return new EmptyExpr$1(this.span(start), this.sourceSpan(start));\n }\n }\n parseExpressionList(terminator) {\n const result = [];\n do {\n if (!this.next.isCharacter(terminator)) {\n result.push(this.parsePipe());\n } else {\n break;\n }\n } while (this.consumeOptionalCharacter($COMMA));\n return result;\n }\n parseLiteralMap() {\n const keys = [];\n const values = [];\n const start = this.inputIndex;\n this.expectCharacter($LBRACE);\n if (!this.consumeOptionalCharacter($RBRACE)) {\n this.rbracesExpected++;\n do {\n const keyStart = this.inputIndex;\n const quoted = this.next.isString();\n const key = this.expectIdentifierOrKeywordOrString();\n keys.push({\n key,\n quoted\n });\n // Properties with quoted keys can't use the shorthand syntax.\n if (quoted) {\n this.expectCharacter($COLON);\n values.push(this.parsePipe());\n } else if (this.consumeOptionalCharacter($COLON)) {\n values.push(this.parsePipe());\n } else {\n const span = this.span(keyStart);\n const sourceSpan = this.sourceSpan(keyStart);\n values.push(new PropertyRead(span, sourceSpan, sourceSpan, new ImplicitReceiver(span, sourceSpan), key));\n }\n } while (this.consumeOptionalCharacter($COMMA) && !this.next.isCharacter($RBRACE));\n this.rbracesExpected--;\n this.expectCharacter($RBRACE);\n }\n return new LiteralMap(this.span(start), this.sourceSpan(start), keys, values);\n }\n parseAccessMember(readReceiver, start, isSafe) {\n const nameStart = this.inputIndex;\n const id = this.withContext(ParseContextFlags.Writable, () => {\n const id = this.expectIdentifierOrKeyword() ?? '';\n if (id.length === 0) {\n this.error(`Expected identifier for property access`, readReceiver.span.end);\n }\n return id;\n });\n const nameSpan = this.sourceSpan(nameStart);\n let receiver;\n if (isSafe) {\n if (this.consumeOptionalAssignment()) {\n this.error('The \\'?.\\' operator cannot be used in the assignment');\n receiver = new EmptyExpr$1(this.span(start), this.sourceSpan(start));\n } else {\n receiver = new SafePropertyRead(this.span(start), this.sourceSpan(start), nameSpan, readReceiver, id);\n }\n } else {\n if (this.consumeOptionalAssignment()) {\n if (!(this.parseFlags & 1 /* ParseFlags.Action */)) {\n this.error('Bindings cannot contain assignments');\n return new EmptyExpr$1(this.span(start), this.sourceSpan(start));\n }\n const value = this.parseConditional();\n receiver = new PropertyWrite(this.span(start), this.sourceSpan(start), nameSpan, readReceiver, id, value);\n } else {\n receiver = new PropertyRead(this.span(start), this.sourceSpan(start), nameSpan, readReceiver, id);\n }\n }\n return receiver;\n }\n parseCall(receiver, start, isSafe) {\n const argumentStart = this.inputIndex;\n this.rparensExpected++;\n const args = this.parseCallArguments();\n const argumentSpan = this.span(argumentStart, this.inputIndex).toAbsolute(this.absoluteOffset);\n this.expectCharacter($RPAREN);\n this.rparensExpected--;\n const span = this.span(start);\n const sourceSpan = this.sourceSpan(start);\n return isSafe ? new SafeCall(span, sourceSpan, receiver, args, argumentSpan) : new Call(span, sourceSpan, receiver, args, argumentSpan);\n }\n consumeOptionalAssignment() {\n // When parsing assignment events (originating from two-way-binding aka banana-in-a-box syntax),\n // it is valid for the primary expression to be terminated by the non-null operator. This\n // primary expression is substituted as LHS of the assignment operator to achieve\n // two-way-binding, such that the LHS could be the non-null operator. The grammar doesn't\n // naturally allow for this syntax, so assignment events are parsed specially.\n if (this.parseFlags & 2 /* ParseFlags.AssignmentEvent */ && this.next.isOperator('!') && this.peek(1).isOperator('=')) {\n // First skip over the ! operator.\n this.advance();\n // Then skip over the = operator, to fully consume the optional assignment operator.\n this.advance();\n return true;\n }\n return this.consumeOptionalOperator('=');\n }\n parseCallArguments() {\n if (this.next.isCharacter($RPAREN)) return [];\n const positionals = [];\n do {\n positionals.push(this.parsePipe());\n } while (this.consumeOptionalCharacter($COMMA));\n return positionals;\n }\n /**\n * Parses an identifier, a keyword, a string with an optional `-` in between,\n * and returns the string along with its absolute source span.\n */\n expectTemplateBindingKey() {\n let result = '';\n let operatorFound = false;\n const start = this.currentAbsoluteOffset;\n do {\n result += this.expectIdentifierOrKeywordOrString();\n operatorFound = this.consumeOptionalOperator('-');\n if (operatorFound) {\n result += '-';\n }\n } while (operatorFound);\n return {\n source: result,\n span: new AbsoluteSourceSpan(start, start + result.length)\n };\n }\n /**\n * Parse microsyntax template expression and return a list of bindings or\n * parsing errors in case the given expression is invalid.\n *\n * For example,\n * ```\n * <div *ngFor=\"let item of items; index as i; trackBy: func\">\n * ```\n * contains five bindings:\n * 1. ngFor -> null\n * 2. item -> NgForOfContext.$implicit\n * 3. ngForOf -> items\n * 4. i -> NgForOfContext.index\n * 5. ngForTrackBy -> func\n *\n * For a full description of the microsyntax grammar, see\n * https://gist.github.com/mhevery/d3530294cff2e4a1b3fe15ff75d08855\n *\n * @param templateKey name of the microsyntax directive, like ngIf, ngFor,\n * without the *, along with its absolute span.\n */\n parseTemplateBindings(templateKey) {\n const bindings = [];\n // The first binding is for the template key itself\n // In *ngFor=\"let item of items\", key = \"ngFor\", value = null\n // In *ngIf=\"cond | pipe\", key = \"ngIf\", value = \"cond | pipe\"\n bindings.push(...this.parseDirectiveKeywordBindings(templateKey));\n while (this.index < this.tokens.length) {\n // If it starts with 'let', then this must be variable declaration\n const letBinding = this.parseLetBinding();\n if (letBinding) {\n bindings.push(letBinding);\n } else {\n // Two possible cases here, either `value \"as\" key` or\n // \"directive-keyword expression\". We don't know which case, but both\n // \"value\" and \"directive-keyword\" are template binding key, so consume\n // the key first.\n const key = this.expectTemplateBindingKey();\n // Peek at the next token, if it is \"as\" then this must be variable\n // declaration.\n const binding = this.parseAsBinding(key);\n if (binding) {\n bindings.push(binding);\n } else {\n // Otherwise the key must be a directive keyword, like \"of\". Transform\n // the key to actual key. Eg. of -> ngForOf, trackBy -> ngForTrackBy\n key.source = templateKey.source + key.source.charAt(0).toUpperCase() + key.source.substring(1);\n bindings.push(...this.parseDirectiveKeywordBindings(key));\n }\n }\n this.consumeStatementTerminator();\n }\n return new TemplateBindingParseResult(bindings, [] /* warnings */, this.errors);\n }\n parseKeyedReadOrWrite(receiver, start, isSafe) {\n return this.withContext(ParseContextFlags.Writable, () => {\n this.rbracketsExpected++;\n const key = this.parsePipe();\n if (key instanceof EmptyExpr$1) {\n this.error(`Key access cannot be empty`);\n }\n this.rbracketsExpected--;\n this.expectCharacter($RBRACKET);\n if (this.consumeOptionalOperator('=')) {\n if (isSafe) {\n this.error('The \\'?.\\' operator cannot be used in the assignment');\n } else {\n const value = this.parseConditional();\n return new KeyedWrite(this.span(start), this.sourceSpan(start), receiver, key, value);\n }\n } else {\n return isSafe ? new SafeKeyedRead(this.span(start), this.sourceSpan(start), receiver, key) : new KeyedRead(this.span(start), this.sourceSpan(start), receiver, key);\n }\n return new EmptyExpr$1(this.span(start), this.sourceSpan(start));\n });\n }\n /**\n * Parse a directive keyword, followed by a mandatory expression.\n * For example, \"of items\", \"trackBy: func\".\n * The bindings are: ngForOf -> items, ngForTrackBy -> func\n * There could be an optional \"as\" binding that follows the expression.\n * For example,\n * ```\n * *ngFor=\"let item of items | slice:0:1 as collection\".\n * ^^ ^^^^^^^^^^^^^^^^^ ^^^^^^^^^^^^^\n * keyword bound target optional 'as' binding\n * ```\n *\n * @param key binding key, for example, ngFor, ngIf, ngForOf, along with its\n * absolute span.\n */\n parseDirectiveKeywordBindings(key) {\n const bindings = [];\n this.consumeOptionalCharacter($COLON); // trackBy: trackByFunction\n const value = this.getDirectiveBoundTarget();\n let spanEnd = this.currentAbsoluteOffset;\n // The binding could optionally be followed by \"as\". For example,\n // *ngIf=\"cond | pipe as x\". In this case, the key in the \"as\" binding\n // is \"x\" and the value is the template key itself (\"ngIf\"). Note that the\n // 'key' in the current context now becomes the \"value\" in the next binding.\n const asBinding = this.parseAsBinding(key);\n if (!asBinding) {\n this.consumeStatementTerminator();\n spanEnd = this.currentAbsoluteOffset;\n }\n const sourceSpan = new AbsoluteSourceSpan(key.span.start, spanEnd);\n bindings.push(new ExpressionBinding(sourceSpan, key, value));\n if (asBinding) {\n bindings.push(asBinding);\n }\n return bindings;\n }\n /**\n * Return the expression AST for the bound target of a directive keyword\n * binding. For example,\n * ```\n * *ngIf=\"condition | pipe\"\n * ^^^^^^^^^^^^^^^^ bound target for \"ngIf\"\n * *ngFor=\"let item of items\"\n * ^^^^^ bound target for \"ngForOf\"\n * ```\n */\n getDirectiveBoundTarget() {\n if (this.next === EOF || this.peekKeywordAs() || this.peekKeywordLet()) {\n return null;\n }\n const ast = this.parsePipe(); // example: \"condition | async\"\n const {\n start,\n end\n } = ast.span;\n const value = this.input.substring(start, end);\n return new ASTWithSource(ast, value, this.location, this.absoluteOffset + start, this.errors);\n }\n /**\n * Return the binding for a variable declared using `as`. Note that the order\n * of the key-value pair in this declaration is reversed. For example,\n * ```\n * *ngFor=\"let item of items; index as i\"\n * ^^^^^ ^\n * value key\n * ```\n *\n * @param value name of the value in the declaration, \"ngIf\" in the example\n * above, along with its absolute span.\n */\n parseAsBinding(value) {\n if (!this.peekKeywordAs()) {\n return null;\n }\n this.advance(); // consume the 'as' keyword\n const key = this.expectTemplateBindingKey();\n this.consumeStatementTerminator();\n const sourceSpan = new AbsoluteSourceSpan(value.span.start, this.currentAbsoluteOffset);\n return new VariableBinding(sourceSpan, key, value);\n }\n /**\n * Return the binding for a variable declared using `let`. For example,\n * ```\n * *ngFor=\"let item of items; let i=index;\"\n * ^^^^^^^^ ^^^^^^^^^^^\n * ```\n * In the first binding, `item` is bound to `NgForOfContext.$implicit`.\n * In the second binding, `i` is bound to `NgForOfContext.index`.\n */\n parseLetBinding() {\n if (!this.peekKeywordLet()) {\n return null;\n }\n const spanStart = this.currentAbsoluteOffset;\n this.advance(); // consume the 'let' keyword\n const key = this.expectTemplateBindingKey();\n let value = null;\n if (this.consumeOptionalOperator('=')) {\n value = this.expectTemplateBindingKey();\n }\n this.consumeStatementTerminator();\n const sourceSpan = new AbsoluteSourceSpan(spanStart, this.currentAbsoluteOffset);\n return new VariableBinding(sourceSpan, key, value);\n }\n /**\n * Consume the optional statement terminator: semicolon or comma.\n */\n consumeStatementTerminator() {\n this.consumeOptionalCharacter($SEMICOLON) || this.consumeOptionalCharacter($COMMA);\n }\n /**\n * Records an error and skips over the token stream until reaching a recoverable point. See\n * `this.skip` for more details on token skipping.\n */\n error(message, index = null) {\n this.errors.push(new ParserError(message, this.input, this.locationText(index), this.location));\n this.skip();\n }\n locationText(index = null) {\n if (index == null) index = this.index;\n return index < this.tokens.length ? `at column ${this.tokens[index].index + 1} in` : `at the end of the expression`;\n }\n /**\n * Records an error for an unexpected private identifier being discovered.\n * @param token Token representing a private identifier.\n * @param extraMessage Optional additional message being appended to the error.\n */\n _reportErrorForPrivateIdentifier(token, extraMessage) {\n let errorMessage = `Private identifiers are not supported. Unexpected private identifier: ${token}`;\n if (extraMessage !== null) {\n errorMessage += `, ${extraMessage}`;\n }\n this.error(errorMessage);\n }\n /**\n * Error recovery should skip tokens until it encounters a recovery point.\n *\n * The following are treated as unconditional recovery points:\n * - end of input\n * - ';' (parseChain() is always the root production, and it expects a ';')\n * - '|' (since pipes may be chained and each pipe expression may be treated independently)\n *\n * The following are conditional recovery points:\n * - ')', '}', ']' if one of calling productions is expecting one of these symbols\n * - This allows skip() to recover from errors such as '(a.) + 1' allowing more of the AST to\n * be retained (it doesn't skip any tokens as the ')' is retained because of the '(' begins\n * an '(' <expr> ')' production).\n * The recovery points of grouping symbols must be conditional as they must be skipped if\n * none of the calling productions are not expecting the closing token else we will never\n * make progress in the case of an extraneous group closing symbol (such as a stray ')').\n * That is, we skip a closing symbol if we are not in a grouping production.\n * - '=' in a `Writable` context\n * - In this context, we are able to recover after seeing the `=` operator, which\n * signals the presence of an independent rvalue expression following the `=` operator.\n *\n * If a production expects one of these token it increments the corresponding nesting count,\n * and then decrements it just prior to checking if the token is in the input.\n */\n skip() {\n let n = this.next;\n while (this.index < this.tokens.length && !n.isCharacter($SEMICOLON) && !n.isOperator('|') && (this.rparensExpected <= 0 || !n.isCharacter($RPAREN)) && (this.rbracesExpected <= 0 || !n.isCharacter($RBRACE)) && (this.rbracketsExpected <= 0 || !n.isCharacter($RBRACKET)) && (!(this.context & ParseContextFlags.Writable) || !n.isOperator('='))) {\n if (this.next.isError()) {\n this.errors.push(new ParserError(this.next.toString(), this.input, this.locationText(), this.location));\n }\n this.advance();\n n = this.next;\n }\n }\n}\nclass SimpleExpressionChecker extends RecursiveAstVisitor {\n constructor() {\n super(...arguments);\n this.errors = [];\n }\n visitPipe() {\n this.errors.push('pipes');\n }\n}\n/**\n * Computes the real offset in the original template for indexes in an interpolation.\n *\n * Because templates can have encoded HTML entities and the input passed to the parser at this stage\n * of the compiler is the _decoded_ value, we need to compute the real offset using the original\n * encoded values in the interpolated tokens. Note that this is only a special case handling for\n * `MlParserTokenType.ENCODED_ENTITY` token types. All other interpolated tokens are expected to\n * have parts which exactly match the input string for parsing the interpolation.\n *\n * @param interpolatedTokens The tokens for the interpolated value.\n *\n * @returns A map of index locations in the decoded template to indexes in the original template\n */\nfunction getIndexMapForOriginalTemplate(interpolatedTokens) {\n let offsetMap = new Map();\n let consumedInOriginalTemplate = 0;\n let consumedInInput = 0;\n let tokenIndex = 0;\n while (tokenIndex < interpolatedTokens.length) {\n const currentToken = interpolatedTokens[tokenIndex];\n if (currentToken.type === 9 /* MlParserTokenType.ENCODED_ENTITY */) {\n const [decoded, encoded] = currentToken.parts;\n consumedInOriginalTemplate += encoded.length;\n consumedInInput += decoded.length;\n } else {\n const lengthOfParts = currentToken.parts.reduce((sum, current) => sum + current.length, 0);\n consumedInInput += lengthOfParts;\n consumedInOriginalTemplate += lengthOfParts;\n }\n offsetMap.set(consumedInInput, consumedInOriginalTemplate);\n tokenIndex++;\n }\n return offsetMap;\n}\nclass NodeWithI18n {\n constructor(sourceSpan, i18n) {\n this.sourceSpan = sourceSpan;\n this.i18n = i18n;\n }\n}\nclass Text extends NodeWithI18n {\n constructor(value, sourceSpan, tokens, i18n) {\n super(sourceSpan, i18n);\n this.value = value;\n this.tokens = tokens;\n }\n visit(visitor, context) {\n return visitor.visitText(this, context);\n }\n}\nclass Expansion extends NodeWithI18n {\n constructor(switchValue, type, cases, sourceSpan, switchValueSourceSpan, i18n) {\n super(sourceSpan, i18n);\n this.switchValue = switchValue;\n this.type = type;\n this.cases = cases;\n this.switchValueSourceSpan = switchValueSourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitExpansion(this, context);\n }\n}\nclass ExpansionCase {\n constructor(value, expression, sourceSpan, valueSourceSpan, expSourceSpan) {\n this.value = value;\n this.expression = expression;\n this.sourceSpan = sourceSpan;\n this.valueSourceSpan = valueSourceSpan;\n this.expSourceSpan = expSourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitExpansionCase(this, context);\n }\n}\nclass Attribute extends NodeWithI18n {\n constructor(name, value, sourceSpan, keySpan, valueSpan, valueTokens, i18n) {\n super(sourceSpan, i18n);\n this.name = name;\n this.value = value;\n this.keySpan = keySpan;\n this.valueSpan = valueSpan;\n this.valueTokens = valueTokens;\n }\n visit(visitor, context) {\n return visitor.visitAttribute(this, context);\n }\n}\nclass Element extends NodeWithI18n {\n constructor(name, attrs, children, sourceSpan, startSourceSpan, endSourceSpan = null, i18n) {\n super(sourceSpan, i18n);\n this.name = name;\n this.attrs = attrs;\n this.children = children;\n this.startSourceSpan = startSourceSpan;\n this.endSourceSpan = endSourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitElement(this, context);\n }\n}\nclass Comment {\n constructor(value, sourceSpan) {\n this.value = value;\n this.sourceSpan = sourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitComment(this, context);\n }\n}\nclass BlockGroup {\n constructor(blocks, sourceSpan, startSourceSpan, endSourceSpan = null) {\n this.blocks = blocks;\n this.sourceSpan = sourceSpan;\n this.startSourceSpan = startSourceSpan;\n this.endSourceSpan = endSourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitBlockGroup(this, context);\n }\n}\nclass Block {\n constructor(name, parameters, children, sourceSpan, startSourceSpan, endSourceSpan = null) {\n this.name = name;\n this.parameters = parameters;\n this.children = children;\n this.sourceSpan = sourceSpan;\n this.startSourceSpan = startSourceSpan;\n this.endSourceSpan = endSourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitBlock(this, context);\n }\n}\nclass BlockParameter {\n constructor(expression, sourceSpan) {\n this.expression = expression;\n this.sourceSpan = sourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitBlockParameter(this, context);\n }\n}\nfunction visitAll(visitor, nodes, context = null) {\n const result = [];\n const visit = visitor.visit ? ast => visitor.visit(ast, context) || ast.visit(visitor, context) : ast => ast.visit(visitor, context);\n nodes.forEach(ast => {\n const astResult = visit(ast);\n if (astResult) {\n result.push(astResult);\n }\n });\n return result;\n}\nclass RecursiveVisitor {\n constructor() {}\n visitElement(ast, context) {\n this.visitChildren(context, visit => {\n visit(ast.attrs);\n visit(ast.children);\n });\n }\n visitAttribute(ast, context) {}\n visitText(ast, context) {}\n visitComment(ast, context) {}\n visitExpansion(ast, context) {\n return this.visitChildren(context, visit => {\n visit(ast.cases);\n });\n }\n visitExpansionCase(ast, context) {}\n visitBlockGroup(ast, context) {\n this.visitChildren(context, visit => {\n visit(ast.blocks);\n });\n }\n visitBlock(block, context) {\n this.visitChildren(context, visit => {\n visit(block.parameters);\n visit(block.children);\n });\n }\n visitBlockParameter(ast, context) {}\n visitChildren(context, cb) {\n let results = [];\n let t = this;\n function visit(children) {\n if (children) results.push(visitAll(t, children, context));\n }\n cb(visit);\n return Array.prototype.concat.apply([], results);\n }\n}\nclass ElementSchemaRegistry {}\nconst BOOLEAN = 'boolean';\nconst NUMBER = 'number';\nconst STRING = 'string';\nconst OBJECT = 'object';\n/**\n * This array represents the DOM schema. It encodes inheritance, properties, and events.\n *\n * ## Overview\n *\n * Each line represents one kind of element. The `element_inheritance` and properties are joined\n * using `element_inheritance|properties` syntax.\n *\n * ## Element Inheritance\n *\n * The `element_inheritance` can be further subdivided as `element1,element2,...^parentElement`.\n * Here the individual elements are separated by `,` (commas). Every element in the list\n * has identical properties.\n *\n * An `element` may inherit additional properties from `parentElement` If no `^parentElement` is\n * specified then `\"\"` (blank) element is assumed.\n *\n * NOTE: The blank element inherits from root `[Element]` element, the super element of all\n * elements.\n *\n * NOTE an element prefix such as `:svg:` has no special meaning to the schema.\n *\n * ## Properties\n *\n * Each element has a set of properties separated by `,` (commas). Each property can be prefixed\n * by a special character designating its type:\n *\n * - (no prefix): property is a string.\n * - `*`: property represents an event.\n * - `!`: property is a boolean.\n * - `#`: property is a number.\n * - `%`: property is an object.\n *\n * ## Query\n *\n * The class creates an internal squas representation which allows to easily answer the query of\n * if a given property exist on a given element.\n *\n * NOTE: We don't yet support querying for types or events.\n * NOTE: This schema is auto extracted from `schema_extractor.ts` located in the test folder,\n * see dom_element_schema_registry_spec.ts\n */\n// =================================================================================================\n// =================================================================================================\n// =========== S T O P - S T O P - S T O P - S T O P - S T O P - S T O P ===========\n// =================================================================================================\n// =================================================================================================\n//\n// DO NOT EDIT THIS DOM SCHEMA WITHOUT A SECURITY REVIEW!\n//\n// Newly added properties must be security reviewed and assigned an appropriate SecurityContext in\n// dom_security_schema.ts. Reach out to mprobst & rjamet for details.\n//\n// =================================================================================================\nconst SCHEMA = ['[Element]|textContent,%ariaAtomic,%ariaAutoComplete,%ariaBusy,%ariaChecked,%ariaColCount,%ariaColIndex,%ariaColSpan,%ariaCurrent,%ariaDescription,%ariaDisabled,%ariaExpanded,%ariaHasPopup,%ariaHidden,%ariaKeyShortcuts,%ariaLabel,%ariaLevel,%ariaLive,%ariaModal,%ariaMultiLine,%ariaMultiSelectable,%ariaOrientation,%ariaPlaceholder,%ariaPosInSet,%ariaPressed,%ariaReadOnly,%ariaRelevant,%ariaRequired,%ariaRoleDescription,%ariaRowCount,%ariaRowIndex,%ariaRowSpan,%ariaSelected,%ariaSetSize,%ariaSort,%ariaValueMax,%ariaValueMin,%ariaValueNow,%ariaValueText,%classList,className,elementTiming,id,innerHTML,*beforecopy,*beforecut,*beforepaste,*fullscreenchange,*fullscreenerror,*search,*webkitfullscreenchange,*webkitfullscreenerror,outerHTML,%part,#scrollLeft,#scrollTop,slot' + /* added manually to avoid breaking changes */\n',*message,*mozfullscreenchange,*mozfullscreenerror,*mozpointerlockchange,*mozpointerlockerror,*webglcontextcreationerror,*webglcontextlost,*webglcontextrestored', '[HTMLElement]^[Element]|accessKey,autocapitalize,!autofocus,contentEditable,dir,!draggable,enterKeyHint,!hidden,innerText,inputMode,lang,nonce,*abort,*animationend,*animationiteration,*animationstart,*auxclick,*beforexrselect,*blur,*cancel,*canplay,*canplaythrough,*change,*click,*close,*contextmenu,*copy,*cuechange,*cut,*dblclick,*drag,*dragend,*dragenter,*dragleave,*dragover,*dragstart,*drop,*durationchange,*emptied,*ended,*error,*focus,*formdata,*gotpointercapture,*input,*invalid,*keydown,*keypress,*keyup,*load,*loadeddata,*loadedmetadata,*loadstart,*lostpointercapture,*mousedown,*mouseenter,*mouseleave,*mousemove,*mouseout,*mouseover,*mouseup,*mousewheel,*paste,*pause,*play,*playing,*pointercancel,*pointerdown,*pointerenter,*pointerleave,*pointermove,*pointerout,*pointerover,*pointerrawupdate,*pointerup,*progress,*ratechange,*reset,*resize,*scroll,*securitypolicyviolation,*seeked,*seeking,*select,*selectionchange,*selectstart,*slotchange,*stalled,*submit,*suspend,*timeupdate,*toggle,*transitioncancel,*transitionend,*transitionrun,*transitionstart,*volumechange,*waiting,*webkitanimationend,*webkitanimationiteration,*webkitanimationstart,*webkittransitionend,*wheel,outerText,!spellcheck,%style,#tabIndex,title,!translate,virtualKeyboardPolicy', 'abbr,address,article,aside,b,bdi,bdo,cite,content,code,dd,dfn,dt,em,figcaption,figure,footer,header,hgroup,i,kbd,main,mark,nav,noscript,rb,rp,rt,rtc,ruby,s,samp,section,small,strong,sub,sup,u,var,wbr^[HTMLElement]|accessKey,autocapitalize,!autofocus,contentEditable,dir,!draggable,enterKeyHint,!hidden,innerText,inputMode,lang,nonce,*abort,*animationend,*animationiteration,*animationstart,*auxclick,*beforexrselect,*blur,*cancel,*canplay,*canplaythrough,*change,*click,*close,*contextmenu,*copy,*cuechange,*cut,*dblclick,*drag,*dragend,*dragenter,*dragleave,*dragover,*dragstart,*drop,*durationchange,*emptied,*ended,*error,*focus,*formdata,*gotpointercapture,*input,*invalid,*keydown,*keypress,*keyup,*load,*loadeddata,*loadedmetadata,*loadstart,*lostpointercapture,*mousedown,*mouseenter,*mouseleave,*mousemove,*mouseout,*mouseover,*mouseup,*mousewheel,*paste,*pause,*play,*playing,*pointercancel,*pointerdown,*pointerenter,*pointerleave,*pointermove,*pointerout,*pointerover,*pointerrawupdate,*pointerup,*progress,*ratechange,*reset,*resize,*scroll,*securitypolicyviolation,*seeked,*seeking,*select,*selectionchange,*selectstart,*slotchange,*stalled,*submit,*suspend,*timeupdate,*toggle,*transitioncancel,*transitionend,*transitionrun,*transitionstart,*volumechange,*waiting,*webkitanimationend,*webkitanimationiteration,*webkitanimationstart,*webkittransitionend,*wheel,outerText,!spellcheck,%style,#tabIndex,title,!translate,virtualKeyboardPolicy', 'media^[HTMLElement]|!autoplay,!controls,%controlsList,%crossOrigin,#currentTime,!defaultMuted,#defaultPlaybackRate,!disableRemotePlayback,!loop,!muted,*encrypted,*waitingforkey,#playbackRate,preload,!preservesPitch,src,%srcObject,#volume', ':svg:^[HTMLElement]|!autofocus,nonce,*abort,*animationend,*animationiteration,*animationstart,*auxclick,*beforexrselect,*blur,*cancel,*canplay,*canplaythrough,*change,*click,*close,*contextmenu,*copy,*cuechange,*cut,*dblclick,*drag,*dragend,*dragenter,*dragleave,*dragover,*dragstart,*drop,*durationchange,*emptied,*ended,*error,*focus,*formdata,*gotpointercapture,*input,*invalid,*keydown,*keypress,*keyup,*load,*loadeddata,*loadedmetadata,*loadstart,*lostpointercapture,*mousedown,*mouseenter,*mouseleave,*mousemove,*mouseout,*mouseover,*mouseup,*mousewheel,*paste,*pause,*play,*playing,*pointercancel,*pointerdown,*pointerenter,*pointerleave,*pointermove,*pointerout,*pointerover,*pointerrawupdate,*pointerup,*progress,*ratechange,*reset,*resize,*scroll,*securitypolicyviolation,*seeked,*seeking,*select,*selectionchange,*selectstart,*slotchange,*stalled,*submit,*suspend,*timeupdate,*toggle,*transitioncancel,*transitionend,*transitionrun,*transitionstart,*volumechange,*waiting,*webkitanimationend,*webkitanimationiteration,*webkitanimationstart,*webkittransitionend,*wheel,%style,#tabIndex', ':svg:graphics^:svg:|', ':svg:animation^:svg:|*begin,*end,*repeat', ':svg:geometry^:svg:|', ':svg:componentTransferFunction^:svg:|', ':svg:gradient^:svg:|', ':svg:textContent^:svg:graphics|', ':svg:textPositioning^:svg:textContent|', 'a^[HTMLElement]|charset,coords,download,hash,host,hostname,href,hreflang,name,password,pathname,ping,port,protocol,referrerPolicy,rel,%relList,rev,search,shape,target,text,type,username', 'area^[HTMLElement]|alt,coords,download,hash,host,hostname,href,!noHref,password,pathname,ping,port,protocol,referrerPolicy,rel,%relList,search,shape,target,username', 'audio^media|', 'br^[HTMLElement]|clear', 'base^[HTMLElement]|href,target', 'body^[HTMLElement]|aLink,background,bgColor,link,*afterprint,*beforeprint,*beforeunload,*blur,*error,*focus,*hashchange,*languagechange,*load,*message,*messageerror,*offline,*online,*pagehide,*pageshow,*popstate,*rejectionhandled,*resize,*scroll,*storage,*unhandledrejection,*unload,text,vLink', 'button^[HTMLElement]|!disabled,formAction,formEnctype,formMethod,!formNoValidate,formTarget,name,type,value', 'canvas^[HTMLElement]|#height,#width', 'content^[HTMLElement]|select', 'dl^[HTMLElement]|!compact', 'data^[HTMLElement]|value', 'datalist^[HTMLElement]|', 'details^[HTMLElement]|!open', 'dialog^[HTMLElement]|!open,returnValue', 'dir^[HTMLElement]|!compact', 'div^[HTMLElement]|align', 'embed^[HTMLElement]|align,height,name,src,type,width', 'fieldset^[HTMLElement]|!disabled,name', 'font^[HTMLElement]|color,face,size', 'form^[HTMLElement]|acceptCharset,action,autocomplete,encoding,enctype,method,name,!noValidate,target', 'frame^[HTMLElement]|frameBorder,longDesc,marginHeight,marginWidth,name,!noResize,scrolling,src', 'frameset^[HTMLElement]|cols,*afterprint,*beforeprint,*beforeunload,*blur,*error,*focus,*hashchange,*languagechange,*load,*message,*messageerror,*offline,*online,*pagehide,*pageshow,*popstate,*rejectionhandled,*resize,*scroll,*storage,*unhandledrejection,*unload,rows', 'hr^[HTMLElement]|align,color,!noShade,size,width', 'head^[HTMLElement]|', 'h1,h2,h3,h4,h5,h6^[HTMLElement]|align', 'html^[HTMLElement]|version', 'iframe^[HTMLElement]|align,allow,!allowFullscreen,!allowPaymentRequest,csp,frameBorder,height,loading,longDesc,marginHeight,marginWidth,name,referrerPolicy,%sandbox,scrolling,src,srcdoc,width', 'img^[HTMLElement]|align,alt,border,%crossOrigin,decoding,#height,#hspace,!isMap,loading,longDesc,lowsrc,name,referrerPolicy,sizes,src,srcset,useMap,#vspace,#width', 'input^[HTMLElement]|accept,align,alt,autocomplete,!checked,!defaultChecked,defaultValue,dirName,!disabled,%files,formAction,formEnctype,formMethod,!formNoValidate,formTarget,#height,!incremental,!indeterminate,max,#maxLength,min,#minLength,!multiple,name,pattern,placeholder,!readOnly,!required,selectionDirection,#selectionEnd,#selectionStart,#size,src,step,type,useMap,value,%valueAsDate,#valueAsNumber,#width', 'li^[HTMLElement]|type,#value', 'label^[HTMLElement]|htmlFor', 'legend^[HTMLElement]|align', 'link^[HTMLElement]|as,charset,%crossOrigin,!disabled,href,hreflang,imageSizes,imageSrcset,integrity,media,referrerPolicy,rel,%relList,rev,%sizes,target,type', 'map^[HTMLElement]|name', 'marquee^[HTMLElement]|behavior,bgColor,direction,height,#hspace,#loop,#scrollAmount,#scrollDelay,!trueSpeed,#vspace,width', 'menu^[HTMLElement]|!compact', 'meta^[HTMLElement]|content,httpEquiv,media,name,scheme', 'meter^[HTMLElement]|#high,#low,#max,#min,#optimum,#value', 'ins,del^[HTMLElement]|cite,dateTime', 'ol^[HTMLElement]|!compact,!reversed,#start,type', 'object^[HTMLElement]|align,archive,border,code,codeBase,codeType,data,!declare,height,#hspace,name,standby,type,useMap,#vspace,width', 'optgroup^[HTMLElement]|!disabled,label', 'option^[HTMLElement]|!defaultSelected,!disabled,label,!selected,text,value', 'output^[HTMLElement]|defaultValue,%htmlFor,name,value', 'p^[HTMLElement]|align', 'param^[HTMLElement]|name,type,value,valueType', 'picture^[HTMLElement]|', 'pre^[HTMLElement]|#width', 'progress^[HTMLElement]|#max,#value', 'q,blockquote,cite^[HTMLElement]|', 'script^[HTMLElement]|!async,charset,%crossOrigin,!defer,event,htmlFor,integrity,!noModule,%referrerPolicy,src,text,type', 'select^[HTMLElement]|autocomplete,!disabled,#length,!multiple,name,!required,#selectedIndex,#size,value', 'slot^[HTMLElement]|name', 'source^[HTMLElement]|#height,media,sizes,src,srcset,type,#width', 'span^[HTMLElement]|', 'style^[HTMLElement]|!disabled,media,type', 'caption^[HTMLElement]|align', 'th,td^[HTMLElement]|abbr,align,axis,bgColor,ch,chOff,#colSpan,headers,height,!noWrap,#rowSpan,scope,vAlign,width', 'col,colgroup^[HTMLElement]|align,ch,chOff,#span,vAlign,width', 'table^[HTMLElement]|align,bgColor,border,%caption,cellPadding,cellSpacing,frame,rules,summary,%tFoot,%tHead,width', 'tr^[HTMLElement]|align,bgColor,ch,chOff,vAlign', 'tfoot,thead,tbody^[HTMLElement]|align,ch,chOff,vAlign', 'template^[HTMLElement]|', 'textarea^[HTMLElement]|autocomplete,#cols,defaultValue,dirName,!disabled,#maxLength,#minLength,name,placeholder,!readOnly,!required,#rows,selectionDirection,#selectionEnd,#selectionStart,value,wrap', 'time^[HTMLElement]|dateTime', 'title^[HTMLElement]|text', 'track^[HTMLElement]|!default,kind,label,src,srclang', 'ul^[HTMLElement]|!compact,type', 'unknown^[HTMLElement]|', 'video^media|!disablePictureInPicture,#height,*enterpictureinpicture,*leavepictureinpicture,!playsInline,poster,#width', ':svg:a^:svg:graphics|', ':svg:animate^:svg:animation|', ':svg:animateMotion^:svg:animation|', ':svg:animateTransform^:svg:animation|', ':svg:circle^:svg:geometry|', ':svg:clipPath^:svg:graphics|', ':svg:defs^:svg:graphics|', ':svg:desc^:svg:|', ':svg:discard^:svg:|', ':svg:ellipse^:svg:geometry|', ':svg:feBlend^:svg:|', ':svg:feColorMatrix^:svg:|', ':svg:feComponentTransfer^:svg:|', ':svg:feComposite^:svg:|', ':svg:feConvolveMatrix^:svg:|', ':svg:feDiffuseLighting^:svg:|', ':svg:feDisplacementMap^:svg:|', ':svg:feDistantLight^:svg:|', ':svg:feDropShadow^:svg:|', ':svg:feFlood^:svg:|', ':svg:feFuncA^:svg:componentTransferFunction|', ':svg:feFuncB^:svg:componentTransferFunction|', ':svg:feFuncG^:svg:componentTransferFunction|', ':svg:feFuncR^:svg:componentTransferFunction|', ':svg:feGaussianBlur^:svg:|', ':svg:feImage^:svg:|', ':svg:feMerge^:svg:|', ':svg:feMergeNode^:svg:|', ':svg:feMorphology^:svg:|', ':svg:feOffset^:svg:|', ':svg:fePointLight^:svg:|', ':svg:feSpecularLighting^:svg:|', ':svg:feSpotLight^:svg:|', ':svg:feTile^:svg:|', ':svg:feTurbulence^:svg:|', ':svg:filter^:svg:|', ':svg:foreignObject^:svg:graphics|', ':svg:g^:svg:graphics|', ':svg:image^:svg:graphics|decoding', ':svg:line^:svg:geometry|', ':svg:linearGradient^:svg:gradient|', ':svg:mpath^:svg:|', ':svg:marker^:svg:|', ':svg:mask^:svg:|', ':svg:metadata^:svg:|', ':svg:path^:svg:geometry|', ':svg:pattern^:svg:|', ':svg:polygon^:svg:geometry|', ':svg:polyline^:svg:geometry|', ':svg:radialGradient^:svg:gradient|', ':svg:rect^:svg:geometry|', ':svg:svg^:svg:graphics|#currentScale,#zoomAndPan', ':svg:script^:svg:|type', ':svg:set^:svg:animation|', ':svg:stop^:svg:|', ':svg:style^:svg:|!disabled,media,title,type', ':svg:switch^:svg:graphics|', ':svg:symbol^:svg:|', ':svg:tspan^:svg:textPositioning|', ':svg:text^:svg:textPositioning|', ':svg:textPath^:svg:textContent|', ':svg:title^:svg:|', ':svg:use^:svg:graphics|', ':svg:view^:svg:|#zoomAndPan', 'data^[HTMLElement]|value', 'keygen^[HTMLElement]|!autofocus,challenge,!disabled,form,keytype,name', 'menuitem^[HTMLElement]|type,label,icon,!disabled,!checked,radiogroup,!default', 'summary^[HTMLElement]|', 'time^[HTMLElement]|dateTime', ':svg:cursor^:svg:|'];\nconst _ATTR_TO_PROP = new Map(Object.entries({\n 'class': 'className',\n 'for': 'htmlFor',\n 'formaction': 'formAction',\n 'innerHtml': 'innerHTML',\n 'readonly': 'readOnly',\n 'tabindex': 'tabIndex'\n}));\n// Invert _ATTR_TO_PROP.\nconst _PROP_TO_ATTR = Array.from(_ATTR_TO_PROP).reduce((inverted, [propertyName, attributeName]) => {\n inverted.set(propertyName, attributeName);\n return inverted;\n}, new Map());\nclass DomElementSchemaRegistry extends ElementSchemaRegistry {\n constructor() {\n super();\n this._schema = new Map();\n // We don't allow binding to events for security reasons. Allowing event bindings would almost\n // certainly introduce bad XSS vulnerabilities. Instead, we store events in a separate schema.\n this._eventSchema = new Map();\n SCHEMA.forEach(encodedType => {\n const type = new Map();\n const events = new Set();\n const [strType, strProperties] = encodedType.split('|');\n const properties = strProperties.split(',');\n const [typeNames, superName] = strType.split('^');\n typeNames.split(',').forEach(tag => {\n this._schema.set(tag.toLowerCase(), type);\n this._eventSchema.set(tag.toLowerCase(), events);\n });\n const superType = superName && this._schema.get(superName.toLowerCase());\n if (superType) {\n for (const [prop, value] of superType) {\n type.set(prop, value);\n }\n for (const superEvent of this._eventSchema.get(superName.toLowerCase())) {\n events.add(superEvent);\n }\n }\n properties.forEach(property => {\n if (property.length > 0) {\n switch (property[0]) {\n case '*':\n events.add(property.substring(1));\n break;\n case '!':\n type.set(property.substring(1), BOOLEAN);\n break;\n case '#':\n type.set(property.substring(1), NUMBER);\n break;\n case '%':\n type.set(property.substring(1), OBJECT);\n break;\n default:\n type.set(property, STRING);\n }\n }\n });\n });\n }\n hasProperty(tagName, propName, schemaMetas) {\n if (schemaMetas.some(schema => schema.name === NO_ERRORS_SCHEMA.name)) {\n return true;\n }\n if (tagName.indexOf('-') > -1) {\n if (isNgContainer(tagName) || isNgContent(tagName)) {\n return false;\n }\n if (schemaMetas.some(schema => schema.name === CUSTOM_ELEMENTS_SCHEMA.name)) {\n // Can't tell now as we don't know which properties a custom element will get\n // once it is instantiated\n return true;\n }\n }\n const elementProperties = this._schema.get(tagName.toLowerCase()) || this._schema.get('unknown');\n return elementProperties.has(propName);\n }\n hasElement(tagName, schemaMetas) {\n if (schemaMetas.some(schema => schema.name === NO_ERRORS_SCHEMA.name)) {\n return true;\n }\n if (tagName.indexOf('-') > -1) {\n if (isNgContainer(tagName) || isNgContent(tagName)) {\n return true;\n }\n if (schemaMetas.some(schema => schema.name === CUSTOM_ELEMENTS_SCHEMA.name)) {\n // Allow any custom elements\n return true;\n }\n }\n return this._schema.has(tagName.toLowerCase());\n }\n /**\n * securityContext returns the security context for the given property on the given DOM tag.\n *\n * Tag and property name are statically known and cannot change at runtime, i.e. it is not\n * possible to bind a value into a changing attribute or tag name.\n *\n * The filtering is based on a list of allowed tags|attributes. All attributes in the schema\n * above are assumed to have the 'NONE' security context, i.e. that they are safe inert\n * string values. Only specific well known attack vectors are assigned their appropriate context.\n */\n securityContext(tagName, propName, isAttribute) {\n if (isAttribute) {\n // NB: For security purposes, use the mapped property name, not the attribute name.\n propName = this.getMappedPropName(propName);\n }\n // Make sure comparisons are case insensitive, so that case differences between attribute and\n // property names do not have a security impact.\n tagName = tagName.toLowerCase();\n propName = propName.toLowerCase();\n let ctx = SECURITY_SCHEMA()[tagName + '|' + propName];\n if (ctx) {\n return ctx;\n }\n ctx = SECURITY_SCHEMA()['*|' + propName];\n return ctx ? ctx : SecurityContext.NONE;\n }\n getMappedPropName(propName) {\n return _ATTR_TO_PROP.get(propName) ?? propName;\n }\n getDefaultComponentElementName() {\n return 'ng-component';\n }\n validateProperty(name) {\n if (name.toLowerCase().startsWith('on')) {\n const msg = `Binding to event property '${name}' is disallowed for security reasons, ` + `please use (${name.slice(2)})=...` + `\\nIf '${name}' is a directive input, make sure the directive is imported by the` + ` current module.`;\n return {\n error: true,\n msg: msg\n };\n } else {\n return {\n error: false\n };\n }\n }\n validateAttribute(name) {\n if (name.toLowerCase().startsWith('on')) {\n const msg = `Binding to event attribute '${name}' is disallowed for security reasons, ` + `please use (${name.slice(2)})=...`;\n return {\n error: true,\n msg: msg\n };\n } else {\n return {\n error: false\n };\n }\n }\n allKnownElementNames() {\n return Array.from(this._schema.keys());\n }\n allKnownAttributesOfElement(tagName) {\n const elementProperties = this._schema.get(tagName.toLowerCase()) || this._schema.get('unknown');\n // Convert properties to attributes.\n return Array.from(elementProperties.keys()).map(prop => _PROP_TO_ATTR.get(prop) ?? prop);\n }\n allKnownEventsOfElement(tagName) {\n return Array.from(this._eventSchema.get(tagName.toLowerCase()) ?? []);\n }\n normalizeAnimationStyleProperty(propName) {\n return dashCaseToCamelCase(propName);\n }\n normalizeAnimationStyleValue(camelCaseProp, userProvidedProp, val) {\n let unit = '';\n const strVal = val.toString().trim();\n let errorMsg = null;\n if (_isPixelDimensionStyle(camelCaseProp) && val !== 0 && val !== '0') {\n if (typeof val === 'number') {\n unit = 'px';\n } else {\n const valAndSuffixMatch = val.match(/^[+-]?[\\d\\.]+([a-z]*)$/);\n if (valAndSuffixMatch && valAndSuffixMatch[1].length == 0) {\n errorMsg = `Please provide a CSS unit value for ${userProvidedProp}:${val}`;\n }\n }\n }\n return {\n error: errorMsg,\n value: strVal + unit\n };\n }\n}\nfunction _isPixelDimensionStyle(prop) {\n switch (prop) {\n case 'width':\n case 'height':\n case 'minWidth':\n case 'minHeight':\n case 'maxWidth':\n case 'maxHeight':\n case 'left':\n case 'top':\n case 'bottom':\n case 'right':\n case 'fontSize':\n case 'outlineWidth':\n case 'outlineOffset':\n case 'paddingTop':\n case 'paddingLeft':\n case 'paddingBottom':\n case 'paddingRight':\n case 'marginTop':\n case 'marginLeft':\n case 'marginBottom':\n case 'marginRight':\n case 'borderRadius':\n case 'borderWidth':\n case 'borderTopWidth':\n case 'borderLeftWidth':\n case 'borderRightWidth':\n case 'borderBottomWidth':\n case 'textIndent':\n return true;\n default:\n return false;\n }\n}\nclass HtmlTagDefinition {\n constructor({\n closedByChildren,\n implicitNamespacePrefix,\n contentType = TagContentType.PARSABLE_DATA,\n closedByParent = false,\n isVoid = false,\n ignoreFirstLf = false,\n preventNamespaceInheritance = false,\n canSelfClose = false\n } = {}) {\n this.closedByChildren = {};\n this.closedByParent = false;\n if (closedByChildren && closedByChildren.length > 0) {\n closedByChildren.forEach(tagName => this.closedByChildren[tagName] = true);\n }\n this.isVoid = isVoid;\n this.closedByParent = closedByParent || isVoid;\n this.implicitNamespacePrefix = implicitNamespacePrefix || null;\n this.contentType = contentType;\n this.ignoreFirstLf = ignoreFirstLf;\n this.preventNamespaceInheritance = preventNamespaceInheritance;\n this.canSelfClose = canSelfClose ?? isVoid;\n }\n isClosedByChild(name) {\n return this.isVoid || name.toLowerCase() in this.closedByChildren;\n }\n getContentType(prefix) {\n if (typeof this.contentType === 'object') {\n const overrideType = prefix === undefined ? undefined : this.contentType[prefix];\n return overrideType ?? this.contentType.default;\n }\n return this.contentType;\n }\n}\nlet DEFAULT_TAG_DEFINITION;\n// see https://www.w3.org/TR/html51/syntax.html#optional-tags\n// This implementation does not fully conform to the HTML5 spec.\nlet TAG_DEFINITIONS;\nfunction getHtmlTagDefinition(tagName) {\n if (!TAG_DEFINITIONS) {\n DEFAULT_TAG_DEFINITION = new HtmlTagDefinition({\n canSelfClose: true\n });\n TAG_DEFINITIONS = {\n 'base': new HtmlTagDefinition({\n isVoid: true\n }),\n 'meta': new HtmlTagDefinition({\n isVoid: true\n }),\n 'area': new HtmlTagDefinition({\n isVoid: true\n }),\n 'embed': new HtmlTagDefinition({\n isVoid: true\n }),\n 'link': new HtmlTagDefinition({\n isVoid: true\n }),\n 'img': new HtmlTagDefinition({\n isVoid: true\n }),\n 'input': new HtmlTagDefinition({\n isVoid: true\n }),\n 'param': new HtmlTagDefinition({\n isVoid: true\n }),\n 'hr': new HtmlTagDefinition({\n isVoid: true\n }),\n 'br': new HtmlTagDefinition({\n isVoid: true\n }),\n 'source': new HtmlTagDefinition({\n isVoid: true\n }),\n 'track': new HtmlTagDefinition({\n isVoid: true\n }),\n 'wbr': new HtmlTagDefinition({\n isVoid: true\n }),\n 'p': new HtmlTagDefinition({\n closedByChildren: ['address', 'article', 'aside', 'blockquote', 'div', 'dl', 'fieldset', 'footer', 'form', 'h1', 'h2', 'h3', 'h4', 'h5', 'h6', 'header', 'hgroup', 'hr', 'main', 'nav', 'ol', 'p', 'pre', 'section', 'table', 'ul'],\n closedByParent: true\n }),\n 'thead': new HtmlTagDefinition({\n closedByChildren: ['tbody', 'tfoot']\n }),\n 'tbody': new HtmlTagDefinition({\n closedByChildren: ['tbody', 'tfoot'],\n closedByParent: true\n }),\n 'tfoot': new HtmlTagDefinition({\n closedByChildren: ['tbody'],\n closedByParent: true\n }),\n 'tr': new HtmlTagDefinition({\n closedByChildren: ['tr'],\n closedByParent: true\n }),\n 'td': new HtmlTagDefinition({\n closedByChildren: ['td', 'th'],\n closedByParent: true\n }),\n 'th': new HtmlTagDefinition({\n closedByChildren: ['td', 'th'],\n closedByParent: true\n }),\n 'col': new HtmlTagDefinition({\n isVoid: true\n }),\n 'svg': new HtmlTagDefinition({\n implicitNamespacePrefix: 'svg'\n }),\n 'foreignObject': new HtmlTagDefinition({\n // Usually the implicit namespace here would be redundant since it will be inherited from\n // the parent `svg`, but we have to do it for `foreignObject`, because the way the parser\n // works is that the parent node of an end tag is its own start tag which means that\n // the `preventNamespaceInheritance` on `foreignObject` would have it default to the\n // implicit namespace which is `html`, unless specified otherwise.\n implicitNamespacePrefix: 'svg',\n // We want to prevent children of foreignObject from inheriting its namespace, because\n // the point of the element is to allow nodes from other namespaces to be inserted.\n preventNamespaceInheritance: true\n }),\n 'math': new HtmlTagDefinition({\n implicitNamespacePrefix: 'math'\n }),\n 'li': new HtmlTagDefinition({\n closedByChildren: ['li'],\n closedByParent: true\n }),\n 'dt': new HtmlTagDefinition({\n closedByChildren: ['dt', 'dd']\n }),\n 'dd': new HtmlTagDefinition({\n closedByChildren: ['dt', 'dd'],\n closedByParent: true\n }),\n 'rb': new HtmlTagDefinition({\n closedByChildren: ['rb', 'rt', 'rtc', 'rp'],\n closedByParent: true\n }),\n 'rt': new HtmlTagDefinition({\n closedByChildren: ['rb', 'rt', 'rtc', 'rp'],\n closedByParent: true\n }),\n 'rtc': new HtmlTagDefinition({\n closedByChildren: ['rb', 'rtc', 'rp'],\n closedByParent: true\n }),\n 'rp': new HtmlTagDefinition({\n closedByChildren: ['rb', 'rt', 'rtc', 'rp'],\n closedByParent: true\n }),\n 'optgroup': new HtmlTagDefinition({\n closedByChildren: ['optgroup'],\n closedByParent: true\n }),\n 'option': new HtmlTagDefinition({\n closedByChildren: ['option', 'optgroup'],\n closedByParent: true\n }),\n 'pre': new HtmlTagDefinition({\n ignoreFirstLf: true\n }),\n 'listing': new HtmlTagDefinition({\n ignoreFirstLf: true\n }),\n 'style': new HtmlTagDefinition({\n contentType: TagContentType.RAW_TEXT\n }),\n 'script': new HtmlTagDefinition({\n contentType: TagContentType.RAW_TEXT\n }),\n 'title': new HtmlTagDefinition({\n // The browser supports two separate `title` tags which have to use\n // a different content type: `HTMLTitleElement` and `SVGTitleElement`\n contentType: {\n default: TagContentType.ESCAPABLE_RAW_TEXT,\n svg: TagContentType.PARSABLE_DATA\n }\n }),\n 'textarea': new HtmlTagDefinition({\n contentType: TagContentType.ESCAPABLE_RAW_TEXT,\n ignoreFirstLf: true\n })\n };\n new DomElementSchemaRegistry().allKnownElementNames().forEach(knownTagName => {\n if (!TAG_DEFINITIONS.hasOwnProperty(knownTagName) && getNsPrefix(knownTagName) === null) {\n TAG_DEFINITIONS[knownTagName] = new HtmlTagDefinition({\n canSelfClose: false\n });\n }\n });\n }\n // We have to make both a case-sensitive and a case-insensitive lookup, because\n // HTML tag names are case insensitive, whereas some SVG tags are case sensitive.\n return TAG_DEFINITIONS[tagName] ?? TAG_DEFINITIONS[tagName.toLowerCase()] ?? DEFAULT_TAG_DEFINITION;\n}\n\n// Mapping between all HTML entity names and their unicode representation.\n// Generated from https://html.spec.whatwg.org/multipage/entities.json by stripping\n// the `&` and `;` from the keys and removing the duplicates.\n// see https://www.w3.org/TR/html51/syntax.html#named-character-references\nconst NAMED_ENTITIES = {\n 'AElig': '\\u00C6',\n 'AMP': '\\u0026',\n 'amp': '\\u0026',\n 'Aacute': '\\u00C1',\n 'Abreve': '\\u0102',\n 'Acirc': '\\u00C2',\n 'Acy': '\\u0410',\n 'Afr': '\\uD835\\uDD04',\n 'Agrave': '\\u00C0',\n 'Alpha': '\\u0391',\n 'Amacr': '\\u0100',\n 'And': '\\u2A53',\n 'Aogon': '\\u0104',\n 'Aopf': '\\uD835\\uDD38',\n 'ApplyFunction': '\\u2061',\n 'af': '\\u2061',\n 'Aring': '\\u00C5',\n 'angst': '\\u00C5',\n 'Ascr': '\\uD835\\uDC9C',\n 'Assign': '\\u2254',\n 'colone': '\\u2254',\n 'coloneq': '\\u2254',\n 'Atilde': '\\u00C3',\n 'Auml': '\\u00C4',\n 'Backslash': '\\u2216',\n 'setminus': '\\u2216',\n 'setmn': '\\u2216',\n 'smallsetminus': '\\u2216',\n 'ssetmn': '\\u2216',\n 'Barv': '\\u2AE7',\n 'Barwed': '\\u2306',\n 'doublebarwedge': '\\u2306',\n 'Bcy': '\\u0411',\n 'Because': '\\u2235',\n 'becaus': '\\u2235',\n 'because': '\\u2235',\n 'Bernoullis': '\\u212C',\n 'Bscr': '\\u212C',\n 'bernou': '\\u212C',\n 'Beta': '\\u0392',\n 'Bfr': '\\uD835\\uDD05',\n 'Bopf': '\\uD835\\uDD39',\n 'Breve': '\\u02D8',\n 'breve': '\\u02D8',\n 'Bumpeq': '\\u224E',\n 'HumpDownHump': '\\u224E',\n 'bump': '\\u224E',\n 'CHcy': '\\u0427',\n 'COPY': '\\u00A9',\n 'copy': '\\u00A9',\n 'Cacute': '\\u0106',\n 'Cap': '\\u22D2',\n 'CapitalDifferentialD': '\\u2145',\n 'DD': '\\u2145',\n 'Cayleys': '\\u212D',\n 'Cfr': '\\u212D',\n 'Ccaron': '\\u010C',\n 'Ccedil': '\\u00C7',\n 'Ccirc': '\\u0108',\n 'Cconint': '\\u2230',\n 'Cdot': '\\u010A',\n 'Cedilla': '\\u00B8',\n 'cedil': '\\u00B8',\n 'CenterDot': '\\u00B7',\n 'centerdot': '\\u00B7',\n 'middot': '\\u00B7',\n 'Chi': '\\u03A7',\n 'CircleDot': '\\u2299',\n 'odot': '\\u2299',\n 'CircleMinus': '\\u2296',\n 'ominus': '\\u2296',\n 'CirclePlus': '\\u2295',\n 'oplus': '\\u2295',\n 'CircleTimes': '\\u2297',\n 'otimes': '\\u2297',\n 'ClockwiseContourIntegral': '\\u2232',\n 'cwconint': '\\u2232',\n 'CloseCurlyDoubleQuote': '\\u201D',\n 'rdquo': '\\u201D',\n 'rdquor': '\\u201D',\n 'CloseCurlyQuote': '\\u2019',\n 'rsquo': '\\u2019',\n 'rsquor': '\\u2019',\n 'Colon': '\\u2237',\n 'Proportion': '\\u2237',\n 'Colone': '\\u2A74',\n 'Congruent': '\\u2261',\n 'equiv': '\\u2261',\n 'Conint': '\\u222F',\n 'DoubleContourIntegral': '\\u222F',\n 'ContourIntegral': '\\u222E',\n 'conint': '\\u222E',\n 'oint': '\\u222E',\n 'Copf': '\\u2102',\n 'complexes': '\\u2102',\n 'Coproduct': '\\u2210',\n 'coprod': '\\u2210',\n 'CounterClockwiseContourIntegral': '\\u2233',\n 'awconint': '\\u2233',\n 'Cross': '\\u2A2F',\n 'Cscr': '\\uD835\\uDC9E',\n 'Cup': '\\u22D3',\n 'CupCap': '\\u224D',\n 'asympeq': '\\u224D',\n 'DDotrahd': '\\u2911',\n 'DJcy': '\\u0402',\n 'DScy': '\\u0405',\n 'DZcy': '\\u040F',\n 'Dagger': '\\u2021',\n 'ddagger': '\\u2021',\n 'Darr': '\\u21A1',\n 'Dashv': '\\u2AE4',\n 'DoubleLeftTee': '\\u2AE4',\n 'Dcaron': '\\u010E',\n 'Dcy': '\\u0414',\n 'Del': '\\u2207',\n 'nabla': '\\u2207',\n 'Delta': '\\u0394',\n 'Dfr': '\\uD835\\uDD07',\n 'DiacriticalAcute': '\\u00B4',\n 'acute': '\\u00B4',\n 'DiacriticalDot': '\\u02D9',\n 'dot': '\\u02D9',\n 'DiacriticalDoubleAcute': '\\u02DD',\n 'dblac': '\\u02DD',\n 'DiacriticalGrave': '\\u0060',\n 'grave': '\\u0060',\n 'DiacriticalTilde': '\\u02DC',\n 'tilde': '\\u02DC',\n 'Diamond': '\\u22C4',\n 'diam': '\\u22C4',\n 'diamond': '\\u22C4',\n 'DifferentialD': '\\u2146',\n 'dd': '\\u2146',\n 'Dopf': '\\uD835\\uDD3B',\n 'Dot': '\\u00A8',\n 'DoubleDot': '\\u00A8',\n 'die': '\\u00A8',\n 'uml': '\\u00A8',\n 'DotDot': '\\u20DC',\n 'DotEqual': '\\u2250',\n 'doteq': '\\u2250',\n 'esdot': '\\u2250',\n 'DoubleDownArrow': '\\u21D3',\n 'Downarrow': '\\u21D3',\n 'dArr': '\\u21D3',\n 'DoubleLeftArrow': '\\u21D0',\n 'Leftarrow': '\\u21D0',\n 'lArr': '\\u21D0',\n 'DoubleLeftRightArrow': '\\u21D4',\n 'Leftrightarrow': '\\u21D4',\n 'hArr': '\\u21D4',\n 'iff': '\\u21D4',\n 'DoubleLongLeftArrow': '\\u27F8',\n 'Longleftarrow': '\\u27F8',\n 'xlArr': '\\u27F8',\n 'DoubleLongLeftRightArrow': '\\u27FA',\n 'Longleftrightarrow': '\\u27FA',\n 'xhArr': '\\u27FA',\n 'DoubleLongRightArrow': '\\u27F9',\n 'Longrightarrow': '\\u27F9',\n 'xrArr': '\\u27F9',\n 'DoubleRightArrow': '\\u21D2',\n 'Implies': '\\u21D2',\n 'Rightarrow': '\\u21D2',\n 'rArr': '\\u21D2',\n 'DoubleRightTee': '\\u22A8',\n 'vDash': '\\u22A8',\n 'DoubleUpArrow': '\\u21D1',\n 'Uparrow': '\\u21D1',\n 'uArr': '\\u21D1',\n 'DoubleUpDownArrow': '\\u21D5',\n 'Updownarrow': '\\u21D5',\n 'vArr': '\\u21D5',\n 'DoubleVerticalBar': '\\u2225',\n 'par': '\\u2225',\n 'parallel': '\\u2225',\n 'shortparallel': '\\u2225',\n 'spar': '\\u2225',\n 'DownArrow': '\\u2193',\n 'ShortDownArrow': '\\u2193',\n 'darr': '\\u2193',\n 'downarrow': '\\u2193',\n 'DownArrowBar': '\\u2913',\n 'DownArrowUpArrow': '\\u21F5',\n 'duarr': '\\u21F5',\n 'DownBreve': '\\u0311',\n 'DownLeftRightVector': '\\u2950',\n 'DownLeftTeeVector': '\\u295E',\n 'DownLeftVector': '\\u21BD',\n 'leftharpoondown': '\\u21BD',\n 'lhard': '\\u21BD',\n 'DownLeftVectorBar': '\\u2956',\n 'DownRightTeeVector': '\\u295F',\n 'DownRightVector': '\\u21C1',\n 'rhard': '\\u21C1',\n 'rightharpoondown': '\\u21C1',\n 'DownRightVectorBar': '\\u2957',\n 'DownTee': '\\u22A4',\n 'top': '\\u22A4',\n 'DownTeeArrow': '\\u21A7',\n 'mapstodown': '\\u21A7',\n 'Dscr': '\\uD835\\uDC9F',\n 'Dstrok': '\\u0110',\n 'ENG': '\\u014A',\n 'ETH': '\\u00D0',\n 'Eacute': '\\u00C9',\n 'Ecaron': '\\u011A',\n 'Ecirc': '\\u00CA',\n 'Ecy': '\\u042D',\n 'Edot': '\\u0116',\n 'Efr': '\\uD835\\uDD08',\n 'Egrave': '\\u00C8',\n 'Element': '\\u2208',\n 'in': '\\u2208',\n 'isin': '\\u2208',\n 'isinv': '\\u2208',\n 'Emacr': '\\u0112',\n 'EmptySmallSquare': '\\u25FB',\n 'EmptyVerySmallSquare': '\\u25AB',\n 'Eogon': '\\u0118',\n 'Eopf': '\\uD835\\uDD3C',\n 'Epsilon': '\\u0395',\n 'Equal': '\\u2A75',\n 'EqualTilde': '\\u2242',\n 'eqsim': '\\u2242',\n 'esim': '\\u2242',\n 'Equilibrium': '\\u21CC',\n 'rightleftharpoons': '\\u21CC',\n 'rlhar': '\\u21CC',\n 'Escr': '\\u2130',\n 'expectation': '\\u2130',\n 'Esim': '\\u2A73',\n 'Eta': '\\u0397',\n 'Euml': '\\u00CB',\n 'Exists': '\\u2203',\n 'exist': '\\u2203',\n 'ExponentialE': '\\u2147',\n 'ee': '\\u2147',\n 'exponentiale': '\\u2147',\n 'Fcy': '\\u0424',\n 'Ffr': '\\uD835\\uDD09',\n 'FilledSmallSquare': '\\u25FC',\n 'FilledVerySmallSquare': '\\u25AA',\n 'blacksquare': '\\u25AA',\n 'squarf': '\\u25AA',\n 'squf': '\\u25AA',\n 'Fopf': '\\uD835\\uDD3D',\n 'ForAll': '\\u2200',\n 'forall': '\\u2200',\n 'Fouriertrf': '\\u2131',\n 'Fscr': '\\u2131',\n 'GJcy': '\\u0403',\n 'GT': '\\u003E',\n 'gt': '\\u003E',\n 'Gamma': '\\u0393',\n 'Gammad': '\\u03DC',\n 'Gbreve': '\\u011E',\n 'Gcedil': '\\u0122',\n 'Gcirc': '\\u011C',\n 'Gcy': '\\u0413',\n 'Gdot': '\\u0120',\n 'Gfr': '\\uD835\\uDD0A',\n 'Gg': '\\u22D9',\n 'ggg': '\\u22D9',\n 'Gopf': '\\uD835\\uDD3E',\n 'GreaterEqual': '\\u2265',\n 'ge': '\\u2265',\n 'geq': '\\u2265',\n 'GreaterEqualLess': '\\u22DB',\n 'gel': '\\u22DB',\n 'gtreqless': '\\u22DB',\n 'GreaterFullEqual': '\\u2267',\n 'gE': '\\u2267',\n 'geqq': '\\u2267',\n 'GreaterGreater': '\\u2AA2',\n 'GreaterLess': '\\u2277',\n 'gl': '\\u2277',\n 'gtrless': '\\u2277',\n 'GreaterSlantEqual': '\\u2A7E',\n 'geqslant': '\\u2A7E',\n 'ges': '\\u2A7E',\n 'GreaterTilde': '\\u2273',\n 'gsim': '\\u2273',\n 'gtrsim': '\\u2273',\n 'Gscr': '\\uD835\\uDCA2',\n 'Gt': '\\u226B',\n 'NestedGreaterGreater': '\\u226B',\n 'gg': '\\u226B',\n 'HARDcy': '\\u042A',\n 'Hacek': '\\u02C7',\n 'caron': '\\u02C7',\n 'Hat': '\\u005E',\n 'Hcirc': '\\u0124',\n 'Hfr': '\\u210C',\n 'Poincareplane': '\\u210C',\n 'HilbertSpace': '\\u210B',\n 'Hscr': '\\u210B',\n 'hamilt': '\\u210B',\n 'Hopf': '\\u210D',\n 'quaternions': '\\u210D',\n 'HorizontalLine': '\\u2500',\n 'boxh': '\\u2500',\n 'Hstrok': '\\u0126',\n 'HumpEqual': '\\u224F',\n 'bumpe': '\\u224F',\n 'bumpeq': '\\u224F',\n 'IEcy': '\\u0415',\n 'IJlig': '\\u0132',\n 'IOcy': '\\u0401',\n 'Iacute': '\\u00CD',\n 'Icirc': '\\u00CE',\n 'Icy': '\\u0418',\n 'Idot': '\\u0130',\n 'Ifr': '\\u2111',\n 'Im': '\\u2111',\n 'image': '\\u2111',\n 'imagpart': '\\u2111',\n 'Igrave': '\\u00CC',\n 'Imacr': '\\u012A',\n 'ImaginaryI': '\\u2148',\n 'ii': '\\u2148',\n 'Int': '\\u222C',\n 'Integral': '\\u222B',\n 'int': '\\u222B',\n 'Intersection': '\\u22C2',\n 'bigcap': '\\u22C2',\n 'xcap': '\\u22C2',\n 'InvisibleComma': '\\u2063',\n 'ic': '\\u2063',\n 'InvisibleTimes': '\\u2062',\n 'it': '\\u2062',\n 'Iogon': '\\u012E',\n 'Iopf': '\\uD835\\uDD40',\n 'Iota': '\\u0399',\n 'Iscr': '\\u2110',\n 'imagline': '\\u2110',\n 'Itilde': '\\u0128',\n 'Iukcy': '\\u0406',\n 'Iuml': '\\u00CF',\n 'Jcirc': '\\u0134',\n 'Jcy': '\\u0419',\n 'Jfr': '\\uD835\\uDD0D',\n 'Jopf': '\\uD835\\uDD41',\n 'Jscr': '\\uD835\\uDCA5',\n 'Jsercy': '\\u0408',\n 'Jukcy': '\\u0404',\n 'KHcy': '\\u0425',\n 'KJcy': '\\u040C',\n 'Kappa': '\\u039A',\n 'Kcedil': '\\u0136',\n 'Kcy': '\\u041A',\n 'Kfr': '\\uD835\\uDD0E',\n 'Kopf': '\\uD835\\uDD42',\n 'Kscr': '\\uD835\\uDCA6',\n 'LJcy': '\\u0409',\n 'LT': '\\u003C',\n 'lt': '\\u003C',\n 'Lacute': '\\u0139',\n 'Lambda': '\\u039B',\n 'Lang': '\\u27EA',\n 'Laplacetrf': '\\u2112',\n 'Lscr': '\\u2112',\n 'lagran': '\\u2112',\n 'Larr': '\\u219E',\n 'twoheadleftarrow': '\\u219E',\n 'Lcaron': '\\u013D',\n 'Lcedil': '\\u013B',\n 'Lcy': '\\u041B',\n 'LeftAngleBracket': '\\u27E8',\n 'lang': '\\u27E8',\n 'langle': '\\u27E8',\n 'LeftArrow': '\\u2190',\n 'ShortLeftArrow': '\\u2190',\n 'larr': '\\u2190',\n 'leftarrow': '\\u2190',\n 'slarr': '\\u2190',\n 'LeftArrowBar': '\\u21E4',\n 'larrb': '\\u21E4',\n 'LeftArrowRightArrow': '\\u21C6',\n 'leftrightarrows': '\\u21C6',\n 'lrarr': '\\u21C6',\n 'LeftCeiling': '\\u2308',\n 'lceil': '\\u2308',\n 'LeftDoubleBracket': '\\u27E6',\n 'lobrk': '\\u27E6',\n 'LeftDownTeeVector': '\\u2961',\n 'LeftDownVector': '\\u21C3',\n 'dharl': '\\u21C3',\n 'downharpoonleft': '\\u21C3',\n 'LeftDownVectorBar': '\\u2959',\n 'LeftFloor': '\\u230A',\n 'lfloor': '\\u230A',\n 'LeftRightArrow': '\\u2194',\n 'harr': '\\u2194',\n 'leftrightarrow': '\\u2194',\n 'LeftRightVector': '\\u294E',\n 'LeftTee': '\\u22A3',\n 'dashv': '\\u22A3',\n 'LeftTeeArrow': '\\u21A4',\n 'mapstoleft': '\\u21A4',\n 'LeftTeeVector': '\\u295A',\n 'LeftTriangle': '\\u22B2',\n 'vartriangleleft': '\\u22B2',\n 'vltri': '\\u22B2',\n 'LeftTriangleBar': '\\u29CF',\n 'LeftTriangleEqual': '\\u22B4',\n 'ltrie': '\\u22B4',\n 'trianglelefteq': '\\u22B4',\n 'LeftUpDownVector': '\\u2951',\n 'LeftUpTeeVector': '\\u2960',\n 'LeftUpVector': '\\u21BF',\n 'uharl': '\\u21BF',\n 'upharpoonleft': '\\u21BF',\n 'LeftUpVectorBar': '\\u2958',\n 'LeftVector': '\\u21BC',\n 'leftharpoonup': '\\u21BC',\n 'lharu': '\\u21BC',\n 'LeftVectorBar': '\\u2952',\n 'LessEqualGreater': '\\u22DA',\n 'leg': '\\u22DA',\n 'lesseqgtr': '\\u22DA',\n 'LessFullEqual': '\\u2266',\n 'lE': '\\u2266',\n 'leqq': '\\u2266',\n 'LessGreater': '\\u2276',\n 'lessgtr': '\\u2276',\n 'lg': '\\u2276',\n 'LessLess': '\\u2AA1',\n 'LessSlantEqual': '\\u2A7D',\n 'leqslant': '\\u2A7D',\n 'les': '\\u2A7D',\n 'LessTilde': '\\u2272',\n 'lesssim': '\\u2272',\n 'lsim': '\\u2272',\n 'Lfr': '\\uD835\\uDD0F',\n 'Ll': '\\u22D8',\n 'Lleftarrow': '\\u21DA',\n 'lAarr': '\\u21DA',\n 'Lmidot': '\\u013F',\n 'LongLeftArrow': '\\u27F5',\n 'longleftarrow': '\\u27F5',\n 'xlarr': '\\u27F5',\n 'LongLeftRightArrow': '\\u27F7',\n 'longleftrightarrow': '\\u27F7',\n 'xharr': '\\u27F7',\n 'LongRightArrow': '\\u27F6',\n 'longrightarrow': '\\u27F6',\n 'xrarr': '\\u27F6',\n 'Lopf': '\\uD835\\uDD43',\n 'LowerLeftArrow': '\\u2199',\n 'swarr': '\\u2199',\n 'swarrow': '\\u2199',\n 'LowerRightArrow': '\\u2198',\n 'searr': '\\u2198',\n 'searrow': '\\u2198',\n 'Lsh': '\\u21B0',\n 'lsh': '\\u21B0',\n 'Lstrok': '\\u0141',\n 'Lt': '\\u226A',\n 'NestedLessLess': '\\u226A',\n 'll': '\\u226A',\n 'Map': '\\u2905',\n 'Mcy': '\\u041C',\n 'MediumSpace': '\\u205F',\n 'Mellintrf': '\\u2133',\n 'Mscr': '\\u2133',\n 'phmmat': '\\u2133',\n 'Mfr': '\\uD835\\uDD10',\n 'MinusPlus': '\\u2213',\n 'mnplus': '\\u2213',\n 'mp': '\\u2213',\n 'Mopf': '\\uD835\\uDD44',\n 'Mu': '\\u039C',\n 'NJcy': '\\u040A',\n 'Nacute': '\\u0143',\n 'Ncaron': '\\u0147',\n 'Ncedil': '\\u0145',\n 'Ncy': '\\u041D',\n 'NegativeMediumSpace': '\\u200B',\n 'NegativeThickSpace': '\\u200B',\n 'NegativeThinSpace': '\\u200B',\n 'NegativeVeryThinSpace': '\\u200B',\n 'ZeroWidthSpace': '\\u200B',\n 'NewLine': '\\u000A',\n 'Nfr': '\\uD835\\uDD11',\n 'NoBreak': '\\u2060',\n 'NonBreakingSpace': '\\u00A0',\n 'nbsp': '\\u00A0',\n 'Nopf': '\\u2115',\n 'naturals': '\\u2115',\n 'Not': '\\u2AEC',\n 'NotCongruent': '\\u2262',\n 'nequiv': '\\u2262',\n 'NotCupCap': '\\u226D',\n 'NotDoubleVerticalBar': '\\u2226',\n 'npar': '\\u2226',\n 'nparallel': '\\u2226',\n 'nshortparallel': '\\u2226',\n 'nspar': '\\u2226',\n 'NotElement': '\\u2209',\n 'notin': '\\u2209',\n 'notinva': '\\u2209',\n 'NotEqual': '\\u2260',\n 'ne': '\\u2260',\n 'NotEqualTilde': '\\u2242\\u0338',\n 'nesim': '\\u2242\\u0338',\n 'NotExists': '\\u2204',\n 'nexist': '\\u2204',\n 'nexists': '\\u2204',\n 'NotGreater': '\\u226F',\n 'ngt': '\\u226F',\n 'ngtr': '\\u226F',\n 'NotGreaterEqual': '\\u2271',\n 'nge': '\\u2271',\n 'ngeq': '\\u2271',\n 'NotGreaterFullEqual': '\\u2267\\u0338',\n 'ngE': '\\u2267\\u0338',\n 'ngeqq': '\\u2267\\u0338',\n 'NotGreaterGreater': '\\u226B\\u0338',\n 'nGtv': '\\u226B\\u0338',\n 'NotGreaterLess': '\\u2279',\n 'ntgl': '\\u2279',\n 'NotGreaterSlantEqual': '\\u2A7E\\u0338',\n 'ngeqslant': '\\u2A7E\\u0338',\n 'nges': '\\u2A7E\\u0338',\n 'NotGreaterTilde': '\\u2275',\n 'ngsim': '\\u2275',\n 'NotHumpDownHump': '\\u224E\\u0338',\n 'nbump': '\\u224E\\u0338',\n 'NotHumpEqual': '\\u224F\\u0338',\n 'nbumpe': '\\u224F\\u0338',\n 'NotLeftTriangle': '\\u22EA',\n 'nltri': '\\u22EA',\n 'ntriangleleft': '\\u22EA',\n 'NotLeftTriangleBar': '\\u29CF\\u0338',\n 'NotLeftTriangleEqual': '\\u22EC',\n 'nltrie': '\\u22EC',\n 'ntrianglelefteq': '\\u22EC',\n 'NotLess': '\\u226E',\n 'nless': '\\u226E',\n 'nlt': '\\u226E',\n 'NotLessEqual': '\\u2270',\n 'nle': '\\u2270',\n 'nleq': '\\u2270',\n 'NotLessGreater': '\\u2278',\n 'ntlg': '\\u2278',\n 'NotLessLess': '\\u226A\\u0338',\n 'nLtv': '\\u226A\\u0338',\n 'NotLessSlantEqual': '\\u2A7D\\u0338',\n 'nleqslant': '\\u2A7D\\u0338',\n 'nles': '\\u2A7D\\u0338',\n 'NotLessTilde': '\\u2274',\n 'nlsim': '\\u2274',\n 'NotNestedGreaterGreater': '\\u2AA2\\u0338',\n 'NotNestedLessLess': '\\u2AA1\\u0338',\n 'NotPrecedes': '\\u2280',\n 'npr': '\\u2280',\n 'nprec': '\\u2280',\n 'NotPrecedesEqual': '\\u2AAF\\u0338',\n 'npre': '\\u2AAF\\u0338',\n 'npreceq': '\\u2AAF\\u0338',\n 'NotPrecedesSlantEqual': '\\u22E0',\n 'nprcue': '\\u22E0',\n 'NotReverseElement': '\\u220C',\n 'notni': '\\u220C',\n 'notniva': '\\u220C',\n 'NotRightTriangle': '\\u22EB',\n 'nrtri': '\\u22EB',\n 'ntriangleright': '\\u22EB',\n 'NotRightTriangleBar': '\\u29D0\\u0338',\n 'NotRightTriangleEqual': '\\u22ED',\n 'nrtrie': '\\u22ED',\n 'ntrianglerighteq': '\\u22ED',\n 'NotSquareSubset': '\\u228F\\u0338',\n 'NotSquareSubsetEqual': '\\u22E2',\n 'nsqsube': '\\u22E2',\n 'NotSquareSuperset': '\\u2290\\u0338',\n 'NotSquareSupersetEqual': '\\u22E3',\n 'nsqsupe': '\\u22E3',\n 'NotSubset': '\\u2282\\u20D2',\n 'nsubset': '\\u2282\\u20D2',\n 'vnsub': '\\u2282\\u20D2',\n 'NotSubsetEqual': '\\u2288',\n 'nsube': '\\u2288',\n 'nsubseteq': '\\u2288',\n 'NotSucceeds': '\\u2281',\n 'nsc': '\\u2281',\n 'nsucc': '\\u2281',\n 'NotSucceedsEqual': '\\u2AB0\\u0338',\n 'nsce': '\\u2AB0\\u0338',\n 'nsucceq': '\\u2AB0\\u0338',\n 'NotSucceedsSlantEqual': '\\u22E1',\n 'nsccue': '\\u22E1',\n 'NotSucceedsTilde': '\\u227F\\u0338',\n 'NotSuperset': '\\u2283\\u20D2',\n 'nsupset': '\\u2283\\u20D2',\n 'vnsup': '\\u2283\\u20D2',\n 'NotSupersetEqual': '\\u2289',\n 'nsupe': '\\u2289',\n 'nsupseteq': '\\u2289',\n 'NotTilde': '\\u2241',\n 'nsim': '\\u2241',\n 'NotTildeEqual': '\\u2244',\n 'nsime': '\\u2244',\n 'nsimeq': '\\u2244',\n 'NotTildeFullEqual': '\\u2247',\n 'ncong': '\\u2247',\n 'NotTildeTilde': '\\u2249',\n 'nap': '\\u2249',\n 'napprox': '\\u2249',\n 'NotVerticalBar': '\\u2224',\n 'nmid': '\\u2224',\n 'nshortmid': '\\u2224',\n 'nsmid': '\\u2224',\n 'Nscr': '\\uD835\\uDCA9',\n 'Ntilde': '\\u00D1',\n 'Nu': '\\u039D',\n 'OElig': '\\u0152',\n 'Oacute': '\\u00D3',\n 'Ocirc': '\\u00D4',\n 'Ocy': '\\u041E',\n 'Odblac': '\\u0150',\n 'Ofr': '\\uD835\\uDD12',\n 'Ograve': '\\u00D2',\n 'Omacr': '\\u014C',\n 'Omega': '\\u03A9',\n 'ohm': '\\u03A9',\n 'Omicron': '\\u039F',\n 'Oopf': '\\uD835\\uDD46',\n 'OpenCurlyDoubleQuote': '\\u201C',\n 'ldquo': '\\u201C',\n 'OpenCurlyQuote': '\\u2018',\n 'lsquo': '\\u2018',\n 'Or': '\\u2A54',\n 'Oscr': '\\uD835\\uDCAA',\n 'Oslash': '\\u00D8',\n 'Otilde': '\\u00D5',\n 'Otimes': '\\u2A37',\n 'Ouml': '\\u00D6',\n 'OverBar': '\\u203E',\n 'oline': '\\u203E',\n 'OverBrace': '\\u23DE',\n 'OverBracket': '\\u23B4',\n 'tbrk': '\\u23B4',\n 'OverParenthesis': '\\u23DC',\n 'PartialD': '\\u2202',\n 'part': '\\u2202',\n 'Pcy': '\\u041F',\n 'Pfr': '\\uD835\\uDD13',\n 'Phi': '\\u03A6',\n 'Pi': '\\u03A0',\n 'PlusMinus': '\\u00B1',\n 'plusmn': '\\u00B1',\n 'pm': '\\u00B1',\n 'Popf': '\\u2119',\n 'primes': '\\u2119',\n 'Pr': '\\u2ABB',\n 'Precedes': '\\u227A',\n 'pr': '\\u227A',\n 'prec': '\\u227A',\n 'PrecedesEqual': '\\u2AAF',\n 'pre': '\\u2AAF',\n 'preceq': '\\u2AAF',\n 'PrecedesSlantEqual': '\\u227C',\n 'prcue': '\\u227C',\n 'preccurlyeq': '\\u227C',\n 'PrecedesTilde': '\\u227E',\n 'precsim': '\\u227E',\n 'prsim': '\\u227E',\n 'Prime': '\\u2033',\n 'Product': '\\u220F',\n 'prod': '\\u220F',\n 'Proportional': '\\u221D',\n 'prop': '\\u221D',\n 'propto': '\\u221D',\n 'varpropto': '\\u221D',\n 'vprop': '\\u221D',\n 'Pscr': '\\uD835\\uDCAB',\n 'Psi': '\\u03A8',\n 'QUOT': '\\u0022',\n 'quot': '\\u0022',\n 'Qfr': '\\uD835\\uDD14',\n 'Qopf': '\\u211A',\n 'rationals': '\\u211A',\n 'Qscr': '\\uD835\\uDCAC',\n 'RBarr': '\\u2910',\n 'drbkarow': '\\u2910',\n 'REG': '\\u00AE',\n 'circledR': '\\u00AE',\n 'reg': '\\u00AE',\n 'Racute': '\\u0154',\n 'Rang': '\\u27EB',\n 'Rarr': '\\u21A0',\n 'twoheadrightarrow': '\\u21A0',\n 'Rarrtl': '\\u2916',\n 'Rcaron': '\\u0158',\n 'Rcedil': '\\u0156',\n 'Rcy': '\\u0420',\n 'Re': '\\u211C',\n 'Rfr': '\\u211C',\n 'real': '\\u211C',\n 'realpart': '\\u211C',\n 'ReverseElement': '\\u220B',\n 'SuchThat': '\\u220B',\n 'ni': '\\u220B',\n 'niv': '\\u220B',\n 'ReverseEquilibrium': '\\u21CB',\n 'leftrightharpoons': '\\u21CB',\n 'lrhar': '\\u21CB',\n 'ReverseUpEquilibrium': '\\u296F',\n 'duhar': '\\u296F',\n 'Rho': '\\u03A1',\n 'RightAngleBracket': '\\u27E9',\n 'rang': '\\u27E9',\n 'rangle': '\\u27E9',\n 'RightArrow': '\\u2192',\n 'ShortRightArrow': '\\u2192',\n 'rarr': '\\u2192',\n 'rightarrow': '\\u2192',\n 'srarr': '\\u2192',\n 'RightArrowBar': '\\u21E5',\n 'rarrb': '\\u21E5',\n 'RightArrowLeftArrow': '\\u21C4',\n 'rightleftarrows': '\\u21C4',\n 'rlarr': '\\u21C4',\n 'RightCeiling': '\\u2309',\n 'rceil': '\\u2309',\n 'RightDoubleBracket': '\\u27E7',\n 'robrk': '\\u27E7',\n 'RightDownTeeVector': '\\u295D',\n 'RightDownVector': '\\u21C2',\n 'dharr': '\\u21C2',\n 'downharpoonright': '\\u21C2',\n 'RightDownVectorBar': '\\u2955',\n 'RightFloor': '\\u230B',\n 'rfloor': '\\u230B',\n 'RightTee': '\\u22A2',\n 'vdash': '\\u22A2',\n 'RightTeeArrow': '\\u21A6',\n 'map': '\\u21A6',\n 'mapsto': '\\u21A6',\n 'RightTeeVector': '\\u295B',\n 'RightTriangle': '\\u22B3',\n 'vartriangleright': '\\u22B3',\n 'vrtri': '\\u22B3',\n 'RightTriangleBar': '\\u29D0',\n 'RightTriangleEqual': '\\u22B5',\n 'rtrie': '\\u22B5',\n 'trianglerighteq': '\\u22B5',\n 'RightUpDownVector': '\\u294F',\n 'RightUpTeeVector': '\\u295C',\n 'RightUpVector': '\\u21BE',\n 'uharr': '\\u21BE',\n 'upharpoonright': '\\u21BE',\n 'RightUpVectorBar': '\\u2954',\n 'RightVector': '\\u21C0',\n 'rharu': '\\u21C0',\n 'rightharpoonup': '\\u21C0',\n 'RightVectorBar': '\\u2953',\n 'Ropf': '\\u211D',\n 'reals': '\\u211D',\n 'RoundImplies': '\\u2970',\n 'Rrightarrow': '\\u21DB',\n 'rAarr': '\\u21DB',\n 'Rscr': '\\u211B',\n 'realine': '\\u211B',\n 'Rsh': '\\u21B1',\n 'rsh': '\\u21B1',\n 'RuleDelayed': '\\u29F4',\n 'SHCHcy': '\\u0429',\n 'SHcy': '\\u0428',\n 'SOFTcy': '\\u042C',\n 'Sacute': '\\u015A',\n 'Sc': '\\u2ABC',\n 'Scaron': '\\u0160',\n 'Scedil': '\\u015E',\n 'Scirc': '\\u015C',\n 'Scy': '\\u0421',\n 'Sfr': '\\uD835\\uDD16',\n 'ShortUpArrow': '\\u2191',\n 'UpArrow': '\\u2191',\n 'uarr': '\\u2191',\n 'uparrow': '\\u2191',\n 'Sigma': '\\u03A3',\n 'SmallCircle': '\\u2218',\n 'compfn': '\\u2218',\n 'Sopf': '\\uD835\\uDD4A',\n 'Sqrt': '\\u221A',\n 'radic': '\\u221A',\n 'Square': '\\u25A1',\n 'squ': '\\u25A1',\n 'square': '\\u25A1',\n 'SquareIntersection': '\\u2293',\n 'sqcap': '\\u2293',\n 'SquareSubset': '\\u228F',\n 'sqsub': '\\u228F',\n 'sqsubset': '\\u228F',\n 'SquareSubsetEqual': '\\u2291',\n 'sqsube': '\\u2291',\n 'sqsubseteq': '\\u2291',\n 'SquareSuperset': '\\u2290',\n 'sqsup': '\\u2290',\n 'sqsupset': '\\u2290',\n 'SquareSupersetEqual': '\\u2292',\n 'sqsupe': '\\u2292',\n 'sqsupseteq': '\\u2292',\n 'SquareUnion': '\\u2294',\n 'sqcup': '\\u2294',\n 'Sscr': '\\uD835\\uDCAE',\n 'Star': '\\u22C6',\n 'sstarf': '\\u22C6',\n 'Sub': '\\u22D0',\n 'Subset': '\\u22D0',\n 'SubsetEqual': '\\u2286',\n 'sube': '\\u2286',\n 'subseteq': '\\u2286',\n 'Succeeds': '\\u227B',\n 'sc': '\\u227B',\n 'succ': '\\u227B',\n 'SucceedsEqual': '\\u2AB0',\n 'sce': '\\u2AB0',\n 'succeq': '\\u2AB0',\n 'SucceedsSlantEqual': '\\u227D',\n 'sccue': '\\u227D',\n 'succcurlyeq': '\\u227D',\n 'SucceedsTilde': '\\u227F',\n 'scsim': '\\u227F',\n 'succsim': '\\u227F',\n 'Sum': '\\u2211',\n 'sum': '\\u2211',\n 'Sup': '\\u22D1',\n 'Supset': '\\u22D1',\n 'Superset': '\\u2283',\n 'sup': '\\u2283',\n 'supset': '\\u2283',\n 'SupersetEqual': '\\u2287',\n 'supe': '\\u2287',\n 'supseteq': '\\u2287',\n 'THORN': '\\u00DE',\n 'TRADE': '\\u2122',\n 'trade': '\\u2122',\n 'TSHcy': '\\u040B',\n 'TScy': '\\u0426',\n 'Tab': '\\u0009',\n 'Tau': '\\u03A4',\n 'Tcaron': '\\u0164',\n 'Tcedil': '\\u0162',\n 'Tcy': '\\u0422',\n 'Tfr': '\\uD835\\uDD17',\n 'Therefore': '\\u2234',\n 'there4': '\\u2234',\n 'therefore': '\\u2234',\n 'Theta': '\\u0398',\n 'ThickSpace': '\\u205F\\u200A',\n 'ThinSpace': '\\u2009',\n 'thinsp': '\\u2009',\n 'Tilde': '\\u223C',\n 'sim': '\\u223C',\n 'thicksim': '\\u223C',\n 'thksim': '\\u223C',\n 'TildeEqual': '\\u2243',\n 'sime': '\\u2243',\n 'simeq': '\\u2243',\n 'TildeFullEqual': '\\u2245',\n 'cong': '\\u2245',\n 'TildeTilde': '\\u2248',\n 'ap': '\\u2248',\n 'approx': '\\u2248',\n 'asymp': '\\u2248',\n 'thickapprox': '\\u2248',\n 'thkap': '\\u2248',\n 'Topf': '\\uD835\\uDD4B',\n 'TripleDot': '\\u20DB',\n 'tdot': '\\u20DB',\n 'Tscr': '\\uD835\\uDCAF',\n 'Tstrok': '\\u0166',\n 'Uacute': '\\u00DA',\n 'Uarr': '\\u219F',\n 'Uarrocir': '\\u2949',\n 'Ubrcy': '\\u040E',\n 'Ubreve': '\\u016C',\n 'Ucirc': '\\u00DB',\n 'Ucy': '\\u0423',\n 'Udblac': '\\u0170',\n 'Ufr': '\\uD835\\uDD18',\n 'Ugrave': '\\u00D9',\n 'Umacr': '\\u016A',\n 'UnderBar': '\\u005F',\n 'lowbar': '\\u005F',\n 'UnderBrace': '\\u23DF',\n 'UnderBracket': '\\u23B5',\n 'bbrk': '\\u23B5',\n 'UnderParenthesis': '\\u23DD',\n 'Union': '\\u22C3',\n 'bigcup': '\\u22C3',\n 'xcup': '\\u22C3',\n 'UnionPlus': '\\u228E',\n 'uplus': '\\u228E',\n 'Uogon': '\\u0172',\n 'Uopf': '\\uD835\\uDD4C',\n 'UpArrowBar': '\\u2912',\n 'UpArrowDownArrow': '\\u21C5',\n 'udarr': '\\u21C5',\n 'UpDownArrow': '\\u2195',\n 'updownarrow': '\\u2195',\n 'varr': '\\u2195',\n 'UpEquilibrium': '\\u296E',\n 'udhar': '\\u296E',\n 'UpTee': '\\u22A5',\n 'bot': '\\u22A5',\n 'bottom': '\\u22A5',\n 'perp': '\\u22A5',\n 'UpTeeArrow': '\\u21A5',\n 'mapstoup': '\\u21A5',\n 'UpperLeftArrow': '\\u2196',\n 'nwarr': '\\u2196',\n 'nwarrow': '\\u2196',\n 'UpperRightArrow': '\\u2197',\n 'nearr': '\\u2197',\n 'nearrow': '\\u2197',\n 'Upsi': '\\u03D2',\n 'upsih': '\\u03D2',\n 'Upsilon': '\\u03A5',\n 'Uring': '\\u016E',\n 'Uscr': '\\uD835\\uDCB0',\n 'Utilde': '\\u0168',\n 'Uuml': '\\u00DC',\n 'VDash': '\\u22AB',\n 'Vbar': '\\u2AEB',\n 'Vcy': '\\u0412',\n 'Vdash': '\\u22A9',\n 'Vdashl': '\\u2AE6',\n 'Vee': '\\u22C1',\n 'bigvee': '\\u22C1',\n 'xvee': '\\u22C1',\n 'Verbar': '\\u2016',\n 'Vert': '\\u2016',\n 'VerticalBar': '\\u2223',\n 'mid': '\\u2223',\n 'shortmid': '\\u2223',\n 'smid': '\\u2223',\n 'VerticalLine': '\\u007C',\n 'verbar': '\\u007C',\n 'vert': '\\u007C',\n 'VerticalSeparator': '\\u2758',\n 'VerticalTilde': '\\u2240',\n 'wr': '\\u2240',\n 'wreath': '\\u2240',\n 'VeryThinSpace': '\\u200A',\n 'hairsp': '\\u200A',\n 'Vfr': '\\uD835\\uDD19',\n 'Vopf': '\\uD835\\uDD4D',\n 'Vscr': '\\uD835\\uDCB1',\n 'Vvdash': '\\u22AA',\n 'Wcirc': '\\u0174',\n 'Wedge': '\\u22C0',\n 'bigwedge': '\\u22C0',\n 'xwedge': '\\u22C0',\n 'Wfr': '\\uD835\\uDD1A',\n 'Wopf': '\\uD835\\uDD4E',\n 'Wscr': '\\uD835\\uDCB2',\n 'Xfr': '\\uD835\\uDD1B',\n 'Xi': '\\u039E',\n 'Xopf': '\\uD835\\uDD4F',\n 'Xscr': '\\uD835\\uDCB3',\n 'YAcy': '\\u042F',\n 'YIcy': '\\u0407',\n 'YUcy': '\\u042E',\n 'Yacute': '\\u00DD',\n 'Ycirc': '\\u0176',\n 'Ycy': '\\u042B',\n 'Yfr': '\\uD835\\uDD1C',\n 'Yopf': '\\uD835\\uDD50',\n 'Yscr': '\\uD835\\uDCB4',\n 'Yuml': '\\u0178',\n 'ZHcy': '\\u0416',\n 'Zacute': '\\u0179',\n 'Zcaron': '\\u017D',\n 'Zcy': '\\u0417',\n 'Zdot': '\\u017B',\n 'Zeta': '\\u0396',\n 'Zfr': '\\u2128',\n 'zeetrf': '\\u2128',\n 'Zopf': '\\u2124',\n 'integers': '\\u2124',\n 'Zscr': '\\uD835\\uDCB5',\n 'aacute': '\\u00E1',\n 'abreve': '\\u0103',\n 'ac': '\\u223E',\n 'mstpos': '\\u223E',\n 'acE': '\\u223E\\u0333',\n 'acd': '\\u223F',\n 'acirc': '\\u00E2',\n 'acy': '\\u0430',\n 'aelig': '\\u00E6',\n 'afr': '\\uD835\\uDD1E',\n 'agrave': '\\u00E0',\n 'alefsym': '\\u2135',\n 'aleph': '\\u2135',\n 'alpha': '\\u03B1',\n 'amacr': '\\u0101',\n 'amalg': '\\u2A3F',\n 'and': '\\u2227',\n 'wedge': '\\u2227',\n 'andand': '\\u2A55',\n 'andd': '\\u2A5C',\n 'andslope': '\\u2A58',\n 'andv': '\\u2A5A',\n 'ang': '\\u2220',\n 'angle': '\\u2220',\n 'ange': '\\u29A4',\n 'angmsd': '\\u2221',\n 'measuredangle': '\\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 'angzarr': '\\u237C',\n 'aogon': '\\u0105',\n 'aopf': '\\uD835\\uDD52',\n 'apE': '\\u2A70',\n 'apacir': '\\u2A6F',\n 'ape': '\\u224A',\n 'approxeq': '\\u224A',\n 'apid': '\\u224B',\n 'apos': '\\u0027',\n 'aring': '\\u00E5',\n 'ascr': '\\uD835\\uDCB6',\n 'ast': '\\u002A',\n 'midast': '\\u002A',\n 'atilde': '\\u00E3',\n 'auml': '\\u00E4',\n 'awint': '\\u2A11',\n 'bNot': '\\u2AED',\n 'backcong': '\\u224C',\n 'bcong': '\\u224C',\n 'backepsilon': '\\u03F6',\n 'bepsi': '\\u03F6',\n 'backprime': '\\u2035',\n 'bprime': '\\u2035',\n 'backsim': '\\u223D',\n 'bsim': '\\u223D',\n 'backsimeq': '\\u22CD',\n 'bsime': '\\u22CD',\n 'barvee': '\\u22BD',\n 'barwed': '\\u2305',\n 'barwedge': '\\u2305',\n 'bbrktbrk': '\\u23B6',\n 'bcy': '\\u0431',\n 'bdquo': '\\u201E',\n 'ldquor': '\\u201E',\n 'bemptyv': '\\u29B0',\n 'beta': '\\u03B2',\n 'beth': '\\u2136',\n 'between': '\\u226C',\n 'twixt': '\\u226C',\n 'bfr': '\\uD835\\uDD1F',\n 'bigcirc': '\\u25EF',\n 'xcirc': '\\u25EF',\n 'bigodot': '\\u2A00',\n 'xodot': '\\u2A00',\n 'bigoplus': '\\u2A01',\n 'xoplus': '\\u2A01',\n 'bigotimes': '\\u2A02',\n 'xotime': '\\u2A02',\n 'bigsqcup': '\\u2A06',\n 'xsqcup': '\\u2A06',\n 'bigstar': '\\u2605',\n 'starf': '\\u2605',\n 'bigtriangledown': '\\u25BD',\n 'xdtri': '\\u25BD',\n 'bigtriangleup': '\\u25B3',\n 'xutri': '\\u25B3',\n 'biguplus': '\\u2A04',\n 'xuplus': '\\u2A04',\n 'bkarow': '\\u290D',\n 'rbarr': '\\u290D',\n 'blacklozenge': '\\u29EB',\n 'lozf': '\\u29EB',\n 'blacktriangle': '\\u25B4',\n 'utrif': '\\u25B4',\n 'blacktriangledown': '\\u25BE',\n 'dtrif': '\\u25BE',\n 'blacktriangleleft': '\\u25C2',\n 'ltrif': '\\u25C2',\n 'blacktriangleright': '\\u25B8',\n 'rtrif': '\\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': '\\u2310',\n 'bopf': '\\uD835\\uDD53',\n 'bowtie': '\\u22C8',\n 'boxDL': '\\u2557',\n 'boxDR': '\\u2554',\n 'boxDl': '\\u2556',\n 'boxDr': '\\u2553',\n 'boxH': '\\u2550',\n 'boxHD': '\\u2566',\n 'boxHU': '\\u2569',\n 'boxHd': '\\u2564',\n 'boxHu': '\\u2567',\n 'boxUL': '\\u255D',\n 'boxUR': '\\u255A',\n 'boxUl': '\\u255C',\n 'boxUr': '\\u2559',\n 'boxV': '\\u2551',\n 'boxVH': '\\u256C',\n 'boxVL': '\\u2563',\n 'boxVR': '\\u2560',\n 'boxVh': '\\u256B',\n 'boxVl': '\\u2562',\n 'boxVr': '\\u255F',\n 'boxbox': '\\u29C9',\n 'boxdL': '\\u2555',\n 'boxdR': '\\u2552',\n 'boxdl': '\\u2510',\n 'boxdr': '\\u250C',\n 'boxhD': '\\u2565',\n 'boxhU': '\\u2568',\n 'boxhd': '\\u252C',\n 'boxhu': '\\u2534',\n 'boxminus': '\\u229F',\n 'minusb': '\\u229F',\n 'boxplus': '\\u229E',\n 'plusb': '\\u229E',\n 'boxtimes': '\\u22A0',\n 'timesb': '\\u22A0',\n 'boxuL': '\\u255B',\n 'boxuR': '\\u2558',\n 'boxul': '\\u2518',\n 'boxur': '\\u2514',\n 'boxv': '\\u2502',\n 'boxvH': '\\u256A',\n 'boxvL': '\\u2561',\n 'boxvR': '\\u255E',\n 'boxvh': '\\u253C',\n 'boxvl': '\\u2524',\n 'boxvr': '\\u251C',\n 'brvbar': '\\u00A6',\n 'bscr': '\\uD835\\uDCB7',\n 'bsemi': '\\u204F',\n 'bsol': '\\u005C',\n 'bsolb': '\\u29C5',\n 'bsolhsub': '\\u27C8',\n 'bull': '\\u2022',\n 'bullet': '\\u2022',\n 'bumpE': '\\u2AAE',\n 'cacute': '\\u0107',\n 'cap': '\\u2229',\n 'capand': '\\u2A44',\n 'capbrcup': '\\u2A49',\n 'capcap': '\\u2A4B',\n 'capcup': '\\u2A47',\n 'capdot': '\\u2A40',\n 'caps': '\\u2229\\uFE00',\n 'caret': '\\u2041',\n 'ccaps': '\\u2A4D',\n 'ccaron': '\\u010D',\n 'ccedil': '\\u00E7',\n 'ccirc': '\\u0109',\n 'ccups': '\\u2A4C',\n 'ccupssm': '\\u2A50',\n 'cdot': '\\u010B',\n 'cemptyv': '\\u29B2',\n 'cent': '\\u00A2',\n 'cfr': '\\uD835\\uDD20',\n 'chcy': '\\u0447',\n 'check': '\\u2713',\n 'checkmark': '\\u2713',\n 'chi': '\\u03C7',\n 'cir': '\\u25CB',\n 'cirE': '\\u29C3',\n 'circ': '\\u02C6',\n 'circeq': '\\u2257',\n 'cire': '\\u2257',\n 'circlearrowleft': '\\u21BA',\n 'olarr': '\\u21BA',\n 'circlearrowright': '\\u21BB',\n 'orarr': '\\u21BB',\n 'circledS': '\\u24C8',\n 'oS': '\\u24C8',\n 'circledast': '\\u229B',\n 'oast': '\\u229B',\n 'circledcirc': '\\u229A',\n 'ocir': '\\u229A',\n 'circleddash': '\\u229D',\n 'odash': '\\u229D',\n 'cirfnint': '\\u2A10',\n 'cirmid': '\\u2AEF',\n 'cirscir': '\\u29C2',\n 'clubs': '\\u2663',\n 'clubsuit': '\\u2663',\n 'colon': '\\u003A',\n 'comma': '\\u002C',\n 'commat': '\\u0040',\n 'comp': '\\u2201',\n 'complement': '\\u2201',\n 'congdot': '\\u2A6D',\n 'copf': '\\uD835\\uDD54',\n 'copysr': '\\u2117',\n 'crarr': '\\u21B5',\n 'cross': '\\u2717',\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 'curlyeqprec': '\\u22DE',\n 'cuesc': '\\u22DF',\n 'curlyeqsucc': '\\u22DF',\n 'cularr': '\\u21B6',\n 'curvearrowleft': '\\u21B6',\n 'cularrp': '\\u293D',\n 'cup': '\\u222A',\n 'cupbrcap': '\\u2A48',\n 'cupcap': '\\u2A46',\n 'cupcup': '\\u2A4A',\n 'cupdot': '\\u228D',\n 'cupor': '\\u2A45',\n 'cups': '\\u222A\\uFE00',\n 'curarr': '\\u21B7',\n 'curvearrowright': '\\u21B7',\n 'curarrm': '\\u293C',\n 'curlyvee': '\\u22CE',\n 'cuvee': '\\u22CE',\n 'curlywedge': '\\u22CF',\n 'cuwed': '\\u22CF',\n 'curren': '\\u00A4',\n 'cwint': '\\u2231',\n 'cylcty': '\\u232D',\n 'dHar': '\\u2965',\n 'dagger': '\\u2020',\n 'daleth': '\\u2138',\n 'dash': '\\u2010',\n 'hyphen': '\\u2010',\n 'dbkarow': '\\u290F',\n 'rBarr': '\\u290F',\n 'dcaron': '\\u010F',\n 'dcy': '\\u0434',\n 'ddarr': '\\u21CA',\n 'downdownarrows': '\\u21CA',\n 'ddotseq': '\\u2A77',\n 'eDDot': '\\u2A77',\n 'deg': '\\u00B0',\n 'delta': '\\u03B4',\n 'demptyv': '\\u29B1',\n 'dfisht': '\\u297F',\n 'dfr': '\\uD835\\uDD21',\n 'diamondsuit': '\\u2666',\n 'diams': '\\u2666',\n 'digamma': '\\u03DD',\n 'gammad': '\\u03DD',\n 'disin': '\\u22F2',\n 'div': '\\u00F7',\n 'divide': '\\u00F7',\n 'divideontimes': '\\u22C7',\n 'divonx': '\\u22C7',\n 'djcy': '\\u0452',\n 'dlcorn': '\\u231E',\n 'llcorner': '\\u231E',\n 'dlcrop': '\\u230D',\n 'dollar': '\\u0024',\n 'dopf': '\\uD835\\uDD55',\n 'doteqdot': '\\u2251',\n 'eDot': '\\u2251',\n 'dotminus': '\\u2238',\n 'minusd': '\\u2238',\n 'dotplus': '\\u2214',\n 'plusdo': '\\u2214',\n 'dotsquare': '\\u22A1',\n 'sdotb': '\\u22A1',\n 'drcorn': '\\u231F',\n 'lrcorner': '\\u231F',\n 'drcrop': '\\u230C',\n 'dscr': '\\uD835\\uDCB9',\n 'dscy': '\\u0455',\n 'dsol': '\\u29F6',\n 'dstrok': '\\u0111',\n 'dtdot': '\\u22F1',\n 'dtri': '\\u25BF',\n 'triangledown': '\\u25BF',\n 'dwangle': '\\u29A6',\n 'dzcy': '\\u045F',\n 'dzigrarr': '\\u27FF',\n 'eacute': '\\u00E9',\n 'easter': '\\u2A6E',\n 'ecaron': '\\u011B',\n 'ecir': '\\u2256',\n 'eqcirc': '\\u2256',\n 'ecirc': '\\u00EA',\n 'ecolon': '\\u2255',\n 'eqcolon': '\\u2255',\n 'ecy': '\\u044D',\n 'edot': '\\u0117',\n 'efDot': '\\u2252',\n 'fallingdotseq': '\\u2252',\n 'efr': '\\uD835\\uDD22',\n 'eg': '\\u2A9A',\n 'egrave': '\\u00E8',\n 'egs': '\\u2A96',\n 'eqslantgtr': '\\u2A96',\n 'egsdot': '\\u2A98',\n 'el': '\\u2A99',\n 'elinters': '\\u23E7',\n 'ell': '\\u2113',\n 'els': '\\u2A95',\n 'eqslantless': '\\u2A95',\n 'elsdot': '\\u2A97',\n 'emacr': '\\u0113',\n 'empty': '\\u2205',\n 'emptyset': '\\u2205',\n 'emptyv': '\\u2205',\n 'varnothing': '\\u2205',\n 'emsp13': '\\u2004',\n 'emsp14': '\\u2005',\n 'emsp': '\\u2003',\n 'eng': '\\u014B',\n 'ensp': '\\u2002',\n 'eogon': '\\u0119',\n 'eopf': '\\uD835\\uDD56',\n 'epar': '\\u22D5',\n 'eparsl': '\\u29E3',\n 'eplus': '\\u2A71',\n 'epsi': '\\u03B5',\n 'epsilon': '\\u03B5',\n 'epsiv': '\\u03F5',\n 'straightepsilon': '\\u03F5',\n 'varepsilon': '\\u03F5',\n 'equals': '\\u003D',\n 'equest': '\\u225F',\n 'questeq': '\\u225F',\n 'equivDD': '\\u2A78',\n 'eqvparsl': '\\u29E5',\n 'erDot': '\\u2253',\n 'risingdotseq': '\\u2253',\n 'erarr': '\\u2971',\n 'escr': '\\u212F',\n 'eta': '\\u03B7',\n 'eth': '\\u00F0',\n 'euml': '\\u00EB',\n 'euro': '\\u20AC',\n 'excl': '\\u0021',\n 'fcy': '\\u0444',\n 'female': '\\u2640',\n 'ffilig': '\\uFB03',\n 'fflig': '\\uFB00',\n 'ffllig': '\\uFB04',\n 'ffr': '\\uD835\\uDD23',\n 'filig': '\\uFB01',\n 'fjlig': '\\u0066\\u006A',\n 'flat': '\\u266D',\n 'fllig': '\\uFB02',\n 'fltns': '\\u25B1',\n 'fnof': '\\u0192',\n 'fopf': '\\uD835\\uDD57',\n 'fork': '\\u22D4',\n 'pitchfork': '\\u22D4',\n 'forkv': '\\u2AD9',\n 'fpartint': '\\u2A0D',\n 'frac12': '\\u00BD',\n 'half': '\\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 'sfrown': '\\u2322',\n 'fscr': '\\uD835\\uDCBB',\n 'gEl': '\\u2A8C',\n 'gtreqqless': '\\u2A8C',\n 'gacute': '\\u01F5',\n 'gamma': '\\u03B3',\n 'gap': '\\u2A86',\n 'gtrapprox': '\\u2A86',\n 'gbreve': '\\u011F',\n 'gcirc': '\\u011D',\n 'gcy': '\\u0433',\n 'gdot': '\\u0121',\n 'gescc': '\\u2AA9',\n 'gesdot': '\\u2A80',\n 'gesdoto': '\\u2A82',\n 'gesdotol': '\\u2A84',\n 'gesl': '\\u22DB\\uFE00',\n 'gesles': '\\u2A94',\n 'gfr': '\\uD835\\uDD24',\n 'gimel': '\\u2137',\n 'gjcy': '\\u0453',\n 'glE': '\\u2A92',\n 'gla': '\\u2AA5',\n 'glj': '\\u2AA4',\n 'gnE': '\\u2269',\n 'gneqq': '\\u2269',\n 'gnap': '\\u2A8A',\n 'gnapprox': '\\u2A8A',\n 'gne': '\\u2A88',\n 'gneq': '\\u2A88',\n 'gnsim': '\\u22E7',\n 'gopf': '\\uD835\\uDD58',\n 'gscr': '\\u210A',\n 'gsime': '\\u2A8E',\n 'gsiml': '\\u2A90',\n 'gtcc': '\\u2AA7',\n 'gtcir': '\\u2A7A',\n 'gtdot': '\\u22D7',\n 'gtrdot': '\\u22D7',\n 'gtlPar': '\\u2995',\n 'gtquest': '\\u2A7C',\n 'gtrarr': '\\u2978',\n 'gvertneqq': '\\u2269\\uFE00',\n 'gvnE': '\\u2269\\uFE00',\n 'hardcy': '\\u044A',\n 'harrcir': '\\u2948',\n 'harrw': '\\u21AD',\n 'leftrightsquigarrow': '\\u21AD',\n 'hbar': '\\u210F',\n 'hslash': '\\u210F',\n 'planck': '\\u210F',\n 'plankv': '\\u210F',\n 'hcirc': '\\u0125',\n 'hearts': '\\u2665',\n 'heartsuit': '\\u2665',\n 'hellip': '\\u2026',\n 'mldr': '\\u2026',\n 'hercon': '\\u22B9',\n 'hfr': '\\uD835\\uDD25',\n 'hksearow': '\\u2925',\n 'searhk': '\\u2925',\n 'hkswarow': '\\u2926',\n 'swarhk': '\\u2926',\n 'hoarr': '\\u21FF',\n 'homtht': '\\u223B',\n 'hookleftarrow': '\\u21A9',\n 'larrhk': '\\u21A9',\n 'hookrightarrow': '\\u21AA',\n 'rarrhk': '\\u21AA',\n 'hopf': '\\uD835\\uDD59',\n 'horbar': '\\u2015',\n 'hscr': '\\uD835\\uDCBD',\n 'hstrok': '\\u0127',\n 'hybull': '\\u2043',\n 'iacute': '\\u00ED',\n 'icirc': '\\u00EE',\n 'icy': '\\u0438',\n 'iecy': '\\u0435',\n 'iexcl': '\\u00A1',\n 'ifr': '\\uD835\\uDD26',\n 'igrave': '\\u00EC',\n 'iiiint': '\\u2A0C',\n 'qint': '\\u2A0C',\n 'iiint': '\\u222D',\n 'tint': '\\u222D',\n 'iinfin': '\\u29DC',\n 'iiota': '\\u2129',\n 'ijlig': '\\u0133',\n 'imacr': '\\u012B',\n 'imath': '\\u0131',\n 'inodot': '\\u0131',\n 'imof': '\\u22B7',\n 'imped': '\\u01B5',\n 'incare': '\\u2105',\n 'infin': '\\u221E',\n 'infintie': '\\u29DD',\n 'intcal': '\\u22BA',\n 'intercal': '\\u22BA',\n 'intlarhk': '\\u2A17',\n 'intprod': '\\u2A3C',\n 'iprod': '\\u2A3C',\n 'iocy': '\\u0451',\n 'iogon': '\\u012F',\n 'iopf': '\\uD835\\uDD5A',\n 'iota': '\\u03B9',\n 'iquest': '\\u00BF',\n 'iscr': '\\uD835\\uDCBE',\n 'isinE': '\\u22F9',\n 'isindot': '\\u22F5',\n 'isins': '\\u22F4',\n 'isinsv': '\\u22F3',\n 'itilde': '\\u0129',\n 'iukcy': '\\u0456',\n 'iuml': '\\u00EF',\n 'jcirc': '\\u0135',\n 'jcy': '\\u0439',\n 'jfr': '\\uD835\\uDD27',\n 'jmath': '\\u0237',\n 'jopf': '\\uD835\\uDD5B',\n 'jscr': '\\uD835\\uDCBF',\n 'jsercy': '\\u0458',\n 'jukcy': '\\u0454',\n 'kappa': '\\u03BA',\n 'kappav': '\\u03F0',\n 'varkappa': '\\u03F0',\n 'kcedil': '\\u0137',\n 'kcy': '\\u043A',\n 'kfr': '\\uD835\\uDD28',\n 'kgreen': '\\u0138',\n 'khcy': '\\u0445',\n 'kjcy': '\\u045C',\n 'kopf': '\\uD835\\uDD5C',\n 'kscr': '\\uD835\\uDCC0',\n 'lAtail': '\\u291B',\n 'lBarr': '\\u290E',\n 'lEg': '\\u2A8B',\n 'lesseqqgtr': '\\u2A8B',\n 'lHar': '\\u2962',\n 'lacute': '\\u013A',\n 'laemptyv': '\\u29B4',\n 'lambda': '\\u03BB',\n 'langd': '\\u2991',\n 'lap': '\\u2A85',\n 'lessapprox': '\\u2A85',\n 'laquo': '\\u00AB',\n 'larrbfs': '\\u291F',\n 'larrfs': '\\u291D',\n 'larrlp': '\\u21AB',\n 'looparrowleft': '\\u21AB',\n 'larrpl': '\\u2939',\n 'larrsim': '\\u2973',\n 'larrtl': '\\u21A2',\n 'leftarrowtail': '\\u21A2',\n 'lat': '\\u2AAB',\n 'latail': '\\u2919',\n 'late': '\\u2AAD',\n 'lates': '\\u2AAD\\uFE00',\n 'lbarr': '\\u290C',\n 'lbbrk': '\\u2772',\n 'lbrace': '\\u007B',\n 'lcub': '\\u007B',\n 'lbrack': '\\u005B',\n 'lsqb': '\\u005B',\n 'lbrke': '\\u298B',\n 'lbrksld': '\\u298F',\n 'lbrkslu': '\\u298D',\n 'lcaron': '\\u013E',\n 'lcedil': '\\u013C',\n 'lcy': '\\u043B',\n 'ldca': '\\u2936',\n 'ldrdhar': '\\u2967',\n 'ldrushar': '\\u294B',\n 'ldsh': '\\u21B2',\n 'le': '\\u2264',\n 'leq': '\\u2264',\n 'leftleftarrows': '\\u21C7',\n 'llarr': '\\u21C7',\n 'leftthreetimes': '\\u22CB',\n 'lthree': '\\u22CB',\n 'lescc': '\\u2AA8',\n 'lesdot': '\\u2A7F',\n 'lesdoto': '\\u2A81',\n 'lesdotor': '\\u2A83',\n 'lesg': '\\u22DA\\uFE00',\n 'lesges': '\\u2A93',\n 'lessdot': '\\u22D6',\n 'ltdot': '\\u22D6',\n 'lfisht': '\\u297C',\n 'lfr': '\\uD835\\uDD29',\n 'lgE': '\\u2A91',\n 'lharul': '\\u296A',\n 'lhblk': '\\u2584',\n 'ljcy': '\\u0459',\n 'llhard': '\\u296B',\n 'lltri': '\\u25FA',\n 'lmidot': '\\u0140',\n 'lmoust': '\\u23B0',\n 'lmoustache': '\\u23B0',\n 'lnE': '\\u2268',\n 'lneqq': '\\u2268',\n 'lnap': '\\u2A89',\n 'lnapprox': '\\u2A89',\n 'lne': '\\u2A87',\n 'lneq': '\\u2A87',\n 'lnsim': '\\u22E6',\n 'loang': '\\u27EC',\n 'loarr': '\\u21FD',\n 'longmapsto': '\\u27FC',\n 'xmap': '\\u27FC',\n 'looparrowright': '\\u21AC',\n 'rarrlp': '\\u21AC',\n 'lopar': '\\u2985',\n 'lopf': '\\uD835\\uDD5D',\n 'loplus': '\\u2A2D',\n 'lotimes': '\\u2A34',\n 'lowast': '\\u2217',\n 'loz': '\\u25CA',\n 'lozenge': '\\u25CA',\n 'lpar': '\\u0028',\n 'lparlt': '\\u2993',\n 'lrhard': '\\u296D',\n 'lrm': '\\u200E',\n 'lrtri': '\\u22BF',\n 'lsaquo': '\\u2039',\n 'lscr': '\\uD835\\uDCC1',\n 'lsime': '\\u2A8D',\n 'lsimg': '\\u2A8F',\n 'lsquor': '\\u201A',\n 'sbquo': '\\u201A',\n 'lstrok': '\\u0142',\n 'ltcc': '\\u2AA6',\n 'ltcir': '\\u2A79',\n 'ltimes': '\\u22C9',\n 'ltlarr': '\\u2976',\n 'ltquest': '\\u2A7B',\n 'ltrPar': '\\u2996',\n 'ltri': '\\u25C3',\n 'triangleleft': '\\u25C3',\n 'lurdshar': '\\u294A',\n 'luruhar': '\\u2966',\n 'lvertneqq': '\\u2268\\uFE00',\n 'lvnE': '\\u2268\\uFE00',\n 'mDDot': '\\u223A',\n 'macr': '\\u00AF',\n 'strns': '\\u00AF',\n 'male': '\\u2642',\n 'malt': '\\u2720',\n 'maltese': '\\u2720',\n 'marker': '\\u25AE',\n 'mcomma': '\\u2A29',\n 'mcy': '\\u043C',\n 'mdash': '\\u2014',\n 'mfr': '\\uD835\\uDD2A',\n 'mho': '\\u2127',\n 'micro': '\\u00B5',\n 'midcir': '\\u2AF0',\n 'minus': '\\u2212',\n 'minusdu': '\\u2A2A',\n 'mlcp': '\\u2ADB',\n 'models': '\\u22A7',\n 'mopf': '\\uD835\\uDD5E',\n 'mscr': '\\uD835\\uDCC2',\n 'mu': '\\u03BC',\n 'multimap': '\\u22B8',\n 'mumap': '\\u22B8',\n 'nGg': '\\u22D9\\u0338',\n 'nGt': '\\u226B\\u20D2',\n 'nLeftarrow': '\\u21CD',\n 'nlArr': '\\u21CD',\n 'nLeftrightarrow': '\\u21CE',\n 'nhArr': '\\u21CE',\n 'nLl': '\\u22D8\\u0338',\n 'nLt': '\\u226A\\u20D2',\n 'nRightarrow': '\\u21CF',\n 'nrArr': '\\u21CF',\n 'nVDash': '\\u22AF',\n 'nVdash': '\\u22AE',\n 'nacute': '\\u0144',\n 'nang': '\\u2220\\u20D2',\n 'napE': '\\u2A70\\u0338',\n 'napid': '\\u224B\\u0338',\n 'napos': '\\u0149',\n 'natur': '\\u266E',\n 'natural': '\\u266E',\n 'ncap': '\\u2A43',\n 'ncaron': '\\u0148',\n 'ncedil': '\\u0146',\n 'ncongdot': '\\u2A6D\\u0338',\n 'ncup': '\\u2A42',\n 'ncy': '\\u043D',\n 'ndash': '\\u2013',\n 'neArr': '\\u21D7',\n 'nearhk': '\\u2924',\n 'nedot': '\\u2250\\u0338',\n 'nesear': '\\u2928',\n 'toea': '\\u2928',\n 'nfr': '\\uD835\\uDD2B',\n 'nharr': '\\u21AE',\n 'nleftrightarrow': '\\u21AE',\n 'nhpar': '\\u2AF2',\n 'nis': '\\u22FC',\n 'nisd': '\\u22FA',\n 'njcy': '\\u045A',\n 'nlE': '\\u2266\\u0338',\n 'nleqq': '\\u2266\\u0338',\n 'nlarr': '\\u219A',\n 'nleftarrow': '\\u219A',\n 'nldr': '\\u2025',\n 'nopf': '\\uD835\\uDD5F',\n 'not': '\\u00AC',\n 'notinE': '\\u22F9\\u0338',\n 'notindot': '\\u22F5\\u0338',\n 'notinvb': '\\u22F7',\n 'notinvc': '\\u22F6',\n 'notnivb': '\\u22FE',\n 'notnivc': '\\u22FD',\n 'nparsl': '\\u2AFD\\u20E5',\n 'npart': '\\u2202\\u0338',\n 'npolint': '\\u2A14',\n 'nrarr': '\\u219B',\n 'nrightarrow': '\\u219B',\n 'nrarrc': '\\u2933\\u0338',\n 'nrarrw': '\\u219D\\u0338',\n 'nscr': '\\uD835\\uDCC3',\n 'nsub': '\\u2284',\n 'nsubE': '\\u2AC5\\u0338',\n 'nsubseteqq': '\\u2AC5\\u0338',\n 'nsup': '\\u2285',\n 'nsupE': '\\u2AC6\\u0338',\n 'nsupseteqq': '\\u2AC6\\u0338',\n 'ntilde': '\\u00F1',\n 'nu': '\\u03BD',\n 'num': '\\u0023',\n 'numero': '\\u2116',\n 'numsp': '\\u2007',\n 'nvDash': '\\u22AD',\n 'nvHarr': '\\u2904',\n 'nvap': '\\u224D\\u20D2',\n 'nvdash': '\\u22AC',\n 'nvge': '\\u2265\\u20D2',\n 'nvgt': '\\u003E\\u20D2',\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 'nwArr': '\\u21D6',\n 'nwarhk': '\\u2923',\n 'nwnear': '\\u2927',\n 'oacute': '\\u00F3',\n 'ocirc': '\\u00F4',\n 'ocy': '\\u043E',\n 'odblac': '\\u0151',\n 'odiv': '\\u2A38',\n 'odsold': '\\u29BC',\n 'oelig': '\\u0153',\n 'ofcir': '\\u29BF',\n 'ofr': '\\uD835\\uDD2C',\n 'ogon': '\\u02DB',\n 'ograve': '\\u00F2',\n 'ogt': '\\u29C1',\n 'ohbar': '\\u29B5',\n 'olcir': '\\u29BE',\n 'olcross': '\\u29BB',\n 'olt': '\\u29C0',\n 'omacr': '\\u014D',\n 'omega': '\\u03C9',\n 'omicron': '\\u03BF',\n 'omid': '\\u29B6',\n 'oopf': '\\uD835\\uDD60',\n 'opar': '\\u29B7',\n 'operp': '\\u29B9',\n 'or': '\\u2228',\n 'vee': '\\u2228',\n 'ord': '\\u2A5D',\n 'order': '\\u2134',\n 'orderof': '\\u2134',\n 'oscr': '\\u2134',\n 'ordf': '\\u00AA',\n 'ordm': '\\u00BA',\n 'origof': '\\u22B6',\n 'oror': '\\u2A56',\n 'orslope': '\\u2A57',\n 'orv': '\\u2A5B',\n 'oslash': '\\u00F8',\n 'osol': '\\u2298',\n 'otilde': '\\u00F5',\n 'otimesas': '\\u2A36',\n 'ouml': '\\u00F6',\n 'ovbar': '\\u233D',\n 'para': '\\u00B6',\n 'parsim': '\\u2AF3',\n 'parsl': '\\u2AFD',\n 'pcy': '\\u043F',\n 'percnt': '\\u0025',\n 'period': '\\u002E',\n 'permil': '\\u2030',\n 'pertenk': '\\u2031',\n 'pfr': '\\uD835\\uDD2D',\n 'phi': '\\u03C6',\n 'phiv': '\\u03D5',\n 'straightphi': '\\u03D5',\n 'varphi': '\\u03D5',\n 'phone': '\\u260E',\n 'pi': '\\u03C0',\n 'piv': '\\u03D6',\n 'varpi': '\\u03D6',\n 'planckh': '\\u210E',\n 'plus': '\\u002B',\n 'plusacir': '\\u2A23',\n 'pluscir': '\\u2A22',\n 'plusdu': '\\u2A25',\n 'pluse': '\\u2A72',\n 'plussim': '\\u2A26',\n 'plustwo': '\\u2A27',\n 'pointint': '\\u2A15',\n 'popf': '\\uD835\\uDD61',\n 'pound': '\\u00A3',\n 'prE': '\\u2AB3',\n 'prap': '\\u2AB7',\n 'precapprox': '\\u2AB7',\n 'precnapprox': '\\u2AB9',\n 'prnap': '\\u2AB9',\n 'precneqq': '\\u2AB5',\n 'prnE': '\\u2AB5',\n 'precnsim': '\\u22E8',\n 'prnsim': '\\u22E8',\n 'prime': '\\u2032',\n 'profalar': '\\u232E',\n 'profline': '\\u2312',\n 'profsurf': '\\u2313',\n 'prurel': '\\u22B0',\n 'pscr': '\\uD835\\uDCC5',\n 'psi': '\\u03C8',\n 'puncsp': '\\u2008',\n 'qfr': '\\uD835\\uDD2E',\n 'qopf': '\\uD835\\uDD62',\n 'qprime': '\\u2057',\n 'qscr': '\\uD835\\uDCC6',\n 'quatint': '\\u2A16',\n 'quest': '\\u003F',\n 'rAtail': '\\u291C',\n 'rHar': '\\u2964',\n 'race': '\\u223D\\u0331',\n 'racute': '\\u0155',\n 'raemptyv': '\\u29B3',\n 'rangd': '\\u2992',\n 'range': '\\u29A5',\n 'raquo': '\\u00BB',\n 'rarrap': '\\u2975',\n 'rarrbfs': '\\u2920',\n 'rarrc': '\\u2933',\n 'rarrfs': '\\u291E',\n 'rarrpl': '\\u2945',\n 'rarrsim': '\\u2974',\n 'rarrtl': '\\u21A3',\n 'rightarrowtail': '\\u21A3',\n 'rarrw': '\\u219D',\n 'rightsquigarrow': '\\u219D',\n 'ratail': '\\u291A',\n 'ratio': '\\u2236',\n 'rbbrk': '\\u2773',\n 'rbrace': '\\u007D',\n 'rcub': '\\u007D',\n 'rbrack': '\\u005D',\n 'rsqb': '\\u005D',\n 'rbrke': '\\u298C',\n 'rbrksld': '\\u298E',\n 'rbrkslu': '\\u2990',\n 'rcaron': '\\u0159',\n 'rcedil': '\\u0157',\n 'rcy': '\\u0440',\n 'rdca': '\\u2937',\n 'rdldhar': '\\u2969',\n 'rdsh': '\\u21B3',\n 'rect': '\\u25AD',\n 'rfisht': '\\u297D',\n 'rfr': '\\uD835\\uDD2F',\n 'rharul': '\\u296C',\n 'rho': '\\u03C1',\n 'rhov': '\\u03F1',\n 'varrho': '\\u03F1',\n 'rightrightarrows': '\\u21C9',\n 'rrarr': '\\u21C9',\n 'rightthreetimes': '\\u22CC',\n 'rthree': '\\u22CC',\n 'ring': '\\u02DA',\n 'rlm': '\\u200F',\n 'rmoust': '\\u23B1',\n 'rmoustache': '\\u23B1',\n 'rnmid': '\\u2AEE',\n 'roang': '\\u27ED',\n 'roarr': '\\u21FE',\n 'ropar': '\\u2986',\n 'ropf': '\\uD835\\uDD63',\n 'roplus': '\\u2A2E',\n 'rotimes': '\\u2A35',\n 'rpar': '\\u0029',\n 'rpargt': '\\u2994',\n 'rppolint': '\\u2A12',\n 'rsaquo': '\\u203A',\n 'rscr': '\\uD835\\uDCC7',\n 'rtimes': '\\u22CA',\n 'rtri': '\\u25B9',\n 'triangleright': '\\u25B9',\n 'rtriltri': '\\u29CE',\n 'ruluhar': '\\u2968',\n 'rx': '\\u211E',\n 'sacute': '\\u015B',\n 'scE': '\\u2AB4',\n 'scap': '\\u2AB8',\n 'succapprox': '\\u2AB8',\n 'scaron': '\\u0161',\n 'scedil': '\\u015F',\n 'scirc': '\\u015D',\n 'scnE': '\\u2AB6',\n 'succneqq': '\\u2AB6',\n 'scnap': '\\u2ABA',\n 'succnapprox': '\\u2ABA',\n 'scnsim': '\\u22E9',\n 'succnsim': '\\u22E9',\n 'scpolint': '\\u2A13',\n 'scy': '\\u0441',\n 'sdot': '\\u22C5',\n 'sdote': '\\u2A66',\n 'seArr': '\\u21D8',\n 'sect': '\\u00A7',\n 'semi': '\\u003B',\n 'seswar': '\\u2929',\n 'tosa': '\\u2929',\n 'sext': '\\u2736',\n 'sfr': '\\uD835\\uDD30',\n 'sharp': '\\u266F',\n 'shchcy': '\\u0449',\n 'shcy': '\\u0448',\n 'shy': '\\u00AD',\n 'sigma': '\\u03C3',\n 'sigmaf': '\\u03C2',\n 'sigmav': '\\u03C2',\n 'varsigma': '\\u03C2',\n 'simdot': '\\u2A6A',\n 'simg': '\\u2A9E',\n 'simgE': '\\u2AA0',\n 'siml': '\\u2A9D',\n 'simlE': '\\u2A9F',\n 'simne': '\\u2246',\n 'simplus': '\\u2A24',\n 'simrarr': '\\u2972',\n 'smashp': '\\u2A33',\n 'smeparsl': '\\u29E4',\n 'smile': '\\u2323',\n 'ssmile': '\\u2323',\n 'smt': '\\u2AAA',\n 'smte': '\\u2AAC',\n 'smtes': '\\u2AAC\\uFE00',\n 'softcy': '\\u044C',\n 'sol': '\\u002F',\n 'solb': '\\u29C4',\n 'solbar': '\\u233F',\n 'sopf': '\\uD835\\uDD64',\n 'spades': '\\u2660',\n 'spadesuit': '\\u2660',\n 'sqcaps': '\\u2293\\uFE00',\n 'sqcups': '\\u2294\\uFE00',\n 'sscr': '\\uD835\\uDCC8',\n 'star': '\\u2606',\n 'sub': '\\u2282',\n 'subset': '\\u2282',\n 'subE': '\\u2AC5',\n 'subseteqq': '\\u2AC5',\n 'subdot': '\\u2ABD',\n 'subedot': '\\u2AC3',\n 'submult': '\\u2AC1',\n 'subnE': '\\u2ACB',\n 'subsetneqq': '\\u2ACB',\n 'subne': '\\u228A',\n 'subsetneq': '\\u228A',\n 'subplus': '\\u2ABF',\n 'subrarr': '\\u2979',\n 'subsim': '\\u2AC7',\n 'subsub': '\\u2AD5',\n 'subsup': '\\u2AD3',\n 'sung': '\\u266A',\n 'sup1': '\\u00B9',\n 'sup2': '\\u00B2',\n 'sup3': '\\u00B3',\n 'supE': '\\u2AC6',\n 'supseteqq': '\\u2AC6',\n 'supdot': '\\u2ABE',\n 'supdsub': '\\u2AD8',\n 'supedot': '\\u2AC4',\n 'suphsol': '\\u27C9',\n 'suphsub': '\\u2AD7',\n 'suplarr': '\\u297B',\n 'supmult': '\\u2AC2',\n 'supnE': '\\u2ACC',\n 'supsetneqq': '\\u2ACC',\n 'supne': '\\u228B',\n 'supsetneq': '\\u228B',\n 'supplus': '\\u2AC0',\n 'supsim': '\\u2AC8',\n 'supsub': '\\u2AD4',\n 'supsup': '\\u2AD6',\n 'swArr': '\\u21D9',\n 'swnwar': '\\u292A',\n 'szlig': '\\u00DF',\n 'target': '\\u2316',\n 'tau': '\\u03C4',\n 'tcaron': '\\u0165',\n 'tcedil': '\\u0163',\n 'tcy': '\\u0442',\n 'telrec': '\\u2315',\n 'tfr': '\\uD835\\uDD31',\n 'theta': '\\u03B8',\n 'thetasym': '\\u03D1',\n 'thetav': '\\u03D1',\n 'vartheta': '\\u03D1',\n 'thorn': '\\u00FE',\n 'times': '\\u00D7',\n 'timesbar': '\\u2A31',\n 'timesd': '\\u2A30',\n 'topbot': '\\u2336',\n 'topcir': '\\u2AF1',\n 'topf': '\\uD835\\uDD65',\n 'topfork': '\\u2ADA',\n 'tprime': '\\u2034',\n 'triangle': '\\u25B5',\n 'utri': '\\u25B5',\n 'triangleq': '\\u225C',\n 'trie': '\\u225C',\n 'tridot': '\\u25EC',\n 'triminus': '\\u2A3A',\n 'triplus': '\\u2A39',\n 'trisb': '\\u29CD',\n 'tritime': '\\u2A3B',\n 'trpezium': '\\u23E2',\n 'tscr': '\\uD835\\uDCC9',\n 'tscy': '\\u0446',\n 'tshcy': '\\u045B',\n 'tstrok': '\\u0167',\n 'uHar': '\\u2963',\n 'uacute': '\\u00FA',\n 'ubrcy': '\\u045E',\n 'ubreve': '\\u016D',\n 'ucirc': '\\u00FB',\n 'ucy': '\\u0443',\n 'udblac': '\\u0171',\n 'ufisht': '\\u297E',\n 'ufr': '\\uD835\\uDD32',\n 'ugrave': '\\u00F9',\n 'uhblk': '\\u2580',\n 'ulcorn': '\\u231C',\n 'ulcorner': '\\u231C',\n 'ulcrop': '\\u230F',\n 'ultri': '\\u25F8',\n 'umacr': '\\u016B',\n 'uogon': '\\u0173',\n 'uopf': '\\uD835\\uDD66',\n 'upsi': '\\u03C5',\n 'upsilon': '\\u03C5',\n 'upuparrows': '\\u21C8',\n 'uuarr': '\\u21C8',\n 'urcorn': '\\u231D',\n 'urcorner': '\\u231D',\n 'urcrop': '\\u230E',\n 'uring': '\\u016F',\n 'urtri': '\\u25F9',\n 'uscr': '\\uD835\\uDCCA',\n 'utdot': '\\u22F0',\n 'utilde': '\\u0169',\n 'uuml': '\\u00FC',\n 'uwangle': '\\u29A7',\n 'vBar': '\\u2AE8',\n 'vBarv': '\\u2AE9',\n 'vangrt': '\\u299C',\n 'varsubsetneq': '\\u228A\\uFE00',\n 'vsubne': '\\u228A\\uFE00',\n 'varsubsetneqq': '\\u2ACB\\uFE00',\n 'vsubnE': '\\u2ACB\\uFE00',\n 'varsupsetneq': '\\u228B\\uFE00',\n 'vsupne': '\\u228B\\uFE00',\n 'varsupsetneqq': '\\u2ACC\\uFE00',\n 'vsupnE': '\\u2ACC\\uFE00',\n 'vcy': '\\u0432',\n 'veebar': '\\u22BB',\n 'veeeq': '\\u225A',\n 'vellip': '\\u22EE',\n 'vfr': '\\uD835\\uDD33',\n 'vopf': '\\uD835\\uDD67',\n 'vscr': '\\uD835\\uDCCB',\n 'vzigzag': '\\u299A',\n 'wcirc': '\\u0175',\n 'wedbar': '\\u2A5F',\n 'wedgeq': '\\u2259',\n 'weierp': '\\u2118',\n 'wp': '\\u2118',\n 'wfr': '\\uD835\\uDD34',\n 'wopf': '\\uD835\\uDD68',\n 'wscr': '\\uD835\\uDCCC',\n 'xfr': '\\uD835\\uDD35',\n 'xi': '\\u03BE',\n 'xnis': '\\u22FB',\n 'xopf': '\\uD835\\uDD69',\n 'xscr': '\\uD835\\uDCCD',\n 'yacute': '\\u00FD',\n 'yacy': '\\u044F',\n 'ycirc': '\\u0177',\n 'ycy': '\\u044B',\n 'yen': '\\u00A5',\n 'yfr': '\\uD835\\uDD36',\n 'yicy': '\\u0457',\n 'yopf': '\\uD835\\uDD6A',\n 'yscr': '\\uD835\\uDCCE',\n 'yucy': '\\u044E',\n 'yuml': '\\u00FF',\n 'zacute': '\\u017A',\n 'zcaron': '\\u017E',\n 'zcy': '\\u0437',\n 'zdot': '\\u017C',\n 'zeta': '\\u03B6',\n 'zfr': '\\uD835\\uDD37',\n 'zhcy': '\\u0436',\n 'zigrarr': '\\u21DD',\n 'zopf': '\\uD835\\uDD6B',\n 'zscr': '\\uD835\\uDCCF',\n 'zwj': '\\u200D',\n 'zwnj': '\\u200C'\n};\n// The &ngsp; pseudo-entity is denoting a space.\n// 0xE500 is a PUA (Private Use Areas) unicode character\n// This is inspired by the Angular Dart implementation.\nconst NGSP_UNICODE = '\\uE500';\nNAMED_ENTITIES['ngsp'] = NGSP_UNICODE;\nclass TokenError extends ParseError {\n constructor(errorMsg, tokenType, span) {\n super(span, errorMsg);\n this.tokenType = tokenType;\n }\n}\nclass TokenizeResult {\n constructor(tokens, errors, nonNormalizedIcuExpressions) {\n this.tokens = tokens;\n this.errors = errors;\n this.nonNormalizedIcuExpressions = nonNormalizedIcuExpressions;\n }\n}\nfunction tokenize(source, url, getTagDefinition, options = {}) {\n const tokenizer = new _Tokenizer(new ParseSourceFile(source, url), getTagDefinition, options);\n tokenizer.tokenize();\n return new TokenizeResult(mergeTextTokens(tokenizer.tokens), tokenizer.errors, tokenizer.nonNormalizedIcuExpressions);\n}\nconst _CR_OR_CRLF_REGEXP = /\\r\\n?/g;\nfunction _unexpectedCharacterErrorMsg(charCode) {\n const char = charCode === $EOF ? 'EOF' : String.fromCharCode(charCode);\n return `Unexpected character \"${char}\"`;\n}\nfunction _unknownEntityErrorMsg(entitySrc) {\n return `Unknown entity \"${entitySrc}\" - use the \"&#<decimal>;\" or \"&#x<hex>;\" syntax`;\n}\nfunction _unparsableEntityErrorMsg(type, entityStr) {\n return `Unable to parse entity \"${entityStr}\" - ${type} character reference entities must end with \";\"`;\n}\nvar CharacterReferenceType;\n(function (CharacterReferenceType) {\n CharacterReferenceType[\"HEX\"] = \"hexadecimal\";\n CharacterReferenceType[\"DEC\"] = \"decimal\";\n})(CharacterReferenceType || (CharacterReferenceType = {}));\nclass _ControlFlowError {\n constructor(error) {\n this.error = error;\n }\n}\n// See https://www.w3.org/TR/html51/syntax.html#writing-html-documents\nclass _Tokenizer {\n /**\n * @param _file The html source file being tokenized.\n * @param _getTagDefinition A function that will retrieve a tag definition for a given tag name.\n * @param options Configuration of the tokenization.\n */\n constructor(_file, _getTagDefinition, options) {\n this._getTagDefinition = _getTagDefinition;\n this._currentTokenStart = null;\n this._currentTokenType = null;\n this._expansionCaseStack = [];\n this._inInterpolation = false;\n this.tokens = [];\n this.errors = [];\n this.nonNormalizedIcuExpressions = [];\n this._tokenizeIcu = options.tokenizeExpansionForms || false;\n this._interpolationConfig = options.interpolationConfig || DEFAULT_INTERPOLATION_CONFIG;\n this._leadingTriviaCodePoints = options.leadingTriviaChars && options.leadingTriviaChars.map(c => c.codePointAt(0) || 0);\n const range = options.range || {\n endPos: _file.content.length,\n startPos: 0,\n startLine: 0,\n startCol: 0\n };\n this._cursor = options.escapedString ? new EscapedCharacterCursor(_file, range) : new PlainCharacterCursor(_file, range);\n this._preserveLineEndings = options.preserveLineEndings || false;\n this._i18nNormalizeLineEndingsInICUs = options.i18nNormalizeLineEndingsInICUs || false;\n this._tokenizeBlocks = options.tokenizeBlocks || false;\n try {\n this._cursor.init();\n } catch (e) {\n this.handleError(e);\n }\n }\n _processCarriageReturns(content) {\n if (this._preserveLineEndings) {\n return content;\n }\n // https://www.w3.org/TR/html51/syntax.html#preprocessing-the-input-stream\n // In order to keep the original position in the source, we can not\n // pre-process it.\n // Instead CRs are processed right before instantiating the tokens.\n return content.replace(_CR_OR_CRLF_REGEXP, '\\n');\n }\n tokenize() {\n while (this._cursor.peek() !== $EOF) {\n const start = this._cursor.clone();\n try {\n if (this._attemptCharCode($LT)) {\n if (this._attemptCharCode($BANG)) {\n if (this._attemptCharCode($LBRACKET)) {\n this._consumeCdata(start);\n } else if (this._attemptCharCode($MINUS)) {\n this._consumeComment(start);\n } else {\n this._consumeDocType(start);\n }\n } else if (this._attemptCharCode($SLASH)) {\n this._consumeTagClose(start);\n } else {\n this._consumeTagOpen(start);\n }\n } else if (this._tokenizeBlocks && this._attemptStr('{#')) {\n this._consumeBlockGroupOpen(start);\n } else if (this._tokenizeBlocks && this._attemptStr('{/')) {\n this._consumeBlockGroupClose(start);\n } else if (this._tokenizeBlocks && this._attemptStr('{:')) {\n this._consumeBlock(start);\n } else if (!(this._tokenizeIcu && this._tokenizeExpansionForm())) {\n // In (possibly interpolated) text the end of the text is given by `isTextEnd()`, while\n // the premature end of an interpolation is given by the start of a new HTML element.\n this._consumeWithInterpolation(5 /* TokenType.TEXT */, 8 /* TokenType.INTERPOLATION */, () => this._isTextEnd(), () => this._isTagStart());\n }\n } catch (e) {\n this.handleError(e);\n }\n }\n this._beginToken(24 /* TokenType.EOF */);\n this._endToken([]);\n }\n _consumeBlockGroupOpen(start) {\n this._beginToken(25 /* TokenType.BLOCK_GROUP_OPEN_START */, start);\n const nameCursor = this._cursor.clone();\n this._attemptCharCodeUntilFn(code => !isBlockNameChar(code));\n this._endToken([this._cursor.getChars(nameCursor)]);\n this._consumeBlockParameters();\n this._beginToken(26 /* TokenType.BLOCK_GROUP_OPEN_END */);\n this._requireCharCode($RBRACE);\n this._endToken([]);\n }\n _consumeBlockGroupClose(start) {\n this._beginToken(27 /* TokenType.BLOCK_GROUP_CLOSE */, start);\n const nameCursor = this._cursor.clone();\n this._attemptCharCodeUntilFn(code => !isBlockNameChar(code));\n const name = this._cursor.getChars(nameCursor);\n this._requireCharCode($RBRACE);\n this._endToken([name]);\n }\n _consumeBlock(start) {\n this._beginToken(29 /* TokenType.BLOCK_OPEN_START */, start);\n const nameCursor = this._cursor.clone();\n this._attemptCharCodeUntilFn(code => !isBlockNameChar(code));\n this._endToken([this._cursor.getChars(nameCursor)]);\n this._consumeBlockParameters();\n this._beginToken(30 /* TokenType.BLOCK_OPEN_END */);\n this._requireCharCode($RBRACE);\n this._endToken([]);\n }\n _consumeBlockParameters() {\n // Trim the whitespace until the first parameter.\n this._attemptCharCodeUntilFn(isBlockParameterChar);\n while (this._cursor.peek() !== $RBRACE && this._cursor.peek() !== $EOF) {\n this._beginToken(28 /* TokenType.BLOCK_PARAMETER */);\n const start = this._cursor.clone();\n let inQuote = null;\n let openBraces = 0;\n // Consume the parameter until the next semicolon or brace.\n // Note that we skip over semicolons/braces inside of strings.\n while (this._cursor.peek() !== $SEMICOLON && this._cursor.peek() !== $EOF || inQuote !== null) {\n const char = this._cursor.peek();\n // Skip to the next character if it was escaped.\n if (char === $BACKSLASH) {\n this._cursor.advance();\n } else if (char === inQuote) {\n inQuote = null;\n } else if (inQuote === null && isQuote(char)) {\n inQuote = char;\n } else if (char === $LBRACE && inQuote === null) {\n openBraces++;\n } else if (char === $RBRACE && inQuote === null) {\n if (openBraces === 0) {\n break;\n } else if (openBraces > 0) {\n openBraces--;\n }\n }\n this._cursor.advance();\n }\n this._endToken([this._cursor.getChars(start)]);\n // Skip to the next parameter.\n this._attemptCharCodeUntilFn(isBlockParameterChar);\n }\n }\n /**\n * @returns whether an ICU token has been created\n * @internal\n */\n _tokenizeExpansionForm() {\n if (this.isExpansionFormStart()) {\n this._consumeExpansionFormStart();\n return true;\n }\n if (isExpansionCaseStart(this._cursor.peek()) && this._isInExpansionForm()) {\n this._consumeExpansionCaseStart();\n return true;\n }\n if (this._cursor.peek() === $RBRACE) {\n if (this._isInExpansionCase()) {\n this._consumeExpansionCaseEnd();\n return true;\n }\n if (this._isInExpansionForm()) {\n this._consumeExpansionFormEnd();\n return true;\n }\n }\n return false;\n }\n _beginToken(type, start = this._cursor.clone()) {\n this._currentTokenStart = start;\n this._currentTokenType = type;\n }\n _endToken(parts, end) {\n if (this._currentTokenStart === null) {\n throw new TokenError('Programming error - attempted to end a token when there was no start to the token', this._currentTokenType, this._cursor.getSpan(end));\n }\n if (this._currentTokenType === null) {\n throw new TokenError('Programming error - attempted to end a token which has no token type', null, this._cursor.getSpan(this._currentTokenStart));\n }\n const token = {\n type: this._currentTokenType,\n parts,\n sourceSpan: (end ?? this._cursor).getSpan(this._currentTokenStart, this._leadingTriviaCodePoints)\n };\n this.tokens.push(token);\n this._currentTokenStart = null;\n this._currentTokenType = null;\n return token;\n }\n _createError(msg, span) {\n if (this._isInExpansionForm()) {\n msg += ` (Do you have an unescaped \"{\" in your template? Use \"{{ '{' }}\") to escape it.)`;\n }\n const error = new TokenError(msg, this._currentTokenType, span);\n this._currentTokenStart = null;\n this._currentTokenType = null;\n return new _ControlFlowError(error);\n }\n handleError(e) {\n if (e instanceof CursorError) {\n e = this._createError(e.msg, this._cursor.getSpan(e.cursor));\n }\n if (e instanceof _ControlFlowError) {\n this.errors.push(e.error);\n } else {\n throw e;\n }\n }\n _attemptCharCode(charCode) {\n if (this._cursor.peek() === charCode) {\n this._cursor.advance();\n return true;\n }\n return false;\n }\n _attemptCharCodeCaseInsensitive(charCode) {\n if (compareCharCodeCaseInsensitive(this._cursor.peek(), charCode)) {\n this._cursor.advance();\n return true;\n }\n return false;\n }\n _requireCharCode(charCode) {\n const location = this._cursor.clone();\n if (!this._attemptCharCode(charCode)) {\n throw this._createError(_unexpectedCharacterErrorMsg(this._cursor.peek()), this._cursor.getSpan(location));\n }\n }\n _attemptStr(chars) {\n const len = chars.length;\n if (this._cursor.charsLeft() < len) {\n return false;\n }\n const initialPosition = this._cursor.clone();\n for (let i = 0; i < len; i++) {\n if (!this._attemptCharCode(chars.charCodeAt(i))) {\n // If attempting to parse the string fails, we want to reset the parser\n // to where it was before the attempt\n this._cursor = initialPosition;\n return false;\n }\n }\n return true;\n }\n _attemptStrCaseInsensitive(chars) {\n for (let i = 0; i < chars.length; i++) {\n if (!this._attemptCharCodeCaseInsensitive(chars.charCodeAt(i))) {\n return false;\n }\n }\n return true;\n }\n _requireStr(chars) {\n const location = this._cursor.clone();\n if (!this._attemptStr(chars)) {\n throw this._createError(_unexpectedCharacterErrorMsg(this._cursor.peek()), this._cursor.getSpan(location));\n }\n }\n _attemptCharCodeUntilFn(predicate) {\n while (!predicate(this._cursor.peek())) {\n this._cursor.advance();\n }\n }\n _requireCharCodeUntilFn(predicate, len) {\n const start = this._cursor.clone();\n this._attemptCharCodeUntilFn(predicate);\n if (this._cursor.diff(start) < len) {\n throw this._createError(_unexpectedCharacterErrorMsg(this._cursor.peek()), this._cursor.getSpan(start));\n }\n }\n _attemptUntilChar(char) {\n while (this._cursor.peek() !== char) {\n this._cursor.advance();\n }\n }\n _readChar() {\n // Don't rely upon reading directly from `_input` as the actual char value\n // may have been generated from an escape sequence.\n const char = String.fromCodePoint(this._cursor.peek());\n this._cursor.advance();\n return char;\n }\n _consumeEntity(textTokenType) {\n this._beginToken(9 /* TokenType.ENCODED_ENTITY */);\n const start = this._cursor.clone();\n this._cursor.advance();\n if (this._attemptCharCode($HASH)) {\n const isHex = this._attemptCharCode($x) || this._attemptCharCode($X);\n const codeStart = this._cursor.clone();\n this._attemptCharCodeUntilFn(isDigitEntityEnd);\n if (this._cursor.peek() != $SEMICOLON) {\n // Advance cursor to include the peeked character in the string provided to the error\n // message.\n this._cursor.advance();\n const entityType = isHex ? CharacterReferenceType.HEX : CharacterReferenceType.DEC;\n throw this._createError(_unparsableEntityErrorMsg(entityType, this._cursor.getChars(start)), this._cursor.getSpan());\n }\n const strNum = this._cursor.getChars(codeStart);\n this._cursor.advance();\n try {\n const charCode = parseInt(strNum, isHex ? 16 : 10);\n this._endToken([String.fromCharCode(charCode), this._cursor.getChars(start)]);\n } catch {\n throw this._createError(_unknownEntityErrorMsg(this._cursor.getChars(start)), this._cursor.getSpan());\n }\n } else {\n const nameStart = this._cursor.clone();\n this._attemptCharCodeUntilFn(isNamedEntityEnd);\n if (this._cursor.peek() != $SEMICOLON) {\n // No semicolon was found so abort the encoded entity token that was in progress, and treat\n // this as a text token\n this._beginToken(textTokenType, start);\n this._cursor = nameStart;\n this._endToken(['&']);\n } else {\n const name = this._cursor.getChars(nameStart);\n this._cursor.advance();\n const char = NAMED_ENTITIES[name];\n if (!char) {\n throw this._createError(_unknownEntityErrorMsg(name), this._cursor.getSpan(start));\n }\n this._endToken([char, `&${name};`]);\n }\n }\n }\n _consumeRawText(consumeEntities, endMarkerPredicate) {\n this._beginToken(consumeEntities ? 6 /* TokenType.ESCAPABLE_RAW_TEXT */ : 7 /* TokenType.RAW_TEXT */);\n const parts = [];\n while (true) {\n const tagCloseStart = this._cursor.clone();\n const foundEndMarker = endMarkerPredicate();\n this._cursor = tagCloseStart;\n if (foundEndMarker) {\n break;\n }\n if (consumeEntities && this._cursor.peek() === $AMPERSAND) {\n this._endToken([this._processCarriageReturns(parts.join(''))]);\n parts.length = 0;\n this._consumeEntity(6 /* TokenType.ESCAPABLE_RAW_TEXT */);\n this._beginToken(6 /* TokenType.ESCAPABLE_RAW_TEXT */);\n } else {\n parts.push(this._readChar());\n }\n }\n this._endToken([this._processCarriageReturns(parts.join(''))]);\n }\n _consumeComment(start) {\n this._beginToken(10 /* TokenType.COMMENT_START */, start);\n this._requireCharCode($MINUS);\n this._endToken([]);\n this._consumeRawText(false, () => this._attemptStr('-->'));\n this._beginToken(11 /* TokenType.COMMENT_END */);\n this._requireStr('-->');\n this._endToken([]);\n }\n _consumeCdata(start) {\n this._beginToken(12 /* TokenType.CDATA_START */, start);\n this._requireStr('CDATA[');\n this._endToken([]);\n this._consumeRawText(false, () => this._attemptStr(']]>'));\n this._beginToken(13 /* TokenType.CDATA_END */);\n this._requireStr(']]>');\n this._endToken([]);\n }\n _consumeDocType(start) {\n this._beginToken(18 /* TokenType.DOC_TYPE */, start);\n const contentStart = this._cursor.clone();\n this._attemptUntilChar($GT);\n const content = this._cursor.getChars(contentStart);\n this._cursor.advance();\n this._endToken([content]);\n }\n _consumePrefixAndName() {\n const nameOrPrefixStart = this._cursor.clone();\n let prefix = '';\n while (this._cursor.peek() !== $COLON && !isPrefixEnd(this._cursor.peek())) {\n this._cursor.advance();\n }\n let nameStart;\n if (this._cursor.peek() === $COLON) {\n prefix = this._cursor.getChars(nameOrPrefixStart);\n this._cursor.advance();\n nameStart = this._cursor.clone();\n } else {\n nameStart = nameOrPrefixStart;\n }\n this._requireCharCodeUntilFn(isNameEnd, prefix === '' ? 0 : 1);\n const name = this._cursor.getChars(nameStart);\n return [prefix, name];\n }\n _consumeTagOpen(start) {\n let tagName;\n let prefix;\n let openTagToken;\n try {\n if (!isAsciiLetter(this._cursor.peek())) {\n throw this._createError(_unexpectedCharacterErrorMsg(this._cursor.peek()), this._cursor.getSpan(start));\n }\n openTagToken = this._consumeTagOpenStart(start);\n prefix = openTagToken.parts[0];\n tagName = openTagToken.parts[1];\n this._attemptCharCodeUntilFn(isNotWhitespace);\n while (this._cursor.peek() !== $SLASH && this._cursor.peek() !== $GT && this._cursor.peek() !== $LT && this._cursor.peek() !== $EOF) {\n this._consumeAttributeName();\n this._attemptCharCodeUntilFn(isNotWhitespace);\n if (this._attemptCharCode($EQ)) {\n this._attemptCharCodeUntilFn(isNotWhitespace);\n this._consumeAttributeValue();\n }\n this._attemptCharCodeUntilFn(isNotWhitespace);\n }\n this._consumeTagOpenEnd();\n } catch (e) {\n if (e instanceof _ControlFlowError) {\n if (openTagToken) {\n // We errored before we could close the opening tag, so it is incomplete.\n openTagToken.type = 4 /* TokenType.INCOMPLETE_TAG_OPEN */;\n } else {\n // When the start tag is invalid, assume we want a \"<\" as text.\n // Back to back text tokens are merged at the end.\n this._beginToken(5 /* TokenType.TEXT */, start);\n this._endToken(['<']);\n }\n return;\n }\n throw e;\n }\n const contentTokenType = this._getTagDefinition(tagName).getContentType(prefix);\n if (contentTokenType === TagContentType.RAW_TEXT) {\n this._consumeRawTextWithTagClose(prefix, tagName, false);\n } else if (contentTokenType === TagContentType.ESCAPABLE_RAW_TEXT) {\n this._consumeRawTextWithTagClose(prefix, tagName, true);\n }\n }\n _consumeRawTextWithTagClose(prefix, tagName, consumeEntities) {\n this._consumeRawText(consumeEntities, () => {\n if (!this._attemptCharCode($LT)) return false;\n if (!this._attemptCharCode($SLASH)) return false;\n this._attemptCharCodeUntilFn(isNotWhitespace);\n if (!this._attemptStrCaseInsensitive(tagName)) return false;\n this._attemptCharCodeUntilFn(isNotWhitespace);\n return this._attemptCharCode($GT);\n });\n this._beginToken(3 /* TokenType.TAG_CLOSE */);\n this._requireCharCodeUntilFn(code => code === $GT, 3);\n this._cursor.advance(); // Consume the `>`\n this._endToken([prefix, tagName]);\n }\n _consumeTagOpenStart(start) {\n this._beginToken(0 /* TokenType.TAG_OPEN_START */, start);\n const parts = this._consumePrefixAndName();\n return this._endToken(parts);\n }\n _consumeAttributeName() {\n const attrNameStart = this._cursor.peek();\n if (attrNameStart === $SQ || attrNameStart === $DQ) {\n throw this._createError(_unexpectedCharacterErrorMsg(attrNameStart), this._cursor.getSpan());\n }\n this._beginToken(14 /* TokenType.ATTR_NAME */);\n const prefixAndName = this._consumePrefixAndName();\n this._endToken(prefixAndName);\n }\n _consumeAttributeValue() {\n if (this._cursor.peek() === $SQ || this._cursor.peek() === $DQ) {\n const quoteChar = this._cursor.peek();\n this._consumeQuote(quoteChar);\n // In an attribute then end of the attribute value and the premature end to an interpolation\n // are both triggered by the `quoteChar`.\n const endPredicate = () => this._cursor.peek() === quoteChar;\n this._consumeWithInterpolation(16 /* TokenType.ATTR_VALUE_TEXT */, 17 /* TokenType.ATTR_VALUE_INTERPOLATION */, endPredicate, endPredicate);\n this._consumeQuote(quoteChar);\n } else {\n const endPredicate = () => isNameEnd(this._cursor.peek());\n this._consumeWithInterpolation(16 /* TokenType.ATTR_VALUE_TEXT */, 17 /* TokenType.ATTR_VALUE_INTERPOLATION */, endPredicate, endPredicate);\n }\n }\n _consumeQuote(quoteChar) {\n this._beginToken(15 /* TokenType.ATTR_QUOTE */);\n this._requireCharCode(quoteChar);\n this._endToken([String.fromCodePoint(quoteChar)]);\n }\n _consumeTagOpenEnd() {\n const tokenType = this._attemptCharCode($SLASH) ? 2 /* TokenType.TAG_OPEN_END_VOID */ : 1 /* TokenType.TAG_OPEN_END */;\n this._beginToken(tokenType);\n this._requireCharCode($GT);\n this._endToken([]);\n }\n _consumeTagClose(start) {\n this._beginToken(3 /* TokenType.TAG_CLOSE */, start);\n this._attemptCharCodeUntilFn(isNotWhitespace);\n const prefixAndName = this._consumePrefixAndName();\n this._attemptCharCodeUntilFn(isNotWhitespace);\n this._requireCharCode($GT);\n this._endToken(prefixAndName);\n }\n _consumeExpansionFormStart() {\n this._beginToken(19 /* TokenType.EXPANSION_FORM_START */);\n this._requireCharCode($LBRACE);\n this._endToken([]);\n this._expansionCaseStack.push(19 /* TokenType.EXPANSION_FORM_START */);\n this._beginToken(7 /* TokenType.RAW_TEXT */);\n const condition = this._readUntil($COMMA);\n const normalizedCondition = this._processCarriageReturns(condition);\n if (this._i18nNormalizeLineEndingsInICUs) {\n // We explicitly want to normalize line endings for this text.\n this._endToken([normalizedCondition]);\n } else {\n // We are not normalizing line endings.\n const conditionToken = this._endToken([condition]);\n if (normalizedCondition !== condition) {\n this.nonNormalizedIcuExpressions.push(conditionToken);\n }\n }\n this._requireCharCode($COMMA);\n this._attemptCharCodeUntilFn(isNotWhitespace);\n this._beginToken(7 /* TokenType.RAW_TEXT */);\n const type = this._readUntil($COMMA);\n this._endToken([type]);\n this._requireCharCode($COMMA);\n this._attemptCharCodeUntilFn(isNotWhitespace);\n }\n _consumeExpansionCaseStart() {\n this._beginToken(20 /* TokenType.EXPANSION_CASE_VALUE */);\n const value = this._readUntil($LBRACE).trim();\n this._endToken([value]);\n this._attemptCharCodeUntilFn(isNotWhitespace);\n this._beginToken(21 /* TokenType.EXPANSION_CASE_EXP_START */);\n this._requireCharCode($LBRACE);\n this._endToken([]);\n this._attemptCharCodeUntilFn(isNotWhitespace);\n this._expansionCaseStack.push(21 /* TokenType.EXPANSION_CASE_EXP_START */);\n }\n _consumeExpansionCaseEnd() {\n this._beginToken(22 /* TokenType.EXPANSION_CASE_EXP_END */);\n this._requireCharCode($RBRACE);\n this._endToken([]);\n this._attemptCharCodeUntilFn(isNotWhitespace);\n this._expansionCaseStack.pop();\n }\n _consumeExpansionFormEnd() {\n this._beginToken(23 /* TokenType.EXPANSION_FORM_END */);\n this._requireCharCode($RBRACE);\n this._endToken([]);\n this._expansionCaseStack.pop();\n }\n /**\n * Consume a string that may contain interpolation expressions.\n *\n * The first token consumed will be of `tokenType` and then there will be alternating\n * `interpolationTokenType` and `tokenType` tokens until the `endPredicate()` returns true.\n *\n * If an interpolation token ends prematurely it will have no end marker in its `parts` array.\n *\n * @param textTokenType the kind of tokens to interleave around interpolation tokens.\n * @param interpolationTokenType the kind of tokens that contain interpolation.\n * @param endPredicate a function that should return true when we should stop consuming.\n * @param endInterpolation a function that should return true if there is a premature end to an\n * interpolation expression - i.e. before we get to the normal interpolation closing marker.\n */\n _consumeWithInterpolation(textTokenType, interpolationTokenType, endPredicate, endInterpolation) {\n this._beginToken(textTokenType);\n const parts = [];\n while (!endPredicate()) {\n const current = this._cursor.clone();\n if (this._interpolationConfig && this._attemptStr(this._interpolationConfig.start)) {\n this._endToken([this._processCarriageReturns(parts.join(''))], current);\n parts.length = 0;\n this._consumeInterpolation(interpolationTokenType, current, endInterpolation);\n this._beginToken(textTokenType);\n } else if (this._cursor.peek() === $AMPERSAND) {\n this._endToken([this._processCarriageReturns(parts.join(''))]);\n parts.length = 0;\n this._consumeEntity(textTokenType);\n this._beginToken(textTokenType);\n } else {\n parts.push(this._readChar());\n }\n }\n // It is possible that an interpolation was started but not ended inside this text token.\n // Make sure that we reset the state of the lexer correctly.\n this._inInterpolation = false;\n this._endToken([this._processCarriageReturns(parts.join(''))]);\n }\n /**\n * Consume a block of text that has been interpreted as an Angular interpolation.\n *\n * @param interpolationTokenType the type of the interpolation token to generate.\n * @param interpolationStart a cursor that points to the start of this interpolation.\n * @param prematureEndPredicate a function that should return true if the next characters indicate\n * an end to the interpolation before its normal closing marker.\n */\n _consumeInterpolation(interpolationTokenType, interpolationStart, prematureEndPredicate) {\n const parts = [];\n this._beginToken(interpolationTokenType, interpolationStart);\n parts.push(this._interpolationConfig.start);\n // Find the end of the interpolation, ignoring content inside quotes.\n const expressionStart = this._cursor.clone();\n let inQuote = null;\n let inComment = false;\n while (this._cursor.peek() !== $EOF && (prematureEndPredicate === null || !prematureEndPredicate())) {\n const current = this._cursor.clone();\n if (this._isTagStart()) {\n // We are starting what looks like an HTML element in the middle of this interpolation.\n // Reset the cursor to before the `<` character and end the interpolation token.\n // (This is actually wrong but here for backward compatibility).\n this._cursor = current;\n parts.push(this._getProcessedChars(expressionStart, current));\n this._endToken(parts);\n return;\n }\n if (inQuote === null) {\n if (this._attemptStr(this._interpolationConfig.end)) {\n // We are not in a string, and we hit the end interpolation marker\n parts.push(this._getProcessedChars(expressionStart, current));\n parts.push(this._interpolationConfig.end);\n this._endToken(parts);\n return;\n } else if (this._attemptStr('//')) {\n // Once we are in a comment we ignore any quotes\n inComment = true;\n }\n }\n const char = this._cursor.peek();\n this._cursor.advance();\n if (char === $BACKSLASH) {\n // Skip the next character because it was escaped.\n this._cursor.advance();\n } else if (char === inQuote) {\n // Exiting the current quoted string\n inQuote = null;\n } else if (!inComment && inQuote === null && isQuote(char)) {\n // Entering a new quoted string\n inQuote = char;\n }\n }\n // We hit EOF without finding a closing interpolation marker\n parts.push(this._getProcessedChars(expressionStart, this._cursor));\n this._endToken(parts);\n }\n _getProcessedChars(start, end) {\n return this._processCarriageReturns(end.getChars(start));\n }\n _isTextEnd() {\n if (this._isTagStart() || this._isBlockStart() || this._cursor.peek() === $EOF) {\n return true;\n }\n if (this._tokenizeIcu && !this._inInterpolation) {\n if (this.isExpansionFormStart()) {\n // start of an expansion form\n return true;\n }\n if (this._cursor.peek() === $RBRACE && this._isInExpansionCase()) {\n // end of and expansion case\n return true;\n }\n }\n return false;\n }\n /**\n * Returns true if the current cursor is pointing to the start of a tag\n * (opening/closing/comments/cdata/etc).\n */\n _isTagStart() {\n if (this._cursor.peek() === $LT) {\n // We assume that `<` followed by whitespace is not the start of an HTML element.\n const tmp = this._cursor.clone();\n tmp.advance();\n // If the next character is alphabetic, ! nor / then it is a tag start\n const code = tmp.peek();\n if ($a <= code && code <= $z || $A <= code && code <= $Z || code === $SLASH || code === $BANG) {\n return true;\n }\n }\n return false;\n }\n _isBlockStart() {\n if (this._tokenizeBlocks && this._cursor.peek() === $LBRACE) {\n const tmp = this._cursor.clone();\n // Check that the cursor is on a `{#`, `{/` or `{:`.\n tmp.advance();\n const next = tmp.peek();\n if (next !== $BANG && next !== $SLASH && next !== $COLON) {\n return false;\n }\n // If it is, also verify that the next character is a valid block identifier.\n tmp.advance();\n if (isBlockNameChar(tmp.peek())) {\n return true;\n }\n }\n return false;\n }\n _readUntil(char) {\n const start = this._cursor.clone();\n this._attemptUntilChar(char);\n return this._cursor.getChars(start);\n }\n _isInExpansionCase() {\n return this._expansionCaseStack.length > 0 && this._expansionCaseStack[this._expansionCaseStack.length - 1] === 21 /* TokenType.EXPANSION_CASE_EXP_START */;\n }\n _isInExpansionForm() {\n return this._expansionCaseStack.length > 0 && this._expansionCaseStack[this._expansionCaseStack.length - 1] === 19 /* TokenType.EXPANSION_FORM_START */;\n }\n isExpansionFormStart() {\n if (this._cursor.peek() !== $LBRACE) {\n return false;\n }\n if (this._interpolationConfig) {\n const start = this._cursor.clone();\n const isInterpolation = this._attemptStr(this._interpolationConfig.start);\n this._cursor = start;\n return !isInterpolation;\n }\n return true;\n }\n}\nfunction isNotWhitespace(code) {\n return !isWhitespace(code) || code === $EOF;\n}\nfunction isNameEnd(code) {\n return isWhitespace(code) || code === $GT || code === $LT || code === $SLASH || code === $SQ || code === $DQ || code === $EQ || code === $EOF;\n}\nfunction isPrefixEnd(code) {\n return (code < $a || $z < code) && (code < $A || $Z < code) && (code < $0 || code > $9);\n}\nfunction isDigitEntityEnd(code) {\n return code === $SEMICOLON || code === $EOF || !isAsciiHexDigit(code);\n}\nfunction isNamedEntityEnd(code) {\n return code === $SEMICOLON || code === $EOF || !isAsciiLetter(code);\n}\nfunction isExpansionCaseStart(peek) {\n return peek !== $RBRACE;\n}\nfunction compareCharCodeCaseInsensitive(code1, code2) {\n return toUpperCaseCharCode(code1) === toUpperCaseCharCode(code2);\n}\nfunction toUpperCaseCharCode(code) {\n return code >= $a && code <= $z ? code - $a + $A : code;\n}\nfunction isBlockNameChar(code) {\n return isAsciiLetter(code) || isDigit(code) || code === $_;\n}\nfunction isBlockParameterChar(code) {\n return code !== $SEMICOLON && isNotWhitespace(code);\n}\nfunction mergeTextTokens(srcTokens) {\n const dstTokens = [];\n let lastDstToken = undefined;\n for (let i = 0; i < srcTokens.length; i++) {\n const token = srcTokens[i];\n if (lastDstToken && lastDstToken.type === 5 /* TokenType.TEXT */ && token.type === 5 /* TokenType.TEXT */ || lastDstToken && lastDstToken.type === 16 /* TokenType.ATTR_VALUE_TEXT */ && token.type === 16 /* TokenType.ATTR_VALUE_TEXT */) {\n lastDstToken.parts[0] += token.parts[0];\n lastDstToken.sourceSpan.end = token.sourceSpan.end;\n } else {\n lastDstToken = token;\n dstTokens.push(lastDstToken);\n }\n }\n return dstTokens;\n}\nclass PlainCharacterCursor {\n constructor(fileOrCursor, range) {\n if (fileOrCursor instanceof PlainCharacterCursor) {\n this.file = fileOrCursor.file;\n this.input = fileOrCursor.input;\n this.end = fileOrCursor.end;\n const state = fileOrCursor.state;\n // Note: avoid using `{...fileOrCursor.state}` here as that has a severe performance penalty.\n // In ES5 bundles the object spread operator is translated into the `__assign` helper, which\n // is not optimized by VMs as efficiently as a raw object literal. Since this constructor is\n // called in tight loops, this difference matters.\n this.state = {\n peek: state.peek,\n offset: state.offset,\n line: state.line,\n column: state.column\n };\n } else {\n if (!range) {\n throw new Error('Programming error: the range argument must be provided with a file argument.');\n }\n this.file = fileOrCursor;\n this.input = fileOrCursor.content;\n this.end = range.endPos;\n this.state = {\n peek: -1,\n offset: range.startPos,\n line: range.startLine,\n column: range.startCol\n };\n }\n }\n clone() {\n return new PlainCharacterCursor(this);\n }\n peek() {\n return this.state.peek;\n }\n charsLeft() {\n return this.end - this.state.offset;\n }\n diff(other) {\n return this.state.offset - other.state.offset;\n }\n advance() {\n this.advanceState(this.state);\n }\n init() {\n this.updatePeek(this.state);\n }\n getSpan(start, leadingTriviaCodePoints) {\n start = start || this;\n let fullStart = start;\n if (leadingTriviaCodePoints) {\n while (this.diff(start) > 0 && leadingTriviaCodePoints.indexOf(start.peek()) !== -1) {\n if (fullStart === start) {\n start = start.clone();\n }\n start.advance();\n }\n }\n const startLocation = this.locationFromCursor(start);\n const endLocation = this.locationFromCursor(this);\n const fullStartLocation = fullStart !== start ? this.locationFromCursor(fullStart) : startLocation;\n return new ParseSourceSpan(startLocation, endLocation, fullStartLocation);\n }\n getChars(start) {\n return this.input.substring(start.state.offset, this.state.offset);\n }\n charAt(pos) {\n return this.input.charCodeAt(pos);\n }\n advanceState(state) {\n if (state.offset >= this.end) {\n this.state = state;\n throw new CursorError('Unexpected character \"EOF\"', this);\n }\n const currentChar = this.charAt(state.offset);\n if (currentChar === $LF) {\n state.line++;\n state.column = 0;\n } else if (!isNewLine(currentChar)) {\n state.column++;\n }\n state.offset++;\n this.updatePeek(state);\n }\n updatePeek(state) {\n state.peek = state.offset >= this.end ? $EOF : this.charAt(state.offset);\n }\n locationFromCursor(cursor) {\n return new ParseLocation(cursor.file, cursor.state.offset, cursor.state.line, cursor.state.column);\n }\n}\nclass EscapedCharacterCursor extends PlainCharacterCursor {\n constructor(fileOrCursor, range) {\n if (fileOrCursor instanceof EscapedCharacterCursor) {\n super(fileOrCursor);\n this.internalState = {\n ...fileOrCursor.internalState\n };\n } else {\n super(fileOrCursor, range);\n this.internalState = this.state;\n }\n }\n advance() {\n this.state = this.internalState;\n super.advance();\n this.processEscapeSequence();\n }\n init() {\n super.init();\n this.processEscapeSequence();\n }\n clone() {\n return new EscapedCharacterCursor(this);\n }\n getChars(start) {\n const cursor = start.clone();\n let chars = '';\n while (cursor.internalState.offset < this.internalState.offset) {\n chars += String.fromCodePoint(cursor.peek());\n cursor.advance();\n }\n return chars;\n }\n /**\n * Process the escape sequence that starts at the current position in the text.\n *\n * This method is called to ensure that `peek` has the unescaped value of escape sequences.\n */\n processEscapeSequence() {\n const peek = () => this.internalState.peek;\n if (peek() === $BACKSLASH) {\n // We have hit an escape sequence so we need the internal state to become independent\n // of the external state.\n this.internalState = {\n ...this.state\n };\n // Move past the backslash\n this.advanceState(this.internalState);\n // First check for standard control char sequences\n if (peek() === $n) {\n this.state.peek = $LF;\n } else if (peek() === $r) {\n this.state.peek = $CR;\n } else if (peek() === $v) {\n this.state.peek = $VTAB;\n } else if (peek() === $t) {\n this.state.peek = $TAB;\n } else if (peek() === $b) {\n this.state.peek = $BSPACE;\n } else if (peek() === $f) {\n this.state.peek = $FF;\n }\n // Now consider more complex sequences\n else if (peek() === $u) {\n // Unicode code-point sequence\n this.advanceState(this.internalState); // advance past the `u` char\n if (peek() === $LBRACE) {\n // Variable length Unicode, e.g. `\\x{123}`\n this.advanceState(this.internalState); // advance past the `{` char\n // Advance past the variable number of hex digits until we hit a `}` char\n const digitStart = this.clone();\n let length = 0;\n while (peek() !== $RBRACE) {\n this.advanceState(this.internalState);\n length++;\n }\n this.state.peek = this.decodeHexDigits(digitStart, length);\n } else {\n // Fixed length Unicode, e.g. `\\u1234`\n const digitStart = this.clone();\n this.advanceState(this.internalState);\n this.advanceState(this.internalState);\n this.advanceState(this.internalState);\n this.state.peek = this.decodeHexDigits(digitStart, 4);\n }\n } else if (peek() === $x) {\n // Hex char code, e.g. `\\x2F`\n this.advanceState(this.internalState); // advance past the `x` char\n const digitStart = this.clone();\n this.advanceState(this.internalState);\n this.state.peek = this.decodeHexDigits(digitStart, 2);\n } else if (isOctalDigit(peek())) {\n // Octal char code, e.g. `\\012`,\n let octal = '';\n let length = 0;\n let previous = this.clone();\n while (isOctalDigit(peek()) && length < 3) {\n previous = this.clone();\n octal += String.fromCodePoint(peek());\n this.advanceState(this.internalState);\n length++;\n }\n this.state.peek = parseInt(octal, 8);\n // Backup one char\n this.internalState = previous.internalState;\n } else if (isNewLine(this.internalState.peek)) {\n // Line continuation `\\` followed by a new line\n this.advanceState(this.internalState); // advance over the newline\n this.state = this.internalState;\n } else {\n // If none of the `if` blocks were executed then we just have an escaped normal character.\n // In that case we just, effectively, skip the backslash from the character.\n this.state.peek = this.internalState.peek;\n }\n }\n }\n decodeHexDigits(start, length) {\n const hex = this.input.slice(start.internalState.offset, start.internalState.offset + length);\n const charCode = parseInt(hex, 16);\n if (!isNaN(charCode)) {\n return charCode;\n } else {\n start.state = start.internalState;\n throw new CursorError('Invalid hexadecimal escape sequence', start);\n }\n }\n}\nclass CursorError {\n constructor(msg, cursor) {\n this.msg = msg;\n this.cursor = cursor;\n }\n}\nclass TreeError extends ParseError {\n static create(elementName, span, msg) {\n return new TreeError(elementName, span, msg);\n }\n constructor(elementName, span, msg) {\n super(span, msg);\n this.elementName = elementName;\n }\n}\nclass ParseTreeResult {\n constructor(rootNodes, errors) {\n this.rootNodes = rootNodes;\n this.errors = errors;\n }\n}\nclass Parser {\n constructor(getTagDefinition) {\n this.getTagDefinition = getTagDefinition;\n }\n parse(source, url, options) {\n const tokenizeResult = tokenize(source, url, this.getTagDefinition, options);\n const parser = new _TreeBuilder(tokenizeResult.tokens, this.getTagDefinition);\n parser.build();\n return new ParseTreeResult(parser.rootNodes, tokenizeResult.errors.concat(parser.errors));\n }\n}\nclass _TreeBuilder {\n constructor(tokens, getTagDefinition) {\n this.tokens = tokens;\n this.getTagDefinition = getTagDefinition;\n this._index = -1;\n this._containerStack = [];\n this.rootNodes = [];\n this.errors = [];\n this._advance();\n }\n build() {\n while (this._peek.type !== 24 /* TokenType.EOF */) {\n if (this._peek.type === 0 /* TokenType.TAG_OPEN_START */ || this._peek.type === 4 /* TokenType.INCOMPLETE_TAG_OPEN */) {\n this._consumeStartTag(this._advance());\n } else if (this._peek.type === 3 /* TokenType.TAG_CLOSE */) {\n this._consumeEndTag(this._advance());\n } else if (this._peek.type === 12 /* TokenType.CDATA_START */) {\n this._closeVoidElement();\n this._consumeCdata(this._advance());\n } else if (this._peek.type === 10 /* TokenType.COMMENT_START */) {\n this._closeVoidElement();\n this._consumeComment(this._advance());\n } else if (this._peek.type === 5 /* TokenType.TEXT */ || this._peek.type === 7 /* TokenType.RAW_TEXT */ || this._peek.type === 6 /* TokenType.ESCAPABLE_RAW_TEXT */) {\n this._closeVoidElement();\n this._consumeText(this._advance());\n } else if (this._peek.type === 19 /* TokenType.EXPANSION_FORM_START */) {\n this._consumeExpansion(this._advance());\n } else if (this._peek.type === 25 /* TokenType.BLOCK_GROUP_OPEN_START */) {\n this._closeVoidElement();\n this._consumeBlockGroupOpen(this._advance());\n } else if (this._peek.type === 29 /* TokenType.BLOCK_OPEN_START */) {\n this._closeVoidElement();\n this._consumeBlock(this._advance(), 30 /* TokenType.BLOCK_OPEN_END */);\n } else if (this._peek.type === 27 /* TokenType.BLOCK_GROUP_CLOSE */) {\n this._closeVoidElement();\n this._consumeBlockGroupClose(this._advance());\n } else {\n // Skip all other tokens...\n this._advance();\n }\n }\n }\n _advance() {\n const prev = this._peek;\n if (this._index < this.tokens.length - 1) {\n // Note: there is always an EOF token at the end\n this._index++;\n }\n this._peek = this.tokens[this._index];\n return prev;\n }\n _advanceIf(type) {\n if (this._peek.type === type) {\n return this._advance();\n }\n return null;\n }\n _consumeCdata(_startToken) {\n this._consumeText(this._advance());\n this._advanceIf(13 /* TokenType.CDATA_END */);\n }\n _consumeComment(token) {\n const text = this._advanceIf(7 /* TokenType.RAW_TEXT */);\n const endToken = this._advanceIf(11 /* TokenType.COMMENT_END */);\n const value = text != null ? text.parts[0].trim() : null;\n const sourceSpan = endToken == null ? token.sourceSpan : new ParseSourceSpan(token.sourceSpan.start, endToken.sourceSpan.end, token.sourceSpan.fullStart);\n this._addToParent(new Comment(value, sourceSpan));\n }\n _consumeExpansion(token) {\n const switchValue = this._advance();\n const type = this._advance();\n const cases = [];\n // read =\n while (this._peek.type === 20 /* TokenType.EXPANSION_CASE_VALUE */) {\n const expCase = this._parseExpansionCase();\n if (!expCase) return; // error\n cases.push(expCase);\n }\n // read the final }\n if (this._peek.type !== 23 /* TokenType.EXPANSION_FORM_END */) {\n this.errors.push(TreeError.create(null, this._peek.sourceSpan, `Invalid ICU message. Missing '}'.`));\n return;\n }\n const sourceSpan = new ParseSourceSpan(token.sourceSpan.start, this._peek.sourceSpan.end, token.sourceSpan.fullStart);\n this._addToParent(new Expansion(switchValue.parts[0], type.parts[0], cases, sourceSpan, switchValue.sourceSpan));\n this._advance();\n }\n _parseExpansionCase() {\n const value = this._advance();\n // read {\n if (this._peek.type !== 21 /* TokenType.EXPANSION_CASE_EXP_START */) {\n this.errors.push(TreeError.create(null, this._peek.sourceSpan, `Invalid ICU message. Missing '{'.`));\n return null;\n }\n // read until }\n const start = this._advance();\n const exp = this._collectExpansionExpTokens(start);\n if (!exp) return null;\n const end = this._advance();\n exp.push({\n type: 24 /* TokenType.EOF */,\n parts: [],\n sourceSpan: end.sourceSpan\n });\n // parse everything in between { and }\n const expansionCaseParser = new _TreeBuilder(exp, this.getTagDefinition);\n expansionCaseParser.build();\n if (expansionCaseParser.errors.length > 0) {\n this.errors = this.errors.concat(expansionCaseParser.errors);\n return null;\n }\n const sourceSpan = new ParseSourceSpan(value.sourceSpan.start, end.sourceSpan.end, value.sourceSpan.fullStart);\n const expSourceSpan = new ParseSourceSpan(start.sourceSpan.start, end.sourceSpan.end, start.sourceSpan.fullStart);\n return new ExpansionCase(value.parts[0], expansionCaseParser.rootNodes, sourceSpan, value.sourceSpan, expSourceSpan);\n }\n _collectExpansionExpTokens(start) {\n const exp = [];\n const expansionFormStack = [21 /* TokenType.EXPANSION_CASE_EXP_START */];\n while (true) {\n if (this._peek.type === 19 /* TokenType.EXPANSION_FORM_START */ || this._peek.type === 21 /* TokenType.EXPANSION_CASE_EXP_START */) {\n expansionFormStack.push(this._peek.type);\n }\n if (this._peek.type === 22 /* TokenType.EXPANSION_CASE_EXP_END */) {\n if (lastOnStack(expansionFormStack, 21 /* TokenType.EXPANSION_CASE_EXP_START */)) {\n expansionFormStack.pop();\n if (expansionFormStack.length === 0) return exp;\n } else {\n this.errors.push(TreeError.create(null, start.sourceSpan, `Invalid ICU message. Missing '}'.`));\n return null;\n }\n }\n if (this._peek.type === 23 /* TokenType.EXPANSION_FORM_END */) {\n if (lastOnStack(expansionFormStack, 19 /* TokenType.EXPANSION_FORM_START */)) {\n expansionFormStack.pop();\n } else {\n this.errors.push(TreeError.create(null, start.sourceSpan, `Invalid ICU message. Missing '}'.`));\n return null;\n }\n }\n if (this._peek.type === 24 /* TokenType.EOF */) {\n this.errors.push(TreeError.create(null, start.sourceSpan, `Invalid ICU message. Missing '}'.`));\n return null;\n }\n exp.push(this._advance());\n }\n }\n _consumeText(token) {\n const tokens = [token];\n const startSpan = token.sourceSpan;\n let text = token.parts[0];\n if (text.length > 0 && text[0] === '\\n') {\n const parent = this._getContainer();\n // This is unlikely to happen, but we have an assertion just in case.\n if (parent instanceof BlockGroup) {\n this.errors.push(TreeError.create(null, startSpan, 'Text cannot be placed directly inside of a block group.'));\n return null;\n }\n if (parent != null && parent.children.length === 0 && this.getTagDefinition(parent.name).ignoreFirstLf) {\n text = text.substring(1);\n tokens[0] = {\n type: token.type,\n sourceSpan: token.sourceSpan,\n parts: [text]\n };\n }\n }\n while (this._peek.type === 8 /* TokenType.INTERPOLATION */ || this._peek.type === 5 /* TokenType.TEXT */ || this._peek.type === 9 /* TokenType.ENCODED_ENTITY */) {\n token = this._advance();\n tokens.push(token);\n if (token.type === 8 /* TokenType.INTERPOLATION */) {\n // For backward compatibility we decode HTML entities that appear in interpolation\n // expressions. This is arguably a bug, but it could be a considerable breaking change to\n // fix it. It should be addressed in a larger project to refactor the entire parser/lexer\n // chain after View Engine has been removed.\n text += token.parts.join('').replace(/&([^;]+);/g, decodeEntity);\n } else if (token.type === 9 /* TokenType.ENCODED_ENTITY */) {\n text += token.parts[0];\n } else {\n text += token.parts.join('');\n }\n }\n if (text.length > 0) {\n const endSpan = token.sourceSpan;\n this._addToParent(new Text(text, new ParseSourceSpan(startSpan.start, endSpan.end, startSpan.fullStart, startSpan.details), tokens));\n }\n }\n _closeVoidElement() {\n const el = this._getContainer();\n if (el instanceof Element && this.getTagDefinition(el.name).isVoid) {\n this._containerStack.pop();\n }\n }\n _consumeStartTag(startTagToken) {\n const [prefix, name] = startTagToken.parts;\n const attrs = [];\n while (this._peek.type === 14 /* TokenType.ATTR_NAME */) {\n attrs.push(this._consumeAttr(this._advance()));\n }\n const fullName = this._getElementFullName(prefix, name, this._getClosestParentElement());\n let selfClosing = false;\n // Note: There could have been a tokenizer error\n // so that we don't get a token for the end tag...\n if (this._peek.type === 2 /* TokenType.TAG_OPEN_END_VOID */) {\n this._advance();\n selfClosing = true;\n const tagDef = this.getTagDefinition(fullName);\n if (!(tagDef.canSelfClose || getNsPrefix(fullName) !== null || tagDef.isVoid)) {\n this.errors.push(TreeError.create(fullName, startTagToken.sourceSpan, `Only void, custom and foreign elements can be self closed \"${startTagToken.parts[1]}\"`));\n }\n } else if (this._peek.type === 1 /* TokenType.TAG_OPEN_END */) {\n this._advance();\n selfClosing = false;\n }\n const end = this._peek.sourceSpan.fullStart;\n const span = new ParseSourceSpan(startTagToken.sourceSpan.start, end, startTagToken.sourceSpan.fullStart);\n // Create a separate `startSpan` because `span` will be modified when there is an `end` span.\n const startSpan = new ParseSourceSpan(startTagToken.sourceSpan.start, end, startTagToken.sourceSpan.fullStart);\n const el = new Element(fullName, attrs, [], span, startSpan, undefined);\n const parentEl = this._getContainer();\n this._pushContainer(el, parentEl instanceof Element && this.getTagDefinition(parentEl.name).isClosedByChild(el.name));\n if (selfClosing) {\n // Elements that are self-closed have their `endSourceSpan` set to the full span, as the\n // element start tag also represents the end tag.\n this._popContainer(fullName, Element, span);\n } else if (startTagToken.type === 4 /* TokenType.INCOMPLETE_TAG_OPEN */) {\n // We already know the opening tag is not complete, so it is unlikely it has a corresponding\n // close tag. Let's optimistically parse it as a full element and emit an error.\n this._popContainer(fullName, Element, null);\n this.errors.push(TreeError.create(fullName, span, `Opening tag \"${fullName}\" not terminated.`));\n }\n }\n _pushContainer(node, isClosedByChild) {\n if (isClosedByChild) {\n this._containerStack.pop();\n }\n this._addToParent(node);\n this._containerStack.push(node);\n }\n _consumeEndTag(endTagToken) {\n const fullName = this._getElementFullName(endTagToken.parts[0], endTagToken.parts[1], this._getClosestParentElement());\n if (this.getTagDefinition(fullName).isVoid) {\n this.errors.push(TreeError.create(fullName, endTagToken.sourceSpan, `Void elements do not have end tags \"${endTagToken.parts[1]}\"`));\n } else if (!this._popContainer(fullName, Element, endTagToken.sourceSpan)) {\n const errMsg = `Unexpected closing tag \"${fullName}\". It may happen when the tag has already been closed by another tag. For more info see https://www.w3.org/TR/html5/syntax.html#closing-elements-that-have-implied-end-tags`;\n this.errors.push(TreeError.create(fullName, endTagToken.sourceSpan, errMsg));\n }\n }\n /**\n * Closes the nearest element with the tag name `fullName` in the parse tree.\n * `endSourceSpan` is the span of the closing tag, or null if the element does\n * not have a closing tag (for example, this happens when an incomplete\n * opening tag is recovered).\n */\n _popContainer(fullName, expectedType, endSourceSpan) {\n let unexpectedCloseTagDetected = false;\n for (let stackIndex = this._containerStack.length - 1; stackIndex >= 0; stackIndex--) {\n const node = this._containerStack[stackIndex];\n const name = node instanceof BlockGroup ? node.blocks[0]?.name : node.name;\n if (name === fullName && node instanceof expectedType) {\n // Record the parse span with the element that is being closed. Any elements that are\n // removed from the element stack at this point are closed implicitly, so they won't get\n // an end source span (as there is no explicit closing element).\n node.endSourceSpan = endSourceSpan;\n node.sourceSpan.end = endSourceSpan !== null ? endSourceSpan.end : node.sourceSpan.end;\n this._containerStack.splice(stackIndex, this._containerStack.length - stackIndex);\n return !unexpectedCloseTagDetected;\n }\n // Blocks are self-closing while block groups and (most times) elements are not.\n if (node instanceof BlockGroup || node instanceof Element && !this.getTagDefinition(node.name).closedByParent) {\n // Note that we encountered an unexpected close tag but continue processing the element\n // stack so we can assign an `endSourceSpan` if there is a corresponding start tag for this\n // end tag in the stack.\n unexpectedCloseTagDetected = true;\n }\n }\n return false;\n }\n _consumeAttr(attrName) {\n const fullName = mergeNsAndName(attrName.parts[0], attrName.parts[1]);\n let attrEnd = attrName.sourceSpan.end;\n // Consume any quote\n if (this._peek.type === 15 /* TokenType.ATTR_QUOTE */) {\n this._advance();\n }\n // Consume the attribute value\n let value = '';\n const valueTokens = [];\n let valueStartSpan = undefined;\n let valueEnd = undefined;\n // NOTE: We need to use a new variable `nextTokenType` here to hide the actual type of\n // `_peek.type` from TS. Otherwise TS will narrow the type of `_peek.type` preventing it from\n // being able to consider `ATTR_VALUE_INTERPOLATION` as an option. This is because TS is not\n // able to see that `_advance()` will actually mutate `_peek`.\n const nextTokenType = this._peek.type;\n if (nextTokenType === 16 /* TokenType.ATTR_VALUE_TEXT */) {\n valueStartSpan = this._peek.sourceSpan;\n valueEnd = this._peek.sourceSpan.end;\n while (this._peek.type === 16 /* TokenType.ATTR_VALUE_TEXT */ || this._peek.type === 17 /* TokenType.ATTR_VALUE_INTERPOLATION */ || this._peek.type === 9 /* TokenType.ENCODED_ENTITY */) {\n const valueToken = this._advance();\n valueTokens.push(valueToken);\n if (valueToken.type === 17 /* TokenType.ATTR_VALUE_INTERPOLATION */) {\n // For backward compatibility we decode HTML entities that appear in interpolation\n // expressions. This is arguably a bug, but it could be a considerable breaking change to\n // fix it. It should be addressed in a larger project to refactor the entire parser/lexer\n // chain after View Engine has been removed.\n value += valueToken.parts.join('').replace(/&([^;]+);/g, decodeEntity);\n } else if (valueToken.type === 9 /* TokenType.ENCODED_ENTITY */) {\n value += valueToken.parts[0];\n } else {\n value += valueToken.parts.join('');\n }\n valueEnd = attrEnd = valueToken.sourceSpan.end;\n }\n }\n // Consume any quote\n if (this._peek.type === 15 /* TokenType.ATTR_QUOTE */) {\n const quoteToken = this._advance();\n attrEnd = quoteToken.sourceSpan.end;\n }\n const valueSpan = valueStartSpan && valueEnd && new ParseSourceSpan(valueStartSpan.start, valueEnd, valueStartSpan.fullStart);\n return new Attribute(fullName, value, new ParseSourceSpan(attrName.sourceSpan.start, attrEnd, attrName.sourceSpan.fullStart), attrName.sourceSpan, valueSpan, valueTokens.length > 0 ? valueTokens : undefined, undefined);\n }\n _consumeBlockGroupOpen(token) {\n const end = this._peek.sourceSpan.fullStart;\n const span = new ParseSourceSpan(token.sourceSpan.start, end, token.sourceSpan.fullStart);\n // Create a separate `startSpan` because `span` will be modified when there is an `end` span.\n const startSpan = new ParseSourceSpan(token.sourceSpan.start, end, token.sourceSpan.fullStart);\n const blockGroup = new BlockGroup([], span, startSpan, null);\n this._pushContainer(blockGroup, false);\n const implicitBlock = this._consumeBlock(token, 26 /* TokenType.BLOCK_GROUP_OPEN_END */);\n // Block parameters are consumed as a part of the implicit block so we need to expand the\n // start source span once the block is parsed to include the full opening tag.\n startSpan.end = implicitBlock.startSourceSpan.end;\n }\n _consumeBlock(token, closeToken) {\n // The start of a block implicitly closes the previous block.\n this._conditionallyClosePreviousBlock();\n const parameters = [];\n while (this._peek.type === 28 /* TokenType.BLOCK_PARAMETER */) {\n const paramToken = this._advance();\n parameters.push(new BlockParameter(paramToken.parts[0], paramToken.sourceSpan));\n }\n if (this._peek.type === closeToken) {\n this._advance();\n }\n const end = this._peek.sourceSpan.fullStart;\n const span = new ParseSourceSpan(token.sourceSpan.start, end, token.sourceSpan.fullStart);\n // Create a separate `startSpan` because `span` will be modified when there is an `end` span.\n const startSpan = new ParseSourceSpan(token.sourceSpan.start, end, token.sourceSpan.fullStart);\n const block = new Block(token.parts[0], parameters, [], span, startSpan);\n const parent = this._getContainer();\n if (!(parent instanceof BlockGroup)) {\n this.errors.push(TreeError.create(block.name, block.sourceSpan, 'Blocks can only be placed inside of block groups.'));\n } else {\n parent.blocks.push(block);\n this._containerStack.push(block);\n }\n return block;\n }\n _consumeBlockGroupClose(token) {\n const name = token.parts[0];\n const previousContainer = this._getContainer();\n // Blocks are implcitly closed by the block group.\n this._conditionallyClosePreviousBlock();\n if (!this._popContainer(name, BlockGroup, token.sourceSpan)) {\n const context = previousContainer instanceof Element ? `There is an unclosed \"${previousContainer.name}\" HTML tag named that may have to be closed first.` : `The block may have been closed earlier.`;\n this.errors.push(TreeError.create(name, token.sourceSpan, `Unexpected closing block \"${name}\". ${context}`));\n }\n }\n _conditionallyClosePreviousBlock() {\n const container = this._getContainer();\n if (container instanceof Block) {\n // Blocks don't have an explicit closing tag, they're closed either by the next block or\n // the end of the block group. Infer the end span from the last child node.\n const lastChild = container.children.length ? container.children[container.children.length - 1] : null;\n const endSpan = lastChild === null ? null : new ParseSourceSpan(lastChild.sourceSpan.end, lastChild.sourceSpan.end);\n this._popContainer(container.name, Block, endSpan);\n }\n }\n _getContainer() {\n return this._containerStack.length > 0 ? this._containerStack[this._containerStack.length - 1] : null;\n }\n _getClosestParentElement() {\n for (let i = this._containerStack.length - 1; i > -1; i--) {\n if (this._containerStack[i] instanceof Element) {\n return this._containerStack[i];\n }\n }\n return null;\n }\n _addToParent(node) {\n const parent = this._getContainer();\n if (parent === null) {\n this.rootNodes.push(node);\n } else if (parent instanceof BlockGroup) {\n // Due to how parsing is set up, we're unlikely to hit this code path, but we\n // have the assertion here just in case and to satisfy the type checker.\n this.errors.push(TreeError.create(null, node.sourceSpan, 'Block groups can only contain blocks.'));\n } else {\n parent.children.push(node);\n }\n }\n _getElementFullName(prefix, localName, parentElement) {\n if (prefix === '') {\n prefix = this.getTagDefinition(localName).implicitNamespacePrefix || '';\n if (prefix === '' && parentElement != null) {\n const parentTagName = splitNsName(parentElement.name)[1];\n const parentTagDefinition = this.getTagDefinition(parentTagName);\n if (!parentTagDefinition.preventNamespaceInheritance) {\n prefix = getNsPrefix(parentElement.name);\n }\n }\n }\n return mergeNsAndName(prefix, localName);\n }\n}\nfunction lastOnStack(stack, element) {\n return stack.length > 0 && stack[stack.length - 1] === element;\n}\n/**\n * Decode the `entity` string, which we believe is the contents of an HTML entity.\n *\n * If the string is not actually a valid/known entity then just return the original `match` string.\n */\nfunction decodeEntity(match, entity) {\n if (NAMED_ENTITIES[entity] !== undefined) {\n return NAMED_ENTITIES[entity] || match;\n }\n if (/^#x[a-f0-9]+$/i.test(entity)) {\n return String.fromCodePoint(parseInt(entity.slice(2), 16));\n }\n if (/^#\\d+$/.test(entity)) {\n return String.fromCodePoint(parseInt(entity.slice(1), 10));\n }\n return match;\n}\nclass HtmlParser extends Parser {\n constructor() {\n super(getHtmlTagDefinition);\n }\n parse(source, url, options) {\n return super.parse(source, url, options);\n }\n}\nconst PRESERVE_WS_ATTR_NAME = 'ngPreserveWhitespaces';\nconst SKIP_WS_TRIM_TAGS = new Set(['pre', 'template', 'textarea', 'script', 'style']);\n// Equivalent to \\s with \\u00a0 (non-breaking space) excluded.\n// Based on https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/RegExp\nconst WS_CHARS = ' \\f\\n\\r\\t\\v\\u1680\\u180e\\u2000-\\u200a\\u2028\\u2029\\u202f\\u205f\\u3000\\ufeff';\nconst NO_WS_REGEXP = new RegExp(`[^${WS_CHARS}]`);\nconst WS_REPLACE_REGEXP = new RegExp(`[${WS_CHARS}]{2,}`, 'g');\nfunction hasPreserveWhitespacesAttr(attrs) {\n return attrs.some(attr => attr.name === PRESERVE_WS_ATTR_NAME);\n}\n/**\n * &ngsp; is a placeholder for non-removable space\n * &ngsp; is converted to the 0xE500 PUA (Private Use Areas) unicode character\n * and later on replaced by a space.\n */\nfunction replaceNgsp(value) {\n // lexer is replacing the &ngsp; pseudo-entity with NGSP_UNICODE\n return value.replace(new RegExp(NGSP_UNICODE, 'g'), ' ');\n}\n/**\n * This visitor can walk HTML parse tree and remove / trim text nodes using the following rules:\n * - consider spaces, tabs and new lines as whitespace characters;\n * - drop text nodes consisting of whitespace characters only;\n * - for all other text nodes replace consecutive whitespace characters with one space;\n * - convert &ngsp; pseudo-entity to a single space;\n *\n * Removal and trimming of whitespaces have positive performance impact (less code to generate\n * while compiling templates, faster view creation). At the same time it can be \"destructive\"\n * in some cases (whitespaces can influence layout). Because of the potential of breaking layout\n * this visitor is not activated by default in Angular 5 and people need to explicitly opt-in for\n * whitespace removal. The default option for whitespace removal will be revisited in Angular 6\n * and might be changed to \"on\" by default.\n */\nclass WhitespaceVisitor {\n visitElement(element, context) {\n if (SKIP_WS_TRIM_TAGS.has(element.name) || hasPreserveWhitespacesAttr(element.attrs)) {\n // don't descent into elements where we need to preserve whitespaces\n // but still visit all attributes to eliminate one used as a market to preserve WS\n return new Element(element.name, visitAll(this, element.attrs), element.children, element.sourceSpan, element.startSourceSpan, element.endSourceSpan, element.i18n);\n }\n return new Element(element.name, element.attrs, visitAllWithSiblings(this, element.children), element.sourceSpan, element.startSourceSpan, element.endSourceSpan, element.i18n);\n }\n visitAttribute(attribute, context) {\n return attribute.name !== PRESERVE_WS_ATTR_NAME ? attribute : null;\n }\n visitText(text, context) {\n const isNotBlank = text.value.match(NO_WS_REGEXP);\n const hasExpansionSibling = context && (context.prev instanceof Expansion || context.next instanceof Expansion);\n if (isNotBlank || hasExpansionSibling) {\n // Process the whitespace in the tokens of this Text node\n const tokens = text.tokens.map(token => token.type === 5 /* TokenType.TEXT */ ? createWhitespaceProcessedTextToken(token) : token);\n // Process the whitespace of the value of this Text node\n const value = processWhitespace(text.value);\n return new Text(value, text.sourceSpan, tokens, text.i18n);\n }\n return null;\n }\n visitComment(comment, context) {\n return comment;\n }\n visitExpansion(expansion, context) {\n return expansion;\n }\n visitExpansionCase(expansionCase, context) {\n return expansionCase;\n }\n visitBlockGroup(group, context) {\n return new BlockGroup(visitAllWithSiblings(this, group.blocks), group.sourceSpan, group.startSourceSpan, group.endSourceSpan);\n }\n visitBlock(block, context) {\n return new Block(block.name, block.parameters, visitAllWithSiblings(this, block.children), block.sourceSpan, block.startSourceSpan);\n }\n visitBlockParameter(parameter, context) {\n return parameter;\n }\n}\nfunction createWhitespaceProcessedTextToken({\n type,\n parts,\n sourceSpan\n}) {\n return {\n type,\n parts: [processWhitespace(parts[0])],\n sourceSpan\n };\n}\nfunction processWhitespace(text) {\n return replaceNgsp(text).replace(WS_REPLACE_REGEXP, ' ');\n}\nfunction removeWhitespaces(htmlAstWithErrors) {\n return new ParseTreeResult(visitAll(new WhitespaceVisitor(), htmlAstWithErrors.rootNodes), htmlAstWithErrors.errors);\n}\nfunction visitAllWithSiblings(visitor, nodes) {\n const result = [];\n nodes.forEach((ast, i) => {\n const context = {\n prev: nodes[i - 1],\n next: nodes[i + 1]\n };\n const astResult = ast.visit(visitor, context);\n if (astResult) {\n result.push(astResult);\n }\n });\n return result;\n}\nfunction mapEntry(key, value) {\n return {\n key,\n value,\n quoted: false\n };\n}\nfunction mapLiteral(obj, quoted = false) {\n return literalMap(Object.keys(obj).map(key => ({\n key,\n quoted,\n value: obj[key]\n })));\n}\n\n/**\n * Set of tagName|propertyName corresponding to Trusted Types sinks. Properties applying to all\n * tags use '*'.\n *\n * Extracted from, and should be kept in sync with\n * https://w3c.github.io/webappsec-trusted-types/dist/spec/#integrations\n */\nconst TRUSTED_TYPES_SINKS = new Set([\n// NOTE: All strings in this set *must* be lowercase!\n// TrustedHTML\n'iframe|srcdoc', '*|innerhtml', '*|outerhtml',\n// NB: no TrustedScript here, as the corresponding tags are stripped by the compiler.\n// TrustedScriptURL\n'embed|src', 'object|codebase', 'object|data']);\n/**\n * isTrustedTypesSink returns true if the given property on the given DOM tag is a Trusted Types\n * sink. In that case, use `ElementSchemaRegistry.securityContext` to determine which particular\n * Trusted Type is required for values passed to the sink:\n * - SecurityContext.HTML corresponds to TrustedHTML\n * - SecurityContext.RESOURCE_URL corresponds to TrustedScriptURL\n */\nfunction isTrustedTypesSink(tagName, propName) {\n // Make sure comparisons are case insensitive, so that case differences between attribute and\n // property names do not have a security impact.\n tagName = tagName.toLowerCase();\n propName = propName.toLowerCase();\n return TRUSTED_TYPES_SINKS.has(tagName + '|' + propName) || TRUSTED_TYPES_SINKS.has('*|' + propName);\n}\nconst PROPERTY_PARTS_SEPARATOR = '.';\nconst ATTRIBUTE_PREFIX = 'attr';\nconst CLASS_PREFIX = 'class';\nconst STYLE_PREFIX = 'style';\nconst TEMPLATE_ATTR_PREFIX$1 = '*';\nconst ANIMATE_PROP_PREFIX = 'animate-';\n/**\n * Parses bindings in templates and in the directive host area.\n */\nclass BindingParser {\n constructor(_exprParser, _interpolationConfig, _schemaRegistry, errors) {\n this._exprParser = _exprParser;\n this._interpolationConfig = _interpolationConfig;\n this._schemaRegistry = _schemaRegistry;\n this.errors = errors;\n }\n get interpolationConfig() {\n return this._interpolationConfig;\n }\n createBoundHostProperties(properties, sourceSpan) {\n const boundProps = [];\n for (const propName of Object.keys(properties)) {\n const expression = properties[propName];\n if (typeof expression === 'string') {\n this.parsePropertyBinding(propName, expression, true, sourceSpan, sourceSpan.start.offset, undefined, [],\n // Use the `sourceSpan` for `keySpan`. This isn't really accurate, but neither is the\n // sourceSpan, as it represents the sourceSpan of the host itself rather than the\n // source of the host binding (which doesn't exist in the template). Regardless,\n // neither of these values are used in Ivy but are only here to satisfy the function\n // signature. This should likely be refactored in the future so that `sourceSpan`\n // isn't being used inaccurately.\n boundProps, sourceSpan);\n } else {\n this._reportError(`Value of the host property binding \"${propName}\" needs to be a string representing an expression but got \"${expression}\" (${typeof expression})`, sourceSpan);\n }\n }\n return boundProps;\n }\n createDirectiveHostEventAsts(hostListeners, sourceSpan) {\n const targetEvents = [];\n for (const propName of Object.keys(hostListeners)) {\n const expression = hostListeners[propName];\n if (typeof expression === 'string') {\n // Use the `sourceSpan` for `keySpan` and `handlerSpan`. This isn't really accurate, but\n // neither is the `sourceSpan`, as it represents the `sourceSpan` of the host itself\n // rather than the source of the host binding (which doesn't exist in the template).\n // Regardless, neither of these values are used in Ivy but are only here to satisfy the\n // function signature. This should likely be refactored in the future so that `sourceSpan`\n // isn't being used inaccurately.\n this.parseEvent(propName, expression, /* isAssignmentEvent */false, sourceSpan, sourceSpan, [], targetEvents, sourceSpan);\n } else {\n this._reportError(`Value of the host listener \"${propName}\" needs to be a string representing an expression but got \"${expression}\" (${typeof expression})`, sourceSpan);\n }\n }\n return targetEvents;\n }\n parseInterpolation(value, sourceSpan, interpolatedTokens) {\n const sourceInfo = sourceSpan.start.toString();\n const absoluteOffset = sourceSpan.fullStart.offset;\n try {\n const ast = this._exprParser.parseInterpolation(value, sourceInfo, absoluteOffset, interpolatedTokens, this._interpolationConfig);\n if (ast) this._reportExpressionParserErrors(ast.errors, sourceSpan);\n return ast;\n } catch (e) {\n this._reportError(`${e}`, sourceSpan);\n return this._exprParser.wrapLiteralPrimitive('ERROR', sourceInfo, absoluteOffset);\n }\n }\n /**\n * Similar to `parseInterpolation`, but treats the provided string as a single expression\n * element that would normally appear within the interpolation prefix and suffix (`{{` and `}}`).\n * This is used for parsing the switch expression in ICUs.\n */\n parseInterpolationExpression(expression, sourceSpan) {\n const sourceInfo = sourceSpan.start.toString();\n const absoluteOffset = sourceSpan.start.offset;\n try {\n const ast = this._exprParser.parseInterpolationExpression(expression, sourceInfo, absoluteOffset);\n if (ast) this._reportExpressionParserErrors(ast.errors, sourceSpan);\n return ast;\n } catch (e) {\n this._reportError(`${e}`, sourceSpan);\n return this._exprParser.wrapLiteralPrimitive('ERROR', sourceInfo, absoluteOffset);\n }\n }\n /**\n * Parses the bindings in a microsyntax expression, and converts them to\n * `ParsedProperty` or `ParsedVariable`.\n *\n * @param tplKey template binding name\n * @param tplValue template binding value\n * @param sourceSpan span of template binding relative to entire the template\n * @param absoluteValueOffset start of the tplValue relative to the entire template\n * @param targetMatchableAttrs potential attributes to match in the template\n * @param targetProps target property bindings in the template\n * @param targetVars target variables in the template\n */\n parseInlineTemplateBinding(tplKey, tplValue, sourceSpan, absoluteValueOffset, targetMatchableAttrs, targetProps, targetVars, isIvyAst) {\n const absoluteKeyOffset = sourceSpan.start.offset + TEMPLATE_ATTR_PREFIX$1.length;\n const bindings = this._parseTemplateBindings(tplKey, tplValue, sourceSpan, absoluteKeyOffset, absoluteValueOffset);\n for (const binding of bindings) {\n // sourceSpan is for the entire HTML attribute. bindingSpan is for a particular\n // binding within the microsyntax expression so it's more narrow than sourceSpan.\n const bindingSpan = moveParseSourceSpan(sourceSpan, binding.sourceSpan);\n const key = binding.key.source;\n const keySpan = moveParseSourceSpan(sourceSpan, binding.key.span);\n if (binding instanceof VariableBinding) {\n const value = binding.value ? binding.value.source : '$implicit';\n const valueSpan = binding.value ? moveParseSourceSpan(sourceSpan, binding.value.span) : undefined;\n targetVars.push(new ParsedVariable(key, value, bindingSpan, keySpan, valueSpan));\n } else if (binding.value) {\n const srcSpan = isIvyAst ? bindingSpan : sourceSpan;\n const valueSpan = moveParseSourceSpan(sourceSpan, binding.value.ast.sourceSpan);\n this._parsePropertyAst(key, binding.value, srcSpan, keySpan, valueSpan, targetMatchableAttrs, targetProps);\n } else {\n targetMatchableAttrs.push([key, '' /* value */]);\n // Since this is a literal attribute with no RHS, source span should be\n // just the key span.\n this.parseLiteralAttr(key, null /* value */, keySpan, absoluteValueOffset, undefined /* valueSpan */, targetMatchableAttrs, targetProps, keySpan);\n }\n }\n }\n /**\n * Parses the bindings in a microsyntax expression, e.g.\n * ```\n * <tag *tplKey=\"let value1 = prop; let value2 = localVar\">\n * ```\n *\n * @param tplKey template binding name\n * @param tplValue template binding value\n * @param sourceSpan span of template binding relative to entire the template\n * @param absoluteKeyOffset start of the `tplKey`\n * @param absoluteValueOffset start of the `tplValue`\n */\n _parseTemplateBindings(tplKey, tplValue, sourceSpan, absoluteKeyOffset, absoluteValueOffset) {\n const sourceInfo = sourceSpan.start.toString();\n try {\n const bindingsResult = this._exprParser.parseTemplateBindings(tplKey, tplValue, sourceInfo, absoluteKeyOffset, absoluteValueOffset);\n this._reportExpressionParserErrors(bindingsResult.errors, sourceSpan);\n bindingsResult.warnings.forEach(warning => {\n this._reportError(warning, sourceSpan, ParseErrorLevel.WARNING);\n });\n return bindingsResult.templateBindings;\n } catch (e) {\n this._reportError(`${e}`, sourceSpan);\n return [];\n }\n }\n parseLiteralAttr(name, value, sourceSpan, absoluteOffset, valueSpan, targetMatchableAttrs, targetProps, keySpan) {\n if (isAnimationLabel(name)) {\n name = name.substring(1);\n if (keySpan !== undefined) {\n keySpan = moveParseSourceSpan(keySpan, new AbsoluteSourceSpan(keySpan.start.offset + 1, keySpan.end.offset));\n }\n if (value) {\n this._reportError(`Assigning animation triggers via @prop=\"exp\" attributes with an expression is invalid.` + ` Use property bindings (e.g. [@prop]=\"exp\") or use an attribute without a value (e.g. @prop) instead.`, sourceSpan, ParseErrorLevel.ERROR);\n }\n this._parseAnimation(name, value, sourceSpan, absoluteOffset, keySpan, valueSpan, targetMatchableAttrs, targetProps);\n } else {\n targetProps.push(new ParsedProperty(name, this._exprParser.wrapLiteralPrimitive(value, '', absoluteOffset), ParsedPropertyType.LITERAL_ATTR, sourceSpan, keySpan, valueSpan));\n }\n }\n parsePropertyBinding(name, expression, isHost, sourceSpan, absoluteOffset, valueSpan, targetMatchableAttrs, targetProps, keySpan) {\n if (name.length === 0) {\n this._reportError(`Property name is missing in binding`, sourceSpan);\n }\n let isAnimationProp = false;\n if (name.startsWith(ANIMATE_PROP_PREFIX)) {\n isAnimationProp = true;\n name = name.substring(ANIMATE_PROP_PREFIX.length);\n if (keySpan !== undefined) {\n keySpan = moveParseSourceSpan(keySpan, new AbsoluteSourceSpan(keySpan.start.offset + ANIMATE_PROP_PREFIX.length, keySpan.end.offset));\n }\n } else if (isAnimationLabel(name)) {\n isAnimationProp = true;\n name = name.substring(1);\n if (keySpan !== undefined) {\n keySpan = moveParseSourceSpan(keySpan, new AbsoluteSourceSpan(keySpan.start.offset + 1, keySpan.end.offset));\n }\n }\n if (isAnimationProp) {\n this._parseAnimation(name, expression, sourceSpan, absoluteOffset, keySpan, valueSpan, targetMatchableAttrs, targetProps);\n } else {\n this._parsePropertyAst(name, this.parseBinding(expression, isHost, valueSpan || sourceSpan, absoluteOffset), sourceSpan, keySpan, valueSpan, targetMatchableAttrs, targetProps);\n }\n }\n parsePropertyInterpolation(name, value, sourceSpan, valueSpan, targetMatchableAttrs, targetProps, keySpan, interpolatedTokens) {\n const expr = this.parseInterpolation(value, valueSpan || sourceSpan, interpolatedTokens);\n if (expr) {\n this._parsePropertyAst(name, expr, sourceSpan, keySpan, valueSpan, targetMatchableAttrs, targetProps);\n return true;\n }\n return false;\n }\n _parsePropertyAst(name, ast, sourceSpan, keySpan, valueSpan, targetMatchableAttrs, targetProps) {\n targetMatchableAttrs.push([name, ast.source]);\n targetProps.push(new ParsedProperty(name, ast, ParsedPropertyType.DEFAULT, sourceSpan, keySpan, valueSpan));\n }\n _parseAnimation(name, expression, sourceSpan, absoluteOffset, keySpan, valueSpan, targetMatchableAttrs, targetProps) {\n if (name.length === 0) {\n this._reportError('Animation trigger is missing', sourceSpan);\n }\n // This will occur when a @trigger is not paired with an expression.\n // For animations it is valid to not have an expression since */void\n // states will be applied by angular when the element is attached/detached\n const ast = this.parseBinding(expression || 'undefined', false, valueSpan || sourceSpan, absoluteOffset);\n targetMatchableAttrs.push([name, ast.source]);\n targetProps.push(new ParsedProperty(name, ast, ParsedPropertyType.ANIMATION, sourceSpan, keySpan, valueSpan));\n }\n parseBinding(value, isHostBinding, sourceSpan, absoluteOffset) {\n const sourceInfo = (sourceSpan && sourceSpan.start || '(unknown)').toString();\n try {\n const ast = isHostBinding ? this._exprParser.parseSimpleBinding(value, sourceInfo, absoluteOffset, this._interpolationConfig) : this._exprParser.parseBinding(value, sourceInfo, absoluteOffset, this._interpolationConfig);\n if (ast) this._reportExpressionParserErrors(ast.errors, sourceSpan);\n return ast;\n } catch (e) {\n this._reportError(`${e}`, sourceSpan);\n return this._exprParser.wrapLiteralPrimitive('ERROR', sourceInfo, absoluteOffset);\n }\n }\n createBoundElementProperty(elementSelector, boundProp, skipValidation = false, mapPropertyName = true) {\n if (boundProp.isAnimation) {\n return new BoundElementProperty(boundProp.name, 4 /* BindingType.Animation */, SecurityContext.NONE, boundProp.expression, null, boundProp.sourceSpan, boundProp.keySpan, boundProp.valueSpan);\n }\n let unit = null;\n let bindingType = undefined;\n let boundPropertyName = null;\n const parts = boundProp.name.split(PROPERTY_PARTS_SEPARATOR);\n let securityContexts = undefined;\n // Check for special cases (prefix style, attr, class)\n if (parts.length > 1) {\n if (parts[0] == ATTRIBUTE_PREFIX) {\n boundPropertyName = parts.slice(1).join(PROPERTY_PARTS_SEPARATOR);\n if (!skipValidation) {\n this._validatePropertyOrAttributeName(boundPropertyName, boundProp.sourceSpan, true);\n }\n securityContexts = calcPossibleSecurityContexts(this._schemaRegistry, elementSelector, boundPropertyName, true);\n const nsSeparatorIdx = boundPropertyName.indexOf(':');\n if (nsSeparatorIdx > -1) {\n const ns = boundPropertyName.substring(0, nsSeparatorIdx);\n const name = boundPropertyName.substring(nsSeparatorIdx + 1);\n boundPropertyName = mergeNsAndName(ns, name);\n }\n bindingType = 1 /* BindingType.Attribute */;\n } else if (parts[0] == CLASS_PREFIX) {\n boundPropertyName = parts[1];\n bindingType = 2 /* BindingType.Class */;\n securityContexts = [SecurityContext.NONE];\n } else if (parts[0] == STYLE_PREFIX) {\n unit = parts.length > 2 ? parts[2] : null;\n boundPropertyName = parts[1];\n bindingType = 3 /* BindingType.Style */;\n securityContexts = [SecurityContext.STYLE];\n }\n }\n // If not a special case, use the full property name\n if (boundPropertyName === null) {\n const mappedPropName = this._schemaRegistry.getMappedPropName(boundProp.name);\n boundPropertyName = mapPropertyName ? mappedPropName : boundProp.name;\n securityContexts = calcPossibleSecurityContexts(this._schemaRegistry, elementSelector, mappedPropName, false);\n bindingType = 0 /* BindingType.Property */;\n if (!skipValidation) {\n this._validatePropertyOrAttributeName(mappedPropName, boundProp.sourceSpan, false);\n }\n }\n return new BoundElementProperty(boundPropertyName, bindingType, securityContexts[0], boundProp.expression, unit, boundProp.sourceSpan, boundProp.keySpan, boundProp.valueSpan);\n }\n // TODO: keySpan should be required but was made optional to avoid changing VE parser.\n parseEvent(name, expression, isAssignmentEvent, sourceSpan, handlerSpan, targetMatchableAttrs, targetEvents, keySpan) {\n if (name.length === 0) {\n this._reportError(`Event name is missing in binding`, sourceSpan);\n }\n if (isAnimationLabel(name)) {\n name = name.slice(1);\n if (keySpan !== undefined) {\n keySpan = moveParseSourceSpan(keySpan, new AbsoluteSourceSpan(keySpan.start.offset + 1, keySpan.end.offset));\n }\n this._parseAnimationEvent(name, expression, isAssignmentEvent, sourceSpan, handlerSpan, targetEvents, keySpan);\n } else {\n this._parseRegularEvent(name, expression, isAssignmentEvent, sourceSpan, handlerSpan, targetMatchableAttrs, targetEvents, keySpan);\n }\n }\n calcPossibleSecurityContexts(selector, propName, isAttribute) {\n const prop = this._schemaRegistry.getMappedPropName(propName);\n return calcPossibleSecurityContexts(this._schemaRegistry, selector, prop, isAttribute);\n }\n _parseAnimationEvent(name, expression, isAssignmentEvent, sourceSpan, handlerSpan, targetEvents, keySpan) {\n const matches = splitAtPeriod(name, [name, '']);\n const eventName = matches[0];\n const phase = matches[1].toLowerCase();\n const ast = this._parseAction(expression, isAssignmentEvent, handlerSpan);\n targetEvents.push(new ParsedEvent(eventName, phase, 1 /* ParsedEventType.Animation */, ast, sourceSpan, handlerSpan, keySpan));\n if (eventName.length === 0) {\n this._reportError(`Animation event name is missing in binding`, sourceSpan);\n }\n if (phase) {\n if (phase !== 'start' && phase !== 'done') {\n this._reportError(`The provided animation output phase value \"${phase}\" for \"@${eventName}\" is not supported (use start or done)`, sourceSpan);\n }\n } else {\n this._reportError(`The animation trigger output event (@${eventName}) is missing its phase value name (start or done are currently supported)`, sourceSpan);\n }\n }\n _parseRegularEvent(name, expression, isAssignmentEvent, sourceSpan, handlerSpan, targetMatchableAttrs, targetEvents, keySpan) {\n // long format: 'target: eventName'\n const [target, eventName] = splitAtColon(name, [null, name]);\n const ast = this._parseAction(expression, isAssignmentEvent, handlerSpan);\n targetMatchableAttrs.push([name, ast.source]);\n targetEvents.push(new ParsedEvent(eventName, target, 0 /* ParsedEventType.Regular */, ast, sourceSpan, handlerSpan, keySpan));\n // Don't detect directives for event names for now,\n // so don't add the event name to the matchableAttrs\n }\n _parseAction(value, isAssignmentEvent, sourceSpan) {\n const sourceInfo = (sourceSpan && sourceSpan.start || '(unknown').toString();\n const absoluteOffset = sourceSpan && sourceSpan.start ? sourceSpan.start.offset : 0;\n try {\n const ast = this._exprParser.parseAction(value, isAssignmentEvent, sourceInfo, absoluteOffset, this._interpolationConfig);\n if (ast) {\n this._reportExpressionParserErrors(ast.errors, sourceSpan);\n }\n if (!ast || ast.ast instanceof EmptyExpr$1) {\n this._reportError(`Empty expressions are not allowed`, sourceSpan);\n return this._exprParser.wrapLiteralPrimitive('ERROR', sourceInfo, absoluteOffset);\n }\n return ast;\n } catch (e) {\n this._reportError(`${e}`, sourceSpan);\n return this._exprParser.wrapLiteralPrimitive('ERROR', sourceInfo, absoluteOffset);\n }\n }\n _reportError(message, sourceSpan, level = ParseErrorLevel.ERROR) {\n this.errors.push(new ParseError(sourceSpan, message, level));\n }\n _reportExpressionParserErrors(errors, sourceSpan) {\n for (const error of errors) {\n this._reportError(error.message, sourceSpan);\n }\n }\n /**\n * @param propName the name of the property / attribute\n * @param sourceSpan\n * @param isAttr true when binding to an attribute\n */\n _validatePropertyOrAttributeName(propName, sourceSpan, isAttr) {\n const report = isAttr ? this._schemaRegistry.validateAttribute(propName) : this._schemaRegistry.validateProperty(propName);\n if (report.error) {\n this._reportError(report.msg, sourceSpan, ParseErrorLevel.ERROR);\n }\n }\n}\nclass PipeCollector extends RecursiveAstVisitor {\n constructor() {\n super(...arguments);\n this.pipes = new Map();\n }\n visitPipe(ast, context) {\n this.pipes.set(ast.name, ast);\n ast.exp.visit(this);\n this.visitAll(ast.args, context);\n return null;\n }\n}\nfunction isAnimationLabel(name) {\n return name[0] == '@';\n}\nfunction calcPossibleSecurityContexts(registry, selector, propName, isAttribute) {\n const ctxs = [];\n CssSelector.parse(selector).forEach(selector => {\n const elementNames = selector.element ? [selector.element] : registry.allKnownElementNames();\n const notElementNames = new Set(selector.notSelectors.filter(selector => selector.isElementSelector()).map(selector => selector.element));\n const possibleElementNames = elementNames.filter(elementName => !notElementNames.has(elementName));\n ctxs.push(...possibleElementNames.map(elementName => registry.securityContext(elementName, propName, isAttribute)));\n });\n return ctxs.length === 0 ? [SecurityContext.NONE] : Array.from(new Set(ctxs)).sort();\n}\n/**\n * Compute a new ParseSourceSpan based off an original `sourceSpan` by using\n * absolute offsets from the specified `absoluteSpan`.\n *\n * @param sourceSpan original source span\n * @param absoluteSpan absolute source span to move to\n */\nfunction moveParseSourceSpan(sourceSpan, absoluteSpan) {\n // The difference of two absolute offsets provide the relative offset\n const startDiff = absoluteSpan.start - sourceSpan.start.offset;\n const endDiff = absoluteSpan.end - sourceSpan.end.offset;\n return new ParseSourceSpan(sourceSpan.start.moveBy(startDiff), sourceSpan.end.moveBy(endDiff), sourceSpan.fullStart.moveBy(startDiff), sourceSpan.details);\n}\n\n// Some of the code comes from WebComponents.JS\n// https://github.com/webcomponents/webcomponentsjs/blob/master/src/HTMLImports/path.js\nfunction isStyleUrlResolvable(url) {\n if (url == null || url.length === 0 || url[0] == '/') return false;\n const schemeMatch = url.match(URL_WITH_SCHEMA_REGEXP);\n return schemeMatch === null || schemeMatch[1] == 'package' || schemeMatch[1] == 'asset';\n}\nconst URL_WITH_SCHEMA_REGEXP = /^([^:/?#]+):/;\nconst NG_CONTENT_SELECT_ATTR$1 = 'select';\nconst LINK_ELEMENT = 'link';\nconst LINK_STYLE_REL_ATTR = 'rel';\nconst LINK_STYLE_HREF_ATTR = 'href';\nconst LINK_STYLE_REL_VALUE = 'stylesheet';\nconst STYLE_ELEMENT = 'style';\nconst SCRIPT_ELEMENT = 'script';\nconst NG_NON_BINDABLE_ATTR = 'ngNonBindable';\nconst NG_PROJECT_AS = 'ngProjectAs';\nfunction preparseElement(ast) {\n let selectAttr = null;\n let hrefAttr = null;\n let relAttr = null;\n let nonBindable = false;\n let projectAs = '';\n ast.attrs.forEach(attr => {\n const lcAttrName = attr.name.toLowerCase();\n if (lcAttrName == NG_CONTENT_SELECT_ATTR$1) {\n selectAttr = attr.value;\n } else if (lcAttrName == LINK_STYLE_HREF_ATTR) {\n hrefAttr = attr.value;\n } else if (lcAttrName == LINK_STYLE_REL_ATTR) {\n relAttr = attr.value;\n } else if (attr.name == NG_NON_BINDABLE_ATTR) {\n nonBindable = true;\n } else if (attr.name == NG_PROJECT_AS) {\n if (attr.value.length > 0) {\n projectAs = attr.value;\n }\n }\n });\n selectAttr = normalizeNgContentSelect(selectAttr);\n const nodeName = ast.name.toLowerCase();\n let type = PreparsedElementType.OTHER;\n if (isNgContent(nodeName)) {\n type = PreparsedElementType.NG_CONTENT;\n } else if (nodeName == STYLE_ELEMENT) {\n type = PreparsedElementType.STYLE;\n } else if (nodeName == SCRIPT_ELEMENT) {\n type = PreparsedElementType.SCRIPT;\n } else if (nodeName == LINK_ELEMENT && relAttr == LINK_STYLE_REL_VALUE) {\n type = PreparsedElementType.STYLESHEET;\n }\n return new PreparsedElement(type, selectAttr, hrefAttr, nonBindable, projectAs);\n}\nvar PreparsedElementType;\n(function (PreparsedElementType) {\n PreparsedElementType[PreparsedElementType[\"NG_CONTENT\"] = 0] = \"NG_CONTENT\";\n PreparsedElementType[PreparsedElementType[\"STYLE\"] = 1] = \"STYLE\";\n PreparsedElementType[PreparsedElementType[\"STYLESHEET\"] = 2] = \"STYLESHEET\";\n PreparsedElementType[PreparsedElementType[\"SCRIPT\"] = 3] = \"SCRIPT\";\n PreparsedElementType[PreparsedElementType[\"OTHER\"] = 4] = \"OTHER\";\n})(PreparsedElementType || (PreparsedElementType = {}));\nclass PreparsedElement {\n constructor(type, selectAttr, hrefAttr, nonBindable, projectAs) {\n this.type = type;\n this.selectAttr = selectAttr;\n this.hrefAttr = hrefAttr;\n this.nonBindable = nonBindable;\n this.projectAs = projectAs;\n }\n}\nfunction normalizeNgContentSelect(selectAttr) {\n if (selectAttr === null || selectAttr.length === 0) {\n return '*';\n }\n return selectAttr;\n}\n\n/** Pattern for a timing value in a trigger. */\nconst TIME_PATTERN = /^\\d+(ms|s)?$/;\n/** Pattern for a separator between keywords in a trigger expression. */\nconst SEPARATOR_PATTERN = /^\\s$/;\n/** Pairs of characters that form syntax that is comma-delimited. */\nconst COMMA_DELIMITED_SYNTAX = new Map([[$LBRACE, $RBRACE], [$LBRACKET, $RBRACKET], [$LPAREN, $RPAREN] // Function calls\n]);\n/** Possible types of `on` triggers. */\nvar OnTriggerType;\n(function (OnTriggerType) {\n OnTriggerType[\"IDLE\"] = \"idle\";\n OnTriggerType[\"TIMER\"] = \"timer\";\n OnTriggerType[\"INTERACTION\"] = \"interaction\";\n OnTriggerType[\"IMMEDIATE\"] = \"immediate\";\n OnTriggerType[\"HOVER\"] = \"hover\";\n OnTriggerType[\"VIEWPORT\"] = \"viewport\";\n})(OnTriggerType || (OnTriggerType = {}));\n/** Parses a `when` deferred trigger. */\nfunction parseWhenTrigger({\n expression,\n sourceSpan\n}, bindingParser, errors) {\n const whenIndex = expression.indexOf('when');\n // This is here just to be safe, we shouldn't enter this function\n // in the first place if a block doesn't have the \"when\" keyword.\n if (whenIndex === -1) {\n errors.push(new ParseError(sourceSpan, `Could not find \"when\" keyword in expression`));\n return null;\n }\n const start = getTriggerParametersStart(expression, whenIndex + 1);\n const parsed = bindingParser.parseBinding(expression.slice(start), false, sourceSpan, sourceSpan.start.offset + start);\n return new BoundDeferredTrigger(parsed, sourceSpan);\n}\n/** Parses an `on` trigger */\nfunction parseOnTrigger({\n expression,\n sourceSpan\n}, errors) {\n const onIndex = expression.indexOf('on');\n // This is here just to be safe, we shouldn't enter this function\n // in the first place if a block doesn't have the \"on\" keyword.\n if (onIndex === -1) {\n errors.push(new ParseError(sourceSpan, `Could not find \"on\" keyword in expression`));\n return [];\n }\n const start = getTriggerParametersStart(expression, onIndex + 1);\n return new OnTriggerParser(expression, start, sourceSpan, errors).parse();\n}\nclass OnTriggerParser {\n constructor(expression, start, span, errors) {\n this.expression = expression;\n this.start = start;\n this.span = span;\n this.errors = errors;\n this.index = 0;\n this.triggers = [];\n this.tokens = new Lexer().tokenize(expression.slice(start));\n }\n parse() {\n while (this.tokens.length > 0 && this.index < this.tokens.length) {\n const token = this.token();\n if (!token.isIdentifier()) {\n this.unexpectedToken(token);\n break;\n }\n // An identifier immediately followed by a comma or the end of\n // the expression cannot have parameters so we can exit early.\n if (this.isFollowedByOrLast($COMMA)) {\n this.consumeTrigger(token, []);\n this.advance();\n } else if (this.isFollowedByOrLast($LPAREN)) {\n this.advance(); // Advance to the opening paren.\n const prevErrors = this.errors.length;\n const parameters = this.consumeParameters();\n if (this.errors.length !== prevErrors) {\n break;\n }\n this.consumeTrigger(token, parameters);\n this.advance(); // Advance past the closing paren.\n } else if (this.index < this.tokens.length - 1) {\n this.unexpectedToken(this.tokens[this.index + 1]);\n }\n this.advance();\n }\n return this.triggers;\n }\n advance() {\n this.index++;\n }\n isFollowedByOrLast(char) {\n if (this.index === this.tokens.length - 1) {\n return true;\n }\n return this.tokens[this.index + 1].isCharacter(char);\n }\n token() {\n return this.tokens[Math.min(this.index, this.tokens.length - 1)];\n }\n consumeTrigger(identifier, parameters) {\n const startSpan = this.span.start.moveBy(this.start + identifier.index - this.tokens[0].index);\n const endSpan = startSpan.moveBy(this.token().end - identifier.index);\n const sourceSpan = new ParseSourceSpan(startSpan, endSpan);\n try {\n switch (identifier.toString()) {\n case OnTriggerType.IDLE:\n this.triggers.push(createIdleTrigger(parameters, sourceSpan));\n break;\n case OnTriggerType.TIMER:\n this.triggers.push(createTimerTrigger(parameters, sourceSpan));\n break;\n case OnTriggerType.INTERACTION:\n this.triggers.push(createInteractionTrigger(parameters, sourceSpan));\n break;\n case OnTriggerType.IMMEDIATE:\n this.triggers.push(createImmediateTrigger(parameters, sourceSpan));\n break;\n case OnTriggerType.HOVER:\n this.triggers.push(createHoverTrigger(parameters, sourceSpan));\n break;\n case OnTriggerType.VIEWPORT:\n this.triggers.push(createViewportTrigger(parameters, sourceSpan));\n break;\n default:\n throw new Error(`Unrecognized trigger type \"${identifier}\"`);\n }\n } catch (e) {\n this.error(identifier, e.message);\n }\n }\n consumeParameters() {\n const parameters = [];\n if (!this.token().isCharacter($LPAREN)) {\n this.unexpectedToken(this.token());\n return parameters;\n }\n this.advance();\n const commaDelimStack = [];\n let current = '';\n while (this.index < this.tokens.length) {\n const token = this.token();\n // Stop parsing if we've hit the end character and we're outside of a comma-delimited syntax.\n // Note that we don't need to account for strings here since the lexer already parsed them\n // into string tokens.\n if (token.isCharacter($RPAREN) && commaDelimStack.length === 0) {\n if (current.length) {\n parameters.push(current);\n }\n break;\n }\n // In the `on` microsyntax \"top-level\" commas (e.g. ones outside of an parameters) separate\n // the different triggers (e.g. `on idle,timer(500)`). This is problematic, because the\n // function-like syntax also implies that multiple parameters can be passed into the\n // individual trigger (e.g. `on foo(a, b)`). To avoid tripping up the parser with commas that\n // are part of other sorts of syntax (object literals, arrays), we treat anything inside\n // a comma-delimited syntax block as plain text.\n if (token.type === TokenType.Character && COMMA_DELIMITED_SYNTAX.has(token.numValue)) {\n commaDelimStack.push(COMMA_DELIMITED_SYNTAX.get(token.numValue));\n }\n if (commaDelimStack.length > 0 && token.isCharacter(commaDelimStack[commaDelimStack.length - 1])) {\n commaDelimStack.pop();\n }\n // If we hit a comma outside of a comma-delimited syntax, it means\n // that we're at the top level and we're starting a new parameter.\n if (commaDelimStack.length === 0 && token.isCharacter($COMMA) && current.length > 0) {\n parameters.push(current);\n current = '';\n this.advance();\n continue;\n }\n // Otherwise treat the token as a plain text character in the current parameter.\n current += this.tokenText();\n this.advance();\n }\n if (!this.token().isCharacter($RPAREN) || commaDelimStack.length > 0) {\n this.error(this.token(), 'Unexpected end of expression');\n }\n if (this.index < this.tokens.length - 1 && !this.tokens[this.index + 1].isCharacter($COMMA)) {\n this.unexpectedToken(this.tokens[this.index + 1]);\n }\n return parameters;\n }\n tokenText() {\n // Tokens have a toString already which we could use, but for string tokens it omits the quotes.\n // Eventually we could expose this information on the token directly.\n return this.expression.slice(this.start + this.token().index, this.start + this.token().end);\n }\n error(token, message) {\n const newStart = this.span.start.moveBy(this.start + token.index);\n const newEnd = newStart.moveBy(token.end - token.index);\n this.errors.push(new ParseError(new ParseSourceSpan(newStart, newEnd), message));\n }\n unexpectedToken(token) {\n this.error(token, `Unexpected token \"${token}\"`);\n }\n}\nfunction createIdleTrigger(parameters, sourceSpan) {\n if (parameters.length > 0) {\n throw new Error(`\"${OnTriggerType.IDLE}\" trigger cannot have parameters`);\n }\n return new IdleDeferredTrigger(sourceSpan);\n}\nfunction createTimerTrigger(parameters, sourceSpan) {\n if (parameters.length !== 1) {\n throw new Error(`\"${OnTriggerType.TIMER}\" trigger must have exactly one parameter`);\n }\n const delay = parseDeferredTime(parameters[0]);\n if (delay === null) {\n throw new Error(`Could not parse time value of trigger \"${OnTriggerType.TIMER}\"`);\n }\n return new TimerDeferredTrigger(delay, sourceSpan);\n}\nfunction createInteractionTrigger(parameters, sourceSpan) {\n if (parameters.length > 1) {\n throw new Error(`\"${OnTriggerType.INTERACTION}\" trigger can only have zero or one parameters`);\n }\n return new InteractionDeferredTrigger(parameters[0] ?? null, sourceSpan);\n}\nfunction createImmediateTrigger(parameters, sourceSpan) {\n if (parameters.length > 0) {\n throw new Error(`\"${OnTriggerType.IMMEDIATE}\" trigger cannot have parameters`);\n }\n return new ImmediateDeferredTrigger(sourceSpan);\n}\nfunction createHoverTrigger(parameters, sourceSpan) {\n if (parameters.length > 0) {\n throw new Error(`\"${OnTriggerType.HOVER}\" trigger cannot have parameters`);\n }\n return new HoverDeferredTrigger(sourceSpan);\n}\nfunction createViewportTrigger(parameters, sourceSpan) {\n // TODO: the RFC has some more potential parameters for `viewport`.\n if (parameters.length > 1) {\n throw new Error(`\"${OnTriggerType.VIEWPORT}\" trigger can only have zero or one parameters`);\n }\n return new ViewportDeferredTrigger(parameters[0] ?? null, sourceSpan);\n}\n/** Gets the index within an expression at which the trigger parameters start. */\nfunction getTriggerParametersStart(value, startPosition = 0) {\n let hasFoundSeparator = false;\n for (let i = startPosition; i < value.length; i++) {\n if (SEPARATOR_PATTERN.test(value[i])) {\n hasFoundSeparator = true;\n } else if (hasFoundSeparator) {\n return i;\n }\n }\n return -1;\n}\n/**\n * Parses a time expression from a deferred trigger to\n * milliseconds. Returns null if it cannot be parsed.\n */\nfunction parseDeferredTime(value) {\n const match = value.match(TIME_PATTERN);\n if (!match) {\n return null;\n }\n const [time, units] = match;\n return parseInt(time) * (units === 's' ? 1000 : 1);\n}\n\n/** Pattern to identify a `prefetch when` trigger. */\nconst PREFETCH_WHEN_PATTERN = /^prefetch\\s+when\\s/;\n/** Pattern to identify a `prefetch on` trigger. */\nconst PREFETCH_ON_PATTERN = /^prefetch\\s+on\\s/;\n/** Pattern to identify a `minimum` parameter in a block. */\nconst MINIMUM_PARAMETER_PATTERN = /^minimum\\s/;\n/** Pattern to identify a `after` parameter in a block. */\nconst AFTER_PARAMETER_PATTERN = /^after\\s/;\n/** Pattern to identify a `when` parameter in a block. */\nconst WHEN_PARAMETER_PATTERN = /^when\\s/;\n/** Pattern to identify a `on` parameter in a block. */\nconst ON_PARAMETER_PATTERN = /^on\\s/;\n/** Possible types of secondary deferred blocks. */\nvar SecondaryDeferredBlockType;\n(function (SecondaryDeferredBlockType) {\n SecondaryDeferredBlockType[\"PLACEHOLDER\"] = \"placeholder\";\n SecondaryDeferredBlockType[\"LOADING\"] = \"loading\";\n SecondaryDeferredBlockType[\"ERROR\"] = \"error\";\n})(SecondaryDeferredBlockType || (SecondaryDeferredBlockType = {}));\n/** Creates a deferred block from an HTML AST node. */\nfunction createDeferredBlock(ast, visitor, bindingParser) {\n const errors = [];\n const [primaryBlock, ...secondaryBlocks] = ast.blocks;\n const {\n triggers,\n prefetchTriggers\n } = parsePrimaryTriggers(primaryBlock.parameters, bindingParser, errors);\n const {\n placeholder,\n loading,\n error\n } = parseSecondaryBlocks(secondaryBlocks, errors, visitor);\n return {\n node: new DeferredBlock(visitAll(visitor, primaryBlock.children), triggers, prefetchTriggers, placeholder, loading, error, ast.sourceSpan, ast.startSourceSpan, ast.endSourceSpan),\n errors\n };\n}\nfunction parseSecondaryBlocks(blocks, errors, visitor) {\n let placeholder = null;\n let loading = null;\n let error = null;\n for (const block of blocks) {\n try {\n switch (block.name) {\n case SecondaryDeferredBlockType.PLACEHOLDER:\n if (placeholder !== null) {\n errors.push(new ParseError(block.startSourceSpan, `\"defer\" block can only have one \"${SecondaryDeferredBlockType.PLACEHOLDER}\" block`));\n } else {\n placeholder = parsePlaceholderBlock(block, visitor);\n }\n break;\n case SecondaryDeferredBlockType.LOADING:\n if (loading !== null) {\n errors.push(new ParseError(block.startSourceSpan, `\"defer\" block can only have one \"${SecondaryDeferredBlockType.LOADING}\" block`));\n } else {\n loading = parseLoadingBlock(block, visitor);\n }\n break;\n case SecondaryDeferredBlockType.ERROR:\n if (error !== null) {\n errors.push(new ParseError(block.startSourceSpan, `\"defer\" block can only have one \"${SecondaryDeferredBlockType.ERROR}\" block`));\n } else {\n error = parseErrorBlock(block, visitor);\n }\n break;\n default:\n errors.push(new ParseError(block.startSourceSpan, `Unrecognized block \"${block.name}\"`));\n break;\n }\n } catch (e) {\n errors.push(new ParseError(block.startSourceSpan, e.message));\n }\n }\n return {\n placeholder,\n loading,\n error\n };\n}\nfunction parsePlaceholderBlock(ast, visitor) {\n let minimumTime = null;\n for (const param of ast.parameters) {\n if (MINIMUM_PARAMETER_PATTERN.test(param.expression)) {\n const parsedTime = parseDeferredTime(param.expression.slice(getTriggerParametersStart(param.expression)));\n if (parsedTime === null) {\n throw new Error(`Could not parse time value of parameter \"minimum\"`);\n }\n minimumTime = parsedTime;\n } else {\n throw new Error(`Unrecognized parameter in \"${SecondaryDeferredBlockType.PLACEHOLDER}\" block: \"${param.expression}\"`);\n }\n }\n return new DeferredBlockPlaceholder(visitAll(visitor, ast.children), minimumTime, ast.sourceSpan, ast.startSourceSpan, ast.endSourceSpan);\n}\nfunction parseLoadingBlock(ast, visitor) {\n let afterTime = null;\n let minimumTime = null;\n for (const param of ast.parameters) {\n if (AFTER_PARAMETER_PATTERN.test(param.expression)) {\n const parsedTime = parseDeferredTime(param.expression.slice(getTriggerParametersStart(param.expression)));\n if (parsedTime === null) {\n throw new Error(`Could not parse time value of parameter \"after\"`);\n }\n afterTime = parsedTime;\n } else if (MINIMUM_PARAMETER_PATTERN.test(param.expression)) {\n const parsedTime = parseDeferredTime(param.expression.slice(getTriggerParametersStart(param.expression)));\n if (parsedTime === null) {\n throw new Error(`Could not parse time value of parameter \"minimum\"`);\n }\n minimumTime = parsedTime;\n } else {\n throw new Error(`Unrecognized parameter in \"${SecondaryDeferredBlockType.LOADING}\" block: \"${param.expression}\"`);\n }\n }\n return new DeferredBlockLoading(visitAll(visitor, ast.children), afterTime, minimumTime, ast.sourceSpan, ast.startSourceSpan, ast.endSourceSpan);\n}\nfunction parseErrorBlock(ast, visitor) {\n if (ast.parameters.length > 0) {\n throw new Error(`\"${SecondaryDeferredBlockType.ERROR}\" block cannot have parameters`);\n }\n return new DeferredBlockError(visitAll(visitor, ast.children), ast.sourceSpan, ast.startSourceSpan, ast.endSourceSpan);\n}\nfunction parsePrimaryTriggers(params, bindingParser, errors) {\n const triggers = [];\n const prefetchTriggers = [];\n for (const param of params) {\n // The lexer ignores the leading spaces so we can assume\n // that the expression starts with a keyword.\n if (WHEN_PARAMETER_PATTERN.test(param.expression)) {\n const result = parseWhenTrigger(param, bindingParser, errors);\n result !== null && triggers.push(result);\n } else if (ON_PARAMETER_PATTERN.test(param.expression)) {\n triggers.push(...parseOnTrigger(param, errors));\n } else if (PREFETCH_WHEN_PATTERN.test(param.expression)) {\n const result = parseWhenTrigger(param, bindingParser, errors);\n result !== null && prefetchTriggers.push(result);\n } else if (PREFETCH_ON_PATTERN.test(param.expression)) {\n prefetchTriggers.push(...parseOnTrigger(param, errors));\n } else {\n errors.push(new ParseError(param.sourceSpan, 'Unrecognized trigger'));\n }\n }\n return {\n triggers,\n prefetchTriggers\n };\n}\nconst BIND_NAME_REGEXP = /^(?:(bind-)|(let-)|(ref-|#)|(on-)|(bindon-)|(@))(.*)$/;\n// Group 1 = \"bind-\"\nconst KW_BIND_IDX = 1;\n// Group 2 = \"let-\"\nconst KW_LET_IDX = 2;\n// Group 3 = \"ref-/#\"\nconst KW_REF_IDX = 3;\n// Group 4 = \"on-\"\nconst KW_ON_IDX = 4;\n// Group 5 = \"bindon-\"\nconst KW_BINDON_IDX = 5;\n// Group 6 = \"@\"\nconst KW_AT_IDX = 6;\n// Group 7 = the identifier after \"bind-\", \"let-\", \"ref-/#\", \"on-\", \"bindon-\" or \"@\"\nconst IDENT_KW_IDX = 7;\nconst BINDING_DELIMS = {\n BANANA_BOX: {\n start: '[(',\n end: ')]'\n },\n PROPERTY: {\n start: '[',\n end: ']'\n },\n EVENT: {\n start: '(',\n end: ')'\n }\n};\nconst TEMPLATE_ATTR_PREFIX = '*';\nfunction htmlAstToRender3Ast(htmlNodes, bindingParser, options) {\n const transformer = new HtmlAstToIvyAst(bindingParser, options);\n const ivyNodes = visitAll(transformer, htmlNodes);\n // Errors might originate in either the binding parser or the html to ivy transformer\n const allErrors = bindingParser.errors.concat(transformer.errors);\n const result = {\n nodes: ivyNodes,\n errors: allErrors,\n styleUrls: transformer.styleUrls,\n styles: transformer.styles,\n ngContentSelectors: transformer.ngContentSelectors\n };\n if (options.collectCommentNodes) {\n result.commentNodes = transformer.commentNodes;\n }\n return result;\n}\nclass HtmlAstToIvyAst {\n constructor(bindingParser, options) {\n this.bindingParser = bindingParser;\n this.options = options;\n this.errors = [];\n this.styles = [];\n this.styleUrls = [];\n this.ngContentSelectors = [];\n // This array will be populated if `Render3ParseOptions['collectCommentNodes']` is true\n this.commentNodes = [];\n this.inI18nBlock = false;\n }\n // HTML visitor\n visitElement(element) {\n const isI18nRootElement = isI18nRootNode(element.i18n);\n if (isI18nRootElement) {\n if (this.inI18nBlock) {\n this.reportError('Cannot mark an element as translatable inside of a translatable section. Please remove the nested i18n marker.', element.sourceSpan);\n }\n this.inI18nBlock = true;\n }\n const preparsedElement = preparseElement(element);\n if (preparsedElement.type === PreparsedElementType.SCRIPT) {\n return null;\n } else if (preparsedElement.type === PreparsedElementType.STYLE) {\n const contents = textContents(element);\n if (contents !== null) {\n this.styles.push(contents);\n }\n return null;\n } else if (preparsedElement.type === PreparsedElementType.STYLESHEET && isStyleUrlResolvable(preparsedElement.hrefAttr)) {\n this.styleUrls.push(preparsedElement.hrefAttr);\n return null;\n }\n // Whether the element is a `<ng-template>`\n const isTemplateElement = isNgTemplate(element.name);\n const parsedProperties = [];\n const boundEvents = [];\n const variables = [];\n const references = [];\n const attributes = [];\n const i18nAttrsMeta = {};\n const templateParsedProperties = [];\n const templateVariables = [];\n // Whether the element has any *-attribute\n let elementHasInlineTemplate = false;\n for (const attribute of element.attrs) {\n let hasBinding = false;\n const normalizedName = normalizeAttributeName(attribute.name);\n // `*attr` defines template bindings\n let isTemplateBinding = false;\n if (attribute.i18n) {\n i18nAttrsMeta[attribute.name] = attribute.i18n;\n }\n if (normalizedName.startsWith(TEMPLATE_ATTR_PREFIX)) {\n // *-attributes\n if (elementHasInlineTemplate) {\n this.reportError(`Can't have multiple template bindings on one element. Use only one attribute prefixed with *`, attribute.sourceSpan);\n }\n isTemplateBinding = true;\n elementHasInlineTemplate = true;\n const templateValue = attribute.value;\n const templateKey = normalizedName.substring(TEMPLATE_ATTR_PREFIX.length);\n const parsedVariables = [];\n const absoluteValueOffset = attribute.valueSpan ? attribute.valueSpan.start.offset :\n // If there is no value span the attribute does not have a value, like `attr` in\n //`<div attr></div>`. In this case, point to one character beyond the last character of\n // the attribute name.\n attribute.sourceSpan.start.offset + attribute.name.length;\n this.bindingParser.parseInlineTemplateBinding(templateKey, templateValue, attribute.sourceSpan, absoluteValueOffset, [], templateParsedProperties, parsedVariables, true /* isIvyAst */);\n templateVariables.push(...parsedVariables.map(v => new Variable(v.name, v.value, v.sourceSpan, v.keySpan, v.valueSpan)));\n } else {\n // Check for variables, events, property bindings, interpolation\n hasBinding = this.parseAttribute(isTemplateElement, attribute, [], parsedProperties, boundEvents, variables, references);\n }\n if (!hasBinding && !isTemplateBinding) {\n // don't include the bindings as attributes as well in the AST\n attributes.push(this.visitAttribute(attribute));\n }\n }\n let children;\n if (preparsedElement.nonBindable) {\n // The `NonBindableVisitor` may need to return an array of nodes for block groups so we need\n // to flatten the array here. Avoid doing this for the `HtmlAstToIvyAst` since `flat` creates\n // a new array.\n children = visitAll(NON_BINDABLE_VISITOR, element.children).flat(Infinity);\n } else {\n children = visitAll(this, element.children);\n }\n let parsedElement;\n if (preparsedElement.type === PreparsedElementType.NG_CONTENT) {\n // `<ng-content>`\n if (element.children && !element.children.every(node => isEmptyTextNode(node) || isCommentNode(node))) {\n this.reportError(`<ng-content> element cannot have content.`, element.sourceSpan);\n }\n const selector = preparsedElement.selectAttr;\n const attrs = element.attrs.map(attr => this.visitAttribute(attr));\n parsedElement = new Content(selector, attrs, element.sourceSpan, element.i18n);\n this.ngContentSelectors.push(selector);\n } else if (isTemplateElement) {\n // `<ng-template>`\n const attrs = this.extractAttributes(element.name, parsedProperties, i18nAttrsMeta);\n parsedElement = new Template(element.name, attributes, attrs.bound, boundEvents, [/* no template attributes */], children, references, variables, element.sourceSpan, element.startSourceSpan, element.endSourceSpan, element.i18n);\n } else {\n const attrs = this.extractAttributes(element.name, parsedProperties, i18nAttrsMeta);\n parsedElement = new Element$1(element.name, attributes, attrs.bound, boundEvents, children, references, element.sourceSpan, element.startSourceSpan, element.endSourceSpan, element.i18n);\n }\n if (elementHasInlineTemplate) {\n // If this node is an inline-template (e.g. has *ngFor) then we need to create a template\n // node that contains this node.\n // Moreover, if the node is an element, then we need to hoist its attributes to the template\n // node for matching against content projection selectors.\n const attrs = this.extractAttributes('ng-template', templateParsedProperties, i18nAttrsMeta);\n const templateAttrs = [];\n attrs.literal.forEach(attr => templateAttrs.push(attr));\n attrs.bound.forEach(attr => templateAttrs.push(attr));\n const hoistedAttrs = parsedElement instanceof Element$1 ? {\n attributes: parsedElement.attributes,\n inputs: parsedElement.inputs,\n outputs: parsedElement.outputs\n } : {\n attributes: [],\n inputs: [],\n outputs: []\n };\n // For <ng-template>s with structural directives on them, avoid passing i18n information to\n // the wrapping template to prevent unnecessary i18n instructions from being generated. The\n // necessary i18n meta information will be extracted from child elements.\n const i18n = isTemplateElement && isI18nRootElement ? undefined : element.i18n;\n const name = parsedElement instanceof Template ? null : parsedElement.name;\n parsedElement = new Template(name, hoistedAttrs.attributes, hoistedAttrs.inputs, hoistedAttrs.outputs, templateAttrs, [parsedElement], [/* no references */], templateVariables, element.sourceSpan, element.startSourceSpan, element.endSourceSpan, i18n);\n }\n if (isI18nRootElement) {\n this.inI18nBlock = false;\n }\n return parsedElement;\n }\n visitAttribute(attribute) {\n return new TextAttribute(attribute.name, attribute.value, attribute.sourceSpan, attribute.keySpan, attribute.valueSpan, attribute.i18n);\n }\n visitText(text) {\n return this._visitTextWithInterpolation(text.value, text.sourceSpan, text.tokens, text.i18n);\n }\n visitExpansion(expansion) {\n if (!expansion.i18n) {\n // do not generate Icu in case it was created\n // outside of i18n block in a template\n return null;\n }\n if (!isI18nRootNode(expansion.i18n)) {\n throw new Error(`Invalid type \"${expansion.i18n.constructor}\" for \"i18n\" property of ${expansion.sourceSpan.toString()}. Expected a \"Message\"`);\n }\n const message = expansion.i18n;\n const vars = {};\n const placeholders = {};\n // extract VARs from ICUs - we process them separately while\n // assembling resulting message via goog.getMsg function, since\n // we need to pass them to top-level goog.getMsg call\n Object.keys(message.placeholders).forEach(key => {\n const value = message.placeholders[key];\n if (key.startsWith(I18N_ICU_VAR_PREFIX)) {\n // Currently when the `plural` or `select` keywords in an ICU contain trailing spaces (e.g.\n // `{count, select , ...}`), these spaces are also included into the key names in ICU vars\n // (e.g. \"VAR_SELECT \"). These trailing spaces are not desirable, since they will later be\n // converted into `_` symbols while normalizing placeholder names, which might lead to\n // mismatches at runtime (i.e. placeholder will not be replaced with the correct value).\n const formattedKey = key.trim();\n const ast = this.bindingParser.parseInterpolationExpression(value.text, value.sourceSpan);\n vars[formattedKey] = new BoundText(ast, value.sourceSpan);\n } else {\n placeholders[key] = this._visitTextWithInterpolation(value.text, value.sourceSpan, null);\n }\n });\n return new Icu$1(vars, placeholders, expansion.sourceSpan, message);\n }\n visitExpansionCase(expansionCase) {\n return null;\n }\n visitComment(comment) {\n if (this.options.collectCommentNodes) {\n this.commentNodes.push(new Comment$1(comment.value || '', comment.sourceSpan));\n }\n return null;\n }\n visitBlockGroup(group, context) {\n const primaryBlock = group.blocks[0];\n // The HTML parser ensures that we don't hit this case, but we have an assertion just in case.\n if (!primaryBlock) {\n this.reportError('Block group must have at least one block.', group.sourceSpan);\n return null;\n }\n if (primaryBlock.name === 'defer' && this.options.enabledBlockTypes.has(primaryBlock.name)) {\n const {\n node,\n errors\n } = createDeferredBlock(group, this, this.bindingParser);\n this.errors.push(...errors);\n return node;\n }\n this.reportError(`Unrecognized block \"${primaryBlock.name}\".`, primaryBlock.sourceSpan);\n return null;\n }\n visitBlock(block, context) {}\n visitBlockParameter(parameter, context) {}\n // convert view engine `ParsedProperty` to a format suitable for IVY\n extractAttributes(elementName, properties, i18nPropsMeta) {\n const bound = [];\n const literal = [];\n properties.forEach(prop => {\n const i18n = i18nPropsMeta[prop.name];\n if (prop.isLiteral) {\n literal.push(new TextAttribute(prop.name, prop.expression.source || '', prop.sourceSpan, prop.keySpan, prop.valueSpan, i18n));\n } else {\n // Note that validation is skipped and property mapping is disabled\n // due to the fact that we need to make sure a given prop is not an\n // input of a directive and directive matching happens at runtime.\n const bep = this.bindingParser.createBoundElementProperty(elementName, prop, /* skipValidation */true, /* mapPropertyName */false);\n bound.push(BoundAttribute.fromBoundElementProperty(bep, i18n));\n }\n });\n return {\n bound,\n literal\n };\n }\n parseAttribute(isTemplateElement, attribute, matchableAttributes, parsedProperties, boundEvents, variables, references) {\n const name = normalizeAttributeName(attribute.name);\n const value = attribute.value;\n const srcSpan = attribute.sourceSpan;\n const absoluteOffset = attribute.valueSpan ? attribute.valueSpan.start.offset : srcSpan.start.offset;\n function createKeySpan(srcSpan, prefix, identifier) {\n // We need to adjust the start location for the keySpan to account for the removed 'data-'\n // prefix from `normalizeAttributeName`.\n const normalizationAdjustment = attribute.name.length - name.length;\n const keySpanStart = srcSpan.start.moveBy(prefix.length + normalizationAdjustment);\n const keySpanEnd = keySpanStart.moveBy(identifier.length);\n return new ParseSourceSpan(keySpanStart, keySpanEnd, keySpanStart, identifier);\n }\n const bindParts = name.match(BIND_NAME_REGEXP);\n if (bindParts) {\n if (bindParts[KW_BIND_IDX] != null) {\n const identifier = bindParts[IDENT_KW_IDX];\n const keySpan = createKeySpan(srcSpan, bindParts[KW_BIND_IDX], identifier);\n this.bindingParser.parsePropertyBinding(identifier, value, false, srcSpan, absoluteOffset, attribute.valueSpan, matchableAttributes, parsedProperties, keySpan);\n } else if (bindParts[KW_LET_IDX]) {\n if (isTemplateElement) {\n const identifier = bindParts[IDENT_KW_IDX];\n const keySpan = createKeySpan(srcSpan, bindParts[KW_LET_IDX], identifier);\n this.parseVariable(identifier, value, srcSpan, keySpan, attribute.valueSpan, variables);\n } else {\n this.reportError(`\"let-\" is only supported on ng-template elements.`, srcSpan);\n }\n } else if (bindParts[KW_REF_IDX]) {\n const identifier = bindParts[IDENT_KW_IDX];\n const keySpan = createKeySpan(srcSpan, bindParts[KW_REF_IDX], identifier);\n this.parseReference(identifier, value, srcSpan, keySpan, attribute.valueSpan, references);\n } else if (bindParts[KW_ON_IDX]) {\n const events = [];\n const identifier = bindParts[IDENT_KW_IDX];\n const keySpan = createKeySpan(srcSpan, bindParts[KW_ON_IDX], identifier);\n this.bindingParser.parseEvent(identifier, value, /* isAssignmentEvent */false, srcSpan, attribute.valueSpan || srcSpan, matchableAttributes, events, keySpan);\n addEvents(events, boundEvents);\n } else if (bindParts[KW_BINDON_IDX]) {\n const identifier = bindParts[IDENT_KW_IDX];\n const keySpan = createKeySpan(srcSpan, bindParts[KW_BINDON_IDX], identifier);\n this.bindingParser.parsePropertyBinding(identifier, value, false, srcSpan, absoluteOffset, attribute.valueSpan, matchableAttributes, parsedProperties, keySpan);\n this.parseAssignmentEvent(identifier, value, srcSpan, attribute.valueSpan, matchableAttributes, boundEvents, keySpan);\n } else if (bindParts[KW_AT_IDX]) {\n const keySpan = createKeySpan(srcSpan, '', name);\n this.bindingParser.parseLiteralAttr(name, value, srcSpan, absoluteOffset, attribute.valueSpan, matchableAttributes, parsedProperties, keySpan);\n }\n return true;\n }\n // We didn't see a kw-prefixed property binding, but we have not yet checked\n // for the []/()/[()] syntax.\n let delims = null;\n if (name.startsWith(BINDING_DELIMS.BANANA_BOX.start)) {\n delims = BINDING_DELIMS.BANANA_BOX;\n } else if (name.startsWith(BINDING_DELIMS.PROPERTY.start)) {\n delims = BINDING_DELIMS.PROPERTY;\n } else if (name.startsWith(BINDING_DELIMS.EVENT.start)) {\n delims = BINDING_DELIMS.EVENT;\n }\n if (delims !== null &&\n // NOTE: older versions of the parser would match a start/end delimited\n // binding iff the property name was terminated by the ending delimiter\n // and the identifier in the binding was non-empty.\n // TODO(ayazhafiz): update this to handle malformed bindings.\n name.endsWith(delims.end) && name.length > delims.start.length + delims.end.length) {\n const identifier = name.substring(delims.start.length, name.length - delims.end.length);\n const keySpan = createKeySpan(srcSpan, delims.start, identifier);\n if (delims.start === BINDING_DELIMS.BANANA_BOX.start) {\n this.bindingParser.parsePropertyBinding(identifier, value, false, srcSpan, absoluteOffset, attribute.valueSpan, matchableAttributes, parsedProperties, keySpan);\n this.parseAssignmentEvent(identifier, value, srcSpan, attribute.valueSpan, matchableAttributes, boundEvents, keySpan);\n } else if (delims.start === BINDING_DELIMS.PROPERTY.start) {\n this.bindingParser.parsePropertyBinding(identifier, value, false, srcSpan, absoluteOffset, attribute.valueSpan, matchableAttributes, parsedProperties, keySpan);\n } else {\n const events = [];\n this.bindingParser.parseEvent(identifier, value, /* isAssignmentEvent */false, srcSpan, attribute.valueSpan || srcSpan, matchableAttributes, events, keySpan);\n addEvents(events, boundEvents);\n }\n return true;\n }\n // No explicit binding found.\n const keySpan = createKeySpan(srcSpan, '' /* prefix */, name);\n const hasBinding = this.bindingParser.parsePropertyInterpolation(name, value, srcSpan, attribute.valueSpan, matchableAttributes, parsedProperties, keySpan, attribute.valueTokens ?? null);\n return hasBinding;\n }\n _visitTextWithInterpolation(value, sourceSpan, interpolatedTokens, i18n) {\n const valueNoNgsp = replaceNgsp(value);\n const expr = this.bindingParser.parseInterpolation(valueNoNgsp, sourceSpan, interpolatedTokens);\n return expr ? new BoundText(expr, sourceSpan, i18n) : new Text$3(valueNoNgsp, sourceSpan);\n }\n parseVariable(identifier, value, sourceSpan, keySpan, valueSpan, variables) {\n if (identifier.indexOf('-') > -1) {\n this.reportError(`\"-\" is not allowed in variable names`, sourceSpan);\n } else if (identifier.length === 0) {\n this.reportError(`Variable does not have a name`, sourceSpan);\n }\n variables.push(new Variable(identifier, value, sourceSpan, keySpan, valueSpan));\n }\n parseReference(identifier, value, sourceSpan, keySpan, valueSpan, references) {\n if (identifier.indexOf('-') > -1) {\n this.reportError(`\"-\" is not allowed in reference names`, sourceSpan);\n } else if (identifier.length === 0) {\n this.reportError(`Reference does not have a name`, sourceSpan);\n } else if (references.some(reference => reference.name === identifier)) {\n this.reportError(`Reference \"#${identifier}\" is defined more than once`, sourceSpan);\n }\n references.push(new Reference(identifier, value, sourceSpan, keySpan, valueSpan));\n }\n parseAssignmentEvent(name, expression, sourceSpan, valueSpan, targetMatchableAttrs, boundEvents, keySpan) {\n const events = [];\n this.bindingParser.parseEvent(`${name}Change`, `${expression} =$event`, /* isAssignmentEvent */true, sourceSpan, valueSpan || sourceSpan, targetMatchableAttrs, events, keySpan);\n addEvents(events, boundEvents);\n }\n reportError(message, sourceSpan, level = ParseErrorLevel.ERROR) {\n this.errors.push(new ParseError(sourceSpan, message, level));\n }\n}\nclass NonBindableVisitor {\n visitElement(ast) {\n const preparsedElement = preparseElement(ast);\n if (preparsedElement.type === PreparsedElementType.SCRIPT || preparsedElement.type === PreparsedElementType.STYLE || preparsedElement.type === PreparsedElementType.STYLESHEET) {\n // Skipping <script> for security reasons\n // Skipping <style> and stylesheets as we already processed them\n // in the StyleCompiler\n return null;\n }\n const children = visitAll(this, ast.children, null);\n return new Element$1(ast.name, visitAll(this, ast.attrs), /* inputs */[], /* outputs */[], children, /* references */[], ast.sourceSpan, ast.startSourceSpan, ast.endSourceSpan);\n }\n visitComment(comment) {\n return null;\n }\n visitAttribute(attribute) {\n return new TextAttribute(attribute.name, attribute.value, attribute.sourceSpan, attribute.keySpan, attribute.valueSpan, attribute.i18n);\n }\n visitText(text) {\n return new Text$3(text.value, text.sourceSpan);\n }\n visitExpansion(expansion) {\n return null;\n }\n visitExpansionCase(expansionCase) {\n return null;\n }\n visitBlockGroup(group, context) {\n const nodes = visitAll(this, group.blocks);\n // We only need to do the end tag since the start will be added as a part of the primary block.\n if (group.endSourceSpan !== null) {\n nodes.push(new Text$3(group.endSourceSpan.toString(), group.endSourceSpan));\n }\n return nodes;\n }\n visitBlock(block, context) {\n return [\n // In an ngNonBindable context we treat the opening/closing tags of block as plain text.\n // This is the as if the `tokenizeBlocks` option was disabled.\n new Text$3(block.startSourceSpan.toString(), block.startSourceSpan), ...visitAll(this, block.children)];\n }\n visitBlockParameter(parameter, context) {\n return null;\n }\n}\nconst NON_BINDABLE_VISITOR = new NonBindableVisitor();\nfunction normalizeAttributeName(attrName) {\n return /^data-/i.test(attrName) ? attrName.substring(5) : attrName;\n}\nfunction addEvents(events, boundEvents) {\n boundEvents.push(...events.map(e => BoundEvent.fromParsedEvent(e)));\n}\nfunction isEmptyTextNode(node) {\n return node instanceof Text && node.value.trim().length == 0;\n}\nfunction isCommentNode(node) {\n return node instanceof Comment;\n}\nfunction textContents(node) {\n if (node.children.length !== 1 || !(node.children[0] instanceof Text)) {\n return null;\n } else {\n return node.children[0].value;\n }\n}\nvar TagType;\n(function (TagType) {\n TagType[TagType[\"ELEMENT\"] = 0] = \"ELEMENT\";\n TagType[TagType[\"TEMPLATE\"] = 1] = \"TEMPLATE\";\n})(TagType || (TagType = {}));\n/**\n * Generates an object that is used as a shared state between parent and all child contexts.\n */\nfunction setupRegistry() {\n return {\n getUniqueId: getSeqNumberGenerator(),\n icus: new Map()\n };\n}\n/**\n * I18nContext is a helper class which keeps track of all i18n-related aspects\n * (accumulates placeholders, bindings, etc) between i18nStart and i18nEnd instructions.\n *\n * When we enter a nested template, the top-level context is being passed down\n * to the nested component, which uses this context to generate a child instance\n * of I18nContext class (to handle nested template) and at the end, reconciles it back\n * with the parent context.\n *\n * @param index Instruction index of i18nStart, which initiates this context\n * @param ref Reference to a translation const that represents the content if thus context\n * @param level Nesting level defined for child contexts\n * @param templateIndex Instruction index of a template which this context belongs to\n * @param meta Meta information (id, meaning, description, etc) associated with this context\n */\nclass I18nContext {\n constructor(index, ref, level = 0, templateIndex = null, meta, registry) {\n this.index = index;\n this.ref = ref;\n this.level = level;\n this.templateIndex = templateIndex;\n this.meta = meta;\n this.registry = registry;\n this.bindings = new Set();\n this.placeholders = new Map();\n this.isEmitted = false;\n this._unresolvedCtxCount = 0;\n this._registry = registry || setupRegistry();\n this.id = this._registry.getUniqueId();\n }\n appendTag(type, node, index, closed) {\n if (node.isVoid && closed) {\n return; // ignore \"close\" for void tags\n }\n const ph = node.isVoid || !closed ? node.startName : node.closeName;\n const content = {\n type,\n index,\n ctx: this.id,\n isVoid: node.isVoid,\n closed\n };\n updatePlaceholderMap(this.placeholders, ph, content);\n }\n get icus() {\n return this._registry.icus;\n }\n get isRoot() {\n return this.level === 0;\n }\n get isResolved() {\n return this._unresolvedCtxCount === 0;\n }\n getSerializedPlaceholders() {\n const result = new Map();\n this.placeholders.forEach((values, key) => result.set(key, values.map(serializePlaceholderValue)));\n return result;\n }\n // public API to accumulate i18n-related content\n appendBinding(binding) {\n this.bindings.add(binding);\n }\n appendIcu(name, ref) {\n updatePlaceholderMap(this._registry.icus, name, ref);\n }\n appendBoundText(node) {\n const phs = assembleBoundTextPlaceholders(node, this.bindings.size, this.id);\n phs.forEach((values, key) => updatePlaceholderMap(this.placeholders, key, ...values));\n }\n appendTemplate(node, index) {\n // add open and close tags at the same time,\n // since we process nested templates separately\n this.appendTag(TagType.TEMPLATE, node, index, false);\n this.appendTag(TagType.TEMPLATE, node, index, true);\n this._unresolvedCtxCount++;\n }\n appendElement(node, index, closed) {\n this.appendTag(TagType.ELEMENT, node, index, closed);\n }\n appendProjection(node, index) {\n // Add open and close tags at the same time, since `<ng-content>` has no content,\n // so when we come across `<ng-content>` we can register both open and close tags.\n // Note: runtime i18n logic doesn't distinguish `<ng-content>` tag placeholders and\n // regular element tag placeholders, so we generate element placeholders for both types.\n this.appendTag(TagType.ELEMENT, node, index, false);\n this.appendTag(TagType.ELEMENT, node, index, true);\n }\n /**\n * Generates an instance of a child context based on the root one,\n * when we enter a nested template within I18n section.\n *\n * @param index Instruction index of corresponding i18nStart, which initiates this context\n * @param templateIndex Instruction index of a template which this context belongs to\n * @param meta Meta information (id, meaning, description, etc) associated with this context\n *\n * @returns I18nContext instance\n */\n forkChildContext(index, templateIndex, meta) {\n return new I18nContext(index, this.ref, this.level + 1, templateIndex, meta, this._registry);\n }\n /**\n * Reconciles child context into parent one once the end of the i18n block is reached (i18nEnd).\n *\n * @param context Child I18nContext instance to be reconciled with parent context.\n */\n reconcileChildContext(context) {\n // set the right context id for open and close\n // template tags, so we can use it as sub-block ids\n ['start', 'close'].forEach(op => {\n const key = context.meta[`${op}Name`];\n const phs = this.placeholders.get(key) || [];\n const tag = phs.find(findTemplateFn(this.id, context.templateIndex));\n if (tag) {\n tag.ctx = context.id;\n }\n });\n // reconcile placeholders\n const childPhs = context.placeholders;\n childPhs.forEach((values, key) => {\n const phs = this.placeholders.get(key);\n if (!phs) {\n this.placeholders.set(key, values);\n return;\n }\n // try to find matching template...\n const tmplIdx = phs.findIndex(findTemplateFn(context.id, context.templateIndex));\n if (tmplIdx >= 0) {\n // ... if found - replace it with nested template content\n const isCloseTag = key.startsWith('CLOSE');\n const isTemplateTag = key.endsWith('NG-TEMPLATE');\n if (isTemplateTag) {\n // current template's content is placed before or after\n // parent template tag, depending on the open/close attribute\n phs.splice(tmplIdx + (isCloseTag ? 0 : 1), 0, ...values);\n } else {\n const idx = isCloseTag ? values.length - 1 : 0;\n values[idx].tmpl = phs[tmplIdx];\n phs.splice(tmplIdx, 1, ...values);\n }\n } else {\n // ... otherwise just append content to placeholder value\n phs.push(...values);\n }\n this.placeholders.set(key, phs);\n });\n this._unresolvedCtxCount--;\n }\n}\n//\n// Helper methods\n//\nfunction wrap(symbol, index, contextId, closed) {\n const state = closed ? '/' : '';\n return wrapI18nPlaceholder(`${state}${symbol}${index}`, contextId);\n}\nfunction wrapTag(symbol, {\n index,\n ctx,\n isVoid\n}, closed) {\n return isVoid ? wrap(symbol, index, ctx) + wrap(symbol, index, ctx, true) : wrap(symbol, index, ctx, closed);\n}\nfunction findTemplateFn(ctx, templateIndex) {\n return token => typeof token === 'object' && token.type === TagType.TEMPLATE && token.index === templateIndex && token.ctx === ctx;\n}\nfunction serializePlaceholderValue(value) {\n const element = (data, closed) => wrapTag('#', data, closed);\n const template = (data, closed) => wrapTag('*', data, closed);\n switch (value.type) {\n case TagType.ELEMENT:\n // close element tag\n if (value.closed) {\n return element(value, true) + (value.tmpl ? template(value.tmpl, true) : '');\n }\n // open element tag that also initiates a template\n if (value.tmpl) {\n return template(value.tmpl) + element(value) + (value.isVoid ? template(value.tmpl, true) : '');\n }\n return element(value);\n case TagType.TEMPLATE:\n return template(value, value.closed);\n default:\n return value;\n }\n}\nclass IcuSerializerVisitor {\n visitText(text) {\n return text.value;\n }\n visitContainer(container) {\n return container.children.map(child => child.visit(this)).join('');\n }\n visitIcu(icu) {\n const strCases = Object.keys(icu.cases).map(k => `${k} {${icu.cases[k].visit(this)}}`);\n const result = `{${icu.expressionPlaceholder}, ${icu.type}, ${strCases.join(' ')}}`;\n return result;\n }\n visitTagPlaceholder(ph) {\n return ph.isVoid ? this.formatPh(ph.startName) : `${this.formatPh(ph.startName)}${ph.children.map(child => child.visit(this)).join('')}${this.formatPh(ph.closeName)}`;\n }\n visitPlaceholder(ph) {\n return this.formatPh(ph.name);\n }\n visitIcuPlaceholder(ph, context) {\n return this.formatPh(ph.name);\n }\n formatPh(value) {\n return `{${formatI18nPlaceholderName(value, /* useCamelCase */false)}}`;\n }\n}\nconst serializer = new IcuSerializerVisitor();\nfunction serializeIcuNode(icu) {\n return icu.visit(serializer);\n}\nconst TAG_TO_PLACEHOLDER_NAMES = {\n 'A': 'LINK',\n 'B': 'BOLD_TEXT',\n 'BR': 'LINE_BREAK',\n 'EM': 'EMPHASISED_TEXT',\n 'H1': 'HEADING_LEVEL1',\n 'H2': 'HEADING_LEVEL2',\n 'H3': 'HEADING_LEVEL3',\n 'H4': 'HEADING_LEVEL4',\n 'H5': 'HEADING_LEVEL5',\n 'H6': 'HEADING_LEVEL6',\n 'HR': 'HORIZONTAL_RULE',\n 'I': 'ITALIC_TEXT',\n 'LI': 'LIST_ITEM',\n 'LINK': 'MEDIA_LINK',\n 'OL': 'ORDERED_LIST',\n 'P': 'PARAGRAPH',\n 'Q': 'QUOTATION',\n 'S': 'STRIKETHROUGH_TEXT',\n 'SMALL': 'SMALL_TEXT',\n 'SUB': 'SUBSTRIPT',\n 'SUP': 'SUPERSCRIPT',\n 'TBODY': 'TABLE_BODY',\n 'TD': 'TABLE_CELL',\n 'TFOOT': 'TABLE_FOOTER',\n 'TH': 'TABLE_HEADER_CELL',\n 'THEAD': 'TABLE_HEADER',\n 'TR': 'TABLE_ROW',\n 'TT': 'MONOSPACED_TEXT',\n 'U': 'UNDERLINED_TEXT',\n 'UL': 'UNORDERED_LIST'\n};\n/**\n * Creates unique names for placeholder with different content.\n *\n * Returns the same placeholder name when the content is identical.\n */\nclass PlaceholderRegistry {\n constructor() {\n // Count the occurrence of the base name top generate a unique name\n this._placeHolderNameCounts = {};\n // Maps signature to placeholder names\n this._signatureToName = {};\n }\n getStartTagPlaceholderName(tag, attrs, isVoid) {\n const signature = this._hashTag(tag, attrs, isVoid);\n if (this._signatureToName[signature]) {\n return this._signatureToName[signature];\n }\n const upperTag = tag.toUpperCase();\n const baseName = TAG_TO_PLACEHOLDER_NAMES[upperTag] || `TAG_${upperTag}`;\n const name = this._generateUniqueName(isVoid ? baseName : `START_${baseName}`);\n this._signatureToName[signature] = name;\n return name;\n }\n getCloseTagPlaceholderName(tag) {\n const signature = this._hashClosingTag(tag);\n if (this._signatureToName[signature]) {\n return this._signatureToName[signature];\n }\n const upperTag = tag.toUpperCase();\n const baseName = TAG_TO_PLACEHOLDER_NAMES[upperTag] || `TAG_${upperTag}`;\n const name = this._generateUniqueName(`CLOSE_${baseName}`);\n this._signatureToName[signature] = name;\n return name;\n }\n getPlaceholderName(name, content) {\n const upperName = name.toUpperCase();\n const signature = `PH: ${upperName}=${content}`;\n if (this._signatureToName[signature]) {\n return this._signatureToName[signature];\n }\n const uniqueName = this._generateUniqueName(upperName);\n this._signatureToName[signature] = uniqueName;\n return uniqueName;\n }\n getUniquePlaceholder(name) {\n return this._generateUniqueName(name.toUpperCase());\n }\n // Generate a hash for a tag - does not take attribute order into account\n _hashTag(tag, attrs, isVoid) {\n const start = `<${tag}`;\n const strAttrs = Object.keys(attrs).sort().map(name => ` ${name}=${attrs[name]}`).join('');\n const end = isVoid ? '/>' : `></${tag}>`;\n return start + strAttrs + end;\n }\n _hashClosingTag(tag) {\n return this._hashTag(`/${tag}`, {}, false);\n }\n _generateUniqueName(base) {\n const seen = this._placeHolderNameCounts.hasOwnProperty(base);\n if (!seen) {\n this._placeHolderNameCounts[base] = 1;\n return base;\n }\n const id = this._placeHolderNameCounts[base];\n this._placeHolderNameCounts[base] = id + 1;\n return `${base}_${id}`;\n }\n}\nconst _expParser = new Parser$1(new Lexer());\n/**\n * Returns a function converting html nodes to an i18n Message given an interpolationConfig\n */\nfunction createI18nMessageFactory(interpolationConfig) {\n const visitor = new _I18nVisitor(_expParser, interpolationConfig);\n return (nodes, meaning, description, customId, visitNodeFn) => visitor.toI18nMessage(nodes, meaning, description, customId, visitNodeFn);\n}\nfunction noopVisitNodeFn(_html, i18n) {\n return i18n;\n}\nclass _I18nVisitor {\n constructor(_expressionParser, _interpolationConfig) {\n this._expressionParser = _expressionParser;\n this._interpolationConfig = _interpolationConfig;\n }\n toI18nMessage(nodes, meaning = '', description = '', customId = '', visitNodeFn) {\n const context = {\n isIcu: nodes.length == 1 && nodes[0] instanceof Expansion,\n icuDepth: 0,\n placeholderRegistry: new PlaceholderRegistry(),\n placeholderToContent: {},\n placeholderToMessage: {},\n visitNodeFn: visitNodeFn || noopVisitNodeFn\n };\n const i18nodes = visitAll(this, nodes, context);\n return new Message(i18nodes, context.placeholderToContent, context.placeholderToMessage, meaning, description, customId);\n }\n visitElement(el, context) {\n const children = visitAll(this, el.children, context);\n const attrs = {};\n el.attrs.forEach(attr => {\n // Do not visit the attributes, translatable ones are top-level ASTs\n attrs[attr.name] = attr.value;\n });\n const isVoid = getHtmlTagDefinition(el.name).isVoid;\n const startPhName = context.placeholderRegistry.getStartTagPlaceholderName(el.name, attrs, isVoid);\n context.placeholderToContent[startPhName] = {\n text: el.startSourceSpan.toString(),\n sourceSpan: el.startSourceSpan\n };\n let closePhName = '';\n if (!isVoid) {\n closePhName = context.placeholderRegistry.getCloseTagPlaceholderName(el.name);\n context.placeholderToContent[closePhName] = {\n text: `</${el.name}>`,\n sourceSpan: el.endSourceSpan ?? el.sourceSpan\n };\n }\n const node = new TagPlaceholder(el.name, attrs, startPhName, closePhName, children, isVoid, el.sourceSpan, el.startSourceSpan, el.endSourceSpan);\n return context.visitNodeFn(el, node);\n }\n visitAttribute(attribute, context) {\n const node = attribute.valueTokens === undefined || attribute.valueTokens.length === 1 ? new Text$2(attribute.value, attribute.valueSpan || attribute.sourceSpan) : this._visitTextWithInterpolation(attribute.valueTokens, attribute.valueSpan || attribute.sourceSpan, context, attribute.i18n);\n return context.visitNodeFn(attribute, node);\n }\n visitText(text, context) {\n const node = text.tokens.length === 1 ? new Text$2(text.value, text.sourceSpan) : this._visitTextWithInterpolation(text.tokens, text.sourceSpan, context, text.i18n);\n return context.visitNodeFn(text, node);\n }\n visitComment(comment, context) {\n return null;\n }\n visitExpansion(icu, context) {\n context.icuDepth++;\n const i18nIcuCases = {};\n const i18nIcu = new Icu(icu.switchValue, icu.type, i18nIcuCases, icu.sourceSpan);\n icu.cases.forEach(caze => {\n i18nIcuCases[caze.value] = new Container(caze.expression.map(node => node.visit(this, context)), caze.expSourceSpan);\n });\n context.icuDepth--;\n if (context.isIcu || context.icuDepth > 0) {\n // Returns an ICU node when:\n // - the message (vs a part of the message) is an ICU message, or\n // - the ICU message is nested.\n const expPh = context.placeholderRegistry.getUniquePlaceholder(`VAR_${icu.type}`);\n i18nIcu.expressionPlaceholder = expPh;\n context.placeholderToContent[expPh] = {\n text: icu.switchValue,\n sourceSpan: icu.switchValueSourceSpan\n };\n return context.visitNodeFn(icu, i18nIcu);\n }\n // Else returns a placeholder\n // ICU placeholders should not be replaced with their original content but with the their\n // translations.\n // TODO(vicb): add a html.Node -> i18n.Message cache to avoid having to re-create the msg\n const phName = context.placeholderRegistry.getPlaceholderName('ICU', icu.sourceSpan.toString());\n context.placeholderToMessage[phName] = this.toI18nMessage([icu], '', '', '', undefined);\n const node = new IcuPlaceholder(i18nIcu, phName, icu.sourceSpan);\n return context.visitNodeFn(icu, node);\n }\n visitExpansionCase(_icuCase, _context) {\n throw new Error('Unreachable code');\n }\n visitBlockGroup(group, context) {\n const children = visitAll(this, group.blocks, context);\n const node = new Container(children, group.sourceSpan);\n return context.visitNodeFn(group, node);\n }\n visitBlock(block, context) {\n const children = visitAll(this, block.children, context);\n const node = new Container(children, block.sourceSpan);\n return context.visitNodeFn(block, node);\n }\n visitBlockParameter(_parameter, _context) {}\n /**\n * Convert, text and interpolated tokens up into text and placeholder pieces.\n *\n * @param tokens The text and interpolated tokens.\n * @param sourceSpan The span of the whole of the `text` string.\n * @param context The current context of the visitor, used to compute and store placeholders.\n * @param previousI18n Any i18n metadata associated with this `text` from a previous pass.\n */\n _visitTextWithInterpolation(tokens, sourceSpan, context, previousI18n) {\n // Return a sequence of `Text` and `Placeholder` nodes grouped in a `Container`.\n const nodes = [];\n // We will only create a container if there are actually interpolations,\n // so this flag tracks that.\n let hasInterpolation = false;\n for (const token of tokens) {\n switch (token.type) {\n case 8 /* TokenType.INTERPOLATION */:\n case 17 /* TokenType.ATTR_VALUE_INTERPOLATION */:\n hasInterpolation = true;\n const expression = token.parts[1];\n const baseName = extractPlaceholderName(expression) || 'INTERPOLATION';\n const phName = context.placeholderRegistry.getPlaceholderName(baseName, expression);\n context.placeholderToContent[phName] = {\n text: token.parts.join(''),\n sourceSpan: token.sourceSpan\n };\n nodes.push(new Placeholder(expression, phName, token.sourceSpan));\n break;\n default:\n if (token.parts[0].length > 0) {\n // This token is text or an encoded entity.\n // If it is following on from a previous text node then merge it into that node\n // Otherwise, if it is following an interpolation, then add a new node.\n const previous = nodes[nodes.length - 1];\n if (previous instanceof Text$2) {\n previous.value += token.parts[0];\n previous.sourceSpan = new ParseSourceSpan(previous.sourceSpan.start, token.sourceSpan.end, previous.sourceSpan.fullStart, previous.sourceSpan.details);\n } else {\n nodes.push(new Text$2(token.parts[0], token.sourceSpan));\n }\n }\n break;\n }\n }\n if (hasInterpolation) {\n // Whitespace removal may have invalidated the interpolation source-spans.\n reusePreviousSourceSpans(nodes, previousI18n);\n return new Container(nodes, sourceSpan);\n } else {\n return nodes[0];\n }\n }\n}\n/**\n * Re-use the source-spans from `previousI18n` metadata for the `nodes`.\n *\n * Whitespace removal can invalidate the source-spans of interpolation nodes, so we\n * reuse the source-span stored from a previous pass before the whitespace was removed.\n *\n * @param nodes The `Text` and `Placeholder` nodes to be processed.\n * @param previousI18n Any i18n metadata for these `nodes` stored from a previous pass.\n */\nfunction reusePreviousSourceSpans(nodes, previousI18n) {\n if (previousI18n instanceof Message) {\n // The `previousI18n` is an i18n `Message`, so we are processing an `Attribute` with i18n\n // metadata. The `Message` should consist only of a single `Container` that contains the\n // parts (`Text` and `Placeholder`) to process.\n assertSingleContainerMessage(previousI18n);\n previousI18n = previousI18n.nodes[0];\n }\n if (previousI18n instanceof Container) {\n // The `previousI18n` is a `Container`, which means that this is a second i18n extraction pass\n // after whitespace has been removed from the AST nodes.\n assertEquivalentNodes(previousI18n.children, nodes);\n // Reuse the source-spans from the first pass.\n for (let i = 0; i < nodes.length; i++) {\n nodes[i].sourceSpan = previousI18n.children[i].sourceSpan;\n }\n }\n}\n/**\n * Asserts that the `message` contains exactly one `Container` node.\n */\nfunction assertSingleContainerMessage(message) {\n const nodes = message.nodes;\n if (nodes.length !== 1 || !(nodes[0] instanceof Container)) {\n throw new Error('Unexpected previous i18n message - expected it to consist of only a single `Container` node.');\n }\n}\n/**\n * Asserts that the `previousNodes` and `node` collections have the same number of elements and\n * corresponding elements have the same node type.\n */\nfunction assertEquivalentNodes(previousNodes, nodes) {\n if (previousNodes.length !== nodes.length) {\n throw new Error('The number of i18n message children changed between first and second pass.');\n }\n if (previousNodes.some((node, i) => nodes[i].constructor !== node.constructor)) {\n throw new Error('The types of the i18n message children changed between first and second pass.');\n }\n}\nconst _CUSTOM_PH_EXP = /\\/\\/[\\s\\S]*i18n[\\s\\S]*\\([\\s\\S]*ph[\\s\\S]*=[\\s\\S]*(\"|')([\\s\\S]*?)\\1[\\s\\S]*\\)/g;\nfunction extractPlaceholderName(input) {\n return input.split(_CUSTOM_PH_EXP)[2];\n}\n\n/**\n * An i18n error.\n */\nclass I18nError extends ParseError {\n constructor(span, msg) {\n super(span, msg);\n }\n}\nconst setI18nRefs = (htmlNode, i18nNode) => {\n if (htmlNode instanceof NodeWithI18n) {\n if (i18nNode instanceof IcuPlaceholder && htmlNode.i18n instanceof Message) {\n // This html node represents an ICU but this is a second processing pass, and the legacy id\n // was computed in the previous pass and stored in the `i18n` property as a message.\n // We are about to wipe out that property so capture the previous message to be reused when\n // generating the message for this ICU later. See `_generateI18nMessage()`.\n i18nNode.previousMessage = htmlNode.i18n;\n }\n htmlNode.i18n = i18nNode;\n }\n return i18nNode;\n};\n/**\n * This visitor walks over HTML parse tree and converts information stored in\n * i18n-related attributes (\"i18n\" and \"i18n-*\") into i18n meta object that is\n * stored with other element's and attribute's information.\n */\nclass I18nMetaVisitor {\n constructor(interpolationConfig = DEFAULT_INTERPOLATION_CONFIG, keepI18nAttrs = false, enableI18nLegacyMessageIdFormat = false) {\n this.interpolationConfig = interpolationConfig;\n this.keepI18nAttrs = keepI18nAttrs;\n this.enableI18nLegacyMessageIdFormat = enableI18nLegacyMessageIdFormat;\n // whether visited nodes contain i18n information\n this.hasI18nMeta = false;\n this._errors = [];\n }\n _generateI18nMessage(nodes, meta = '', visitNodeFn) {\n const {\n meaning,\n description,\n customId\n } = this._parseMetadata(meta);\n const createI18nMessage = createI18nMessageFactory(this.interpolationConfig);\n const message = createI18nMessage(nodes, meaning, description, customId, visitNodeFn);\n this._setMessageId(message, meta);\n this._setLegacyIds(message, meta);\n return message;\n }\n visitAllWithErrors(nodes) {\n const result = nodes.map(node => node.visit(this, null));\n return new ParseTreeResult(result, this._errors);\n }\n visitElement(element) {\n let message = undefined;\n if (hasI18nAttrs(element)) {\n this.hasI18nMeta = true;\n const attrs = [];\n const attrsMeta = {};\n for (const attr of element.attrs) {\n if (attr.name === I18N_ATTR) {\n // root 'i18n' node attribute\n const i18n = element.i18n || attr.value;\n message = this._generateI18nMessage(element.children, i18n, setI18nRefs);\n if (message.nodes.length === 0) {\n // Ignore the message if it is empty.\n message = undefined;\n }\n // Store the message on the element\n element.i18n = message;\n } else if (attr.name.startsWith(I18N_ATTR_PREFIX)) {\n // 'i18n-*' attributes\n const name = attr.name.slice(I18N_ATTR_PREFIX.length);\n if (isTrustedTypesSink(element.name, name)) {\n this._reportError(attr, `Translating attribute '${name}' is disallowed for security reasons.`);\n } else {\n attrsMeta[name] = attr.value;\n }\n } else {\n // non-i18n attributes\n attrs.push(attr);\n }\n }\n // set i18n meta for attributes\n if (Object.keys(attrsMeta).length) {\n for (const attr of attrs) {\n const meta = attrsMeta[attr.name];\n // do not create translation for empty attributes\n if (meta !== undefined && attr.value) {\n attr.i18n = this._generateI18nMessage([attr], attr.i18n || meta);\n }\n }\n }\n if (!this.keepI18nAttrs) {\n // update element's attributes,\n // keeping only non-i18n related ones\n element.attrs = attrs;\n }\n }\n visitAll(this, element.children, message);\n return element;\n }\n visitExpansion(expansion, currentMessage) {\n let message;\n const meta = expansion.i18n;\n this.hasI18nMeta = true;\n if (meta instanceof IcuPlaceholder) {\n // set ICU placeholder name (e.g. \"ICU_1\"),\n // generated while processing root element contents,\n // so we can reference it when we output translation\n const name = meta.name;\n message = this._generateI18nMessage([expansion], meta);\n const icu = icuFromI18nMessage(message);\n icu.name = name;\n if (currentMessage !== null) {\n // Also update the placeholderToMessage map with this new message\n currentMessage.placeholderToMessage[name] = message;\n }\n } else {\n // ICU is a top level message, try to use metadata from container element if provided via\n // `context` argument. Note: context may not be available for standalone ICUs (without\n // wrapping element), so fallback to ICU metadata in this case.\n message = this._generateI18nMessage([expansion], currentMessage || meta);\n }\n expansion.i18n = message;\n return expansion;\n }\n visitText(text) {\n return text;\n }\n visitAttribute(attribute) {\n return attribute;\n }\n visitComment(comment) {\n return comment;\n }\n visitExpansionCase(expansionCase) {\n return expansionCase;\n }\n visitBlockGroup(group, context) {\n visitAll(this, group.blocks, context);\n return group;\n }\n visitBlock(block, context) {\n visitAll(this, block.children, context);\n return block;\n }\n visitBlockParameter(parameter, context) {\n return parameter;\n }\n /**\n * Parse the general form `meta` passed into extract the explicit metadata needed to create a\n * `Message`.\n *\n * There are three possibilities for the `meta` variable\n * 1) a string from an `i18n` template attribute: parse it to extract the metadata values.\n * 2) a `Message` from a previous processing pass: reuse the metadata values in the message.\n * 4) other: ignore this and just process the message metadata as normal\n *\n * @param meta the bucket that holds information about the message\n * @returns the parsed metadata.\n */\n _parseMetadata(meta) {\n return typeof meta === 'string' ? parseI18nMeta(meta) : meta instanceof Message ? meta : {};\n }\n /**\n * Generate (or restore) message id if not specified already.\n */\n _setMessageId(message, meta) {\n if (!message.id) {\n message.id = meta instanceof Message && meta.id || decimalDigest(message);\n }\n }\n /**\n * Update the `message` with a `legacyId` if necessary.\n *\n * @param message the message whose legacy id should be set\n * @param meta information about the message being processed\n */\n _setLegacyIds(message, meta) {\n if (this.enableI18nLegacyMessageIdFormat) {\n message.legacyIds = [computeDigest(message), computeDecimalDigest(message)];\n } else if (typeof meta !== 'string') {\n // This occurs if we are doing the 2nd pass after whitespace removal (see `parseTemplate()` in\n // `packages/compiler/src/render3/view/template.ts`).\n // In that case we want to reuse the legacy message generated in the 1st pass (see\n // `setI18nRefs()`).\n const previousMessage = meta instanceof Message ? meta : meta instanceof IcuPlaceholder ? meta.previousMessage : undefined;\n message.legacyIds = previousMessage ? previousMessage.legacyIds : [];\n }\n }\n _reportError(node, msg) {\n this._errors.push(new I18nError(node.sourceSpan, msg));\n }\n}\n/** I18n separators for metadata **/\nconst I18N_MEANING_SEPARATOR = '|';\nconst I18N_ID_SEPARATOR = '@@';\n/**\n * Parses i18n metas like:\n * - \"@@id\",\n * - \"description[@@id]\",\n * - \"meaning|description[@@id]\"\n * and returns an object with parsed output.\n *\n * @param meta String that represents i18n meta\n * @returns Object with id, meaning and description fields\n */\nfunction parseI18nMeta(meta = '') {\n let customId;\n let meaning;\n let description;\n meta = meta.trim();\n if (meta) {\n const idIndex = meta.indexOf(I18N_ID_SEPARATOR);\n const descIndex = meta.indexOf(I18N_MEANING_SEPARATOR);\n let meaningAndDesc;\n [meaningAndDesc, customId] = idIndex > -1 ? [meta.slice(0, idIndex), meta.slice(idIndex + 2)] : [meta, ''];\n [meaning, description] = descIndex > -1 ? [meaningAndDesc.slice(0, descIndex), meaningAndDesc.slice(descIndex + 1)] : ['', meaningAndDesc];\n }\n return {\n customId,\n meaning,\n description\n };\n}\n// Converts i18n meta information for a message (id, description, meaning)\n// to a JsDoc statement formatted as expected by the Closure compiler.\nfunction i18nMetaToJSDoc(meta) {\n const tags = [];\n if (meta.description) {\n tags.push({\n tagName: \"desc\" /* o.JSDocTagName.Desc */,\n text: meta.description\n });\n } else {\n // Suppress the JSCompiler warning that a `@desc` was not given for this message.\n tags.push({\n tagName: \"suppress\" /* o.JSDocTagName.Suppress */,\n text: '{msgDescriptions}'\n });\n }\n if (meta.meaning) {\n tags.push({\n tagName: \"meaning\" /* o.JSDocTagName.Meaning */,\n text: meta.meaning\n });\n }\n return jsDocComment(tags);\n}\n\n/** Closure uses `goog.getMsg(message)` to lookup translations */\nconst GOOG_GET_MSG = 'goog.getMsg';\n/**\n * Generates a `goog.getMsg()` statement and reassignment. The template:\n *\n * ```html\n * <div i18n>Sent from {{ sender }} to <span class=\"receiver\">{{ receiver }}</span></div>\n * ```\n *\n * Generates:\n *\n * ```typescript\n * const MSG_FOO = goog.getMsg(\n * // Message template.\n * 'Sent from {$interpolation} to {$startTagSpan}{$interpolation_1}{$closeTagSpan}.',\n * // Placeholder values, set to magic strings which get replaced by the Angular runtime.\n * {\n * 'interpolation': '\\uFFFD0\\uFFFD',\n * 'startTagSpan': '\\uFFFD1\\uFFFD',\n * 'interpolation_1': '\\uFFFD2\\uFFFD',\n * 'closeTagSpan': '\\uFFFD3\\uFFFD',\n * },\n * // Options bag.\n * {\n * // Maps each placeholder to the original Angular source code which generates it's value.\n * original_code: {\n * 'interpolation': '{{ sender }}',\n * 'startTagSpan': '<span class=\"receiver\">',\n * 'interpolation_1': '{{ receiver }}',\n * 'closeTagSpan': '</span>',\n * },\n * },\n * );\n * const I18N_0 = MSG_FOO;\n * ```\n */\nfunction createGoogleGetMsgStatements(variable$1, message, closureVar, placeholderValues) {\n const messageString = serializeI18nMessageForGetMsg(message);\n const args = [literal(messageString)];\n if (Object.keys(placeholderValues).length) {\n // Message template parameters containing the magic strings replaced by the Angular runtime with\n // real data, e.g. `{'interpolation': '\\uFFFD0\\uFFFD'}`.\n args.push(mapLiteral(formatI18nPlaceholderNamesInMap(placeholderValues, true /* useCamelCase */), true /* quoted */));\n // Message options object, which contains original source code for placeholders (as they are\n // present in a template, e.g.\n // `{original_code: {'interpolation': '{{ name }}', 'startTagSpan': '<span>'}}`.\n args.push(mapLiteral({\n original_code: literalMap(Object.keys(placeholderValues).map(param => ({\n key: formatI18nPlaceholderName(param),\n quoted: true,\n value: message.placeholders[param] ?\n // Get source span for typical placeholder if it exists.\n literal(message.placeholders[param].sourceSpan.toString()) :\n // Otherwise must be an ICU expression, get it's source span.\n literal(message.placeholderToMessage[param].nodes.map(node => node.sourceSpan.toString()).join(''))\n })))\n }));\n }\n // /**\n // * @desc description of message\n // * @meaning meaning of message\n // */\n // const MSG_... = goog.getMsg(..);\n // I18N_X = MSG_...;\n const googGetMsgStmt = closureVar.set(variable(GOOG_GET_MSG).callFn(args)).toConstDecl();\n googGetMsgStmt.addLeadingComment(i18nMetaToJSDoc(message));\n const i18nAssignmentStmt = new ExpressionStatement(variable$1.set(closureVar));\n return [googGetMsgStmt, i18nAssignmentStmt];\n}\n/**\n * This visitor walks over i18n tree and generates its string representation, including ICUs and\n * placeholders in `{$placeholder}` (for plain messages) or `{PLACEHOLDER}` (inside ICUs) format.\n */\nclass GetMsgSerializerVisitor {\n formatPh(value) {\n return `{$${formatI18nPlaceholderName(value)}}`;\n }\n visitText(text) {\n return text.value;\n }\n visitContainer(container) {\n return container.children.map(child => child.visit(this)).join('');\n }\n visitIcu(icu) {\n return serializeIcuNode(icu);\n }\n visitTagPlaceholder(ph) {\n return ph.isVoid ? this.formatPh(ph.startName) : `${this.formatPh(ph.startName)}${ph.children.map(child => child.visit(this)).join('')}${this.formatPh(ph.closeName)}`;\n }\n visitPlaceholder(ph) {\n return this.formatPh(ph.name);\n }\n visitIcuPlaceholder(ph, context) {\n return this.formatPh(ph.name);\n }\n}\nconst serializerVisitor = new GetMsgSerializerVisitor();\nfunction serializeI18nMessageForGetMsg(message) {\n return message.nodes.map(node => node.visit(serializerVisitor, null)).join('');\n}\nfunction createLocalizeStatements(variable, message, params) {\n const {\n messageParts,\n placeHolders\n } = serializeI18nMessageForLocalize(message);\n const sourceSpan = getSourceSpan(message);\n const expressions = placeHolders.map(ph => params[ph.text]);\n const localizedString$1 = localizedString(message, messageParts, placeHolders, expressions, sourceSpan);\n const variableInitialization = variable.set(localizedString$1);\n return [new ExpressionStatement(variableInitialization)];\n}\n/**\n * This visitor walks over an i18n tree, capturing literal strings and placeholders.\n *\n * The result can be used for generating the `$localize` tagged template literals.\n */\nclass LocalizeSerializerVisitor {\n constructor(placeholderToMessage, pieces) {\n this.placeholderToMessage = placeholderToMessage;\n this.pieces = pieces;\n }\n visitText(text) {\n if (this.pieces[this.pieces.length - 1] instanceof LiteralPiece) {\n // Two literal pieces in a row means that there was some comment node in-between.\n this.pieces[this.pieces.length - 1].text += text.value;\n } else {\n const sourceSpan = new ParseSourceSpan(text.sourceSpan.fullStart, text.sourceSpan.end, text.sourceSpan.fullStart, text.sourceSpan.details);\n this.pieces.push(new LiteralPiece(text.value, sourceSpan));\n }\n }\n visitContainer(container) {\n container.children.forEach(child => child.visit(this));\n }\n visitIcu(icu) {\n this.pieces.push(new LiteralPiece(serializeIcuNode(icu), icu.sourceSpan));\n }\n visitTagPlaceholder(ph) {\n this.pieces.push(this.createPlaceholderPiece(ph.startName, ph.startSourceSpan ?? ph.sourceSpan));\n if (!ph.isVoid) {\n ph.children.forEach(child => child.visit(this));\n this.pieces.push(this.createPlaceholderPiece(ph.closeName, ph.endSourceSpan ?? ph.sourceSpan));\n }\n }\n visitPlaceholder(ph) {\n this.pieces.push(this.createPlaceholderPiece(ph.name, ph.sourceSpan));\n }\n visitIcuPlaceholder(ph) {\n this.pieces.push(this.createPlaceholderPiece(ph.name, ph.sourceSpan, this.placeholderToMessage[ph.name]));\n }\n createPlaceholderPiece(name, sourceSpan, associatedMessage) {\n return new PlaceholderPiece(formatI18nPlaceholderName(name, /* useCamelCase */false), sourceSpan, associatedMessage);\n }\n}\n/**\n * Serialize an i18n message into two arrays: messageParts and placeholders.\n *\n * These arrays will be used to generate `$localize` tagged template literals.\n *\n * @param message The message to be serialized.\n * @returns an object containing the messageParts and placeholders.\n */\nfunction serializeI18nMessageForLocalize(message) {\n const pieces = [];\n const serializerVisitor = new LocalizeSerializerVisitor(message.placeholderToMessage, pieces);\n message.nodes.forEach(node => node.visit(serializerVisitor));\n return processMessagePieces(pieces);\n}\nfunction getSourceSpan(message) {\n const startNode = message.nodes[0];\n const endNode = message.nodes[message.nodes.length - 1];\n return new ParseSourceSpan(startNode.sourceSpan.fullStart, endNode.sourceSpan.end, startNode.sourceSpan.fullStart, startNode.sourceSpan.details);\n}\n/**\n * Convert the list of serialized MessagePieces into two arrays.\n *\n * One contains the literal string pieces and the other the placeholders that will be replaced by\n * expressions when rendering `$localize` tagged template literals.\n *\n * @param pieces The pieces to process.\n * @returns an object containing the messageParts and placeholders.\n */\nfunction processMessagePieces(pieces) {\n const messageParts = [];\n const placeHolders = [];\n if (pieces[0] instanceof PlaceholderPiece) {\n // The first piece was a placeholder so we need to add an initial empty message part.\n messageParts.push(createEmptyMessagePart(pieces[0].sourceSpan.start));\n }\n for (let i = 0; i < pieces.length; i++) {\n const part = pieces[i];\n if (part instanceof LiteralPiece) {\n messageParts.push(part);\n } else {\n placeHolders.push(part);\n if (pieces[i - 1] instanceof PlaceholderPiece) {\n // There were two placeholders in a row, so we need to add an empty message part.\n messageParts.push(createEmptyMessagePart(pieces[i - 1].sourceSpan.end));\n }\n }\n }\n if (pieces[pieces.length - 1] instanceof PlaceholderPiece) {\n // The last piece was a placeholder so we need to add a final empty message part.\n messageParts.push(createEmptyMessagePart(pieces[pieces.length - 1].sourceSpan.end));\n }\n return {\n messageParts,\n placeHolders\n };\n}\nfunction createEmptyMessagePart(location) {\n return new LiteralPiece('', new ParseSourceSpan(location, location));\n}\n\n// Selector attribute name of `<ng-content>`\nconst NG_CONTENT_SELECT_ATTR = 'select';\n// Attribute name of `ngProjectAs`.\nconst NG_PROJECT_AS_ATTR_NAME = 'ngProjectAs';\n// Global symbols available only inside event bindings.\nconst EVENT_BINDING_SCOPE_GLOBALS = new Set(['$event']);\n// List of supported global targets for event listeners\nconst GLOBAL_TARGET_RESOLVERS = new Map([['window', Identifiers.resolveWindow], ['document', Identifiers.resolveDocument], ['body', Identifiers.resolveBody]]);\nconst LEADING_TRIVIA_CHARS = [' ', '\\n', '\\r', '\\t'];\n// if (rf & flags) { .. }\nfunction renderFlagCheckIfStmt(flags, statements) {\n return ifStmt(variable(RENDER_FLAGS).bitwiseAnd(literal(flags), null, false), statements);\n}\nfunction prepareEventListenerParameters(eventAst, handlerName = null, scope = null) {\n const {\n type,\n name,\n target,\n phase,\n handler\n } = eventAst;\n if (target && !GLOBAL_TARGET_RESOLVERS.has(target)) {\n throw new Error(`Unexpected global target '${target}' defined for '${name}' event.\n Supported list of global targets: ${Array.from(GLOBAL_TARGET_RESOLVERS.keys())}.`);\n }\n const eventArgumentName = '$event';\n const implicitReceiverAccesses = new Set();\n const implicitReceiverExpr = scope === null || scope.bindingLevel === 0 ? variable(CONTEXT_NAME) : scope.getOrCreateSharedContextVar(0);\n const bindingStatements = convertActionBinding(scope, implicitReceiverExpr, handler, 'b', eventAst.handlerSpan, implicitReceiverAccesses, EVENT_BINDING_SCOPE_GLOBALS);\n const statements = [];\n const variableDeclarations = scope?.variableDeclarations();\n const restoreViewStatement = scope?.restoreViewStatement();\n if (variableDeclarations) {\n // `variableDeclarations` needs to run first, because\n // `restoreViewStatement` depends on the result.\n statements.push(...variableDeclarations);\n }\n statements.push(...bindingStatements);\n if (restoreViewStatement) {\n statements.unshift(restoreViewStatement);\n // If there's a `restoreView` call, we need to reset the view at the end of the listener\n // in order to avoid a leak. If there's a `return` statement already, we wrap it in the\n // call, e.g. `return resetView(ctx.foo())`. Otherwise we add the call as the last statement.\n const lastStatement = statements[statements.length - 1];\n if (lastStatement instanceof ReturnStatement) {\n statements[statements.length - 1] = new ReturnStatement(invokeInstruction(lastStatement.value.sourceSpan, Identifiers.resetView, [lastStatement.value]));\n } else {\n statements.push(new ExpressionStatement(invokeInstruction(null, Identifiers.resetView, [])));\n }\n }\n const eventName = type === 1 /* ParsedEventType.Animation */ ? prepareSyntheticListenerName(name, phase) : name;\n const fnName = handlerName && sanitizeIdentifier(handlerName);\n const fnArgs = [];\n if (implicitReceiverAccesses.has(eventArgumentName)) {\n fnArgs.push(new FnParam(eventArgumentName, DYNAMIC_TYPE));\n }\n const handlerFn = fn(fnArgs, statements, INFERRED_TYPE, null, fnName);\n const params = [literal(eventName), handlerFn];\n if (target) {\n params.push(literal(false),\n // `useCapture` flag, defaults to `false`\n importExpr(GLOBAL_TARGET_RESOLVERS.get(target)));\n }\n return params;\n}\nfunction createComponentDefConsts() {\n return {\n prepareStatements: [],\n constExpressions: [],\n i18nVarRefsCache: new Map()\n };\n}\nclass TemplateDefinitionBuilder {\n constructor(constantPool, parentBindingScope, level = 0, contextName, i18nContext, templateIndex, templateName, _namespace, relativeContextFilePath, i18nUseExternalIds, deferBlocks, _constants = createComponentDefConsts()) {\n this.constantPool = constantPool;\n this.level = level;\n this.contextName = contextName;\n this.i18nContext = i18nContext;\n this.templateIndex = templateIndex;\n this.templateName = templateName;\n this._namespace = _namespace;\n this.i18nUseExternalIds = i18nUseExternalIds;\n this.deferBlocks = deferBlocks;\n this._constants = _constants;\n this._dataIndex = 0;\n this._bindingContext = 0;\n this._prefixCode = [];\n /**\n * List of callbacks to generate creation mode instructions. We store them here as we process\n * the template so bindings in listeners are resolved only once all nodes have been visited.\n * This ensures all local refs and context variables are available for matching.\n */\n this._creationCodeFns = [];\n /**\n * List of callbacks to generate update mode instructions. We store them here as we process\n * the template so bindings are resolved only once all nodes have been visited. This ensures\n * all local refs and context variables are available for matching.\n */\n this._updateCodeFns = [];\n /** Index of the currently-selected node. */\n this._currentIndex = 0;\n /** Temporary variable declarations generated from visiting pipes, literals, etc. */\n this._tempVariables = [];\n /**\n * List of callbacks to build nested templates. Nested templates must not be visited until\n * after the parent template has finished visiting all of its nodes. This ensures that all\n * local ref bindings in nested templates are able to find local ref values if the refs\n * are defined after the template declaration.\n */\n this._nestedTemplateFns = [];\n // i18n context local to this template\n this.i18n = null;\n // Number of slots to reserve for pureFunctions\n this._pureFunctionSlots = 0;\n // Number of binding slots\n this._bindingSlots = 0;\n // Projection slots found in the template. Projection slots can distribute projected\n // nodes based on a selector, or can just use the wildcard selector to match\n // all nodes which aren't matching any selector.\n this._ngContentReservedSlots = [];\n // Number of non-default selectors found in all parent templates of this template. We need to\n // track it to properly adjust projection slot index in the `projection` instruction.\n this._ngContentSelectorsOffset = 0;\n // Expression that should be used as implicit receiver when converting template\n // expressions to output AST.\n this._implicitReceiverExpr = null;\n // These should be handled in the template or element directly.\n this.visitReference = invalid;\n this.visitVariable = invalid;\n this.visitTextAttribute = invalid;\n this.visitBoundAttribute = invalid;\n this.visitBoundEvent = invalid;\n this._bindingScope = parentBindingScope.nestedScope(level);\n // Turn the relative context file path into an identifier by replacing non-alphanumeric\n // characters with underscores.\n this.fileBasedI18nSuffix = relativeContextFilePath.replace(/[^A-Za-z0-9]/g, '_') + '_';\n this._valueConverter = new ValueConverter(constantPool, () => this.allocateDataSlot(), numSlots => this.allocatePureFunctionSlots(numSlots), (name, localName, slot, value) => {\n this._bindingScope.set(this.level, localName, value);\n this.creationInstruction(null, Identifiers.pipe, [literal(slot), literal(name)]);\n });\n }\n buildTemplateFunction(nodes, variables, ngContentSelectorsOffset = 0, i18n) {\n this._ngContentSelectorsOffset = ngContentSelectorsOffset;\n if (this._namespace !== Identifiers.namespaceHTML) {\n this.creationInstruction(null, this._namespace);\n }\n // Create variable bindings\n variables.forEach(v => this.registerContextVariables(v));\n // Initiate i18n context in case:\n // - this template has parent i18n context\n // - or the template has i18n meta associated with it,\n // but it's not initiated by the Element (e.g. <ng-template i18n>)\n const initI18nContext = this.i18nContext || isI18nRootNode(i18n) && !isSingleI18nIcu(i18n) && !(isSingleElementTemplate(nodes) && nodes[0].i18n === i18n);\n const selfClosingI18nInstruction = hasTextChildrenOnly(nodes);\n if (initI18nContext) {\n this.i18nStart(null, i18n, selfClosingI18nInstruction);\n }\n // This is the initial pass through the nodes of this template. In this pass, we\n // queue all creation mode and update mode instructions for generation in the second\n // pass. It's necessary to separate the passes to ensure local refs are defined before\n // resolving bindings. We also count bindings in this pass as we walk bound expressions.\n visitAll$1(this, nodes);\n // Add total binding count to pure function count so pure function instructions are\n // generated with the correct slot offset when update instructions are processed.\n this._pureFunctionSlots += this._bindingSlots;\n // Pipes are walked in the first pass (to enqueue `pipe()` creation instructions and\n // `pipeBind` update instructions), so we have to update the slot offsets manually\n // to account for bindings.\n this._valueConverter.updatePipeSlotOffsets(this._bindingSlots);\n // Nested templates must be processed before creation instructions so template()\n // instructions can be generated with the correct internal const count.\n this._nestedTemplateFns.forEach(buildTemplateFn => buildTemplateFn());\n // Output the `projectionDef` instruction when some `<ng-content>` tags are present.\n // The `projectionDef` instruction is only emitted for the component template and\n // is skipped for nested templates (<ng-template> tags).\n if (this.level === 0 && this._ngContentReservedSlots.length) {\n const parameters = [];\n // By default the `projectionDef` instructions creates one slot for the wildcard\n // selector if no parameters are passed. Therefore we only want to allocate a new\n // array for the projection slots if the default projection slot is not sufficient.\n if (this._ngContentReservedSlots.length > 1 || this._ngContentReservedSlots[0] !== '*') {\n const r3ReservedSlots = this._ngContentReservedSlots.map(s => s !== '*' ? parseSelectorToR3Selector(s) : s);\n parameters.push(this.constantPool.getConstLiteral(asLiteral(r3ReservedSlots), true));\n }\n // Since we accumulate ngContent selectors while processing template elements,\n // we *prepend* `projectionDef` to creation instructions block, to put it before\n // any `projection` instructions\n this.creationInstruction(null, Identifiers.projectionDef, parameters, /* prepend */true);\n }\n if (initI18nContext) {\n this.i18nEnd(null, selfClosingI18nInstruction);\n }\n // Generate all the creation mode instructions (e.g. resolve bindings in listeners)\n const creationStatements = getInstructionStatements(this._creationCodeFns);\n // Generate all the update mode instructions (e.g. resolve property or text bindings)\n const updateStatements = getInstructionStatements(this._updateCodeFns);\n // Variable declaration must occur after binding resolution so we can generate context\n // instructions that build on each other.\n // e.g. const b = nextContext().$implicit(); const b = nextContext();\n const creationVariables = this._bindingScope.viewSnapshotStatements();\n const updateVariables = this._bindingScope.variableDeclarations().concat(this._tempVariables);\n const creationBlock = creationStatements.length > 0 ? [renderFlagCheckIfStmt(1 /* core.RenderFlags.Create */, creationVariables.concat(creationStatements))] : [];\n const updateBlock = updateStatements.length > 0 ? [renderFlagCheckIfStmt(2 /* core.RenderFlags.Update */, updateVariables.concat(updateStatements))] : [];\n return fn(\n // i.e. (rf: RenderFlags, ctx: any)\n [new FnParam(RENDER_FLAGS, NUMBER_TYPE), new FnParam(CONTEXT_NAME, null)], [\n // Temporary variable declarations for query refresh (i.e. let _t: any;)\n ...this._prefixCode,\n // Creating mode (i.e. if (rf & RenderFlags.Create) { ... })\n ...creationBlock,\n // Binding and refresh mode (i.e. if (rf & RenderFlags.Update) {...})\n ...updateBlock], INFERRED_TYPE, null, this.templateName);\n }\n // LocalResolver\n getLocal(name) {\n return this._bindingScope.get(name);\n }\n // LocalResolver\n notifyImplicitReceiverUse() {\n this._bindingScope.notifyImplicitReceiverUse();\n }\n // LocalResolver\n maybeRestoreView() {\n this._bindingScope.maybeRestoreView();\n }\n i18nTranslate(message, params = {}, ref, transformFn) {\n const _ref = ref || this.i18nGenerateMainBlockVar();\n // Closure Compiler requires const names to start with `MSG_` but disallows any other const to\n // start with `MSG_`. We define a variable starting with `MSG_` just for the `goog.getMsg` call\n const closureVar = this.i18nGenerateClosureVar(message.id);\n const statements = getTranslationDeclStmts(message, _ref, closureVar, params, transformFn);\n this._constants.prepareStatements.push(...statements);\n return _ref;\n }\n registerContextVariables(variable$1) {\n const scopedName = this._bindingScope.freshReferenceName();\n const retrievalLevel = this.level;\n const lhs = variable(variable$1.name + scopedName);\n this._bindingScope.set(retrievalLevel, variable$1.name, lhs, 1 /* DeclarationPriority.CONTEXT */, (scope, relativeLevel) => {\n let rhs;\n if (scope.bindingLevel === retrievalLevel) {\n if (scope.isListenerScope() && scope.hasRestoreViewVariable()) {\n // e.g. restoredCtx.\n // We have to get the context from a view reference, if one is available, because\n // the context that was passed in during creation may not be correct anymore.\n // For more information see: https://github.com/angular/angular/pull/40360.\n rhs = variable(RESTORED_VIEW_CONTEXT_NAME);\n scope.notifyRestoredViewContextUse();\n } else {\n // e.g. ctx\n rhs = variable(CONTEXT_NAME);\n }\n } else {\n const sharedCtxVar = scope.getSharedContextName(retrievalLevel);\n // e.g. ctx_r0 OR x(2);\n rhs = sharedCtxVar ? sharedCtxVar : generateNextContextExpr(relativeLevel);\n }\n // e.g. const $item$ = x(2).$implicit;\n return [lhs.set(rhs.prop(variable$1.value || IMPLICIT_REFERENCE)).toConstDecl()];\n });\n }\n i18nAppendBindings(expressions) {\n if (expressions.length > 0) {\n expressions.forEach(expression => this.i18n.appendBinding(expression));\n }\n }\n i18nBindProps(props) {\n const bound = {};\n Object.keys(props).forEach(key => {\n const prop = props[key];\n if (prop instanceof Text$3) {\n bound[key] = literal(prop.value);\n } else {\n const value = prop.value.visit(this._valueConverter);\n this.allocateBindingSlots(value);\n if (value instanceof Interpolation$1) {\n const {\n strings,\n expressions\n } = value;\n const {\n id,\n bindings\n } = this.i18n;\n const label = assembleI18nBoundString(strings, bindings.size, id);\n this.i18nAppendBindings(expressions);\n bound[key] = literal(label);\n }\n }\n });\n return bound;\n }\n // Generates top level vars for i18n blocks (i.e. `i18n_N`).\n i18nGenerateMainBlockVar() {\n return variable(this.constantPool.uniqueName(TRANSLATION_VAR_PREFIX));\n }\n // Generates vars with Closure-specific names for i18n blocks (i.e. `MSG_XXX`).\n i18nGenerateClosureVar(messageId) {\n let name;\n const suffix = this.fileBasedI18nSuffix.toUpperCase();\n if (this.i18nUseExternalIds) {\n const prefix = getTranslationConstPrefix(`EXTERNAL_`);\n const uniqueSuffix = this.constantPool.uniqueName(suffix);\n name = `${prefix}${sanitizeIdentifier(messageId)}$$${uniqueSuffix}`;\n } else {\n const prefix = getTranslationConstPrefix(suffix);\n name = this.constantPool.uniqueName(prefix);\n }\n return variable(name);\n }\n i18nUpdateRef(context) {\n const {\n icus,\n meta,\n isRoot,\n isResolved,\n isEmitted\n } = context;\n if (isRoot && isResolved && !isEmitted && !isSingleI18nIcu(meta)) {\n context.isEmitted = true;\n const placeholders = context.getSerializedPlaceholders();\n let icuMapping = {};\n let params = placeholders.size ? placeholdersToParams(placeholders) : {};\n if (icus.size) {\n icus.forEach((refs, key) => {\n if (refs.length === 1) {\n // if we have one ICU defined for a given\n // placeholder - just output its reference\n params[key] = refs[0];\n } else {\n // ... otherwise we need to activate post-processing\n // to replace ICU placeholders with proper values\n const placeholder = wrapI18nPlaceholder(`${I18N_ICU_MAPPING_PREFIX}${key}`);\n params[key] = literal(placeholder);\n icuMapping[key] = literalArr(refs);\n }\n });\n }\n // translation requires post processing in 2 cases:\n // - if we have placeholders with multiple values (ex. `START_DIV`: [<5B>#1<>, <20>#2<>, ...])\n // - if we have multiple ICUs that refer to the same placeholder name\n const needsPostprocessing = Array.from(placeholders.values()).some(value => value.length > 1) || Object.keys(icuMapping).length;\n let transformFn;\n if (needsPostprocessing) {\n transformFn = raw => {\n const args = [raw];\n if (Object.keys(icuMapping).length) {\n args.push(mapLiteral(icuMapping, true));\n }\n return invokeInstruction(null, Identifiers.i18nPostprocess, args);\n };\n }\n this.i18nTranslate(meta, params, context.ref, transformFn);\n }\n }\n i18nStart(span = null, meta, selfClosing) {\n const index = this.allocateDataSlot();\n this.i18n = this.i18nContext ? this.i18nContext.forkChildContext(index, this.templateIndex, meta) : new I18nContext(index, this.i18nGenerateMainBlockVar(), 0, this.templateIndex, meta);\n // generate i18nStart instruction\n const {\n id,\n ref\n } = this.i18n;\n const params = [literal(index), this.addToConsts(ref)];\n if (id > 0) {\n // do not push 3rd argument (sub-block id)\n // into i18nStart call for top level i18n context\n params.push(literal(id));\n }\n this.creationInstruction(span, selfClosing ? Identifiers.i18n : Identifiers.i18nStart, params);\n }\n i18nEnd(span = null, selfClosing) {\n if (!this.i18n) {\n throw new Error('i18nEnd is executed with no i18n context present');\n }\n if (this.i18nContext) {\n this.i18nContext.reconcileChildContext(this.i18n);\n this.i18nUpdateRef(this.i18nContext);\n } else {\n this.i18nUpdateRef(this.i18n);\n }\n // setup accumulated bindings\n const {\n index,\n bindings\n } = this.i18n;\n if (bindings.size) {\n for (const binding of bindings) {\n // for i18n block, advance to the most recent element index (by taking the current number of\n // elements and subtracting one) before invoking `i18nExp` instructions, to make sure the\n // necessary lifecycle hooks of components/directives are properly flushed.\n this.updateInstructionWithAdvance(this.getConstCount() - 1, span, Identifiers.i18nExp, () => this.convertPropertyBinding(binding));\n }\n this.updateInstruction(span, Identifiers.i18nApply, [literal(index)]);\n }\n if (!selfClosing) {\n this.creationInstruction(span, Identifiers.i18nEnd);\n }\n this.i18n = null; // reset local i18n context\n }\n i18nAttributesInstruction(nodeIndex, attrs, sourceSpan) {\n let hasBindings = false;\n const i18nAttrArgs = [];\n attrs.forEach(attr => {\n const message = attr.i18n;\n const converted = attr.value.visit(this._valueConverter);\n this.allocateBindingSlots(converted);\n if (converted instanceof Interpolation$1) {\n const placeholders = assembleBoundTextPlaceholders(message);\n const params = placeholdersToParams(placeholders);\n i18nAttrArgs.push(literal(attr.name), this.i18nTranslate(message, params));\n converted.expressions.forEach(expression => {\n hasBindings = true;\n this.updateInstructionWithAdvance(nodeIndex, sourceSpan, Identifiers.i18nExp, () => this.convertPropertyBinding(expression));\n });\n }\n });\n if (i18nAttrArgs.length > 0) {\n const index = literal(this.allocateDataSlot());\n const constIndex = this.addToConsts(literalArr(i18nAttrArgs));\n this.creationInstruction(sourceSpan, Identifiers.i18nAttributes, [index, constIndex]);\n if (hasBindings) {\n this.updateInstruction(sourceSpan, Identifiers.i18nApply, [index]);\n }\n }\n }\n getNamespaceInstruction(namespaceKey) {\n switch (namespaceKey) {\n case 'math':\n return Identifiers.namespaceMathML;\n case 'svg':\n return Identifiers.namespaceSVG;\n default:\n return Identifiers.namespaceHTML;\n }\n }\n addNamespaceInstruction(nsInstruction, element) {\n this._namespace = nsInstruction;\n this.creationInstruction(element.startSourceSpan, nsInstruction);\n }\n /**\n * Adds an update instruction for an interpolated property or attribute, such as\n * `prop=\"{{value}}\"` or `attr.title=\"{{value}}\"`\n */\n interpolatedUpdateInstruction(instruction, elementIndex, attrName, input, value, params) {\n this.updateInstructionWithAdvance(elementIndex, input.sourceSpan, instruction, () => [literal(attrName), ...this.getUpdateInstructionArguments(value), ...params]);\n }\n visitContent(ngContent) {\n const slot = this.allocateDataSlot();\n const projectionSlotIdx = this._ngContentSelectorsOffset + this._ngContentReservedSlots.length;\n const parameters = [literal(slot)];\n this._ngContentReservedSlots.push(ngContent.selector);\n const nonContentSelectAttributes = ngContent.attributes.filter(attr => attr.name.toLowerCase() !== NG_CONTENT_SELECT_ATTR);\n const attributes = this.getAttributeExpressions(ngContent.name, nonContentSelectAttributes, [], []);\n if (attributes.length > 0) {\n parameters.push(literal(projectionSlotIdx), literalArr(attributes));\n } else if (projectionSlotIdx !== 0) {\n parameters.push(literal(projectionSlotIdx));\n }\n this.creationInstruction(ngContent.sourceSpan, Identifiers.projection, parameters);\n if (this.i18n) {\n this.i18n.appendProjection(ngContent.i18n, slot);\n }\n }\n visitElement(element) {\n const elementIndex = this.allocateDataSlot();\n const stylingBuilder = new StylingBuilder(null);\n let isNonBindableMode = false;\n const isI18nRootElement = isI18nRootNode(element.i18n) && !isSingleI18nIcu(element.i18n);\n const outputAttrs = [];\n const [namespaceKey, elementName] = splitNsName(element.name);\n const isNgContainer$1 = isNgContainer(element.name);\n // Handle styling, i18n, ngNonBindable attributes\n for (const attr of element.attributes) {\n const {\n name,\n value\n } = attr;\n if (name === NON_BINDABLE_ATTR) {\n isNonBindableMode = true;\n } else if (name === 'style') {\n stylingBuilder.registerStyleAttr(value);\n } else if (name === 'class') {\n stylingBuilder.registerClassAttr(value);\n } else {\n outputAttrs.push(attr);\n }\n }\n // Regular element or ng-container creation mode\n const parameters = [literal(elementIndex)];\n if (!isNgContainer$1) {\n parameters.push(literal(elementName));\n }\n // Add the attributes\n const allOtherInputs = [];\n const boundI18nAttrs = [];\n element.inputs.forEach(input => {\n const stylingInputWasSet = stylingBuilder.registerBoundInput(input);\n if (!stylingInputWasSet) {\n if (input.type === 0 /* BindingType.Property */ && input.i18n) {\n boundI18nAttrs.push(input);\n } else {\n allOtherInputs.push(input);\n }\n }\n });\n // add attributes for directive and projection matching purposes\n const attributes = this.getAttributeExpressions(element.name, outputAttrs, allOtherInputs, element.outputs, stylingBuilder, [], boundI18nAttrs);\n parameters.push(this.addAttrsToConsts(attributes));\n // local refs (ex.: <div #foo #bar=\"baz\">)\n const refs = this.prepareRefsArray(element.references);\n parameters.push(this.addToConsts(refs));\n const wasInNamespace = this._namespace;\n const currentNamespace = this.getNamespaceInstruction(namespaceKey);\n // If the namespace is changing now, include an instruction to change it\n // during element creation.\n if (currentNamespace !== wasInNamespace) {\n this.addNamespaceInstruction(currentNamespace, element);\n }\n if (this.i18n) {\n this.i18n.appendElement(element.i18n, elementIndex);\n }\n // Note that we do not append text node instructions and ICUs inside i18n section,\n // so we exclude them while calculating whether current element has children\n const hasChildren = !isI18nRootElement && this.i18n ? !hasTextChildrenOnly(element.children) : element.children.length > 0;\n const createSelfClosingInstruction = !stylingBuilder.hasBindingsWithPipes && element.outputs.length === 0 && boundI18nAttrs.length === 0 && !hasChildren;\n const createSelfClosingI18nInstruction = !createSelfClosingInstruction && hasTextChildrenOnly(element.children);\n if (createSelfClosingInstruction) {\n this.creationInstruction(element.sourceSpan, isNgContainer$1 ? Identifiers.elementContainer : Identifiers.element, trimTrailingNulls(parameters));\n } else {\n this.creationInstruction(element.startSourceSpan, isNgContainer$1 ? Identifiers.elementContainerStart : Identifiers.elementStart, trimTrailingNulls(parameters));\n if (isNonBindableMode) {\n this.creationInstruction(element.startSourceSpan, Identifiers.disableBindings);\n }\n if (boundI18nAttrs.length > 0) {\n this.i18nAttributesInstruction(elementIndex, boundI18nAttrs, element.startSourceSpan ?? element.sourceSpan);\n }\n // Generate Listeners (outputs)\n if (element.outputs.length > 0) {\n for (const outputAst of element.outputs) {\n this.creationInstruction(outputAst.sourceSpan, Identifiers.listener, this.prepareListenerParameter(element.name, outputAst, elementIndex));\n }\n }\n // Note: it's important to keep i18n/i18nStart instructions after i18nAttributes and\n // listeners, to make sure i18nAttributes instruction targets current element at runtime.\n if (isI18nRootElement) {\n this.i18nStart(element.startSourceSpan, element.i18n, createSelfClosingI18nInstruction);\n }\n }\n // the code here will collect all update-level styling instructions and add them to the\n // update block of the template function AOT code. Instructions like `styleProp`,\n // `styleMap`, `classMap`, `classProp`\n // are all generated and assigned in the code below.\n const stylingInstructions = stylingBuilder.buildUpdateLevelInstructions(this._valueConverter);\n const limit = stylingInstructions.length - 1;\n for (let i = 0; i <= limit; i++) {\n const instruction = stylingInstructions[i];\n this._bindingSlots += this.processStylingUpdateInstruction(elementIndex, instruction);\n }\n // the reason why `undefined` is used is because the renderer understands this as a\n // special value to symbolize that there is no RHS to this binding\n // TODO (matsko): revisit this once FW-959 is approached\n const emptyValueBindInstruction = literal(undefined);\n const propertyBindings = [];\n const attributeBindings = [];\n // Generate element input bindings\n allOtherInputs.forEach(input => {\n const inputType = input.type;\n if (inputType === 4 /* BindingType.Animation */) {\n const value = input.value.visit(this._valueConverter);\n // animation bindings can be presented in the following formats:\n // 1. [@binding]=\"fooExp\"\n // 2. [@binding]=\"{value:fooExp, params:{...}}\"\n // 3. [@binding]\n // 4. @binding\n // All formats will be valid for when a synthetic binding is created.\n // The reasoning for this is because the renderer should get each\n // synthetic binding value in the order of the array that they are\n // defined in...\n const hasValue = value instanceof LiteralPrimitive ? !!value.value : true;\n this.allocateBindingSlots(value);\n propertyBindings.push({\n span: input.sourceSpan,\n paramsOrFn: getBindingFunctionParams(() => hasValue ? this.convertPropertyBinding(value) : emptyValueBindInstruction, prepareSyntheticPropertyName(input.name))\n });\n } else {\n // we must skip attributes with associated i18n context, since these attributes are handled\n // separately and corresponding `i18nExp` and `i18nApply` instructions will be generated\n if (input.i18n) return;\n const value = input.value.visit(this._valueConverter);\n if (value !== undefined) {\n const params = [];\n const [attrNamespace, attrName] = splitNsName(input.name);\n const isAttributeBinding = inputType === 1 /* BindingType.Attribute */;\n let sanitizationRef = resolveSanitizationFn(input.securityContext, isAttributeBinding);\n if (!sanitizationRef) {\n // If there was no sanitization function found based on the security context\n // of an attribute/property - check whether this attribute/property is\n // one of the security-sensitive <iframe> attributes (and that the current\n // element is actually an <iframe>).\n if (isIframeElement(element.name) && isIframeSecuritySensitiveAttr(input.name)) {\n sanitizationRef = importExpr(Identifiers.validateIframeAttribute);\n }\n }\n if (sanitizationRef) {\n params.push(sanitizationRef);\n }\n if (attrNamespace) {\n const namespaceLiteral = literal(attrNamespace);\n if (sanitizationRef) {\n params.push(namespaceLiteral);\n } else {\n // If there wasn't a sanitization ref, we need to add\n // an extra param so that we can pass in the namespace.\n params.push(literal(null), namespaceLiteral);\n }\n }\n this.allocateBindingSlots(value);\n if (inputType === 0 /* BindingType.Property */) {\n if (value instanceof Interpolation$1) {\n // prop=\"{{value}}\" and friends\n this.interpolatedUpdateInstruction(getPropertyInterpolationExpression(value), elementIndex, attrName, input, value, params);\n } else {\n // [prop]=\"value\"\n // Collect all the properties so that we can chain into a single function at the end.\n propertyBindings.push({\n span: input.sourceSpan,\n paramsOrFn: getBindingFunctionParams(() => this.convertPropertyBinding(value), attrName, params)\n });\n }\n } else if (inputType === 1 /* BindingType.Attribute */) {\n if (value instanceof Interpolation$1 && getInterpolationArgsLength(value) > 1) {\n // attr.name=\"text{{value}}\" and friends\n this.interpolatedUpdateInstruction(getAttributeInterpolationExpression(value), elementIndex, attrName, input, value, params);\n } else {\n const boundValue = value instanceof Interpolation$1 ? value.expressions[0] : value;\n // [attr.name]=\"value\" or attr.name=\"{{value}}\"\n // Collect the attribute bindings so that they can be chained at the end.\n attributeBindings.push({\n span: input.sourceSpan,\n paramsOrFn: getBindingFunctionParams(() => this.convertPropertyBinding(boundValue), attrName, params)\n });\n }\n } else {\n // class prop\n this.updateInstructionWithAdvance(elementIndex, input.sourceSpan, Identifiers.classProp, () => {\n return [literal(elementIndex), literal(attrName), this.convertPropertyBinding(value), ...params];\n });\n }\n }\n }\n });\n for (const propertyBinding of propertyBindings) {\n this.updateInstructionWithAdvance(elementIndex, propertyBinding.span, Identifiers.property, propertyBinding.paramsOrFn);\n }\n for (const attributeBinding of attributeBindings) {\n this.updateInstructionWithAdvance(elementIndex, attributeBinding.span, Identifiers.attribute, attributeBinding.paramsOrFn);\n }\n // Traverse element child nodes\n visitAll$1(this, element.children);\n if (!isI18nRootElement && this.i18n) {\n this.i18n.appendElement(element.i18n, elementIndex, true);\n }\n if (!createSelfClosingInstruction) {\n // Finish element construction mode.\n const span = element.endSourceSpan ?? element.sourceSpan;\n if (isI18nRootElement) {\n this.i18nEnd(span, createSelfClosingI18nInstruction);\n }\n if (isNonBindableMode) {\n this.creationInstruction(span, Identifiers.enableBindings);\n }\n this.creationInstruction(span, isNgContainer$1 ? Identifiers.elementContainerEnd : Identifiers.elementEnd);\n }\n }\n visitTemplate(template) {\n const NG_TEMPLATE_TAG_NAME = 'ng-template';\n const templateIndex = this.allocateDataSlot();\n if (this.i18n) {\n this.i18n.appendTemplate(template.i18n, templateIndex);\n }\n const tagNameWithoutNamespace = template.tagName ? splitNsName(template.tagName)[1] : template.tagName;\n const contextName = `${this.contextName}${template.tagName ? '_' + sanitizeIdentifier(template.tagName) : ''}_${templateIndex}`;\n const templateName = `${contextName}_Template`;\n const parameters = [literal(templateIndex), variable(templateName),\n // We don't care about the tag's namespace here, because we infer\n // it based on the parent nodes inside the template instruction.\n literal(tagNameWithoutNamespace)];\n // prepare attributes parameter (including attributes used for directive matching)\n const attrsExprs = this.getAttributeExpressions(NG_TEMPLATE_TAG_NAME, template.attributes, template.inputs, template.outputs, undefined /* styles */, template.templateAttrs);\n parameters.push(this.addAttrsToConsts(attrsExprs));\n // local refs (ex.: <ng-template #foo>)\n if (template.references && template.references.length) {\n const refs = this.prepareRefsArray(template.references);\n parameters.push(this.addToConsts(refs));\n parameters.push(importExpr(Identifiers.templateRefExtractor));\n }\n // Create the template function\n const templateVisitor = new TemplateDefinitionBuilder(this.constantPool, this._bindingScope, this.level + 1, contextName, this.i18n, templateIndex, templateName, this._namespace, this.fileBasedI18nSuffix, this.i18nUseExternalIds, this.deferBlocks, this._constants);\n // Nested templates must not be visited until after their parent templates have completed\n // processing, so they are queued here until after the initial pass. Otherwise, we wouldn't\n // be able to support bindings in nested templates to local refs that occur after the\n // template definition. e.g. <div *ngIf=\"showing\">{{ foo }}</div> <div #foo></div>\n this._nestedTemplateFns.push(() => {\n const templateFunctionExpr = templateVisitor.buildTemplateFunction(template.children, template.variables, this._ngContentReservedSlots.length + this._ngContentSelectorsOffset, template.i18n);\n this.constantPool.statements.push(templateFunctionExpr.toDeclStmt(templateName));\n if (templateVisitor._ngContentReservedSlots.length) {\n this._ngContentReservedSlots.push(...templateVisitor._ngContentReservedSlots);\n }\n });\n // e.g. template(1, MyComp_Template_1)\n this.creationInstruction(template.sourceSpan, Identifiers.templateCreate, () => {\n parameters.splice(2, 0, literal(templateVisitor.getConstCount()), literal(templateVisitor.getVarCount()));\n return trimTrailingNulls(parameters);\n });\n // handle property bindings e.g. ɵɵproperty('ngForOf', ctx.items), et al;\n this.templatePropertyBindings(templateIndex, template.templateAttrs);\n // Only add normal input/output binding instructions on explicit <ng-template> elements.\n if (tagNameWithoutNamespace === NG_TEMPLATE_TAG_NAME) {\n const [i18nInputs, inputs] = partitionArray(template.inputs, hasI18nMeta);\n // Add i18n attributes that may act as inputs to directives. If such attributes are present,\n // generate `i18nAttributes` instruction. Note: we generate it only for explicit <ng-template>\n // elements, in case of inline templates, corresponding instructions will be generated in the\n // nested template function.\n if (i18nInputs.length > 0) {\n this.i18nAttributesInstruction(templateIndex, i18nInputs, template.startSourceSpan ?? template.sourceSpan);\n }\n // Add the input bindings\n if (inputs.length > 0) {\n this.templatePropertyBindings(templateIndex, inputs);\n }\n // Generate listeners for directive output\n for (const outputAst of template.outputs) {\n this.creationInstruction(outputAst.sourceSpan, Identifiers.listener, this.prepareListenerParameter('ng_template', outputAst, templateIndex));\n }\n }\n }\n visitBoundText(text) {\n if (this.i18n) {\n const value = text.value.visit(this._valueConverter);\n this.allocateBindingSlots(value);\n if (value instanceof Interpolation$1) {\n this.i18n.appendBoundText(text.i18n);\n this.i18nAppendBindings(value.expressions);\n }\n return;\n }\n const nodeIndex = this.allocateDataSlot();\n this.creationInstruction(text.sourceSpan, Identifiers.text, [literal(nodeIndex)]);\n const value = text.value.visit(this._valueConverter);\n this.allocateBindingSlots(value);\n if (value instanceof Interpolation$1) {\n this.updateInstructionWithAdvance(nodeIndex, text.sourceSpan, getTextInterpolationExpression(value), () => this.getUpdateInstructionArguments(value));\n } else {\n error('Text nodes should be interpolated and never bound directly.');\n }\n }\n visitText(text) {\n // when a text element is located within a translatable\n // block, we exclude this text element from instructions set,\n // since it will be captured in i18n content and processed at runtime\n if (!this.i18n) {\n this.creationInstruction(text.sourceSpan, Identifiers.text, [literal(this.allocateDataSlot()), literal(text.value)]);\n }\n }\n visitIcu(icu) {\n let initWasInvoked = false;\n // if an ICU was created outside of i18n block, we still treat\n // it as a translatable entity and invoke i18nStart and i18nEnd\n // to generate i18n context and the necessary instructions\n if (!this.i18n) {\n initWasInvoked = true;\n this.i18nStart(null, icu.i18n, true);\n }\n const i18n = this.i18n;\n const vars = this.i18nBindProps(icu.vars);\n const placeholders = this.i18nBindProps(icu.placeholders);\n // output ICU directly and keep ICU reference in context\n const message = icu.i18n;\n // we always need post-processing function for ICUs, to make sure that:\n // - all placeholders in a form of {PLACEHOLDER} are replaced with actual values (note:\n // `goog.getMsg` does not process ICUs and uses the `{PLACEHOLDER}` format for placeholders\n // inside ICUs)\n // - all ICU vars (such as `VAR_SELECT` or `VAR_PLURAL`) are replaced with correct values\n const transformFn = raw => {\n const params = {\n ...vars,\n ...placeholders\n };\n const formatted = formatI18nPlaceholderNamesInMap(params, /* useCamelCase */false);\n return invokeInstruction(null, Identifiers.i18nPostprocess, [raw, mapLiteral(formatted, true)]);\n };\n // in case the whole i18n message is a single ICU - we do not need to\n // create a separate top-level translation, we can use the root ref instead\n // and make this ICU a top-level translation\n // note: ICU placeholders are replaced with actual values in `i18nPostprocess` function\n // separately, so we do not pass placeholders into `i18nTranslate` function.\n if (isSingleI18nIcu(i18n.meta)) {\n this.i18nTranslate(message, /* placeholders */{}, i18n.ref, transformFn);\n } else {\n // output ICU directly and keep ICU reference in context\n const ref = this.i18nTranslate(message, /* placeholders */{}, /* ref */undefined, transformFn);\n i18n.appendIcu(icuFromI18nMessage(message).name, ref);\n }\n if (initWasInvoked) {\n this.i18nEnd(null, true);\n }\n return null;\n }\n visitDeferredBlock(deferred) {\n const templateIndex = this.allocateDataSlot();\n const deferredDeps = this.deferBlocks.get(deferred);\n const contextName = `${this.contextName}_Defer_${templateIndex}`;\n const depsFnName = `${contextName}_DepsFn`;\n const parameters = [literal(templateIndex), deferredDeps ? variable(depsFnName) : TYPED_NULL_EXPR];\n if (deferredDeps) {\n // This defer block has deps for which we need to generate dynamic imports.\n const dependencyExp = [];\n for (const deferredDep of deferredDeps) {\n if (deferredDep.isDeferrable) {\n // Callback function, e.g. `function(m) { return m.MyCmp; }`.\n const innerFn = fn([new FnParam('m', DYNAMIC_TYPE)], [new ReturnStatement(variable('m').prop(deferredDep.symbolName))]);\n const fileName = deferredDep.importPath;\n // Dynamic import, e.g. `import('./a').then(...)`.\n const importExpr = new DynamicImportExpr(fileName).prop('then').callFn([innerFn]);\n dependencyExp.push(importExpr);\n } else {\n // Non-deferrable symbol, just use a reference to the type.\n dependencyExp.push(deferredDep.type);\n }\n }\n const depsFnBody = [];\n depsFnBody.push(new ReturnStatement(literalArr(dependencyExp)));\n const depsFnExpr = fn([] /* args */, depsFnBody, INFERRED_TYPE, null, depsFnName);\n this.constantPool.statements.push(depsFnExpr.toDeclStmt(depsFnName));\n }\n // e.g. `defer(1, MyComp_Defer_1_DepsFn, ...)`\n this.creationInstruction(deferred.sourceSpan, Identifiers.defer, () => {\n return trimTrailingNulls(parameters);\n });\n }\n // TODO: implement nested deferred block instructions.\n visitDeferredTrigger(trigger) {}\n visitDeferredBlockPlaceholder(block) {}\n visitDeferredBlockError(block) {}\n visitDeferredBlockLoading(block) {}\n allocateDataSlot() {\n return this._dataIndex++;\n }\n getConstCount() {\n return this._dataIndex;\n }\n getVarCount() {\n return this._pureFunctionSlots;\n }\n getConsts() {\n return this._constants;\n }\n getNgContentSelectors() {\n return this._ngContentReservedSlots.length ? this.constantPool.getConstLiteral(asLiteral(this._ngContentReservedSlots), true) : null;\n }\n bindingContext() {\n return `${this._bindingContext++}`;\n }\n templatePropertyBindings(templateIndex, attrs) {\n const propertyBindings = [];\n for (const input of attrs) {\n if (!(input instanceof BoundAttribute)) {\n continue;\n }\n const value = input.value.visit(this._valueConverter);\n if (value === undefined) {\n continue;\n }\n this.allocateBindingSlots(value);\n if (value instanceof Interpolation$1) {\n // Params typically contain attribute namespace and value sanitizer, which is applicable\n // for regular HTML elements, but not applicable for <ng-template> (since props act as\n // inputs to directives), so keep params array empty.\n const params = [];\n // prop=\"{{value}}\" case\n this.interpolatedUpdateInstruction(getPropertyInterpolationExpression(value), templateIndex, input.name, input, value, params);\n } else {\n // [prop]=\"value\" case\n propertyBindings.push({\n span: input.sourceSpan,\n paramsOrFn: getBindingFunctionParams(() => this.convertPropertyBinding(value), input.name)\n });\n }\n }\n for (const propertyBinding of propertyBindings) {\n this.updateInstructionWithAdvance(templateIndex, propertyBinding.span, Identifiers.property, propertyBinding.paramsOrFn);\n }\n }\n // Bindings must only be resolved after all local refs have been visited, so all\n // instructions are queued in callbacks that execute once the initial pass has completed.\n // Otherwise, we wouldn't be able to support local refs that are defined after their\n // bindings. e.g. {{ foo }} <div #foo></div>\n instructionFn(fns, span, reference, paramsOrFn, prepend = false) {\n fns[prepend ? 'unshift' : 'push']({\n span,\n reference,\n paramsOrFn\n });\n }\n processStylingUpdateInstruction(elementIndex, instruction) {\n let allocateBindingSlots = 0;\n if (instruction) {\n for (const call of instruction.calls) {\n allocateBindingSlots += call.allocateBindingSlots;\n this.updateInstructionWithAdvance(elementIndex, call.sourceSpan, instruction.reference, () => call.params(value => call.supportsInterpolation && value instanceof Interpolation$1 ? this.getUpdateInstructionArguments(value) : this.convertPropertyBinding(value)));\n }\n }\n return allocateBindingSlots;\n }\n creationInstruction(span, reference, paramsOrFn, prepend) {\n this.instructionFn(this._creationCodeFns, span, reference, paramsOrFn || [], prepend);\n }\n updateInstructionWithAdvance(nodeIndex, span, reference, paramsOrFn) {\n this.addAdvanceInstructionIfNecessary(nodeIndex, span);\n this.updateInstruction(span, reference, paramsOrFn);\n }\n updateInstruction(span, reference, paramsOrFn) {\n this.instructionFn(this._updateCodeFns, span, reference, paramsOrFn || []);\n }\n addAdvanceInstructionIfNecessary(nodeIndex, span) {\n if (nodeIndex !== this._currentIndex) {\n const delta = nodeIndex - this._currentIndex;\n if (delta < 1) {\n throw new Error('advance instruction can only go forwards');\n }\n this.instructionFn(this._updateCodeFns, span, Identifiers.advance, [literal(delta)]);\n this._currentIndex = nodeIndex;\n }\n }\n allocatePureFunctionSlots(numSlots) {\n const originalSlots = this._pureFunctionSlots;\n this._pureFunctionSlots += numSlots;\n return originalSlots;\n }\n allocateBindingSlots(value) {\n this._bindingSlots += value instanceof Interpolation$1 ? value.expressions.length : 1;\n }\n /**\n * Gets an expression that refers to the implicit receiver. The implicit\n * receiver is always the root level context.\n */\n getImplicitReceiverExpr() {\n if (this._implicitReceiverExpr) {\n return this._implicitReceiverExpr;\n }\n return this._implicitReceiverExpr = this.level === 0 ? variable(CONTEXT_NAME) : this._bindingScope.getOrCreateSharedContextVar(0);\n }\n convertPropertyBinding(value) {\n const convertedPropertyBinding = convertPropertyBinding(this, this.getImplicitReceiverExpr(), value, this.bindingContext());\n const valExpr = convertedPropertyBinding.currValExpr;\n this._tempVariables.push(...convertedPropertyBinding.stmts);\n return valExpr;\n }\n /**\n * Gets a list of argument expressions to pass to an update instruction expression. Also updates\n * the temp variables state with temp variables that were identified as needing to be created\n * while visiting the arguments.\n * @param value The original expression we will be resolving an arguments list from.\n */\n getUpdateInstructionArguments(value) {\n const {\n args,\n stmts\n } = convertUpdateArguments(this, this.getImplicitReceiverExpr(), value, this.bindingContext());\n this._tempVariables.push(...stmts);\n return args;\n }\n /**\n * Prepares all attribute expression values for the `TAttributes` array.\n *\n * The purpose of this function is to properly construct an attributes array that\n * is passed into the `elementStart` (or just `element`) functions. Because there\n * are many different types of attributes, the array needs to be constructed in a\n * special way so that `elementStart` can properly evaluate them.\n *\n * The format looks like this:\n *\n * ```\n * attrs = [prop, value, prop2, value2,\n * PROJECT_AS, selector,\n * CLASSES, class1, class2,\n * STYLES, style1, value1, style2, value2,\n * BINDINGS, name1, name2, name3,\n * TEMPLATE, name4, name5, name6,\n * I18N, name7, name8, ...]\n * ```\n *\n * Note that this function will fully ignore all synthetic (@foo) attribute values\n * because those values are intended to always be generated as property instructions.\n */\n getAttributeExpressions(elementName, renderAttributes, inputs, outputs, styles, templateAttrs = [], boundI18nAttrs = []) {\n const alreadySeen = new Set();\n const attrExprs = [];\n let ngProjectAsAttr;\n for (const attr of renderAttributes) {\n if (attr.name === NG_PROJECT_AS_ATTR_NAME) {\n ngProjectAsAttr = attr;\n }\n // Note that static i18n attributes aren't in the i18n array,\n // because they're treated in the same way as regular attributes.\n if (attr.i18n) {\n // When i18n attributes are present on elements with structural directives\n // (e.g. `<div *ngIf title=\"Hello\" i18n-title>`), we want to avoid generating\n // duplicate i18n translation blocks for `ɵɵtemplate` and `ɵɵelement` instruction\n // attributes. So we do a cache lookup to see if suitable i18n translation block\n // already exists.\n const {\n i18nVarRefsCache\n } = this._constants;\n let i18nVarRef;\n if (i18nVarRefsCache.has(attr.i18n)) {\n i18nVarRef = i18nVarRefsCache.get(attr.i18n);\n } else {\n i18nVarRef = this.i18nTranslate(attr.i18n);\n i18nVarRefsCache.set(attr.i18n, i18nVarRef);\n }\n attrExprs.push(literal(attr.name), i18nVarRef);\n } else {\n attrExprs.push(...getAttributeNameLiterals(attr.name), trustedConstAttribute(elementName, attr));\n }\n }\n // Keep ngProjectAs next to the other name, value pairs so we can verify that we match\n // ngProjectAs marker in the attribute name slot.\n if (ngProjectAsAttr) {\n attrExprs.push(...getNgProjectAsLiteral(ngProjectAsAttr));\n }\n function addAttrExpr(key, value) {\n if (typeof key === 'string') {\n if (!alreadySeen.has(key)) {\n attrExprs.push(...getAttributeNameLiterals(key));\n value !== undefined && attrExprs.push(value);\n alreadySeen.add(key);\n }\n } else {\n attrExprs.push(literal(key));\n }\n }\n // it's important that this occurs before BINDINGS and TEMPLATE because once `elementStart`\n // comes across the BINDINGS or TEMPLATE markers then it will continue reading each value as\n // as single property value cell by cell.\n if (styles) {\n styles.populateInitialStylingAttrs(attrExprs);\n }\n if (inputs.length || outputs.length) {\n const attrsLengthBeforeInputs = attrExprs.length;\n for (let i = 0; i < inputs.length; i++) {\n const input = inputs[i];\n // We don't want the animation and attribute bindings in the\n // attributes array since they aren't used for directive matching.\n if (input.type !== 4 /* BindingType.Animation */ && input.type !== 1 /* BindingType.Attribute */) {\n addAttrExpr(input.name);\n }\n }\n for (let i = 0; i < outputs.length; i++) {\n const output = outputs[i];\n if (output.type !== 1 /* ParsedEventType.Animation */) {\n addAttrExpr(output.name);\n }\n }\n // this is a cheap way of adding the marker only after all the input/output\n // values have been filtered (by not including the animation ones) and added\n // to the expressions. The marker is important because it tells the runtime\n // code that this is where attributes without values start...\n if (attrExprs.length !== attrsLengthBeforeInputs) {\n attrExprs.splice(attrsLengthBeforeInputs, 0, literal(3 /* core.AttributeMarker.Bindings */));\n }\n }\n if (templateAttrs.length) {\n attrExprs.push(literal(4 /* core.AttributeMarker.Template */));\n templateAttrs.forEach(attr => addAttrExpr(attr.name));\n }\n if (boundI18nAttrs.length) {\n attrExprs.push(literal(6 /* core.AttributeMarker.I18n */));\n boundI18nAttrs.forEach(attr => addAttrExpr(attr.name));\n }\n return attrExprs;\n }\n addToConsts(expression) {\n if (isNull(expression)) {\n return TYPED_NULL_EXPR;\n }\n const consts = this._constants.constExpressions;\n // Try to reuse a literal that's already in the array, if possible.\n for (let i = 0; i < consts.length; i++) {\n if (consts[i].isEquivalent(expression)) {\n return literal(i);\n }\n }\n return literal(consts.push(expression) - 1);\n }\n addAttrsToConsts(attrs) {\n return attrs.length > 0 ? this.addToConsts(literalArr(attrs)) : TYPED_NULL_EXPR;\n }\n prepareRefsArray(references) {\n if (!references || references.length === 0) {\n return TYPED_NULL_EXPR;\n }\n const refsParam = references.flatMap(reference => {\n const slot = this.allocateDataSlot();\n // Generate the update temporary.\n const variableName = this._bindingScope.freshReferenceName();\n const retrievalLevel = this.level;\n const lhs = variable(variableName);\n this._bindingScope.set(retrievalLevel, reference.name, lhs, 0 /* DeclarationPriority.DEFAULT */, (scope, relativeLevel) => {\n // e.g. nextContext(2);\n const nextContextStmt = relativeLevel > 0 ? [generateNextContextExpr(relativeLevel).toStmt()] : [];\n // e.g. const $foo$ = reference(1);\n const refExpr = lhs.set(importExpr(Identifiers.reference).callFn([literal(slot)]));\n return nextContextStmt.concat(refExpr.toConstDecl());\n }, true);\n return [reference.name, reference.value];\n });\n return asLiteral(refsParam);\n }\n prepareListenerParameter(tagName, outputAst, index) {\n return () => {\n const eventName = outputAst.name;\n const bindingFnName = outputAst.type === 1 /* ParsedEventType.Animation */ ?\n // synthetic @listener.foo values are treated the exact same as are standard listeners\n prepareSyntheticListenerFunctionName(eventName, outputAst.phase) : sanitizeIdentifier(eventName);\n const handlerName = `${this.templateName}_${tagName}_${bindingFnName}_${index}_listener`;\n const scope = this._bindingScope.nestedScope(this._bindingScope.bindingLevel, EVENT_BINDING_SCOPE_GLOBALS);\n return prepareEventListenerParameters(outputAst, handlerName, scope);\n };\n }\n}\nclass ValueConverter extends AstMemoryEfficientTransformer {\n constructor(constantPool, allocateSlot, allocatePureFunctionSlots, definePipe) {\n super();\n this.constantPool = constantPool;\n this.allocateSlot = allocateSlot;\n this.allocatePureFunctionSlots = allocatePureFunctionSlots;\n this.definePipe = definePipe;\n this._pipeBindExprs = [];\n }\n // AstMemoryEfficientTransformer\n visitPipe(pipe, context) {\n // Allocate a slot to create the pipe\n const slot = this.allocateSlot();\n const slotPseudoLocal = `PIPE:${slot}`;\n // Allocate one slot for the result plus one slot per pipe argument\n const pureFunctionSlot = this.allocatePureFunctionSlots(2 + pipe.args.length);\n const target = new PropertyRead(pipe.span, pipe.sourceSpan, pipe.nameSpan, new ImplicitReceiver(pipe.span, pipe.sourceSpan), slotPseudoLocal);\n const {\n identifier,\n isVarLength\n } = pipeBindingCallInfo(pipe.args);\n this.definePipe(pipe.name, slotPseudoLocal, slot, importExpr(identifier));\n const args = [pipe.exp, ...pipe.args];\n const convertedArgs = isVarLength ? this.visitAll([new LiteralArray(pipe.span, pipe.sourceSpan, args)]) : this.visitAll(args);\n const pipeBindExpr = new Call(pipe.span, pipe.sourceSpan, target, [new LiteralPrimitive(pipe.span, pipe.sourceSpan, slot), new LiteralPrimitive(pipe.span, pipe.sourceSpan, pureFunctionSlot), ...convertedArgs], null);\n this._pipeBindExprs.push(pipeBindExpr);\n return pipeBindExpr;\n }\n updatePipeSlotOffsets(bindingSlots) {\n this._pipeBindExprs.forEach(pipe => {\n // update the slot offset arg (index 1) to account for binding slots\n const slotOffset = pipe.args[1];\n slotOffset.value += bindingSlots;\n });\n }\n visitLiteralArray(array, context) {\n return new BuiltinFunctionCall(array.span, array.sourceSpan, this.visitAll(array.expressions), values => {\n // If the literal has calculated (non-literal) elements transform it into\n // calls to literal factories that compose the literal and will cache intermediate\n // values.\n const literal = literalArr(values);\n return getLiteralFactory(this.constantPool, literal, this.allocatePureFunctionSlots);\n });\n }\n visitLiteralMap(map, context) {\n return new BuiltinFunctionCall(map.span, map.sourceSpan, this.visitAll(map.values), values => {\n // If the literal has calculated (non-literal) elements transform it into\n // calls to literal factories that compose the literal and will cache intermediate\n // values.\n const literal = literalMap(values.map((value, index) => ({\n key: map.keys[index].key,\n value,\n quoted: map.keys[index].quoted\n })));\n return getLiteralFactory(this.constantPool, literal, this.allocatePureFunctionSlots);\n });\n }\n}\n// Pipes always have at least one parameter, the value they operate on\nconst pipeBindingIdentifiers = [Identifiers.pipeBind1, Identifiers.pipeBind2, Identifiers.pipeBind3, Identifiers.pipeBind4];\nfunction pipeBindingCallInfo(args) {\n const identifier = pipeBindingIdentifiers[args.length];\n return {\n identifier: identifier || Identifiers.pipeBindV,\n isVarLength: !identifier\n };\n}\nconst pureFunctionIdentifiers = [Identifiers.pureFunction0, Identifiers.pureFunction1, Identifiers.pureFunction2, Identifiers.pureFunction3, Identifiers.pureFunction4, Identifiers.pureFunction5, Identifiers.pureFunction6, Identifiers.pureFunction7, Identifiers.pureFunction8];\nfunction pureFunctionCallInfo(args) {\n const identifier = pureFunctionIdentifiers[args.length];\n return {\n identifier: identifier || Identifiers.pureFunctionV,\n isVarLength: !identifier\n };\n}\n// e.g. x(2);\nfunction generateNextContextExpr(relativeLevelDiff) {\n return importExpr(Identifiers.nextContext).callFn(relativeLevelDiff > 1 ? [literal(relativeLevelDiff)] : []);\n}\nfunction getLiteralFactory(constantPool, literal$1, allocateSlots) {\n const {\n literalFactory,\n literalFactoryArguments\n } = constantPool.getLiteralFactory(literal$1);\n // Allocate 1 slot for the result plus 1 per argument\n const startSlot = allocateSlots(1 + literalFactoryArguments.length);\n const {\n identifier,\n isVarLength\n } = pureFunctionCallInfo(literalFactoryArguments);\n // Literal factories are pure functions that only need to be re-invoked when the parameters\n // change.\n const args = [literal(startSlot), literalFactory];\n if (isVarLength) {\n args.push(literalArr(literalFactoryArguments));\n } else {\n args.push(...literalFactoryArguments);\n }\n return importExpr(identifier).callFn(args);\n}\n/**\n * Gets an array of literals that can be added to an expression\n * to represent the name and namespace of an attribute. E.g.\n * `:xlink:href` turns into `[AttributeMarker.NamespaceURI, 'xlink', 'href']`.\n *\n * @param name Name of the attribute, including the namespace.\n */\nfunction getAttributeNameLiterals(name) {\n const [attributeNamespace, attributeName] = splitNsName(name);\n const nameLiteral = literal(attributeName);\n if (attributeNamespace) {\n return [literal(0 /* core.AttributeMarker.NamespaceURI */), literal(attributeNamespace), nameLiteral];\n }\n return [nameLiteral];\n}\n/** The prefix used to get a shared context in BindingScope's map. */\nconst SHARED_CONTEXT_KEY = '$$shared_ctx$$';\nclass BindingScope {\n static createRootScope() {\n return new BindingScope();\n }\n constructor(bindingLevel = 0, parent = null, globals) {\n this.bindingLevel = bindingLevel;\n this.parent = parent;\n this.globals = globals;\n /** Keeps a map from local variables to their BindingData. */\n this.map = new Map();\n this.referenceNameIndex = 0;\n this.restoreViewVariable = null;\n this.usesRestoredViewContext = false;\n if (globals !== undefined) {\n for (const name of globals) {\n this.set(0, name, variable(name));\n }\n }\n }\n get(name) {\n let current = this;\n while (current) {\n let value = current.map.get(name);\n if (value != null) {\n if (current !== this) {\n // make a local copy and reset the `declare` state\n value = {\n retrievalLevel: value.retrievalLevel,\n lhs: value.lhs,\n declareLocalCallback: value.declareLocalCallback,\n declare: false,\n priority: value.priority\n };\n // Cache the value locally.\n this.map.set(name, value);\n // Possibly generate a shared context var\n this.maybeGenerateSharedContextVar(value);\n this.maybeRestoreView();\n }\n if (value.declareLocalCallback && !value.declare) {\n value.declare = true;\n }\n return value.lhs;\n }\n current = current.parent;\n }\n // If we get to this point, we are looking for a property on the top level component\n // - If level === 0, we are on the top and don't need to re-declare `ctx`.\n // - If level > 0, we are in an embedded view. We need to retrieve the name of the\n // local var we used to store the component context, e.g. const $comp$ = x();\n return this.bindingLevel === 0 ? null : this.getComponentProperty(name);\n }\n /**\n * Create a local variable for later reference.\n *\n * @param retrievalLevel The level from which this value can be retrieved\n * @param name Name of the variable.\n * @param lhs AST representing the left hand side of the `let lhs = rhs;`.\n * @param priority The sorting priority of this var\n * @param declareLocalCallback The callback to invoke when declaring this local var\n * @param localRef Whether or not this is a local ref\n */\n set(retrievalLevel, name, lhs, priority = 0 /* DeclarationPriority.DEFAULT */, declareLocalCallback, localRef) {\n if (this.map.has(name)) {\n if (localRef) {\n // Do not throw an error if it's a local ref and do not update existing value,\n // so the first defined ref is always returned.\n return this;\n }\n error(`The name ${name} is already defined in scope to be ${this.map.get(name)}`);\n }\n this.map.set(name, {\n retrievalLevel: retrievalLevel,\n lhs: lhs,\n declare: false,\n declareLocalCallback: declareLocalCallback,\n priority: priority\n });\n return this;\n }\n // Implemented as part of LocalResolver.\n getLocal(name) {\n return this.get(name);\n }\n // Implemented as part of LocalResolver.\n notifyImplicitReceiverUse() {\n if (this.bindingLevel !== 0) {\n // Since the implicit receiver is accessed in an embedded view, we need to\n // ensure that we declare a shared context variable for the current template\n // in the update variables.\n this.map.get(SHARED_CONTEXT_KEY + 0).declare = true;\n }\n }\n nestedScope(level, globals) {\n const newScope = new BindingScope(level, this, globals);\n if (level > 0) newScope.generateSharedContextVar(0);\n return newScope;\n }\n /**\n * Gets or creates a shared context variable and returns its expression. Note that\n * this does not mean that the shared variable will be declared. Variables in the\n * binding scope will be only declared if they are used.\n */\n getOrCreateSharedContextVar(retrievalLevel) {\n const bindingKey = SHARED_CONTEXT_KEY + retrievalLevel;\n if (!this.map.has(bindingKey)) {\n this.generateSharedContextVar(retrievalLevel);\n }\n // Shared context variables are always generated as \"ReadVarExpr\".\n return this.map.get(bindingKey).lhs;\n }\n getSharedContextName(retrievalLevel) {\n const sharedCtxObj = this.map.get(SHARED_CONTEXT_KEY + retrievalLevel);\n // Shared context variables are always generated as \"ReadVarExpr\".\n return sharedCtxObj && sharedCtxObj.declare ? sharedCtxObj.lhs : null;\n }\n maybeGenerateSharedContextVar(value) {\n if (value.priority === 1 /* DeclarationPriority.CONTEXT */ && value.retrievalLevel < this.bindingLevel) {\n const sharedCtxObj = this.map.get(SHARED_CONTEXT_KEY + value.retrievalLevel);\n if (sharedCtxObj) {\n sharedCtxObj.declare = true;\n } else {\n this.generateSharedContextVar(value.retrievalLevel);\n }\n }\n }\n generateSharedContextVar(retrievalLevel) {\n const lhs = variable(CONTEXT_NAME + this.freshReferenceName());\n this.map.set(SHARED_CONTEXT_KEY + retrievalLevel, {\n retrievalLevel: retrievalLevel,\n lhs: lhs,\n declareLocalCallback: (scope, relativeLevel) => {\n // const ctx_r0 = nextContext(2);\n return [lhs.set(generateNextContextExpr(relativeLevel)).toConstDecl()];\n },\n declare: false,\n priority: 2 /* DeclarationPriority.SHARED_CONTEXT */\n });\n }\n getComponentProperty(name) {\n const componentValue = this.map.get(SHARED_CONTEXT_KEY + 0);\n componentValue.declare = true;\n this.maybeRestoreView();\n return componentValue.lhs.prop(name);\n }\n maybeRestoreView() {\n // View restoration is required for listener instructions inside embedded views, because\n // they only run in creation mode and they can have references to the context object.\n // If the context object changes in update mode, the reference will be incorrect, because\n // it was established during creation.\n if (this.isListenerScope()) {\n if (!this.parent.restoreViewVariable) {\n // parent saves variable to generate a shared `const $s$ = getCurrentView();` instruction\n this.parent.restoreViewVariable = variable(this.parent.freshReferenceName());\n }\n this.restoreViewVariable = this.parent.restoreViewVariable;\n }\n }\n restoreViewStatement() {\n if (this.restoreViewVariable) {\n const restoreCall = invokeInstruction(null, Identifiers.restoreView, [this.restoreViewVariable]);\n // Either `const restoredCtx = restoreView($state$);` or `restoreView($state$);`\n // depending on whether it is being used.\n return this.usesRestoredViewContext ? variable(RESTORED_VIEW_CONTEXT_NAME).set(restoreCall).toConstDecl() : restoreCall.toStmt();\n }\n return null;\n }\n viewSnapshotStatements() {\n // const $state$ = getCurrentView();\n return this.restoreViewVariable ? [this.restoreViewVariable.set(invokeInstruction(null, Identifiers.getCurrentView, [])).toConstDecl()] : [];\n }\n isListenerScope() {\n return this.parent && this.parent.bindingLevel === this.bindingLevel;\n }\n variableDeclarations() {\n let currentContextLevel = 0;\n return Array.from(this.map.values()).filter(value => value.declare).sort((a, b) => b.retrievalLevel - a.retrievalLevel || b.priority - a.priority).reduce((stmts, value) => {\n const levelDiff = this.bindingLevel - value.retrievalLevel;\n const currStmts = value.declareLocalCallback(this, levelDiff - currentContextLevel);\n currentContextLevel = levelDiff;\n return stmts.concat(currStmts);\n }, []);\n }\n freshReferenceName() {\n let current = this;\n // Find the top scope as it maintains the global reference count\n while (current.parent) current = current.parent;\n const ref = `${REFERENCE_PREFIX}${current.referenceNameIndex++}`;\n return ref;\n }\n hasRestoreViewVariable() {\n return !!this.restoreViewVariable;\n }\n notifyRestoredViewContextUse() {\n this.usesRestoredViewContext = true;\n }\n}\n/**\n * Creates a `CssSelector` given a tag name and a map of attributes\n */\nfunction createCssSelector(elementName, attributes) {\n const cssSelector = new CssSelector();\n const elementNameNoNs = splitNsName(elementName)[1];\n cssSelector.setElement(elementNameNoNs);\n Object.getOwnPropertyNames(attributes).forEach(name => {\n const nameNoNs = splitNsName(name)[1];\n const value = attributes[name];\n cssSelector.addAttribute(nameNoNs, value);\n if (name.toLowerCase() === 'class') {\n const classes = value.trim().split(/\\s+/);\n classes.forEach(className => cssSelector.addClassName(className));\n }\n });\n return cssSelector;\n}\n/**\n * Creates an array of expressions out of an `ngProjectAs` attributes\n * which can be added to the instruction parameters.\n */\nfunction getNgProjectAsLiteral(attribute) {\n // Parse the attribute value into a CssSelectorList. Note that we only take the\n // first selector, because we don't support multiple selectors in ngProjectAs.\n const parsedR3Selector = parseSelectorToR3Selector(attribute.value)[0];\n return [literal(5 /* core.AttributeMarker.ProjectAs */), asLiteral(parsedR3Selector)];\n}\n/**\n * Gets the instruction to generate for an interpolated property\n * @param interpolation An Interpolation AST\n */\nfunction getPropertyInterpolationExpression(interpolation) {\n switch (getInterpolationArgsLength(interpolation)) {\n case 1:\n return Identifiers.propertyInterpolate;\n case 3:\n return Identifiers.propertyInterpolate1;\n case 5:\n return Identifiers.propertyInterpolate2;\n case 7:\n return Identifiers.propertyInterpolate3;\n case 9:\n return Identifiers.propertyInterpolate4;\n case 11:\n return Identifiers.propertyInterpolate5;\n case 13:\n return Identifiers.propertyInterpolate6;\n case 15:\n return Identifiers.propertyInterpolate7;\n case 17:\n return Identifiers.propertyInterpolate8;\n default:\n return Identifiers.propertyInterpolateV;\n }\n}\n/**\n * Gets the instruction to generate for an interpolated attribute\n * @param interpolation An Interpolation AST\n */\nfunction getAttributeInterpolationExpression(interpolation) {\n switch (getInterpolationArgsLength(interpolation)) {\n case 3:\n return Identifiers.attributeInterpolate1;\n case 5:\n return Identifiers.attributeInterpolate2;\n case 7:\n return Identifiers.attributeInterpolate3;\n case 9:\n return Identifiers.attributeInterpolate4;\n case 11:\n return Identifiers.attributeInterpolate5;\n case 13:\n return Identifiers.attributeInterpolate6;\n case 15:\n return Identifiers.attributeInterpolate7;\n case 17:\n return Identifiers.attributeInterpolate8;\n default:\n return Identifiers.attributeInterpolateV;\n }\n}\n/**\n * Gets the instruction to generate for interpolated text.\n * @param interpolation An Interpolation AST\n */\nfunction getTextInterpolationExpression(interpolation) {\n switch (getInterpolationArgsLength(interpolation)) {\n case 1:\n return Identifiers.textInterpolate;\n case 3:\n return Identifiers.textInterpolate1;\n case 5:\n return Identifiers.textInterpolate2;\n case 7:\n return Identifiers.textInterpolate3;\n case 9:\n return Identifiers.textInterpolate4;\n case 11:\n return Identifiers.textInterpolate5;\n case 13:\n return Identifiers.textInterpolate6;\n case 15:\n return Identifiers.textInterpolate7;\n case 17:\n return Identifiers.textInterpolate8;\n default:\n return Identifiers.textInterpolateV;\n }\n}\n/**\n * Parse a template into render3 `Node`s and additional metadata, with no other dependencies.\n *\n * @param template text of the template to parse\n * @param templateUrl URL to use for source mapping of the parsed template\n * @param options options to modify how the template is parsed\n */\nfunction parseTemplate(template, templateUrl, options = {}) {\n const {\n interpolationConfig,\n preserveWhitespaces,\n enableI18nLegacyMessageIdFormat\n } = options;\n const bindingParser = makeBindingParser(interpolationConfig);\n const htmlParser = new HtmlParser();\n const parseResult = htmlParser.parse(template, templateUrl, {\n leadingTriviaChars: LEADING_TRIVIA_CHARS,\n ...options,\n tokenizeExpansionForms: true,\n tokenizeBlocks: options.enabledBlockTypes != null && options.enabledBlockTypes.size > 0\n });\n if (!options.alwaysAttemptHtmlToR3AstConversion && parseResult.errors && parseResult.errors.length > 0) {\n const parsedTemplate = {\n interpolationConfig,\n preserveWhitespaces,\n errors: parseResult.errors,\n nodes: [],\n styleUrls: [],\n styles: [],\n ngContentSelectors: []\n };\n if (options.collectCommentNodes) {\n parsedTemplate.commentNodes = [];\n }\n return parsedTemplate;\n }\n let rootNodes = parseResult.rootNodes;\n // process i18n meta information (scan attributes, generate ids)\n // before we run whitespace removal process, because existing i18n\n // extraction process (ng extract-i18n) relies on a raw content to generate\n // message ids\n const i18nMetaVisitor = new I18nMetaVisitor(interpolationConfig, /* keepI18nAttrs */!preserveWhitespaces, enableI18nLegacyMessageIdFormat);\n const i18nMetaResult = i18nMetaVisitor.visitAllWithErrors(rootNodes);\n if (!options.alwaysAttemptHtmlToR3AstConversion && i18nMetaResult.errors && i18nMetaResult.errors.length > 0) {\n const parsedTemplate = {\n interpolationConfig,\n preserveWhitespaces,\n errors: i18nMetaResult.errors,\n nodes: [],\n styleUrls: [],\n styles: [],\n ngContentSelectors: []\n };\n if (options.collectCommentNodes) {\n parsedTemplate.commentNodes = [];\n }\n return parsedTemplate;\n }\n rootNodes = i18nMetaResult.rootNodes;\n if (!preserveWhitespaces) {\n rootNodes = visitAll(new WhitespaceVisitor(), rootNodes);\n // run i18n meta visitor again in case whitespaces are removed (because that might affect\n // generated i18n message content) and first pass indicated that i18n content is present in a\n // template. During this pass i18n IDs generated at the first pass will be preserved, so we can\n // mimic existing extraction process (ng extract-i18n)\n if (i18nMetaVisitor.hasI18nMeta) {\n rootNodes = visitAll(new I18nMetaVisitor(interpolationConfig, /* keepI18nAttrs */false), rootNodes);\n }\n }\n const {\n nodes,\n errors,\n styleUrls,\n styles,\n ngContentSelectors,\n commentNodes\n } = htmlAstToRender3Ast(rootNodes, bindingParser, {\n collectCommentNodes: !!options.collectCommentNodes,\n enabledBlockTypes: options.enabledBlockTypes || new Set()\n });\n errors.push(...parseResult.errors, ...i18nMetaResult.errors);\n const parsedTemplate = {\n interpolationConfig,\n preserveWhitespaces,\n errors: errors.length > 0 ? errors : null,\n nodes,\n styleUrls,\n styles,\n ngContentSelectors\n };\n if (options.collectCommentNodes) {\n parsedTemplate.commentNodes = commentNodes;\n }\n return parsedTemplate;\n}\nconst elementRegistry = new DomElementSchemaRegistry();\n/**\n * Construct a `BindingParser` with a default configuration.\n */\nfunction makeBindingParser(interpolationConfig = DEFAULT_INTERPOLATION_CONFIG) {\n return new BindingParser(new Parser$1(new Lexer()), interpolationConfig, elementRegistry, []);\n}\nfunction resolveSanitizationFn(context, isAttribute) {\n switch (context) {\n case SecurityContext.HTML:\n return importExpr(Identifiers.sanitizeHtml);\n case SecurityContext.SCRIPT:\n return importExpr(Identifiers.sanitizeScript);\n case SecurityContext.STYLE:\n // the compiler does not fill in an instruction for [style.prop?] binding\n // values because the style algorithm knows internally what props are subject\n // to sanitization (only [attr.style] values are explicitly sanitized)\n return isAttribute ? importExpr(Identifiers.sanitizeStyle) : null;\n case SecurityContext.URL:\n return importExpr(Identifiers.sanitizeUrl);\n case SecurityContext.RESOURCE_URL:\n return importExpr(Identifiers.sanitizeResourceUrl);\n default:\n return null;\n }\n}\nfunction trustedConstAttribute(tagName, attr) {\n const value = asLiteral(attr.value);\n if (isTrustedTypesSink(tagName, attr.name)) {\n switch (elementRegistry.securityContext(tagName, attr.name, /* isAttribute */true)) {\n case SecurityContext.HTML:\n return taggedTemplate(importExpr(Identifiers.trustConstantHtml), new TemplateLiteral([new TemplateLiteralElement(attr.value)], []), undefined, attr.valueSpan);\n // NB: no SecurityContext.SCRIPT here, as the corresponding tags are stripped by the compiler.\n case SecurityContext.RESOURCE_URL:\n return taggedTemplate(importExpr(Identifiers.trustConstantResourceUrl), new TemplateLiteral([new TemplateLiteralElement(attr.value)], []), undefined, attr.valueSpan);\n default:\n return value;\n }\n } else {\n return value;\n }\n}\nfunction isSingleElementTemplate(children) {\n return children.length === 1 && children[0] instanceof Element$1;\n}\nfunction isTextNode(node) {\n return node instanceof Text$3 || node instanceof BoundText || node instanceof Icu$1;\n}\nfunction isIframeElement(tagName) {\n return tagName.toLowerCase() === 'iframe';\n}\nfunction hasTextChildrenOnly(children) {\n return children.every(isTextNode);\n}\nfunction getBindingFunctionParams(deferredParams, name, eagerParams) {\n return () => {\n const value = deferredParams();\n const fnParams = Array.isArray(value) ? value : [value];\n if (eagerParams) {\n fnParams.push(...eagerParams);\n }\n if (name) {\n // We want the property name to always be the first function parameter.\n fnParams.unshift(literal(name));\n }\n return fnParams;\n };\n}\n/** Name of the global variable that is used to determine if we use Closure translations or not */\nconst NG_I18N_CLOSURE_MODE = 'ngI18nClosureMode';\n/**\n * Generate statements that define a given translation message.\n *\n * ```\n * var I18N_1;\n * if (typeof ngI18nClosureMode !== undefined && ngI18nClosureMode) {\n * var MSG_EXTERNAL_XXX = goog.getMsg(\n * \"Some message with {$interpolation}!\",\n * { \"interpolation\": \"\\uFFFD0\\uFFFD\" }\n * );\n * I18N_1 = MSG_EXTERNAL_XXX;\n * }\n * else {\n * I18N_1 = $localize`Some message with ${'\\uFFFD0\\uFFFD'}!`;\n * }\n * ```\n *\n * @param message The original i18n AST message node\n * @param variable The variable that will be assigned the translation, e.g. `I18N_1`.\n * @param closureVar The variable for Closure `goog.getMsg` calls, e.g. `MSG_EXTERNAL_XXX`.\n * @param params Object mapping placeholder names to their values (e.g.\n * `{ \"interpolation\": \"\\uFFFD0\\uFFFD\" }`).\n * @param transformFn Optional transformation function that will be applied to the translation (e.g.\n * post-processing).\n * @returns An array of statements that defined a given translation.\n */\nfunction getTranslationDeclStmts(message, variable, closureVar, params = {}, transformFn) {\n const statements = [declareI18nVariable(variable), ifStmt(createClosureModeGuard(), createGoogleGetMsgStatements(variable, message, closureVar, params), createLocalizeStatements(variable, message, formatI18nPlaceholderNamesInMap(params, /* useCamelCase */false)))];\n if (transformFn) {\n statements.push(new ExpressionStatement(variable.set(transformFn(variable))));\n }\n return statements;\n}\n/**\n * Create the expression that will be used to guard the closure mode block\n * It is equivalent to:\n *\n * ```\n * typeof ngI18nClosureMode !== undefined && ngI18nClosureMode\n * ```\n */\nfunction createClosureModeGuard() {\n return typeofExpr(variable(NG_I18N_CLOSURE_MODE)).notIdentical(literal('undefined', STRING_TYPE)).and(variable(NG_I18N_CLOSURE_MODE));\n}\n\n// This regex matches any binding names that contain the \"attr.\" prefix, e.g. \"attr.required\"\n// If there is a match, the first matching group will contain the attribute name to bind.\nconst ATTR_REGEX = /attr\\.([^\\]]+)/;\nconst COMPONENT_VARIABLE = '%COMP%';\nconst HOST_ATTR = `_nghost-${COMPONENT_VARIABLE}`;\nconst CONTENT_ATTR = `_ngcontent-${COMPONENT_VARIABLE}`;\nfunction baseDirectiveFields(meta, constantPool, bindingParser) {\n const definitionMap = new DefinitionMap();\n const selectors = parseSelectorToR3Selector(meta.selector);\n // e.g. `type: MyDirective`\n definitionMap.set('type', meta.type.value);\n // e.g. `selectors: [['', 'someDir', '']]`\n if (selectors.length > 0) {\n definitionMap.set('selectors', asLiteral(selectors));\n }\n if (meta.queries.length > 0) {\n // e.g. `contentQueries: (rf, ctx, dirIndex) => { ... }\n definitionMap.set('contentQueries', createContentQueriesFunction(meta.queries, constantPool, meta.name));\n }\n if (meta.viewQueries.length) {\n definitionMap.set('viewQuery', createViewQueriesFunction(meta.viewQueries, constantPool, meta.name));\n }\n // e.g. `hostBindings: (rf, ctx) => { ... }\n definitionMap.set('hostBindings', createHostBindingsFunction(meta.host, meta.typeSourceSpan, bindingParser, constantPool, meta.selector || '', meta.name, definitionMap));\n // e.g 'inputs: {a: 'a'}`\n definitionMap.set('inputs', conditionallyCreateDirectiveBindingLiteral(meta.inputs, true));\n // e.g 'outputs: {a: 'a'}`\n definitionMap.set('outputs', conditionallyCreateDirectiveBindingLiteral(meta.outputs));\n if (meta.exportAs !== null) {\n definitionMap.set('exportAs', literalArr(meta.exportAs.map(e => literal(e))));\n }\n if (meta.isStandalone) {\n definitionMap.set('standalone', literal(true));\n }\n if (meta.isSignal) {\n definitionMap.set('signals', literal(true));\n }\n return definitionMap;\n}\n/**\n * Add features to the definition map.\n */\nfunction addFeatures(definitionMap, meta) {\n // e.g. `features: [NgOnChangesFeature]`\n const features = [];\n const providers = meta.providers;\n const viewProviders = meta.viewProviders;\n const inputKeys = Object.keys(meta.inputs);\n if (providers || viewProviders) {\n const args = [providers || new LiteralArrayExpr([])];\n if (viewProviders) {\n args.push(viewProviders);\n }\n features.push(importExpr(Identifiers.ProvidersFeature).callFn(args));\n }\n for (const key of inputKeys) {\n if (meta.inputs[key].transformFunction !== null) {\n features.push(importExpr(Identifiers.InputTransformsFeatureFeature));\n break;\n }\n }\n if (meta.usesInheritance) {\n features.push(importExpr(Identifiers.InheritDefinitionFeature));\n }\n if (meta.fullInheritance) {\n features.push(importExpr(Identifiers.CopyDefinitionFeature));\n }\n if (meta.lifecycle.usesOnChanges) {\n features.push(importExpr(Identifiers.NgOnChangesFeature));\n }\n // TODO: better way of differentiating component vs directive metadata.\n if (meta.hasOwnProperty('template') && meta.isStandalone) {\n features.push(importExpr(Identifiers.StandaloneFeature));\n }\n if (meta.hostDirectives?.length) {\n features.push(importExpr(Identifiers.HostDirectivesFeature).callFn([createHostDirectivesFeatureArg(meta.hostDirectives)]));\n }\n if (features.length) {\n definitionMap.set('features', literalArr(features));\n }\n}\n/**\n * Compile a directive for the render3 runtime as defined by the `R3DirectiveMetadata`.\n */\nfunction compileDirectiveFromMetadata(meta, constantPool, bindingParser) {\n const definitionMap = baseDirectiveFields(meta, constantPool, bindingParser);\n addFeatures(definitionMap, meta);\n const expression = importExpr(Identifiers.defineDirective).callFn([definitionMap.toLiteralMap()], undefined, true);\n const type = createDirectiveType(meta);\n return {\n expression,\n type,\n statements: []\n };\n}\n/**\n * Compile a component for the render3 runtime as defined by the `R3ComponentMetadata`.\n */\nfunction compileComponentFromMetadata(meta, constantPool, bindingParser) {\n const definitionMap = baseDirectiveFields(meta, constantPool, bindingParser);\n addFeatures(definitionMap, meta);\n const selector = meta.selector && CssSelector.parse(meta.selector);\n const firstSelector = selector && selector[0];\n // e.g. `attr: [\"class\", \".my.app\"]`\n // This is optional an only included if the first selector of a component specifies attributes.\n if (firstSelector) {\n const selectorAttributes = firstSelector.getAttrs();\n if (selectorAttributes.length) {\n definitionMap.set('attrs', constantPool.getConstLiteral(literalArr(selectorAttributes.map(value => value != null ? literal(value) : literal(undefined))), /* forceShared */true));\n }\n }\n // e.g. `template: function MyComponent_Template(_ctx, _cm) {...}`\n const templateTypeName = meta.name;\n const templateName = templateTypeName ? `${templateTypeName}_Template` : null;\n const changeDetection = meta.changeDetection;\n // Template compilation is currently conditional as we're in the process of rewriting it.\n if (!USE_TEMPLATE_PIPELINE) {\n // This is the main path currently used in compilation, which compiles the template with the\n // legacy `TemplateDefinitionBuilder`.\n const template = meta.template;\n const templateBuilder = new TemplateDefinitionBuilder(constantPool, BindingScope.createRootScope(), 0, templateTypeName, null, null, templateName, Identifiers.namespaceHTML, meta.relativeContextFilePath, meta.i18nUseExternalIds, meta.deferBlocks);\n const templateFunctionExpression = templateBuilder.buildTemplateFunction(template.nodes, []);\n // We need to provide this so that dynamically generated components know what\n // projected content blocks to pass through to the component when it is\n // instantiated.\n const ngContentSelectors = templateBuilder.getNgContentSelectors();\n if (ngContentSelectors) {\n definitionMap.set('ngContentSelectors', ngContentSelectors);\n }\n // e.g. `decls: 2`\n // definitionMap.set('decls', o.literal(tpl.root.decls!));\n definitionMap.set('decls', literal(templateBuilder.getConstCount()));\n // e.g. `vars: 2`\n // definitionMap.set('vars', o.literal(tpl.root.vars!));\n definitionMap.set('vars', literal(templateBuilder.getVarCount()));\n // Generate `consts` section of ComponentDef:\n // - either as an array:\n // `consts: [['one', 'two'], ['three', 'four']]`\n // - or as a factory function in case additional statements are present (to support i18n):\n // `consts: function() { var i18n_0; if (ngI18nClosureMode) {...} else {...} return [i18n_0];\n // }`\n const {\n constExpressions,\n prepareStatements\n } = templateBuilder.getConsts();\n if (constExpressions.length > 0) {\n let constsExpr = literalArr(constExpressions);\n // Prepare statements are present - turn `consts` into a function.\n if (prepareStatements.length > 0) {\n constsExpr = fn([], [...prepareStatements, new ReturnStatement(constsExpr)]);\n }\n definitionMap.set('consts', constsExpr);\n }\n definitionMap.set('template', templateFunctionExpression);\n } else {\n // This path compiles the template using the prototype template pipeline. First the template is\n // ingested into IR:\n const tpl = ingestComponent(meta.name, meta.template.nodes, constantPool);\n // Then the IR is transformed to prepare it for cod egeneration.\n transformTemplate(tpl);\n // Finally we emit the template function:\n const templateFn = emitTemplateFn(tpl, constantPool);\n definitionMap.set('decls', literal(tpl.root.decls));\n definitionMap.set('vars', literal(tpl.root.vars));\n if (tpl.consts.length > 0) {\n definitionMap.set('consts', literalArr(tpl.consts));\n }\n definitionMap.set('template', templateFn);\n }\n if (meta.declarations.length > 0) {\n definitionMap.set('dependencies', compileDeclarationList(literalArr(meta.declarations.map(decl => decl.type)), meta.declarationListEmitMode));\n }\n if (meta.encapsulation === null) {\n meta.encapsulation = ViewEncapsulation.Emulated;\n }\n // e.g. `styles: [str1, str2]`\n if (meta.styles && meta.styles.length) {\n const styleValues = meta.encapsulation == ViewEncapsulation.Emulated ? compileStyles(meta.styles, CONTENT_ATTR, HOST_ATTR) : meta.styles;\n const styleNodes = styleValues.reduce((result, style) => {\n if (style.trim().length > 0) {\n result.push(constantPool.getConstLiteral(literal(style)));\n }\n return result;\n }, []);\n if (styleNodes.length > 0) {\n definitionMap.set('styles', literalArr(styleNodes));\n }\n } else if (meta.encapsulation === ViewEncapsulation.Emulated) {\n // If there is no style, don't generate css selectors on elements\n meta.encapsulation = ViewEncapsulation.None;\n }\n // Only set view encapsulation if it's not the default value\n if (meta.encapsulation !== ViewEncapsulation.Emulated) {\n definitionMap.set('encapsulation', literal(meta.encapsulation));\n }\n // e.g. `animation: [trigger('123', [])]`\n if (meta.animations !== null) {\n definitionMap.set('data', literalMap([{\n key: 'animation',\n value: meta.animations,\n quoted: false\n }]));\n }\n // Only set the change detection flag if it's defined and it's not the default.\n if (changeDetection != null && changeDetection !== ChangeDetectionStrategy.Default) {\n definitionMap.set('changeDetection', literal(changeDetection));\n }\n const expression = importExpr(Identifiers.defineComponent).callFn([definitionMap.toLiteralMap()], undefined, true);\n const type = createComponentType(meta);\n return {\n expression,\n type,\n statements: []\n };\n}\n/**\n * Creates the type specification from the component meta. This type is inserted into .d.ts files\n * to be consumed by upstream compilations.\n */\nfunction createComponentType(meta) {\n const typeParams = createBaseDirectiveTypeParams(meta);\n typeParams.push(stringArrayAsType(meta.template.ngContentSelectors));\n typeParams.push(expressionType(literal(meta.isStandalone)));\n typeParams.push(createHostDirectivesType(meta));\n // TODO(signals): Always include this metadata starting with v17. Right\n // now Angular v16.0.x does not support this field and library distributions\n // would then be incompatible with v16.0.x framework users.\n if (meta.isSignal) {\n typeParams.push(expressionType(literal(meta.isSignal)));\n }\n return expressionType(importExpr(Identifiers.ComponentDeclaration, typeParams));\n}\n/**\n * Compiles the array literal of declarations into an expression according to the provided emit\n * mode.\n */\nfunction compileDeclarationList(list, mode) {\n switch (mode) {\n case 0 /* DeclarationListEmitMode.Direct */:\n // directives: [MyDir],\n return list;\n case 1 /* DeclarationListEmitMode.Closure */:\n // directives: function () { return [MyDir]; }\n return fn([], [new ReturnStatement(list)]);\n case 2 /* DeclarationListEmitMode.ClosureResolved */:\n // directives: function () { return [MyDir].map(ng.resolveForwardRef); }\n const resolvedList = list.prop('map').callFn([importExpr(Identifiers.resolveForwardRef)]);\n return fn([], [new ReturnStatement(resolvedList)]);\n }\n}\nfunction prepareQueryParams(query, constantPool) {\n const parameters = [getQueryPredicate(query, constantPool), literal(toQueryFlags(query))];\n if (query.read) {\n parameters.push(query.read);\n }\n return parameters;\n}\n/**\n * Translates query flags into `TQueryFlags` type in packages/core/src/render3/interfaces/query.ts\n * @param query\n */\nfunction toQueryFlags(query) {\n return (query.descendants ? 1 /* QueryFlags.descendants */ : 0 /* QueryFlags.none */) | (query.static ? 2 /* QueryFlags.isStatic */ : 0 /* QueryFlags.none */) | (query.emitDistinctChangesOnly ? 4 /* QueryFlags.emitDistinctChangesOnly */ : 0 /* QueryFlags.none */);\n}\nfunction convertAttributesToExpressions(attributes) {\n const values = [];\n for (let key of Object.getOwnPropertyNames(attributes)) {\n const value = attributes[key];\n values.push(literal(key), value);\n }\n return values;\n}\n// Define and update any content queries\nfunction createContentQueriesFunction(queries, constantPool, name) {\n const createStatements = [];\n const updateStatements = [];\n const tempAllocator = temporaryAllocator(updateStatements, TEMPORARY_NAME);\n for (const query of queries) {\n // creation, e.g. r3.contentQuery(dirIndex, somePredicate, true, null);\n createStatements.push(importExpr(Identifiers.contentQuery).callFn([variable('dirIndex'), ...prepareQueryParams(query, constantPool)]).toStmt());\n // update, e.g. (r3.queryRefresh(tmp = r3.loadQuery()) && (ctx.someDir = tmp));\n const temporary = tempAllocator();\n const getQueryList = importExpr(Identifiers.loadQuery).callFn([]);\n const refresh = importExpr(Identifiers.queryRefresh).callFn([temporary.set(getQueryList)]);\n const updateDirective = variable(CONTEXT_NAME).prop(query.propertyName).set(query.first ? temporary.prop('first') : temporary);\n updateStatements.push(refresh.and(updateDirective).toStmt());\n }\n const contentQueriesFnName = name ? `${name}_ContentQueries` : null;\n return fn([new FnParam(RENDER_FLAGS, NUMBER_TYPE), new FnParam(CONTEXT_NAME, null), new FnParam('dirIndex', null)], [renderFlagCheckIfStmt(1 /* core.RenderFlags.Create */, createStatements), renderFlagCheckIfStmt(2 /* core.RenderFlags.Update */, updateStatements)], INFERRED_TYPE, null, contentQueriesFnName);\n}\nfunction stringAsType(str) {\n return expressionType(literal(str));\n}\nfunction stringMapAsLiteralExpression(map) {\n const mapValues = Object.keys(map).map(key => {\n const value = Array.isArray(map[key]) ? map[key][0] : map[key];\n return {\n key,\n value: literal(value),\n quoted: true\n };\n });\n return literalMap(mapValues);\n}\nfunction stringArrayAsType(arr) {\n return arr.length > 0 ? expressionType(literalArr(arr.map(value => literal(value)))) : NONE_TYPE;\n}\nfunction createBaseDirectiveTypeParams(meta) {\n // On the type side, remove newlines from the selector as it will need to fit into a TypeScript\n // string literal, which must be on one line.\n const selectorForType = meta.selector !== null ? meta.selector.replace(/\\n/g, '') : null;\n return [typeWithParameters(meta.type.type, meta.typeArgumentCount), selectorForType !== null ? stringAsType(selectorForType) : NONE_TYPE, meta.exportAs !== null ? stringArrayAsType(meta.exportAs) : NONE_TYPE, expressionType(getInputsTypeExpression(meta)), expressionType(stringMapAsLiteralExpression(meta.outputs)), stringArrayAsType(meta.queries.map(q => q.propertyName))];\n}\nfunction getInputsTypeExpression(meta) {\n return literalMap(Object.keys(meta.inputs).map(key => {\n const value = meta.inputs[key];\n return {\n key,\n value: literalMap([{\n key: 'alias',\n value: literal(value.bindingPropertyName),\n quoted: true\n }, {\n key: 'required',\n value: literal(value.required),\n quoted: true\n }]),\n quoted: true\n };\n }));\n}\n/**\n * Creates the type specification from the directive meta. This type is inserted into .d.ts files\n * to be consumed by upstream compilations.\n */\nfunction createDirectiveType(meta) {\n const typeParams = createBaseDirectiveTypeParams(meta);\n // Directives have no NgContentSelectors slot, but instead express a `never` type\n // so that future fields align.\n typeParams.push(NONE_TYPE);\n typeParams.push(expressionType(literal(meta.isStandalone)));\n typeParams.push(createHostDirectivesType(meta));\n // TODO(signals): Always include this metadata starting with v17. Right\n // now Angular v16.0.x does not support this field and library distributions\n // would then be incompatible with v16.0.x framework users.\n if (meta.isSignal) {\n typeParams.push(expressionType(literal(meta.isSignal)));\n }\n return expressionType(importExpr(Identifiers.DirectiveDeclaration, typeParams));\n}\n// Define and update any view queries\nfunction createViewQueriesFunction(viewQueries, constantPool, name) {\n const createStatements = [];\n const updateStatements = [];\n const tempAllocator = temporaryAllocator(updateStatements, TEMPORARY_NAME);\n viewQueries.forEach(query => {\n // creation, e.g. r3.viewQuery(somePredicate, true);\n const queryDefinition = importExpr(Identifiers.viewQuery).callFn(prepareQueryParams(query, constantPool));\n createStatements.push(queryDefinition.toStmt());\n // update, e.g. (r3.queryRefresh(tmp = r3.loadQuery()) && (ctx.someDir = tmp));\n const temporary = tempAllocator();\n const getQueryList = importExpr(Identifiers.loadQuery).callFn([]);\n const refresh = importExpr(Identifiers.queryRefresh).callFn([temporary.set(getQueryList)]);\n const updateDirective = variable(CONTEXT_NAME).prop(query.propertyName).set(query.first ? temporary.prop('first') : temporary);\n updateStatements.push(refresh.and(updateDirective).toStmt());\n });\n const viewQueryFnName = name ? `${name}_Query` : null;\n return fn([new FnParam(RENDER_FLAGS, NUMBER_TYPE), new FnParam(CONTEXT_NAME, null)], [renderFlagCheckIfStmt(1 /* core.RenderFlags.Create */, createStatements), renderFlagCheckIfStmt(2 /* core.RenderFlags.Update */, updateStatements)], INFERRED_TYPE, null, viewQueryFnName);\n}\n// Return a host binding function or null if one is not necessary.\nfunction createHostBindingsFunction(hostBindingsMetadata, typeSourceSpan, bindingParser, constantPool, selector, name, definitionMap) {\n const bindings = bindingParser.createBoundHostProperties(hostBindingsMetadata.properties, typeSourceSpan);\n // Calculate host event bindings\n const eventBindings = bindingParser.createDirectiveHostEventAsts(hostBindingsMetadata.listeners, typeSourceSpan);\n if (USE_TEMPLATE_PIPELINE) {\n // TODO: host binding metadata is not yet parsed in the template pipeline, so we need to extract\n // that code from below. Then, we will ingest a `HostBindingJob`, and run the template pipeline\n // phases.\n const hostJob = ingestHostBinding({\n componentName: name,\n properties: bindings,\n events: eventBindings\n }, bindingParser, constantPool);\n transformHostBinding(hostJob);\n const varCount = hostJob.root.vars;\n if (varCount !== null && varCount > 0) {\n definitionMap.set('hostVars', literal(varCount));\n }\n return emitHostBindingFunction(hostJob);\n }\n const bindingContext = variable(CONTEXT_NAME);\n const styleBuilder = new StylingBuilder(bindingContext);\n const {\n styleAttr,\n classAttr\n } = hostBindingsMetadata.specialAttributes;\n if (styleAttr !== undefined) {\n styleBuilder.registerStyleAttr(styleAttr);\n }\n if (classAttr !== undefined) {\n styleBuilder.registerClassAttr(classAttr);\n }\n const createInstructions = [];\n const updateInstructions = [];\n const updateVariables = [];\n const hostBindingSourceSpan = typeSourceSpan;\n if (eventBindings && eventBindings.length) {\n createInstructions.push(...createHostListeners(eventBindings, name));\n }\n // Calculate the host property bindings\n const allOtherBindings = [];\n // We need to calculate the total amount of binding slots required by\n // all the instructions together before any value conversions happen.\n // Value conversions may require additional slots for interpolation and\n // bindings with pipes. These calculates happen after this block.\n let totalHostVarsCount = 0;\n bindings && bindings.forEach(binding => {\n const stylingInputWasSet = styleBuilder.registerInputBasedOnName(binding.name, binding.expression, hostBindingSourceSpan);\n if (stylingInputWasSet) {\n totalHostVarsCount += MIN_STYLING_BINDING_SLOTS_REQUIRED;\n } else {\n allOtherBindings.push(binding);\n totalHostVarsCount++;\n }\n });\n let valueConverter;\n const getValueConverter = () => {\n if (!valueConverter) {\n const hostVarsCountFn = numSlots => {\n const originalVarsCount = totalHostVarsCount;\n totalHostVarsCount += numSlots;\n return originalVarsCount;\n };\n valueConverter = new ValueConverter(constantPool, () => error('Unexpected node'),\n // new nodes are illegal here\n hostVarsCountFn, () => error('Unexpected pipe')); // pipes are illegal here\n }\n return valueConverter;\n };\n const propertyBindings = [];\n const attributeBindings = [];\n const syntheticHostBindings = [];\n for (const binding of allOtherBindings) {\n // resolve literal arrays and literal objects\n const value = binding.expression.visit(getValueConverter());\n const bindingExpr = bindingFn(bindingContext, value);\n const {\n bindingName,\n instruction,\n isAttribute\n } = getBindingNameAndInstruction(binding);\n const securityContexts = bindingParser.calcPossibleSecurityContexts(selector, bindingName, isAttribute).filter(context => context !== SecurityContext.NONE);\n let sanitizerFn = null;\n if (securityContexts.length) {\n if (securityContexts.length === 2 && securityContexts.indexOf(SecurityContext.URL) > -1 && securityContexts.indexOf(SecurityContext.RESOURCE_URL) > -1) {\n // Special case for some URL attributes (such as \"src\" and \"href\") that may be a part\n // of different security contexts. In this case we use special sanitization function and\n // select the actual sanitizer at runtime based on a tag name that is provided while\n // invoking sanitization function.\n sanitizerFn = importExpr(Identifiers.sanitizeUrlOrResourceUrl);\n } else {\n sanitizerFn = resolveSanitizationFn(securityContexts[0], isAttribute);\n }\n }\n const instructionParams = [literal(bindingName), bindingExpr.currValExpr];\n if (sanitizerFn) {\n instructionParams.push(sanitizerFn);\n } else {\n // If there was no sanitization function found based on the security context\n // of an attribute/property binding - check whether this attribute/property is\n // one of the security-sensitive <iframe> attributes.\n // Note: for host bindings defined on a directive, we do not try to find all\n // possible places where it can be matched, so we can not determine whether\n // the host element is an <iframe>. In this case, if an attribute/binding\n // name is in the `IFRAME_SECURITY_SENSITIVE_ATTRS` set - append a validation\n // function, which would be invoked at runtime and would have access to the\n // underlying DOM element, check if it's an <iframe> and if so - runs extra checks.\n if (isIframeSecuritySensitiveAttr(bindingName)) {\n instructionParams.push(importExpr(Identifiers.validateIframeAttribute));\n }\n }\n updateVariables.push(...bindingExpr.stmts);\n if (instruction === Identifiers.hostProperty) {\n propertyBindings.push(instructionParams);\n } else if (instruction === Identifiers.attribute) {\n attributeBindings.push(instructionParams);\n } else if (instruction === Identifiers.syntheticHostProperty) {\n syntheticHostBindings.push(instructionParams);\n } else {\n updateInstructions.push({\n reference: instruction,\n paramsOrFn: instructionParams,\n span: null\n });\n }\n }\n for (const bindingParams of propertyBindings) {\n updateInstructions.push({\n reference: Identifiers.hostProperty,\n paramsOrFn: bindingParams,\n span: null\n });\n }\n for (const bindingParams of attributeBindings) {\n updateInstructions.push({\n reference: Identifiers.attribute,\n paramsOrFn: bindingParams,\n span: null\n });\n }\n for (const bindingParams of syntheticHostBindings) {\n updateInstructions.push({\n reference: Identifiers.syntheticHostProperty,\n paramsOrFn: bindingParams,\n span: null\n });\n }\n // since we're dealing with directives/components and both have hostBinding\n // functions, we need to generate a special hostAttrs instruction that deals\n // with both the assignment of styling as well as static attributes to the host\n // element. The instruction below will instruct all initial styling (styling\n // that is inside of a host binding within a directive/component) to be attached\n // to the host element alongside any of the provided host attributes that were\n // collected earlier.\n const hostAttrs = convertAttributesToExpressions(hostBindingsMetadata.attributes);\n styleBuilder.assignHostAttrs(hostAttrs, definitionMap);\n if (styleBuilder.hasBindings) {\n // finally each binding that was registered in the statement above will need to be added to\n // the update block of a component/directive templateFn/hostBindingsFn so that the bindings\n // are evaluated and updated for the element.\n styleBuilder.buildUpdateLevelInstructions(getValueConverter()).forEach(instruction => {\n for (const call of instruction.calls) {\n // we subtract a value of `1` here because the binding slot was already allocated\n // at the top of this method when all the input bindings were counted.\n totalHostVarsCount += Math.max(call.allocateBindingSlots - MIN_STYLING_BINDING_SLOTS_REQUIRED, 0);\n updateInstructions.push({\n reference: instruction.reference,\n paramsOrFn: convertStylingCall(call, bindingContext, bindingFn),\n span: null\n });\n }\n });\n }\n if (totalHostVarsCount) {\n definitionMap.set('hostVars', literal(totalHostVarsCount));\n }\n if (createInstructions.length > 0 || updateInstructions.length > 0) {\n const hostBindingsFnName = name ? `${name}_HostBindings` : null;\n const statements = [];\n if (createInstructions.length > 0) {\n statements.push(renderFlagCheckIfStmt(1 /* core.RenderFlags.Create */, getInstructionStatements(createInstructions)));\n }\n if (updateInstructions.length > 0) {\n statements.push(renderFlagCheckIfStmt(2 /* core.RenderFlags.Update */, updateVariables.concat(getInstructionStatements(updateInstructions))));\n }\n return fn([new FnParam(RENDER_FLAGS, NUMBER_TYPE), new FnParam(CONTEXT_NAME, null)], statements, INFERRED_TYPE, null, hostBindingsFnName);\n }\n return null;\n}\nfunction bindingFn(implicit, value) {\n return convertPropertyBinding(null, implicit, value, 'b');\n}\nfunction convertStylingCall(call, bindingContext, bindingFn) {\n return call.params(value => bindingFn(bindingContext, value).currValExpr);\n}\nfunction getBindingNameAndInstruction(binding) {\n let bindingName = binding.name;\n let instruction;\n // Check to see if this is an attr binding or a property binding\n const attrMatches = bindingName.match(ATTR_REGEX);\n if (attrMatches) {\n bindingName = attrMatches[1];\n instruction = Identifiers.attribute;\n } else {\n if (binding.isAnimation) {\n bindingName = prepareSyntheticPropertyName(bindingName);\n // host bindings that have a synthetic property (e.g. @foo) should always be rendered\n // in the context of the component and not the parent. Therefore there is a special\n // compatibility instruction available for this purpose.\n instruction = Identifiers.syntheticHostProperty;\n } else {\n instruction = Identifiers.hostProperty;\n }\n }\n return {\n bindingName,\n instruction,\n isAttribute: !!attrMatches\n };\n}\nfunction createHostListeners(eventBindings, name) {\n const listenerParams = [];\n const syntheticListenerParams = [];\n const instructions = [];\n for (const binding of eventBindings) {\n let bindingName = binding.name && sanitizeIdentifier(binding.name);\n const bindingFnName = binding.type === 1 /* ParsedEventType.Animation */ ? prepareSyntheticListenerFunctionName(bindingName, binding.targetOrPhase) : bindingName;\n const handlerName = name && bindingName ? `${name}_${bindingFnName}_HostBindingHandler` : null;\n const params = prepareEventListenerParameters(BoundEvent.fromParsedEvent(binding), handlerName);\n if (binding.type == 1 /* ParsedEventType.Animation */) {\n syntheticListenerParams.push(params);\n } else {\n listenerParams.push(params);\n }\n }\n for (const params of syntheticListenerParams) {\n instructions.push({\n reference: Identifiers.syntheticHostListener,\n paramsOrFn: params,\n span: null\n });\n }\n for (const params of listenerParams) {\n instructions.push({\n reference: Identifiers.listener,\n paramsOrFn: params,\n span: null\n });\n }\n return instructions;\n}\nconst HOST_REG_EXP = /^(?:\\[([^\\]]+)\\])|(?:\\(([^\\)]+)\\))$/;\nfunction parseHostBindings(host) {\n const attributes = {};\n const listeners = {};\n const properties = {};\n const specialAttributes = {};\n for (const key of Object.keys(host)) {\n const value = host[key];\n const matches = key.match(HOST_REG_EXP);\n if (matches === null) {\n switch (key) {\n case 'class':\n if (typeof value !== 'string') {\n // TODO(alxhub): make this a diagnostic.\n throw new Error(`Class binding must be string`);\n }\n specialAttributes.classAttr = value;\n break;\n case 'style':\n if (typeof value !== 'string') {\n // TODO(alxhub): make this a diagnostic.\n throw new Error(`Style binding must be string`);\n }\n specialAttributes.styleAttr = value;\n break;\n default:\n if (typeof value === 'string') {\n attributes[key] = literal(value);\n } else {\n attributes[key] = value;\n }\n }\n } else if (matches[1 /* HostBindingGroup.Binding */] != null) {\n if (typeof value !== 'string') {\n // TODO(alxhub): make this a diagnostic.\n throw new Error(`Property binding must be string`);\n }\n // synthetic properties (the ones that have a `@` as a prefix)\n // are still treated the same as regular properties. Therefore\n // there is no point in storing them in a separate map.\n properties[matches[1 /* HostBindingGroup.Binding */]] = value;\n } else if (matches[2 /* HostBindingGroup.Event */] != null) {\n if (typeof value !== 'string') {\n // TODO(alxhub): make this a diagnostic.\n throw new Error(`Event binding must be string`);\n }\n listeners[matches[2 /* HostBindingGroup.Event */]] = value;\n }\n }\n return {\n attributes,\n listeners,\n properties,\n specialAttributes\n };\n}\n/**\n * Verifies host bindings and returns the list of errors (if any). Empty array indicates that a\n * given set of host bindings has no errors.\n *\n * @param bindings set of host bindings to verify.\n * @param sourceSpan source span where host bindings were defined.\n * @returns array of errors associated with a given set of host bindings.\n */\nfunction verifyHostBindings(bindings, sourceSpan) {\n // TODO: abstract out host bindings verification logic and use it instead of\n // creating events and properties ASTs to detect errors (FW-996)\n const bindingParser = makeBindingParser();\n bindingParser.createDirectiveHostEventAsts(bindings.listeners, sourceSpan);\n bindingParser.createBoundHostProperties(bindings.properties, sourceSpan);\n return bindingParser.errors;\n}\nfunction compileStyles(styles, selector, hostSelector) {\n const shadowCss = new ShadowCss();\n return styles.map(style => {\n return shadowCss.shimCssText(style, selector, hostSelector);\n });\n}\nfunction createHostDirectivesType(meta) {\n if (!meta.hostDirectives?.length) {\n return NONE_TYPE;\n }\n return expressionType(literalArr(meta.hostDirectives.map(hostMeta => literalMap([{\n key: 'directive',\n value: typeofExpr(hostMeta.directive.type),\n quoted: false\n }, {\n key: 'inputs',\n value: stringMapAsLiteralExpression(hostMeta.inputs || {}),\n quoted: false\n }, {\n key: 'outputs',\n value: stringMapAsLiteralExpression(hostMeta.outputs || {}),\n quoted: false\n }]))));\n}\nfunction createHostDirectivesFeatureArg(hostDirectives) {\n const expressions = [];\n let hasForwardRef = false;\n for (const current of hostDirectives) {\n // Use a shorthand if there are no inputs or outputs.\n if (!current.inputs && !current.outputs) {\n expressions.push(current.directive.type);\n } else {\n const keys = [{\n key: 'directive',\n value: current.directive.type,\n quoted: false\n }];\n if (current.inputs) {\n const inputsLiteral = createHostDirectivesMappingArray(current.inputs);\n if (inputsLiteral) {\n keys.push({\n key: 'inputs',\n value: inputsLiteral,\n quoted: false\n });\n }\n }\n if (current.outputs) {\n const outputsLiteral = createHostDirectivesMappingArray(current.outputs);\n if (outputsLiteral) {\n keys.push({\n key: 'outputs',\n value: outputsLiteral,\n quoted: false\n });\n }\n }\n expressions.push(literalMap(keys));\n }\n if (current.isForwardReference) {\n hasForwardRef = true;\n }\n }\n // If there's a forward reference, we generate a `function() { return [HostDir] }`,\n // otherwise we can save some bytes by using a plain array, e.g. `[HostDir]`.\n return hasForwardRef ? new FunctionExpr([], [new ReturnStatement(literalArr(expressions))]) : literalArr(expressions);\n}\n/**\n * Converts an input/output mapping object literal into an array where the even keys are the\n * public name of the binding and the odd ones are the name it was aliased to. E.g.\n * `{inputOne: 'aliasOne', inputTwo: 'aliasTwo'}` will become\n * `['inputOne', 'aliasOne', 'inputTwo', 'aliasTwo']`.\n *\n * This conversion is necessary, because hosts bind to the public name of the host directive and\n * keeping the mapping in an object literal will break for apps using property renaming.\n */\nfunction createHostDirectivesMappingArray(mapping) {\n const elements = [];\n for (const publicName in mapping) {\n if (mapping.hasOwnProperty(publicName)) {\n elements.push(literal(publicName), literal(mapping[publicName]));\n }\n }\n return elements.length > 0 ? literalArr(elements) : null;\n}\n\n/**\n * An interface for retrieving documents by URL that the compiler uses to\n * load templates.\n *\n * This is an abstract class, rather than an interface, so that it can be used\n * as injection token.\n */\nclass ResourceLoader {}\nlet enabledBlockTypes;\n/** Temporary utility that enables specific block types in JIT compilations. */\nfunction ɵsetEnabledBlockTypes(types) {\n enabledBlockTypes = types.length > 0 ? new Set(types) : undefined;\n}\nclass CompilerFacadeImpl {\n constructor(jitEvaluator = new JitEvaluator()) {\n this.jitEvaluator = jitEvaluator;\n this.FactoryTarget = FactoryTarget$1;\n this.ResourceLoader = ResourceLoader;\n this.elementSchemaRegistry = new DomElementSchemaRegistry();\n }\n compilePipe(angularCoreEnv, sourceMapUrl, facade) {\n const metadata = {\n name: facade.name,\n type: wrapReference(facade.type),\n typeArgumentCount: 0,\n deps: null,\n pipeName: facade.pipeName,\n pure: facade.pure,\n isStandalone: facade.isStandalone\n };\n const res = compilePipeFromMetadata(metadata);\n return this.jitExpression(res.expression, angularCoreEnv, sourceMapUrl, []);\n }\n compilePipeDeclaration(angularCoreEnv, sourceMapUrl, declaration) {\n const meta = convertDeclarePipeFacadeToMetadata(declaration);\n const res = compilePipeFromMetadata(meta);\n return this.jitExpression(res.expression, angularCoreEnv, sourceMapUrl, []);\n }\n compileInjectable(angularCoreEnv, sourceMapUrl, facade) {\n const {\n expression,\n statements\n } = compileInjectable({\n name: facade.name,\n type: wrapReference(facade.type),\n typeArgumentCount: facade.typeArgumentCount,\n providedIn: computeProvidedIn(facade.providedIn),\n useClass: convertToProviderExpression(facade, 'useClass'),\n useFactory: wrapExpression(facade, 'useFactory'),\n useValue: convertToProviderExpression(facade, 'useValue'),\n useExisting: convertToProviderExpression(facade, 'useExisting'),\n deps: facade.deps?.map(convertR3DependencyMetadata)\n }, /* resolveForwardRefs */true);\n return this.jitExpression(expression, angularCoreEnv, sourceMapUrl, statements);\n }\n compileInjectableDeclaration(angularCoreEnv, sourceMapUrl, facade) {\n const {\n expression,\n statements\n } = compileInjectable({\n name: facade.type.name,\n type: wrapReference(facade.type),\n typeArgumentCount: 0,\n providedIn: computeProvidedIn(facade.providedIn),\n useClass: convertToProviderExpression(facade, 'useClass'),\n useFactory: wrapExpression(facade, 'useFactory'),\n useValue: convertToProviderExpression(facade, 'useValue'),\n useExisting: convertToProviderExpression(facade, 'useExisting'),\n deps: facade.deps?.map(convertR3DeclareDependencyMetadata)\n }, /* resolveForwardRefs */true);\n return this.jitExpression(expression, angularCoreEnv, sourceMapUrl, statements);\n }\n compileInjector(angularCoreEnv, sourceMapUrl, facade) {\n const meta = {\n name: facade.name,\n type: wrapReference(facade.type),\n providers: facade.providers && facade.providers.length > 0 ? new WrappedNodeExpr(facade.providers) : null,\n imports: facade.imports.map(i => new WrappedNodeExpr(i))\n };\n const res = compileInjector(meta);\n return this.jitExpression(res.expression, angularCoreEnv, sourceMapUrl, []);\n }\n compileInjectorDeclaration(angularCoreEnv, sourceMapUrl, declaration) {\n const meta = convertDeclareInjectorFacadeToMetadata(declaration);\n const res = compileInjector(meta);\n return this.jitExpression(res.expression, angularCoreEnv, sourceMapUrl, []);\n }\n compileNgModule(angularCoreEnv, sourceMapUrl, facade) {\n const meta = {\n kind: R3NgModuleMetadataKind.Global,\n type: wrapReference(facade.type),\n bootstrap: facade.bootstrap.map(wrapReference),\n declarations: facade.declarations.map(wrapReference),\n publicDeclarationTypes: null,\n imports: facade.imports.map(wrapReference),\n includeImportTypes: true,\n exports: facade.exports.map(wrapReference),\n selectorScopeMode: R3SelectorScopeMode.Inline,\n containsForwardDecls: false,\n schemas: facade.schemas ? facade.schemas.map(wrapReference) : null,\n id: facade.id ? new WrappedNodeExpr(facade.id) : null\n };\n const res = compileNgModule(meta);\n return this.jitExpression(res.expression, angularCoreEnv, sourceMapUrl, []);\n }\n compileNgModuleDeclaration(angularCoreEnv, sourceMapUrl, declaration) {\n const expression = compileNgModuleDeclarationExpression(declaration);\n return this.jitExpression(expression, angularCoreEnv, sourceMapUrl, []);\n }\n compileDirective(angularCoreEnv, sourceMapUrl, facade) {\n const meta = convertDirectiveFacadeToMetadata(facade);\n return this.compileDirectiveFromMeta(angularCoreEnv, sourceMapUrl, meta);\n }\n compileDirectiveDeclaration(angularCoreEnv, sourceMapUrl, declaration) {\n const typeSourceSpan = this.createParseSourceSpan('Directive', declaration.type.name, sourceMapUrl);\n const meta = convertDeclareDirectiveFacadeToMetadata(declaration, typeSourceSpan);\n return this.compileDirectiveFromMeta(angularCoreEnv, sourceMapUrl, meta);\n }\n compileDirectiveFromMeta(angularCoreEnv, sourceMapUrl, meta) {\n const constantPool = new ConstantPool();\n const bindingParser = makeBindingParser();\n const res = compileDirectiveFromMetadata(meta, constantPool, bindingParser);\n return this.jitExpression(res.expression, angularCoreEnv, sourceMapUrl, constantPool.statements);\n }\n compileComponent(angularCoreEnv, sourceMapUrl, facade) {\n // Parse the template and check for errors.\n const {\n template,\n interpolation\n } = parseJitTemplate(facade.template, facade.name, sourceMapUrl, facade.preserveWhitespaces, facade.interpolation);\n // Compile the component metadata, including template, into an expression.\n const meta = {\n ...facade,\n ...convertDirectiveFacadeToMetadata(facade),\n selector: facade.selector || this.elementSchemaRegistry.getDefaultComponentElementName(),\n template,\n declarations: facade.declarations.map(convertDeclarationFacadeToMetadata),\n declarationListEmitMode: 0 /* DeclarationListEmitMode.Direct */,\n\n // TODO: leaving empty in JIT mode for now,\n // to be implemented as one of the next steps.\n deferBlocks: new Map(),\n deferrableDeclToImportDecl: new Map(),\n styles: [...facade.styles, ...template.styles],\n encapsulation: facade.encapsulation,\n interpolation,\n changeDetection: facade.changeDetection,\n animations: facade.animations != null ? new WrappedNodeExpr(facade.animations) : null,\n viewProviders: facade.viewProviders != null ? new WrappedNodeExpr(facade.viewProviders) : null,\n relativeContextFilePath: '',\n i18nUseExternalIds: true\n };\n const jitExpressionSourceMap = `ng:///${facade.name}.js`;\n return this.compileComponentFromMeta(angularCoreEnv, jitExpressionSourceMap, meta);\n }\n compileComponentDeclaration(angularCoreEnv, sourceMapUrl, declaration) {\n const typeSourceSpan = this.createParseSourceSpan('Component', declaration.type.name, sourceMapUrl);\n const meta = convertDeclareComponentFacadeToMetadata(declaration, typeSourceSpan, sourceMapUrl);\n return this.compileComponentFromMeta(angularCoreEnv, sourceMapUrl, meta);\n }\n compileComponentFromMeta(angularCoreEnv, sourceMapUrl, meta) {\n const constantPool = new ConstantPool();\n const bindingParser = makeBindingParser(meta.interpolation);\n const res = compileComponentFromMetadata(meta, constantPool, bindingParser);\n return this.jitExpression(res.expression, angularCoreEnv, sourceMapUrl, constantPool.statements);\n }\n compileFactory(angularCoreEnv, sourceMapUrl, meta) {\n const factoryRes = compileFactoryFunction({\n name: meta.name,\n type: wrapReference(meta.type),\n typeArgumentCount: meta.typeArgumentCount,\n deps: convertR3DependencyMetadataArray(meta.deps),\n target: meta.target\n });\n return this.jitExpression(factoryRes.expression, angularCoreEnv, sourceMapUrl, factoryRes.statements);\n }\n compileFactoryDeclaration(angularCoreEnv, sourceMapUrl, meta) {\n const factoryRes = compileFactoryFunction({\n name: meta.type.name,\n type: wrapReference(meta.type),\n typeArgumentCount: 0,\n deps: Array.isArray(meta.deps) ? meta.deps.map(convertR3DeclareDependencyMetadata) : meta.deps,\n target: meta.target\n });\n return this.jitExpression(factoryRes.expression, angularCoreEnv, sourceMapUrl, factoryRes.statements);\n }\n createParseSourceSpan(kind, typeName, sourceUrl) {\n return r3JitTypeSourceSpan(kind, typeName, sourceUrl);\n }\n /**\n * JIT compiles an expression and returns the result of executing that expression.\n *\n * @param def the definition which will be compiled and executed to get the value to patch\n * @param context an object map of @angular/core symbol names to symbols which will be available\n * in the context of the compiled expression\n * @param sourceUrl a URL to use for the source map of the compiled expression\n * @param preStatements a collection of statements that should be evaluated before the expression.\n */\n jitExpression(def, context, sourceUrl, preStatements) {\n // The ConstantPool may contain Statements which declare variables used in the final expression.\n // Therefore, its statements need to precede the actual JIT operation. The final statement is a\n // declaration of $def which is set to the expression being compiled.\n const statements = [...preStatements, new DeclareVarStmt('$def', def, undefined, StmtModifier.Exported)];\n const res = this.jitEvaluator.evaluateStatements(sourceUrl, statements, new R3JitReflector(context), /* enableSourceMaps */true);\n return res['$def'];\n }\n}\nfunction convertToR3QueryMetadata(facade) {\n return {\n ...facade,\n predicate: convertQueryPredicate(facade.predicate),\n read: facade.read ? new WrappedNodeExpr(facade.read) : null,\n static: facade.static,\n emitDistinctChangesOnly: facade.emitDistinctChangesOnly\n };\n}\nfunction convertQueryDeclarationToMetadata(declaration) {\n return {\n propertyName: declaration.propertyName,\n first: declaration.first ?? false,\n predicate: convertQueryPredicate(declaration.predicate),\n descendants: declaration.descendants ?? false,\n read: declaration.read ? new WrappedNodeExpr(declaration.read) : null,\n static: declaration.static ?? false,\n emitDistinctChangesOnly: declaration.emitDistinctChangesOnly ?? true\n };\n}\nfunction convertQueryPredicate(predicate) {\n return Array.isArray(predicate) ?\n // The predicate is an array of strings so pass it through.\n predicate :\n // The predicate is a type - assume that we will need to unwrap any `forwardRef()` calls.\n createMayBeForwardRefExpression(new WrappedNodeExpr(predicate), 1 /* ForwardRefHandling.Wrapped */);\n}\nfunction convertDirectiveFacadeToMetadata(facade) {\n const inputsFromMetadata = parseInputsArray(facade.inputs || []);\n const outputsFromMetadata = parseMappingStringArray(facade.outputs || []);\n const propMetadata = facade.propMetadata;\n const inputsFromType = {};\n const outputsFromType = {};\n for (const field in propMetadata) {\n if (propMetadata.hasOwnProperty(field)) {\n propMetadata[field].forEach(ann => {\n if (isInput(ann)) {\n inputsFromType[field] = {\n bindingPropertyName: ann.alias || field,\n classPropertyName: field,\n required: ann.required || false,\n transformFunction: ann.transform != null ? new WrappedNodeExpr(ann.transform) : null\n };\n } else if (isOutput(ann)) {\n outputsFromType[field] = ann.alias || field;\n }\n });\n }\n }\n return {\n ...facade,\n typeArgumentCount: 0,\n typeSourceSpan: facade.typeSourceSpan,\n type: wrapReference(facade.type),\n deps: null,\n host: extractHostBindings(facade.propMetadata, facade.typeSourceSpan, facade.host),\n inputs: {\n ...inputsFromMetadata,\n ...inputsFromType\n },\n outputs: {\n ...outputsFromMetadata,\n ...outputsFromType\n },\n queries: facade.queries.map(convertToR3QueryMetadata),\n providers: facade.providers != null ? new WrappedNodeExpr(facade.providers) : null,\n viewQueries: facade.viewQueries.map(convertToR3QueryMetadata),\n fullInheritance: false,\n hostDirectives: convertHostDirectivesToMetadata(facade)\n };\n}\nfunction convertDeclareDirectiveFacadeToMetadata(declaration, typeSourceSpan) {\n return {\n name: declaration.type.name,\n type: wrapReference(declaration.type),\n typeSourceSpan,\n selector: declaration.selector ?? null,\n inputs: declaration.inputs ? inputsMappingToInputMetadata(declaration.inputs) : {},\n outputs: declaration.outputs ?? {},\n host: convertHostDeclarationToMetadata(declaration.host),\n queries: (declaration.queries ?? []).map(convertQueryDeclarationToMetadata),\n viewQueries: (declaration.viewQueries ?? []).map(convertQueryDeclarationToMetadata),\n providers: declaration.providers !== undefined ? new WrappedNodeExpr(declaration.providers) : null,\n exportAs: declaration.exportAs ?? null,\n usesInheritance: declaration.usesInheritance ?? false,\n lifecycle: {\n usesOnChanges: declaration.usesOnChanges ?? false\n },\n deps: null,\n typeArgumentCount: 0,\n fullInheritance: false,\n isStandalone: declaration.isStandalone ?? false,\n isSignal: declaration.isSignal ?? false,\n hostDirectives: convertHostDirectivesToMetadata(declaration)\n };\n}\nfunction convertHostDeclarationToMetadata(host = {}) {\n return {\n attributes: convertOpaqueValuesToExpressions(host.attributes ?? {}),\n listeners: host.listeners ?? {},\n properties: host.properties ?? {},\n specialAttributes: {\n classAttr: host.classAttribute,\n styleAttr: host.styleAttribute\n }\n };\n}\nfunction convertHostDirectivesToMetadata(metadata) {\n if (metadata.hostDirectives?.length) {\n return metadata.hostDirectives.map(hostDirective => {\n return typeof hostDirective === 'function' ? {\n directive: wrapReference(hostDirective),\n inputs: null,\n outputs: null,\n isForwardReference: false\n } : {\n directive: wrapReference(hostDirective.directive),\n isForwardReference: false,\n inputs: hostDirective.inputs ? parseMappingStringArray(hostDirective.inputs) : null,\n outputs: hostDirective.outputs ? parseMappingStringArray(hostDirective.outputs) : null\n };\n });\n }\n return null;\n}\nfunction convertOpaqueValuesToExpressions(obj) {\n const result = {};\n for (const key of Object.keys(obj)) {\n result[key] = new WrappedNodeExpr(obj[key]);\n }\n return result;\n}\nfunction convertDeclareComponentFacadeToMetadata(decl, typeSourceSpan, sourceMapUrl) {\n const {\n template,\n interpolation\n } = parseJitTemplate(decl.template, decl.type.name, sourceMapUrl, decl.preserveWhitespaces ?? false, decl.interpolation);\n const declarations = [];\n if (decl.dependencies) {\n for (const innerDep of decl.dependencies) {\n switch (innerDep.kind) {\n case 'directive':\n case 'component':\n declarations.push(convertDirectiveDeclarationToMetadata(innerDep));\n break;\n case 'pipe':\n declarations.push(convertPipeDeclarationToMetadata(innerDep));\n break;\n }\n }\n } else if (decl.components || decl.directives || decl.pipes) {\n // Existing declarations on NPM may not be using the new `dependencies` merged field, and may\n // have separate fields for dependencies instead. Unify them for JIT compilation.\n decl.components && declarations.push(...decl.components.map(dir => convertDirectiveDeclarationToMetadata(dir, /* isComponent */true)));\n decl.directives && declarations.push(...decl.directives.map(dir => convertDirectiveDeclarationToMetadata(dir)));\n decl.pipes && declarations.push(...convertPipeMapToMetadata(decl.pipes));\n }\n return {\n ...convertDeclareDirectiveFacadeToMetadata(decl, typeSourceSpan),\n template,\n styles: decl.styles ?? [],\n declarations,\n viewProviders: decl.viewProviders !== undefined ? new WrappedNodeExpr(decl.viewProviders) : null,\n animations: decl.animations !== undefined ? new WrappedNodeExpr(decl.animations) : null,\n // TODO: leaving empty in JIT mode for now,\n // to be implemented as one of the next steps.\n deferBlocks: new Map(),\n deferrableDeclToImportDecl: new Map(),\n changeDetection: decl.changeDetection ?? ChangeDetectionStrategy.Default,\n encapsulation: decl.encapsulation ?? ViewEncapsulation.Emulated,\n interpolation,\n declarationListEmitMode: 2 /* DeclarationListEmitMode.ClosureResolved */,\n relativeContextFilePath: '',\n i18nUseExternalIds: true\n };\n}\nfunction convertDeclarationFacadeToMetadata(declaration) {\n return {\n ...declaration,\n type: new WrappedNodeExpr(declaration.type)\n };\n}\nfunction convertDirectiveDeclarationToMetadata(declaration, isComponent = null) {\n return {\n kind: R3TemplateDependencyKind.Directive,\n isComponent: isComponent || declaration.kind === 'component',\n selector: declaration.selector,\n type: new WrappedNodeExpr(declaration.type),\n inputs: declaration.inputs ?? [],\n outputs: declaration.outputs ?? [],\n exportAs: declaration.exportAs ?? null\n };\n}\nfunction convertPipeMapToMetadata(pipes) {\n if (!pipes) {\n return [];\n }\n return Object.keys(pipes).map(name => {\n return {\n kind: R3TemplateDependencyKind.Pipe,\n name,\n type: new WrappedNodeExpr(pipes[name])\n };\n });\n}\nfunction convertPipeDeclarationToMetadata(pipe) {\n return {\n kind: R3TemplateDependencyKind.Pipe,\n name: pipe.name,\n type: new WrappedNodeExpr(pipe.type)\n };\n}\nfunction parseJitTemplate(template, typeName, sourceMapUrl, preserveWhitespaces, interpolation) {\n const interpolationConfig = interpolation ? InterpolationConfig.fromArray(interpolation) : DEFAULT_INTERPOLATION_CONFIG;\n // Parse the template and check for errors.\n const parsed = parseTemplate(template, sourceMapUrl, {\n preserveWhitespaces,\n interpolationConfig,\n enabledBlockTypes\n });\n if (parsed.errors !== null) {\n const errors = parsed.errors.map(err => err.toString()).join(', ');\n throw new Error(`Errors during JIT compilation of template for ${typeName}: ${errors}`);\n }\n return {\n template: parsed,\n interpolation: interpolationConfig\n };\n}\n/**\n * Convert the expression, if present to an `R3ProviderExpression`.\n *\n * In JIT mode we do not want the compiler to wrap the expression in a `forwardRef()` call because,\n * if it is referencing a type that has not yet been defined, it will have already been wrapped in\n * a `forwardRef()` - either by the application developer or during partial-compilation. Thus we can\n * use `ForwardRefHandling.None`.\n */\nfunction convertToProviderExpression(obj, property) {\n if (obj.hasOwnProperty(property)) {\n return createMayBeForwardRefExpression(new WrappedNodeExpr(obj[property]), 0 /* ForwardRefHandling.None */);\n } else {\n return undefined;\n }\n}\nfunction wrapExpression(obj, property) {\n if (obj.hasOwnProperty(property)) {\n return new WrappedNodeExpr(obj[property]);\n } else {\n return undefined;\n }\n}\nfunction computeProvidedIn(providedIn) {\n const expression = typeof providedIn === 'function' ? new WrappedNodeExpr(providedIn) : new LiteralExpr(providedIn ?? null);\n // See `convertToProviderExpression()` for why this uses `ForwardRefHandling.None`.\n return createMayBeForwardRefExpression(expression, 0 /* ForwardRefHandling.None */);\n}\nfunction convertR3DependencyMetadataArray(facades) {\n return facades == null ? null : facades.map(convertR3DependencyMetadata);\n}\nfunction convertR3DependencyMetadata(facade) {\n const isAttributeDep = facade.attribute != null; // both `null` and `undefined`\n const rawToken = facade.token === null ? null : new WrappedNodeExpr(facade.token);\n // In JIT mode, if the dep is an `@Attribute()` then we use the attribute name given in\n // `attribute` rather than the `token`.\n const token = isAttributeDep ? new WrappedNodeExpr(facade.attribute) : rawToken;\n return createR3DependencyMetadata(token, isAttributeDep, facade.host, facade.optional, facade.self, facade.skipSelf);\n}\nfunction convertR3DeclareDependencyMetadata(facade) {\n const isAttributeDep = facade.attribute ?? false;\n const token = facade.token === null ? null : new WrappedNodeExpr(facade.token);\n return createR3DependencyMetadata(token, isAttributeDep, facade.host ?? false, facade.optional ?? false, facade.self ?? false, facade.skipSelf ?? false);\n}\nfunction createR3DependencyMetadata(token, isAttributeDep, host, optional, self, skipSelf) {\n // If the dep is an `@Attribute()` the `attributeNameType` ought to be the `unknown` type.\n // But types are not available at runtime so we just use a literal `\"<unknown>\"` string as a dummy\n // marker.\n const attributeNameType = isAttributeDep ? literal('unknown') : null;\n return {\n token,\n attributeNameType,\n host,\n optional,\n self,\n skipSelf\n };\n}\nfunction extractHostBindings(propMetadata, sourceSpan, host) {\n // First parse the declarations from the metadata.\n const bindings = parseHostBindings(host || {});\n // After that check host bindings for errors\n const errors = verifyHostBindings(bindings, sourceSpan);\n if (errors.length) {\n throw new Error(errors.map(error => error.msg).join('\\n'));\n }\n // Next, loop over the properties of the object, looking for @HostBinding and @HostListener.\n for (const field in propMetadata) {\n if (propMetadata.hasOwnProperty(field)) {\n propMetadata[field].forEach(ann => {\n if (isHostBinding(ann)) {\n // Since this is a decorator, we know that the value is a class member. Always access it\n // through `this` so that further down the line it can't be confused for a literal value\n // (e.g. if there's a property called `true`).\n bindings.properties[ann.hostPropertyName || field] = getSafePropertyAccessString('this', field);\n } else if (isHostListener(ann)) {\n bindings.listeners[ann.eventName || field] = `${field}(${(ann.args || []).join(',')})`;\n }\n });\n }\n }\n return bindings;\n}\nfunction isHostBinding(value) {\n return value.ngMetadataName === 'HostBinding';\n}\nfunction isHostListener(value) {\n return value.ngMetadataName === 'HostListener';\n}\nfunction isInput(value) {\n return value.ngMetadataName === 'Input';\n}\nfunction isOutput(value) {\n return value.ngMetadataName === 'Output';\n}\nfunction inputsMappingToInputMetadata(inputs) {\n return Object.keys(inputs).reduce((result, key) => {\n const value = inputs[key];\n if (typeof value === 'string') {\n result[key] = {\n bindingPropertyName: value,\n classPropertyName: value,\n transformFunction: null,\n required: false\n };\n } else {\n result[key] = {\n bindingPropertyName: value[0],\n classPropertyName: value[1],\n transformFunction: value[2] ? new WrappedNodeExpr(value[2]) : null,\n required: false\n };\n }\n return result;\n }, {});\n}\nfunction parseInputsArray(values) {\n return values.reduce((results, value) => {\n if (typeof value === 'string') {\n const [bindingPropertyName, classPropertyName] = parseMappingString(value);\n results[classPropertyName] = {\n bindingPropertyName,\n classPropertyName,\n required: false,\n transformFunction: null\n };\n } else {\n results[value.name] = {\n bindingPropertyName: value.alias || value.name,\n classPropertyName: value.name,\n required: value.required || false,\n transformFunction: value.transform != null ? new WrappedNodeExpr(value.transform) : null\n };\n }\n return results;\n }, {});\n}\nfunction parseMappingStringArray(values) {\n return values.reduce((results, value) => {\n const [alias, fieldName] = parseMappingString(value);\n results[fieldName] = alias;\n return results;\n }, {});\n}\nfunction parseMappingString(value) {\n // Either the value is 'field' or 'field: property'. In the first case, `property` will\n // be undefined, in which case the field name should also be used as the property name.\n const [fieldName, bindingPropertyName] = value.split(':', 2).map(str => str.trim());\n return [bindingPropertyName ?? fieldName, fieldName];\n}\nfunction convertDeclarePipeFacadeToMetadata(declaration) {\n return {\n name: declaration.type.name,\n type: wrapReference(declaration.type),\n typeArgumentCount: 0,\n pipeName: declaration.name,\n deps: null,\n pure: declaration.pure ?? true,\n isStandalone: declaration.isStandalone ?? false\n };\n}\nfunction convertDeclareInjectorFacadeToMetadata(declaration) {\n return {\n name: declaration.type.name,\n type: wrapReference(declaration.type),\n providers: declaration.providers !== undefined && declaration.providers.length > 0 ? new WrappedNodeExpr(declaration.providers) : null,\n imports: declaration.imports !== undefined ? declaration.imports.map(i => new WrappedNodeExpr(i)) : []\n };\n}\nfunction publishFacade(global) {\n const ng = global.ng || (global.ng = {});\n ng.ɵcompilerFacade = new CompilerFacadeImpl();\n}\n\n/**\n * @module\n * @description\n * Entry point for all public APIs of the compiler package.\n */\nconst VERSION = new Version('16.2.12');\nclass CompilerConfig {\n constructor({\n defaultEncapsulation = ViewEncapsulation.Emulated,\n useJit = true,\n missingTranslation = null,\n preserveWhitespaces,\n strictInjectionParameters\n } = {}) {\n this.defaultEncapsulation = defaultEncapsulation;\n this.useJit = !!useJit;\n this.missingTranslation = missingTranslation;\n this.preserveWhitespaces = preserveWhitespacesDefault(noUndefined(preserveWhitespaces));\n this.strictInjectionParameters = strictInjectionParameters === true;\n }\n}\nfunction preserveWhitespacesDefault(preserveWhitespacesOption, defaultSetting = false) {\n return preserveWhitespacesOption === null ? defaultSetting : preserveWhitespacesOption;\n}\nconst _I18N_ATTR = 'i18n';\nconst _I18N_ATTR_PREFIX = 'i18n-';\nconst _I18N_COMMENT_PREFIX_REGEXP = /^i18n:?/;\nconst MEANING_SEPARATOR = '|';\nconst ID_SEPARATOR = '@@';\nlet i18nCommentsWarned = false;\n/**\n * Extract translatable messages from an html AST\n */\nfunction extractMessages(nodes, interpolationConfig, implicitTags, implicitAttrs) {\n const visitor = new _Visitor(implicitTags, implicitAttrs);\n return visitor.extract(nodes, interpolationConfig);\n}\nfunction mergeTranslations(nodes, translations, interpolationConfig, implicitTags, implicitAttrs) {\n const visitor = new _Visitor(implicitTags, implicitAttrs);\n return visitor.merge(nodes, translations, interpolationConfig);\n}\nclass ExtractionResult {\n constructor(messages, errors) {\n this.messages = messages;\n this.errors = errors;\n }\n}\nvar _VisitorMode;\n(function (_VisitorMode) {\n _VisitorMode[_VisitorMode[\"Extract\"] = 0] = \"Extract\";\n _VisitorMode[_VisitorMode[\"Merge\"] = 1] = \"Merge\";\n})(_VisitorMode || (_VisitorMode = {}));\n/**\n * This Visitor is used:\n * 1. to extract all the translatable strings from an html AST (see `extract()`),\n * 2. to replace the translatable strings with the actual translations (see `merge()`)\n *\n * @internal\n */\nclass _Visitor {\n constructor(_implicitTags, _implicitAttrs) {\n this._implicitTags = _implicitTags;\n this._implicitAttrs = _implicitAttrs;\n }\n /**\n * Extracts the messages from the tree\n */\n extract(nodes, interpolationConfig) {\n this._init(_VisitorMode.Extract, interpolationConfig);\n nodes.forEach(node => node.visit(this, null));\n if (this._inI18nBlock) {\n this._reportError(nodes[nodes.length - 1], 'Unclosed block');\n }\n return new ExtractionResult(this._messages, this._errors);\n }\n /**\n * Returns a tree where all translatable nodes are translated\n */\n merge(nodes, translations, interpolationConfig) {\n this._init(_VisitorMode.Merge, interpolationConfig);\n this._translations = translations;\n // Construct a single fake root element\n const wrapper = new Element('wrapper', [], nodes, undefined, undefined, undefined);\n const translatedNode = wrapper.visit(this, null);\n if (this._inI18nBlock) {\n this._reportError(nodes[nodes.length - 1], 'Unclosed block');\n }\n return new ParseTreeResult(translatedNode.children, this._errors);\n }\n visitExpansionCase(icuCase, context) {\n // Parse cases for translatable html attributes\n const expression = visitAll(this, icuCase.expression, context);\n if (this._mode === _VisitorMode.Merge) {\n return new ExpansionCase(icuCase.value, expression, icuCase.sourceSpan, icuCase.valueSourceSpan, icuCase.expSourceSpan);\n }\n }\n visitExpansion(icu, context) {\n this._mayBeAddBlockChildren(icu);\n const wasInIcu = this._inIcu;\n if (!this._inIcu) {\n // nested ICU messages should not be extracted but top-level translated as a whole\n if (this._isInTranslatableSection) {\n this._addMessage([icu]);\n }\n this._inIcu = true;\n }\n const cases = visitAll(this, icu.cases, context);\n if (this._mode === _VisitorMode.Merge) {\n icu = new Expansion(icu.switchValue, icu.type, cases, icu.sourceSpan, icu.switchValueSourceSpan);\n }\n this._inIcu = wasInIcu;\n return icu;\n }\n visitComment(comment, context) {\n const isOpening = _isOpeningComment(comment);\n if (isOpening && this._isInTranslatableSection) {\n this._reportError(comment, 'Could not start a block inside a translatable section');\n return;\n }\n const isClosing = _isClosingComment(comment);\n if (isClosing && !this._inI18nBlock) {\n this._reportError(comment, 'Trying to close an unopened block');\n return;\n }\n if (!this._inI18nNode && !this._inIcu) {\n if (!this._inI18nBlock) {\n if (isOpening) {\n // deprecated from v5 you should use <ng-container i18n> instead of i18n comments\n if (!i18nCommentsWarned && console && console.warn) {\n i18nCommentsWarned = true;\n const details = comment.sourceSpan.details ? `, ${comment.sourceSpan.details}` : '';\n // TODO(ocombe): use a log service once there is a public one available\n console.warn(`I18n comments are deprecated, use an <ng-container> element instead (${comment.sourceSpan.start}${details})`);\n }\n this._inI18nBlock = true;\n this._blockStartDepth = this._depth;\n this._blockChildren = [];\n this._blockMeaningAndDesc = comment.value.replace(_I18N_COMMENT_PREFIX_REGEXP, '').trim();\n this._openTranslatableSection(comment);\n }\n } else {\n if (isClosing) {\n if (this._depth == this._blockStartDepth) {\n this._closeTranslatableSection(comment, this._blockChildren);\n this._inI18nBlock = false;\n const message = this._addMessage(this._blockChildren, this._blockMeaningAndDesc);\n // merge attributes in sections\n const nodes = this._translateMessage(comment, message);\n return visitAll(this, nodes);\n } else {\n this._reportError(comment, 'I18N blocks should not cross element boundaries');\n return;\n }\n }\n }\n }\n }\n visitText(text, context) {\n if (this._isInTranslatableSection) {\n this._mayBeAddBlockChildren(text);\n }\n return text;\n }\n visitElement(el, context) {\n this._mayBeAddBlockChildren(el);\n this._depth++;\n const wasInI18nNode = this._inI18nNode;\n const wasInImplicitNode = this._inImplicitNode;\n let childNodes = [];\n let translatedChildNodes = undefined;\n // Extract:\n // - top level nodes with the (implicit) \"i18n\" attribute if not already in a section\n // - ICU messages\n const i18nAttr = _getI18nAttr(el);\n const i18nMeta = i18nAttr ? i18nAttr.value : '';\n const isImplicit = this._implicitTags.some(tag => el.name === tag) && !this._inIcu && !this._isInTranslatableSection;\n const isTopLevelImplicit = !wasInImplicitNode && isImplicit;\n this._inImplicitNode = wasInImplicitNode || isImplicit;\n if (!this._isInTranslatableSection && !this._inIcu) {\n if (i18nAttr || isTopLevelImplicit) {\n this._inI18nNode = true;\n const message = this._addMessage(el.children, i18nMeta);\n translatedChildNodes = this._translateMessage(el, message);\n }\n if (this._mode == _VisitorMode.Extract) {\n const isTranslatable = i18nAttr || isTopLevelImplicit;\n if (isTranslatable) this._openTranslatableSection(el);\n visitAll(this, el.children);\n if (isTranslatable) this._closeTranslatableSection(el, el.children);\n }\n } else {\n if (i18nAttr || isTopLevelImplicit) {\n this._reportError(el, 'Could not mark an element as translatable inside a translatable section');\n }\n if (this._mode == _VisitorMode.Extract) {\n // Descend into child nodes for extraction\n visitAll(this, el.children);\n }\n }\n if (this._mode === _VisitorMode.Merge) {\n const visitNodes = translatedChildNodes || el.children;\n visitNodes.forEach(child => {\n const visited = child.visit(this, context);\n if (visited && !this._isInTranslatableSection) {\n // Do not add the children from translatable sections (= i18n blocks here)\n // They will be added later in this loop when the block closes (i.e. on `<!-- /i18n -->`)\n childNodes = childNodes.concat(visited);\n }\n });\n }\n this._visitAttributesOf(el);\n this._depth--;\n this._inI18nNode = wasInI18nNode;\n this._inImplicitNode = wasInImplicitNode;\n if (this._mode === _VisitorMode.Merge) {\n const translatedAttrs = this._translateAttributes(el);\n return new Element(el.name, translatedAttrs, childNodes, el.sourceSpan, el.startSourceSpan, el.endSourceSpan);\n }\n return null;\n }\n visitAttribute(attribute, context) {\n throw new Error('unreachable code');\n }\n visitBlockGroup(group, context) {\n visitAll(this, group.blocks, context);\n }\n visitBlock(block, context) {\n visitAll(this, block.children, context);\n }\n visitBlockParameter(parameter, context) {}\n _init(mode, interpolationConfig) {\n this._mode = mode;\n this._inI18nBlock = false;\n this._inI18nNode = false;\n this._depth = 0;\n this._inIcu = false;\n this._msgCountAtSectionStart = undefined;\n this._errors = [];\n this._messages = [];\n this._inImplicitNode = false;\n this._createI18nMessage = createI18nMessageFactory(interpolationConfig);\n }\n // looks for translatable attributes\n _visitAttributesOf(el) {\n const explicitAttrNameToValue = {};\n const implicitAttrNames = this._implicitAttrs[el.name] || [];\n el.attrs.filter(attr => attr.name.startsWith(_I18N_ATTR_PREFIX)).forEach(attr => explicitAttrNameToValue[attr.name.slice(_I18N_ATTR_PREFIX.length)] = attr.value);\n el.attrs.forEach(attr => {\n if (attr.name in explicitAttrNameToValue) {\n this._addMessage([attr], explicitAttrNameToValue[attr.name]);\n } else if (implicitAttrNames.some(name => attr.name === name)) {\n this._addMessage([attr]);\n }\n });\n }\n // add a translatable message\n _addMessage(ast, msgMeta) {\n if (ast.length == 0 || ast.length == 1 && ast[0] instanceof Attribute && !ast[0].value) {\n // Do not create empty messages\n return null;\n }\n const {\n meaning,\n description,\n id\n } = _parseMessageMeta(msgMeta);\n const message = this._createI18nMessage(ast, meaning, description, id);\n this._messages.push(message);\n return message;\n }\n // Translates the given message given the `TranslationBundle`\n // This is used for translating elements / blocks - see `_translateAttributes` for attributes\n // no-op when called in extraction mode (returns [])\n _translateMessage(el, message) {\n if (message && this._mode === _VisitorMode.Merge) {\n const nodes = this._translations.get(message);\n if (nodes) {\n return nodes;\n }\n this._reportError(el, `Translation unavailable for message id=\"${this._translations.digest(message)}\"`);\n }\n return [];\n }\n // translate the attributes of an element and remove i18n specific attributes\n _translateAttributes(el) {\n const attributes = el.attrs;\n const i18nParsedMessageMeta = {};\n attributes.forEach(attr => {\n if (attr.name.startsWith(_I18N_ATTR_PREFIX)) {\n i18nParsedMessageMeta[attr.name.slice(_I18N_ATTR_PREFIX.length)] = _parseMessageMeta(attr.value);\n }\n });\n const translatedAttributes = [];\n attributes.forEach(attr => {\n if (attr.name === _I18N_ATTR || attr.name.startsWith(_I18N_ATTR_PREFIX)) {\n // strip i18n specific attributes\n return;\n }\n if (attr.value && attr.value != '' && i18nParsedMessageMeta.hasOwnProperty(attr.name)) {\n const {\n meaning,\n description,\n id\n } = i18nParsedMessageMeta[attr.name];\n const message = this._createI18nMessage([attr], meaning, description, id);\n const nodes = this._translations.get(message);\n if (nodes) {\n if (nodes.length == 0) {\n translatedAttributes.push(new Attribute(attr.name, '', attr.sourceSpan, undefined /* keySpan */, undefined /* valueSpan */, undefined /* valueTokens */, undefined /* i18n */));\n } else if (nodes[0] instanceof Text) {\n const value = nodes[0].value;\n translatedAttributes.push(new Attribute(attr.name, value, attr.sourceSpan, undefined /* keySpan */, undefined /* valueSpan */, undefined /* valueTokens */, undefined /* i18n */));\n } else {\n this._reportError(el, `Unexpected translation for attribute \"${attr.name}\" (id=\"${id || this._translations.digest(message)}\")`);\n }\n } else {\n this._reportError(el, `Translation unavailable for attribute \"${attr.name}\" (id=\"${id || this._translations.digest(message)}\")`);\n }\n } else {\n translatedAttributes.push(attr);\n }\n });\n return translatedAttributes;\n }\n /**\n * Add the node as a child of the block when:\n * - we are in a block,\n * - we are not inside a ICU message (those are handled separately),\n * - the node is a \"direct child\" of the block\n */\n _mayBeAddBlockChildren(node) {\n if (this._inI18nBlock && !this._inIcu && this._depth == this._blockStartDepth) {\n this._blockChildren.push(node);\n }\n }\n /**\n * Marks the start of a section, see `_closeTranslatableSection`\n */\n _openTranslatableSection(node) {\n if (this._isInTranslatableSection) {\n this._reportError(node, 'Unexpected section start');\n } else {\n this._msgCountAtSectionStart = this._messages.length;\n }\n }\n /**\n * A translatable section could be:\n * - the content of translatable element,\n * - nodes between `<!-- i18n -->` and `<!-- /i18n -->` comments\n */\n get _isInTranslatableSection() {\n return this._msgCountAtSectionStart !== void 0;\n }\n /**\n * Terminates a section.\n *\n * If a section has only one significant children (comments not significant) then we should not\n * keep the message from this children:\n *\n * `<p i18n=\"meaning|description\">{ICU message}</p>` would produce two messages:\n * - one for the <p> content with meaning and description,\n * - another one for the ICU message.\n *\n * In this case the last message is discarded as it contains less information (the AST is\n * otherwise identical).\n *\n * Note that we should still keep messages extracted from attributes inside the section (ie in the\n * ICU message here)\n */\n _closeTranslatableSection(node, directChildren) {\n if (!this._isInTranslatableSection) {\n this._reportError(node, 'Unexpected section end');\n return;\n }\n const startIndex = this._msgCountAtSectionStart;\n const significantChildren = directChildren.reduce((count, node) => count + (node instanceof Comment ? 0 : 1), 0);\n if (significantChildren == 1) {\n for (let i = this._messages.length - 1; i >= startIndex; i--) {\n const ast = this._messages[i].nodes;\n if (!(ast.length == 1 && ast[0] instanceof Text$2)) {\n this._messages.splice(i, 1);\n break;\n }\n }\n }\n this._msgCountAtSectionStart = undefined;\n }\n _reportError(node, msg) {\n this._errors.push(new I18nError(node.sourceSpan, msg));\n }\n}\nfunction _isOpeningComment(n) {\n return !!(n instanceof Comment && n.value && n.value.startsWith('i18n'));\n}\nfunction _isClosingComment(n) {\n return !!(n instanceof Comment && n.value && n.value === '/i18n');\n}\nfunction _getI18nAttr(p) {\n return p.attrs.find(attr => attr.name === _I18N_ATTR) || null;\n}\nfunction _parseMessageMeta(i18n) {\n if (!i18n) return {\n meaning: '',\n description: '',\n id: ''\n };\n const idIndex = i18n.indexOf(ID_SEPARATOR);\n const descIndex = i18n.indexOf(MEANING_SEPARATOR);\n const [meaningAndDesc, id] = idIndex > -1 ? [i18n.slice(0, idIndex), i18n.slice(idIndex + 2)] : [i18n, ''];\n const [meaning, description] = descIndex > -1 ? [meaningAndDesc.slice(0, descIndex), meaningAndDesc.slice(descIndex + 1)] : ['', meaningAndDesc];\n return {\n meaning,\n description,\n id: id.trim()\n };\n}\nclass XmlTagDefinition {\n constructor() {\n this.closedByParent = false;\n this.implicitNamespacePrefix = null;\n this.isVoid = false;\n this.ignoreFirstLf = false;\n this.canSelfClose = true;\n this.preventNamespaceInheritance = false;\n }\n requireExtraParent(currentParent) {\n return false;\n }\n isClosedByChild(name) {\n return false;\n }\n getContentType() {\n return TagContentType.PARSABLE_DATA;\n }\n}\nconst _TAG_DEFINITION = new XmlTagDefinition();\nfunction getXmlTagDefinition(tagName) {\n return _TAG_DEFINITION;\n}\nclass XmlParser extends Parser {\n constructor() {\n super(getXmlTagDefinition);\n }\n parse(source, url, options = {}) {\n // Blocks aren't supported in an XML context.\n return super.parse(source, url, {\n ...options,\n tokenizeBlocks: false\n });\n }\n}\nconst _VERSION$1 = '1.2';\nconst _XMLNS$1 = 'urn:oasis:names:tc:xliff:document:1.2';\n// TODO(vicb): make this a param (s/_/-/)\nconst _DEFAULT_SOURCE_LANG$1 = 'en';\nconst _PLACEHOLDER_TAG$2 = 'x';\nconst _MARKER_TAG$1 = 'mrk';\nconst _FILE_TAG = 'file';\nconst _SOURCE_TAG$1 = 'source';\nconst _SEGMENT_SOURCE_TAG = 'seg-source';\nconst _ALT_TRANS_TAG = 'alt-trans';\nconst _TARGET_TAG$1 = 'target';\nconst _UNIT_TAG$1 = 'trans-unit';\nconst _CONTEXT_GROUP_TAG = 'context-group';\nconst _CONTEXT_TAG = 'context';\n// https://docs.oasis-open.org/xliff/v1.2/os/xliff-core.html\n// https://docs.oasis-open.org/xliff/v1.2/xliff-profile-html/xliff-profile-html-1.2.html\nclass Xliff extends Serializer {\n write(messages, locale) {\n const visitor = new _WriteVisitor$1();\n const transUnits = [];\n messages.forEach(message => {\n let contextTags = [];\n message.sources.forEach(source => {\n let contextGroupTag = new Tag(_CONTEXT_GROUP_TAG, {\n purpose: 'location'\n });\n contextGroupTag.children.push(new CR(10), new Tag(_CONTEXT_TAG, {\n 'context-type': 'sourcefile'\n }, [new Text$1(source.filePath)]), new CR(10), new Tag(_CONTEXT_TAG, {\n 'context-type': 'linenumber'\n }, [new Text$1(`${source.startLine}`)]), new CR(8));\n contextTags.push(new CR(8), contextGroupTag);\n });\n const transUnit = new Tag(_UNIT_TAG$1, {\n id: message.id,\n datatype: 'html'\n });\n transUnit.children.push(new CR(8), new Tag(_SOURCE_TAG$1, {}, visitor.serialize(message.nodes)), ...contextTags);\n if (message.description) {\n transUnit.children.push(new CR(8), new Tag('note', {\n priority: '1',\n from: 'description'\n }, [new Text$1(message.description)]));\n }\n if (message.meaning) {\n transUnit.children.push(new CR(8), new Tag('note', {\n priority: '1',\n from: 'meaning'\n }, [new Text$1(message.meaning)]));\n }\n transUnit.children.push(new CR(6));\n transUnits.push(new CR(6), transUnit);\n });\n const body = new Tag('body', {}, [...transUnits, new CR(4)]);\n const file = new Tag('file', {\n 'source-language': locale || _DEFAULT_SOURCE_LANG$1,\n datatype: 'plaintext',\n original: 'ng2.template'\n }, [new CR(4), body, new CR(2)]);\n const xliff = new Tag('xliff', {\n version: _VERSION$1,\n xmlns: _XMLNS$1\n }, [new CR(2), file, new CR()]);\n return serialize([new Declaration({\n version: '1.0',\n encoding: 'UTF-8'\n }), new CR(), xliff, new CR()]);\n }\n load(content, url) {\n // xliff to xml nodes\n const xliffParser = new XliffParser();\n const {\n locale,\n msgIdToHtml,\n errors\n } = xliffParser.parse(content, url);\n // xml nodes to i18n nodes\n const i18nNodesByMsgId = {};\n const converter = new XmlToI18n$2();\n Object.keys(msgIdToHtml).forEach(msgId => {\n const {\n i18nNodes,\n errors: e\n } = converter.convert(msgIdToHtml[msgId], url);\n errors.push(...e);\n i18nNodesByMsgId[msgId] = i18nNodes;\n });\n if (errors.length) {\n throw new Error(`xliff parse errors:\\n${errors.join('\\n')}`);\n }\n return {\n locale: locale,\n i18nNodesByMsgId\n };\n }\n digest(message) {\n return digest$1(message);\n }\n}\nclass _WriteVisitor$1 {\n visitText(text, context) {\n return [new Text$1(text.value)];\n }\n visitContainer(container, context) {\n const nodes = [];\n container.children.forEach(node => nodes.push(...node.visit(this)));\n return nodes;\n }\n visitIcu(icu, context) {\n const nodes = [new Text$1(`{${icu.expressionPlaceholder}, ${icu.type}, `)];\n Object.keys(icu.cases).forEach(c => {\n nodes.push(new Text$1(`${c} {`), ...icu.cases[c].visit(this), new Text$1(`} `));\n });\n nodes.push(new Text$1(`}`));\n return nodes;\n }\n visitTagPlaceholder(ph, context) {\n const ctype = getCtypeForTag(ph.tag);\n if (ph.isVoid) {\n // void tags have no children nor closing tags\n return [new Tag(_PLACEHOLDER_TAG$2, {\n id: ph.startName,\n ctype,\n 'equiv-text': `<${ph.tag}/>`\n })];\n }\n const startTagPh = new Tag(_PLACEHOLDER_TAG$2, {\n id: ph.startName,\n ctype,\n 'equiv-text': `<${ph.tag}>`\n });\n const closeTagPh = new Tag(_PLACEHOLDER_TAG$2, {\n id: ph.closeName,\n ctype,\n 'equiv-text': `</${ph.tag}>`\n });\n return [startTagPh, ...this.serialize(ph.children), closeTagPh];\n }\n visitPlaceholder(ph, context) {\n return [new Tag(_PLACEHOLDER_TAG$2, {\n id: ph.name,\n 'equiv-text': `{{${ph.value}}}`\n })];\n }\n visitIcuPlaceholder(ph, context) {\n const equivText = `{${ph.value.expression}, ${ph.value.type}, ${Object.keys(ph.value.cases).map(value => value + ' {...}').join(' ')}}`;\n return [new Tag(_PLACEHOLDER_TAG$2, {\n id: ph.name,\n 'equiv-text': equivText\n })];\n }\n serialize(nodes) {\n return [].concat(...nodes.map(node => node.visit(this)));\n }\n}\n// TODO(vicb): add error management (structure)\n// Extract messages as xml nodes from the xliff file\nclass XliffParser {\n constructor() {\n this._locale = null;\n }\n parse(xliff, url) {\n this._unitMlString = null;\n this._msgIdToHtml = {};\n const xml = new XmlParser().parse(xliff, url);\n this._errors = xml.errors;\n visitAll(this, xml.rootNodes, null);\n return {\n msgIdToHtml: this._msgIdToHtml,\n errors: this._errors,\n locale: this._locale\n };\n }\n visitElement(element, context) {\n switch (element.name) {\n case _UNIT_TAG$1:\n this._unitMlString = null;\n const idAttr = element.attrs.find(attr => attr.name === 'id');\n if (!idAttr) {\n this._addError(element, `<${_UNIT_TAG$1}> misses the \"id\" attribute`);\n } else {\n const id = idAttr.value;\n if (this._msgIdToHtml.hasOwnProperty(id)) {\n this._addError(element, `Duplicated translations for msg ${id}`);\n } else {\n visitAll(this, element.children, null);\n if (typeof this._unitMlString === 'string') {\n this._msgIdToHtml[id] = this._unitMlString;\n } else {\n this._addError(element, `Message ${id} misses a translation`);\n }\n }\n }\n break;\n // ignore those tags\n case _SOURCE_TAG$1:\n case _SEGMENT_SOURCE_TAG:\n case _ALT_TRANS_TAG:\n break;\n case _TARGET_TAG$1:\n const innerTextStart = element.startSourceSpan.end.offset;\n const innerTextEnd = element.endSourceSpan.start.offset;\n const content = element.startSourceSpan.start.file.content;\n const innerText = content.slice(innerTextStart, innerTextEnd);\n this._unitMlString = innerText;\n break;\n case _FILE_TAG:\n const localeAttr = element.attrs.find(attr => attr.name === 'target-language');\n if (localeAttr) {\n this._locale = localeAttr.value;\n }\n visitAll(this, element.children, null);\n break;\n default:\n // TODO(vicb): assert file structure, xliff version\n // For now only recurse on unhandled nodes\n visitAll(this, element.children, null);\n }\n }\n visitAttribute(attribute, context) {}\n visitText(text, context) {}\n visitComment(comment, context) {}\n visitExpansion(expansion, context) {}\n visitExpansionCase(expansionCase, context) {}\n visitBlockGroup(group, context) {}\n visitBlock(block, context) {}\n visitBlockParameter(parameter, context) {}\n _addError(node, message) {\n this._errors.push(new I18nError(node.sourceSpan, message));\n }\n}\n// Convert ml nodes (xliff syntax) to i18n nodes\nclass XmlToI18n$2 {\n convert(message, url) {\n const xmlIcu = new XmlParser().parse(message, url, {\n tokenizeExpansionForms: true\n });\n this._errors = xmlIcu.errors;\n const i18nNodes = this._errors.length > 0 || xmlIcu.rootNodes.length == 0 ? [] : [].concat(...visitAll(this, xmlIcu.rootNodes));\n return {\n i18nNodes: i18nNodes,\n errors: this._errors\n };\n }\n visitText(text, context) {\n return new Text$2(text.value, text.sourceSpan);\n }\n visitElement(el, context) {\n if (el.name === _PLACEHOLDER_TAG$2) {\n const nameAttr = el.attrs.find(attr => attr.name === 'id');\n if (nameAttr) {\n return new Placeholder('', nameAttr.value, el.sourceSpan);\n }\n this._addError(el, `<${_PLACEHOLDER_TAG$2}> misses the \"id\" attribute`);\n return null;\n }\n if (el.name === _MARKER_TAG$1) {\n return [].concat(...visitAll(this, el.children));\n }\n this._addError(el, `Unexpected tag`);\n return null;\n }\n visitExpansion(icu, context) {\n const caseMap = {};\n visitAll(this, icu.cases).forEach(c => {\n caseMap[c.value] = new Container(c.nodes, icu.sourceSpan);\n });\n return new Icu(icu.switchValue, icu.type, caseMap, icu.sourceSpan);\n }\n visitExpansionCase(icuCase, context) {\n return {\n value: icuCase.value,\n nodes: visitAll(this, icuCase.expression)\n };\n }\n visitComment(comment, context) {}\n visitAttribute(attribute, context) {}\n visitBlockGroup(group, context) {}\n visitBlock(block, context) {}\n visitBlockParameter(parameter, context) {}\n _addError(node, message) {\n this._errors.push(new I18nError(node.sourceSpan, message));\n }\n}\nfunction getCtypeForTag(tag) {\n switch (tag.toLowerCase()) {\n case 'br':\n return 'lb';\n case 'img':\n return 'image';\n default:\n return `x-${tag}`;\n }\n}\nconst _VERSION = '2.0';\nconst _XMLNS = 'urn:oasis:names:tc:xliff:document:2.0';\n// TODO(vicb): make this a param (s/_/-/)\nconst _DEFAULT_SOURCE_LANG = 'en';\nconst _PLACEHOLDER_TAG$1 = 'ph';\nconst _PLACEHOLDER_SPANNING_TAG = 'pc';\nconst _MARKER_TAG = 'mrk';\nconst _XLIFF_TAG = 'xliff';\nconst _SOURCE_TAG = 'source';\nconst _TARGET_TAG = 'target';\nconst _UNIT_TAG = 'unit';\n// https://docs.oasis-open.org/xliff/xliff-core/v2.0/os/xliff-core-v2.0-os.html\nclass Xliff2 extends Serializer {\n write(messages, locale) {\n const visitor = new _WriteVisitor();\n const units = [];\n messages.forEach(message => {\n const unit = new Tag(_UNIT_TAG, {\n id: message.id\n });\n const notes = new Tag('notes');\n if (message.description || message.meaning) {\n if (message.description) {\n notes.children.push(new CR(8), new Tag('note', {\n category: 'description'\n }, [new Text$1(message.description)]));\n }\n if (message.meaning) {\n notes.children.push(new CR(8), new Tag('note', {\n category: 'meaning'\n }, [new Text$1(message.meaning)]));\n }\n }\n message.sources.forEach(source => {\n notes.children.push(new CR(8), new Tag('note', {\n category: 'location'\n }, [new Text$1(`${source.filePath}:${source.startLine}${source.endLine !== source.startLine ? ',' + source.endLine : ''}`)]));\n });\n notes.children.push(new CR(6));\n unit.children.push(new CR(6), notes);\n const segment = new Tag('segment');\n segment.children.push(new CR(8), new Tag(_SOURCE_TAG, {}, visitor.serialize(message.nodes)), new CR(6));\n unit.children.push(new CR(6), segment, new CR(4));\n units.push(new CR(4), unit);\n });\n const file = new Tag('file', {\n 'original': 'ng.template',\n id: 'ngi18n'\n }, [...units, new CR(2)]);\n const xliff = new Tag(_XLIFF_TAG, {\n version: _VERSION,\n xmlns: _XMLNS,\n srcLang: locale || _DEFAULT_SOURCE_LANG\n }, [new CR(2), file, new CR()]);\n return serialize([new Declaration({\n version: '1.0',\n encoding: 'UTF-8'\n }), new CR(), xliff, new CR()]);\n }\n load(content, url) {\n // xliff to xml nodes\n const xliff2Parser = new Xliff2Parser();\n const {\n locale,\n msgIdToHtml,\n errors\n } = xliff2Parser.parse(content, url);\n // xml nodes to i18n nodes\n const i18nNodesByMsgId = {};\n const converter = new XmlToI18n$1();\n Object.keys(msgIdToHtml).forEach(msgId => {\n const {\n i18nNodes,\n errors: e\n } = converter.convert(msgIdToHtml[msgId], url);\n errors.push(...e);\n i18nNodesByMsgId[msgId] = i18nNodes;\n });\n if (errors.length) {\n throw new Error(`xliff2 parse errors:\\n${errors.join('\\n')}`);\n }\n return {\n locale: locale,\n i18nNodesByMsgId\n };\n }\n digest(message) {\n return decimalDigest(message);\n }\n}\nclass _WriteVisitor {\n constructor() {\n this._nextPlaceholderId = 0;\n }\n visitText(text, context) {\n return [new Text$1(text.value)];\n }\n visitContainer(container, context) {\n const nodes = [];\n container.children.forEach(node => nodes.push(...node.visit(this)));\n return nodes;\n }\n visitIcu(icu, context) {\n const nodes = [new Text$1(`{${icu.expressionPlaceholder}, ${icu.type}, `)];\n Object.keys(icu.cases).forEach(c => {\n nodes.push(new Text$1(`${c} {`), ...icu.cases[c].visit(this), new Text$1(`} `));\n });\n nodes.push(new Text$1(`}`));\n return nodes;\n }\n visitTagPlaceholder(ph, context) {\n const type = getTypeForTag(ph.tag);\n if (ph.isVoid) {\n const tagPh = new Tag(_PLACEHOLDER_TAG$1, {\n id: (this._nextPlaceholderId++).toString(),\n equiv: ph.startName,\n type: type,\n disp: `<${ph.tag}/>`\n });\n return [tagPh];\n }\n const tagPc = new Tag(_PLACEHOLDER_SPANNING_TAG, {\n id: (this._nextPlaceholderId++).toString(),\n equivStart: ph.startName,\n equivEnd: ph.closeName,\n type: type,\n dispStart: `<${ph.tag}>`,\n dispEnd: `</${ph.tag}>`\n });\n const nodes = [].concat(...ph.children.map(node => node.visit(this)));\n if (nodes.length) {\n nodes.forEach(node => tagPc.children.push(node));\n } else {\n tagPc.children.push(new Text$1(''));\n }\n return [tagPc];\n }\n visitPlaceholder(ph, context) {\n const idStr = (this._nextPlaceholderId++).toString();\n return [new Tag(_PLACEHOLDER_TAG$1, {\n id: idStr,\n equiv: ph.name,\n disp: `{{${ph.value}}}`\n })];\n }\n visitIcuPlaceholder(ph, context) {\n const cases = Object.keys(ph.value.cases).map(value => value + ' {...}').join(' ');\n const idStr = (this._nextPlaceholderId++).toString();\n return [new Tag(_PLACEHOLDER_TAG$1, {\n id: idStr,\n equiv: ph.name,\n disp: `{${ph.value.expression}, ${ph.value.type}, ${cases}}`\n })];\n }\n serialize(nodes) {\n this._nextPlaceholderId = 0;\n return [].concat(...nodes.map(node => node.visit(this)));\n }\n}\n// Extract messages as xml nodes from the xliff file\nclass Xliff2Parser {\n constructor() {\n this._locale = null;\n }\n parse(xliff, url) {\n this._unitMlString = null;\n this._msgIdToHtml = {};\n const xml = new XmlParser().parse(xliff, url);\n this._errors = xml.errors;\n visitAll(this, xml.rootNodes, null);\n return {\n msgIdToHtml: this._msgIdToHtml,\n errors: this._errors,\n locale: this._locale\n };\n }\n visitElement(element, context) {\n switch (element.name) {\n case _UNIT_TAG:\n this._unitMlString = null;\n const idAttr = element.attrs.find(attr => attr.name === 'id');\n if (!idAttr) {\n this._addError(element, `<${_UNIT_TAG}> misses the \"id\" attribute`);\n } else {\n const id = idAttr.value;\n if (this._msgIdToHtml.hasOwnProperty(id)) {\n this._addError(element, `Duplicated translations for msg ${id}`);\n } else {\n visitAll(this, element.children, null);\n if (typeof this._unitMlString === 'string') {\n this._msgIdToHtml[id] = this._unitMlString;\n } else {\n this._addError(element, `Message ${id} misses a translation`);\n }\n }\n }\n break;\n case _SOURCE_TAG:\n // ignore source message\n break;\n case _TARGET_TAG:\n const innerTextStart = element.startSourceSpan.end.offset;\n const innerTextEnd = element.endSourceSpan.start.offset;\n const content = element.startSourceSpan.start.file.content;\n const innerText = content.slice(innerTextStart, innerTextEnd);\n this._unitMlString = innerText;\n break;\n case _XLIFF_TAG:\n const localeAttr = element.attrs.find(attr => attr.name === 'trgLang');\n if (localeAttr) {\n this._locale = localeAttr.value;\n }\n const versionAttr = element.attrs.find(attr => attr.name === 'version');\n if (versionAttr) {\n const version = versionAttr.value;\n if (version !== '2.0') {\n this._addError(element, `The XLIFF file version ${version} is not compatible with XLIFF 2.0 serializer`);\n } else {\n visitAll(this, element.children, null);\n }\n }\n break;\n default:\n visitAll(this, element.children, null);\n }\n }\n visitAttribute(attribute, context) {}\n visitText(text, context) {}\n visitComment(comment, context) {}\n visitExpansion(expansion, context) {}\n visitExpansionCase(expansionCase, context) {}\n visitBlockGroup(group, context) {}\n visitBlock(block, context) {}\n visitBlockParameter(parameter, context) {}\n _addError(node, message) {\n this._errors.push(new I18nError(node.sourceSpan, message));\n }\n}\n// Convert ml nodes (xliff syntax) to i18n nodes\nclass XmlToI18n$1 {\n convert(message, url) {\n const xmlIcu = new XmlParser().parse(message, url, {\n tokenizeExpansionForms: true\n });\n this._errors = xmlIcu.errors;\n const i18nNodes = this._errors.length > 0 || xmlIcu.rootNodes.length == 0 ? [] : [].concat(...visitAll(this, xmlIcu.rootNodes));\n return {\n i18nNodes,\n errors: this._errors\n };\n }\n visitText(text, context) {\n return new Text$2(text.value, text.sourceSpan);\n }\n visitElement(el, context) {\n switch (el.name) {\n case _PLACEHOLDER_TAG$1:\n const nameAttr = el.attrs.find(attr => attr.name === 'equiv');\n if (nameAttr) {\n return [new Placeholder('', nameAttr.value, el.sourceSpan)];\n }\n this._addError(el, `<${_PLACEHOLDER_TAG$1}> misses the \"equiv\" attribute`);\n break;\n case _PLACEHOLDER_SPANNING_TAG:\n const startAttr = el.attrs.find(attr => attr.name === 'equivStart');\n const endAttr = el.attrs.find(attr => attr.name === 'equivEnd');\n if (!startAttr) {\n this._addError(el, `<${_PLACEHOLDER_TAG$1}> misses the \"equivStart\" attribute`);\n } else if (!endAttr) {\n this._addError(el, `<${_PLACEHOLDER_TAG$1}> misses the \"equivEnd\" attribute`);\n } else {\n const startId = startAttr.value;\n const endId = endAttr.value;\n const nodes = [];\n return nodes.concat(new Placeholder('', startId, el.sourceSpan), ...el.children.map(node => node.visit(this, null)), new Placeholder('', endId, el.sourceSpan));\n }\n break;\n case _MARKER_TAG:\n return [].concat(...visitAll(this, el.children));\n default:\n this._addError(el, `Unexpected tag`);\n }\n return null;\n }\n visitExpansion(icu, context) {\n const caseMap = {};\n visitAll(this, icu.cases).forEach(c => {\n caseMap[c.value] = new Container(c.nodes, icu.sourceSpan);\n });\n return new Icu(icu.switchValue, icu.type, caseMap, icu.sourceSpan);\n }\n visitExpansionCase(icuCase, context) {\n return {\n value: icuCase.value,\n nodes: [].concat(...visitAll(this, icuCase.expression))\n };\n }\n visitComment(comment, context) {}\n visitAttribute(attribute, context) {}\n visitBlockGroup(group, context) {}\n visitBlock(block, context) {}\n visitBlockParameter(parameter, context) {}\n _addError(node, message) {\n this._errors.push(new I18nError(node.sourceSpan, message));\n }\n}\nfunction getTypeForTag(tag) {\n switch (tag.toLowerCase()) {\n case 'br':\n case 'b':\n case 'i':\n case 'u':\n return 'fmt';\n case 'img':\n return 'image';\n case 'a':\n return 'link';\n default:\n return 'other';\n }\n}\nconst _TRANSLATIONS_TAG = 'translationbundle';\nconst _TRANSLATION_TAG = 'translation';\nconst _PLACEHOLDER_TAG = 'ph';\nclass Xtb extends Serializer {\n write(messages, locale) {\n throw new Error('Unsupported');\n }\n load(content, url) {\n // xtb to xml nodes\n const xtbParser = new XtbParser();\n const {\n locale,\n msgIdToHtml,\n errors\n } = xtbParser.parse(content, url);\n // xml nodes to i18n nodes\n const i18nNodesByMsgId = {};\n const converter = new XmlToI18n();\n // Because we should be able to load xtb files that rely on features not supported by angular,\n // we need to delay the conversion of html to i18n nodes so that non angular messages are not\n // converted\n Object.keys(msgIdToHtml).forEach(msgId => {\n const valueFn = function () {\n const {\n i18nNodes,\n errors\n } = converter.convert(msgIdToHtml[msgId], url);\n if (errors.length) {\n throw new Error(`xtb parse errors:\\n${errors.join('\\n')}`);\n }\n return i18nNodes;\n };\n createLazyProperty(i18nNodesByMsgId, msgId, valueFn);\n });\n if (errors.length) {\n throw new Error(`xtb parse errors:\\n${errors.join('\\n')}`);\n }\n return {\n locale: locale,\n i18nNodesByMsgId\n };\n }\n digest(message) {\n return digest(message);\n }\n createNameMapper(message) {\n return new SimplePlaceholderMapper(message, toPublicName);\n }\n}\nfunction createLazyProperty(messages, id, valueFn) {\n Object.defineProperty(messages, id, {\n configurable: true,\n enumerable: true,\n get: function () {\n const value = valueFn();\n Object.defineProperty(messages, id, {\n enumerable: true,\n value\n });\n return value;\n },\n set: _ => {\n throw new Error('Could not overwrite an XTB translation');\n }\n });\n}\n// Extract messages as xml nodes from the xtb file\nclass XtbParser {\n constructor() {\n this._locale = null;\n }\n parse(xtb, url) {\n this._bundleDepth = 0;\n this._msgIdToHtml = {};\n // We can not parse the ICU messages at this point as some messages might not originate\n // from Angular that could not be lex'd.\n const xml = new XmlParser().parse(xtb, url);\n this._errors = xml.errors;\n visitAll(this, xml.rootNodes);\n return {\n msgIdToHtml: this._msgIdToHtml,\n errors: this._errors,\n locale: this._locale\n };\n }\n visitElement(element, context) {\n switch (element.name) {\n case _TRANSLATIONS_TAG:\n this._bundleDepth++;\n if (this._bundleDepth > 1) {\n this._addError(element, `<${_TRANSLATIONS_TAG}> elements can not be nested`);\n }\n const langAttr = element.attrs.find(attr => attr.name === 'lang');\n if (langAttr) {\n this._locale = langAttr.value;\n }\n visitAll(this, element.children, null);\n this._bundleDepth--;\n break;\n case _TRANSLATION_TAG:\n const idAttr = element.attrs.find(attr => attr.name === 'id');\n if (!idAttr) {\n this._addError(element, `<${_TRANSLATION_TAG}> misses the \"id\" attribute`);\n } else {\n const id = idAttr.value;\n if (this._msgIdToHtml.hasOwnProperty(id)) {\n this._addError(element, `Duplicated translations for msg ${id}`);\n } else {\n const innerTextStart = element.startSourceSpan.end.offset;\n const innerTextEnd = element.endSourceSpan.start.offset;\n const content = element.startSourceSpan.start.file.content;\n const innerText = content.slice(innerTextStart, innerTextEnd);\n this._msgIdToHtml[id] = innerText;\n }\n }\n break;\n default:\n this._addError(element, 'Unexpected tag');\n }\n }\n visitAttribute(attribute, context) {}\n visitText(text, context) {}\n visitComment(comment, context) {}\n visitExpansion(expansion, context) {}\n visitExpansionCase(expansionCase, context) {}\n visitBlockGroup(group, context) {}\n visitBlock(block, context) {}\n visitBlockParameter(block, context) {}\n _addError(node, message) {\n this._errors.push(new I18nError(node.sourceSpan, message));\n }\n}\n// Convert ml nodes (xtb syntax) to i18n nodes\nclass XmlToI18n {\n convert(message, url) {\n const xmlIcu = new XmlParser().parse(message, url, {\n tokenizeExpansionForms: true\n });\n this._errors = xmlIcu.errors;\n const i18nNodes = this._errors.length > 0 || xmlIcu.rootNodes.length == 0 ? [] : visitAll(this, xmlIcu.rootNodes);\n return {\n i18nNodes,\n errors: this._errors\n };\n }\n visitText(text, context) {\n return new Text$2(text.value, text.sourceSpan);\n }\n visitExpansion(icu, context) {\n const caseMap = {};\n visitAll(this, icu.cases).forEach(c => {\n caseMap[c.value] = new Container(c.nodes, icu.sourceSpan);\n });\n return new Icu(icu.switchValue, icu.type, caseMap, icu.sourceSpan);\n }\n visitExpansionCase(icuCase, context) {\n return {\n value: icuCase.value,\n nodes: visitAll(this, icuCase.expression)\n };\n }\n visitElement(el, context) {\n if (el.name === _PLACEHOLDER_TAG) {\n const nameAttr = el.attrs.find(attr => attr.name === 'name');\n if (nameAttr) {\n return new Placeholder('', nameAttr.value, el.sourceSpan);\n }\n this._addError(el, `<${_PLACEHOLDER_TAG}> misses the \"name\" attribute`);\n } else {\n this._addError(el, `Unexpected tag`);\n }\n return null;\n }\n visitComment(comment, context) {}\n visitAttribute(attribute, context) {}\n visitBlockGroup(group, context) {}\n visitBlock(block, context) {}\n visitBlockParameter(block, context) {}\n _addError(node, message) {\n this._errors.push(new I18nError(node.sourceSpan, message));\n }\n}\n\n/**\n * A container for translated messages\n */\nclass TranslationBundle {\n constructor(_i18nNodesByMsgId = {}, locale, digest, mapperFactory, missingTranslationStrategy = MissingTranslationStrategy.Warning, console) {\n this._i18nNodesByMsgId = _i18nNodesByMsgId;\n this.digest = digest;\n this.mapperFactory = mapperFactory;\n this._i18nToHtml = new I18nToHtmlVisitor(_i18nNodesByMsgId, locale, digest, mapperFactory, missingTranslationStrategy, console);\n }\n // Creates a `TranslationBundle` by parsing the given `content` with the `serializer`.\n static load(content, url, serializer, missingTranslationStrategy, console) {\n const {\n locale,\n i18nNodesByMsgId\n } = serializer.load(content, url);\n const digestFn = m => serializer.digest(m);\n const mapperFactory = m => serializer.createNameMapper(m);\n return new TranslationBundle(i18nNodesByMsgId, locale, digestFn, mapperFactory, missingTranslationStrategy, console);\n }\n // Returns the translation as HTML nodes from the given source message.\n get(srcMsg) {\n const html = this._i18nToHtml.convert(srcMsg);\n if (html.errors.length) {\n throw new Error(html.errors.join('\\n'));\n }\n return html.nodes;\n }\n has(srcMsg) {\n return this.digest(srcMsg) in this._i18nNodesByMsgId;\n }\n}\nclass I18nToHtmlVisitor {\n constructor(_i18nNodesByMsgId = {}, _locale, _digest, _mapperFactory, _missingTranslationStrategy, _console) {\n this._i18nNodesByMsgId = _i18nNodesByMsgId;\n this._locale = _locale;\n this._digest = _digest;\n this._mapperFactory = _mapperFactory;\n this._missingTranslationStrategy = _missingTranslationStrategy;\n this._console = _console;\n this._errors = [];\n this._contextStack = [];\n }\n convert(srcMsg) {\n this._contextStack.length = 0;\n this._errors.length = 0;\n // i18n to text\n const text = this._convertToText(srcMsg);\n // text to html\n const url = srcMsg.nodes[0].sourceSpan.start.file.url;\n const html = new HtmlParser().parse(text, url, {\n tokenizeExpansionForms: true\n });\n return {\n nodes: html.rootNodes,\n errors: [...this._errors, ...html.errors]\n };\n }\n visitText(text, context) {\n // `convert()` uses an `HtmlParser` to return `html.Node`s\n // we should then make sure that any special characters are escaped\n return escapeXml(text.value);\n }\n visitContainer(container, context) {\n return container.children.map(n => n.visit(this)).join('');\n }\n visitIcu(icu, context) {\n const cases = Object.keys(icu.cases).map(k => `${k} {${icu.cases[k].visit(this)}}`);\n // TODO(vicb): Once all format switch to using expression placeholders\n // we should throw when the placeholder is not in the source message\n const exp = this._srcMsg.placeholders.hasOwnProperty(icu.expression) ? this._srcMsg.placeholders[icu.expression].text : icu.expression;\n return `{${exp}, ${icu.type}, ${cases.join(' ')}}`;\n }\n visitPlaceholder(ph, context) {\n const phName = this._mapper(ph.name);\n if (this._srcMsg.placeholders.hasOwnProperty(phName)) {\n return this._srcMsg.placeholders[phName].text;\n }\n if (this._srcMsg.placeholderToMessage.hasOwnProperty(phName)) {\n return this._convertToText(this._srcMsg.placeholderToMessage[phName]);\n }\n this._addError(ph, `Unknown placeholder \"${ph.name}\"`);\n return '';\n }\n // Loaded message contains only placeholders (vs tag and icu placeholders).\n // However when a translation can not be found, we need to serialize the source message\n // which can contain tag placeholders\n visitTagPlaceholder(ph, context) {\n const tag = `${ph.tag}`;\n const attrs = Object.keys(ph.attrs).map(name => `${name}=\"${ph.attrs[name]}\"`).join(' ');\n if (ph.isVoid) {\n return `<${tag} ${attrs}/>`;\n }\n const children = ph.children.map(c => c.visit(this)).join('');\n return `<${tag} ${attrs}>${children}</${tag}>`;\n }\n // Loaded message contains only placeholders (vs tag and icu placeholders).\n // However when a translation can not be found, we need to serialize the source message\n // which can contain tag placeholders\n visitIcuPlaceholder(ph, context) {\n // An ICU placeholder references the source message to be serialized\n return this._convertToText(this._srcMsg.placeholderToMessage[ph.name]);\n }\n /**\n * Convert a source message to a translated text string:\n * - text nodes are replaced with their translation,\n * - placeholders are replaced with their content,\n * - ICU nodes are converted to ICU expressions.\n */\n _convertToText(srcMsg) {\n const id = this._digest(srcMsg);\n const mapper = this._mapperFactory ? this._mapperFactory(srcMsg) : null;\n let nodes;\n this._contextStack.push({\n msg: this._srcMsg,\n mapper: this._mapper\n });\n this._srcMsg = srcMsg;\n if (this._i18nNodesByMsgId.hasOwnProperty(id)) {\n // When there is a translation use its nodes as the source\n // And create a mapper to convert serialized placeholder names to internal names\n nodes = this._i18nNodesByMsgId[id];\n this._mapper = name => mapper ? mapper.toInternalName(name) : name;\n } else {\n // When no translation has been found\n // - report an error / a warning / nothing,\n // - use the nodes from the original message\n // - placeholders are already internal and need no mapper\n if (this._missingTranslationStrategy === MissingTranslationStrategy.Error) {\n const ctx = this._locale ? ` for locale \"${this._locale}\"` : '';\n this._addError(srcMsg.nodes[0], `Missing translation for message \"${id}\"${ctx}`);\n } else if (this._console && this._missingTranslationStrategy === MissingTranslationStrategy.Warning) {\n const ctx = this._locale ? ` for locale \"${this._locale}\"` : '';\n this._console.warn(`Missing translation for message \"${id}\"${ctx}`);\n }\n nodes = srcMsg.nodes;\n this._mapper = name => name;\n }\n const text = nodes.map(node => node.visit(this)).join('');\n const context = this._contextStack.pop();\n this._srcMsg = context.msg;\n this._mapper = context.mapper;\n return text;\n }\n _addError(el, msg) {\n this._errors.push(new I18nError(el.sourceSpan, msg));\n }\n}\nclass I18NHtmlParser {\n constructor(_htmlParser, translations, translationsFormat, missingTranslation = MissingTranslationStrategy.Warning, console) {\n this._htmlParser = _htmlParser;\n if (translations) {\n const serializer = createSerializer(translationsFormat);\n this._translationBundle = TranslationBundle.load(translations, 'i18n', serializer, missingTranslation, console);\n } else {\n this._translationBundle = new TranslationBundle({}, null, digest$1, undefined, missingTranslation, console);\n }\n }\n parse(source, url, options = {}) {\n const interpolationConfig = options.interpolationConfig || DEFAULT_INTERPOLATION_CONFIG;\n const parseResult = this._htmlParser.parse(source, url, {\n interpolationConfig,\n ...options\n });\n if (parseResult.errors.length) {\n return new ParseTreeResult(parseResult.rootNodes, parseResult.errors);\n }\n return mergeTranslations(parseResult.rootNodes, this._translationBundle, interpolationConfig, [], {});\n }\n}\nfunction createSerializer(format) {\n format = (format || 'xlf').toLowerCase();\n switch (format) {\n case 'xmb':\n return new Xmb();\n case 'xtb':\n return new Xtb();\n case 'xliff2':\n case 'xlf2':\n return new Xliff2();\n case 'xliff':\n case 'xlf':\n default:\n return new Xliff();\n }\n}\n\n/**\n * A container for message extracted from the templates.\n */\nclass MessageBundle {\n constructor(_htmlParser, _implicitTags, _implicitAttrs, _locale = null) {\n this._htmlParser = _htmlParser;\n this._implicitTags = _implicitTags;\n this._implicitAttrs = _implicitAttrs;\n this._locale = _locale;\n this._messages = [];\n }\n updateFromTemplate(html, url, interpolationConfig) {\n const htmlParserResult = this._htmlParser.parse(html, url, {\n tokenizeExpansionForms: true,\n interpolationConfig\n });\n if (htmlParserResult.errors.length) {\n return htmlParserResult.errors;\n }\n const i18nParserResult = extractMessages(htmlParserResult.rootNodes, interpolationConfig, this._implicitTags, this._implicitAttrs);\n if (i18nParserResult.errors.length) {\n return i18nParserResult.errors;\n }\n this._messages.push(...i18nParserResult.messages);\n return [];\n }\n // Return the message in the internal format\n // The public (serialized) format might be different, see the `write` method.\n getMessages() {\n return this._messages;\n }\n write(serializer, filterSources) {\n const messages = {};\n const mapperVisitor = new MapPlaceholderNames();\n // Deduplicate messages based on their ID\n this._messages.forEach(message => {\n const id = serializer.digest(message);\n if (!messages.hasOwnProperty(id)) {\n messages[id] = message;\n } else {\n messages[id].sources.push(...message.sources);\n }\n });\n // Transform placeholder names using the serializer mapping\n const msgList = Object.keys(messages).map(id => {\n const mapper = serializer.createNameMapper(messages[id]);\n const src = messages[id];\n const nodes = mapper ? mapperVisitor.convert(src.nodes, mapper) : src.nodes;\n let transformedMessage = new Message(nodes, {}, {}, src.meaning, src.description, id);\n transformedMessage.sources = src.sources;\n if (filterSources) {\n transformedMessage.sources.forEach(source => source.filePath = filterSources(source.filePath));\n }\n return transformedMessage;\n });\n return serializer.write(msgList, this._locale);\n }\n}\n// Transform an i18n AST by renaming the placeholder nodes with the given mapper\nclass MapPlaceholderNames extends CloneVisitor {\n convert(nodes, mapper) {\n return mapper ? nodes.map(n => n.visit(this, mapper)) : nodes;\n }\n visitTagPlaceholder(ph, mapper) {\n const startName = mapper.toPublicName(ph.startName);\n const closeName = ph.closeName ? mapper.toPublicName(ph.closeName) : ph.closeName;\n const children = ph.children.map(n => n.visit(this, mapper));\n return new TagPlaceholder(ph.tag, ph.attrs, startName, closeName, children, ph.isVoid, ph.sourceSpan, ph.startSourceSpan, ph.endSourceSpan);\n }\n visitPlaceholder(ph, mapper) {\n return new Placeholder(ph.value, mapper.toPublicName(ph.name), ph.sourceSpan);\n }\n visitIcuPlaceholder(ph, mapper) {\n return new IcuPlaceholder(ph.value, mapper.toPublicName(ph.name), ph.sourceSpan);\n }\n}\nvar FactoryTarget;\n(function (FactoryTarget) {\n FactoryTarget[FactoryTarget[\"Directive\"] = 0] = \"Directive\";\n FactoryTarget[FactoryTarget[\"Component\"] = 1] = \"Component\";\n FactoryTarget[FactoryTarget[\"Injectable\"] = 2] = \"Injectable\";\n FactoryTarget[FactoryTarget[\"Pipe\"] = 3] = \"Pipe\";\n FactoryTarget[FactoryTarget[\"NgModule\"] = 4] = \"NgModule\";\n})(FactoryTarget || (FactoryTarget = {}));\n\n/**\n * Processes `Target`s with a given set of directives and performs a binding operation, which\n * returns an object similar to TypeScript's `ts.TypeChecker` that contains knowledge about the\n * target.\n */\nclass R3TargetBinder {\n constructor(directiveMatcher) {\n this.directiveMatcher = directiveMatcher;\n }\n /**\n * Perform a binding operation on the given `Target` and return a `BoundTarget` which contains\n * metadata about the types referenced in the template.\n */\n bind(target) {\n if (!target.template) {\n // TODO(alxhub): handle targets which contain things like HostBindings, etc.\n throw new Error('Binding without a template not yet supported');\n }\n // First, parse the template into a `Scope` structure. This operation captures the syntactic\n // scopes in the template and makes them available for later use.\n const scope = Scope.apply(target.template);\n // Use the `Scope` to extract the entities present at every level of the template.\n const templateEntities = extractTemplateEntities(scope);\n // Next, perform directive matching on the template using the `DirectiveBinder`. This returns:\n // - directives: Map of nodes (elements & ng-templates) to the directives on them.\n // - bindings: Map of inputs, outputs, and attributes to the directive/element that claims\n // them. TODO(alxhub): handle multiple directives claiming an input/output/etc.\n // - references: Map of #references to their targets.\n const {\n directives,\n eagerDirectives,\n bindings,\n references\n } = DirectiveBinder.apply(target.template, this.directiveMatcher);\n // Finally, run the TemplateBinder to bind references, variables, and other entities within the\n // template. This extracts all the metadata that doesn't depend on directive matching.\n const {\n expressions,\n symbols,\n nestingLevel,\n usedPipes,\n eagerPipes,\n deferBlocks\n } = TemplateBinder.applyWithScope(target.template, scope);\n return new R3BoundTarget(target, directives, eagerDirectives, bindings, references, expressions, symbols, nestingLevel, templateEntities, usedPipes, eagerPipes, deferBlocks);\n }\n}\n/**\n * Represents a binding scope within a template.\n *\n * Any variables, references, or other named entities declared within the template will\n * be captured and available by name in `namedEntities`. Additionally, child templates will\n * be analyzed and have their child `Scope`s available in `childScopes`.\n */\nclass Scope {\n constructor(parentScope, template) {\n this.parentScope = parentScope;\n this.template = template;\n /**\n * Named members of the `Scope`, such as `Reference`s or `Variable`s.\n */\n this.namedEntities = new Map();\n /**\n * Child `Scope`s for immediately nested `Template`s.\n */\n this.childScopes = new Map();\n }\n static newRootScope() {\n return new Scope(null, null);\n }\n /**\n * Process a template (either as a `Template` sub-template with variables, or a plain array of\n * template `Node`s) and construct its `Scope`.\n */\n static apply(template) {\n const scope = Scope.newRootScope();\n scope.ingest(template);\n return scope;\n }\n /**\n * Internal method to process the template and populate the `Scope`.\n */\n ingest(template) {\n if (template instanceof Template) {\n // Variables on an <ng-template> are defined in the inner scope.\n template.variables.forEach(node => this.visitVariable(node));\n // Process the nodes of the template.\n template.children.forEach(node => node.visit(this));\n } else {\n // No overarching `Template` instance, so process the nodes directly.\n template.forEach(node => node.visit(this));\n }\n }\n visitElement(element) {\n // `Element`s in the template may have `Reference`s which are captured in the scope.\n element.references.forEach(node => this.visitReference(node));\n // Recurse into the `Element`'s children.\n element.children.forEach(node => node.visit(this));\n }\n visitTemplate(template) {\n // References on a <ng-template> are defined in the outer scope, so capture them before\n // processing the template's child scope.\n template.references.forEach(node => this.visitReference(node));\n // Next, create an inner scope and process the template within it.\n const scope = new Scope(this, template);\n scope.ingest(template);\n this.childScopes.set(template, scope);\n }\n visitVariable(variable) {\n // Declare the variable if it's not already.\n this.maybeDeclare(variable);\n }\n visitReference(reference) {\n // Declare the variable if it's not already.\n this.maybeDeclare(reference);\n }\n visitDeferredBlock(deferred) {\n deferred.children.forEach(node => node.visit(this));\n deferred.placeholder?.visit(this);\n deferred.loading?.visit(this);\n deferred.error?.visit(this);\n }\n visitDeferredBlockPlaceholder(block) {\n block.children.forEach(node => node.visit(this));\n }\n visitDeferredBlockError(block) {\n block.children.forEach(node => node.visit(this));\n }\n visitDeferredBlockLoading(block) {\n block.children.forEach(node => node.visit(this));\n }\n // Unused visitors.\n visitContent(content) {}\n visitBoundAttribute(attr) {}\n visitBoundEvent(event) {}\n visitBoundText(text) {}\n visitText(text) {}\n visitTextAttribute(attr) {}\n visitIcu(icu) {}\n visitDeferredTrigger(trigger) {}\n maybeDeclare(thing) {\n // Declare something with a name, as long as that name isn't taken.\n if (!this.namedEntities.has(thing.name)) {\n this.namedEntities.set(thing.name, thing);\n }\n }\n /**\n * Look up a variable within this `Scope`.\n *\n * This can recurse into a parent `Scope` if it's available.\n */\n lookup(name) {\n if (this.namedEntities.has(name)) {\n // Found in the local scope.\n return this.namedEntities.get(name);\n } else if (this.parentScope !== null) {\n // Not in the local scope, but there's a parent scope so check there.\n return this.parentScope.lookup(name);\n } else {\n // At the top level and it wasn't found.\n return null;\n }\n }\n /**\n * Get the child scope for a `Template`.\n *\n * This should always be defined.\n */\n getChildScope(template) {\n const res = this.childScopes.get(template);\n if (res === undefined) {\n throw new Error(`Assertion error: child scope for ${template} not found`);\n }\n return res;\n }\n}\n/**\n * Processes a template and matches directives on nodes (elements and templates).\n *\n * Usually used via the static `apply()` method.\n */\nclass DirectiveBinder {\n constructor(matcher, directives, eagerDirectives, bindings, references) {\n this.matcher = matcher;\n this.directives = directives;\n this.eagerDirectives = eagerDirectives;\n this.bindings = bindings;\n this.references = references;\n // Indicates whether we are visiting elements within a {#defer} block\n this.isInDeferBlock = false;\n }\n /**\n * Process a template (list of `Node`s) and perform directive matching against each node.\n *\n * @param template the list of template `Node`s to match (recursively).\n * @param selectorMatcher a `SelectorMatcher` containing the directives that are in scope for\n * this template.\n * @returns three maps which contain information about directives in the template: the\n * `directives` map which lists directives matched on each node, the `bindings` map which\n * indicates which directives claimed which bindings (inputs, outputs, etc), and the `references`\n * map which resolves #references (`Reference`s) within the template to the named directive or\n * template node.\n */\n static apply(template, selectorMatcher) {\n const directives = new Map();\n const bindings = new Map();\n const references = new Map();\n const eagerDirectives = [];\n const matcher = new DirectiveBinder(selectorMatcher, directives, eagerDirectives, bindings, references);\n matcher.ingest(template);\n return {\n directives,\n eagerDirectives,\n bindings,\n references\n };\n }\n ingest(template) {\n template.forEach(node => node.visit(this));\n }\n visitElement(element) {\n this.visitElementOrTemplate(element.name, element);\n }\n visitTemplate(template) {\n this.visitElementOrTemplate('ng-template', template);\n }\n visitElementOrTemplate(elementName, node) {\n // First, determine the HTML shape of the node for the purpose of directive matching.\n // Do this by building up a `CssSelector` for the node.\n const cssSelector = createCssSelector(elementName, getAttrsForDirectiveMatching(node));\n // Next, use the `SelectorMatcher` to get the list of directives on the node.\n const directives = [];\n this.matcher.match(cssSelector, (_selector, results) => directives.push(...results));\n if (directives.length > 0) {\n this.directives.set(node, directives);\n if (!this.isInDeferBlock) {\n this.eagerDirectives.push(...directives);\n }\n }\n // Resolve any references that are created on this node.\n node.references.forEach(ref => {\n let dirTarget = null;\n // If the reference expression is empty, then it matches the \"primary\" directive on the node\n // (if there is one). Otherwise it matches the host node itself (either an element or\n // <ng-template> node).\n if (ref.value.trim() === '') {\n // This could be a reference to a component if there is one.\n dirTarget = directives.find(dir => dir.isComponent) || null;\n } else {\n // This should be a reference to a directive exported via exportAs.\n dirTarget = directives.find(dir => dir.exportAs !== null && dir.exportAs.some(value => value === ref.value)) || null;\n // Check if a matching directive was found.\n if (dirTarget === null) {\n // No matching directive was found - this reference points to an unknown target. Leave it\n // unmapped.\n return;\n }\n }\n if (dirTarget !== null) {\n // This reference points to a directive.\n this.references.set(ref, {\n directive: dirTarget,\n node\n });\n } else {\n // This reference points to the node itself.\n this.references.set(ref, node);\n }\n });\n const setAttributeBinding = (attribute, ioType) => {\n const dir = directives.find(dir => dir[ioType].hasBindingPropertyName(attribute.name));\n const binding = dir !== undefined ? dir : node;\n this.bindings.set(attribute, binding);\n };\n // Node inputs (bound attributes) and text attributes can be bound to an\n // input on a directive.\n node.inputs.forEach(input => setAttributeBinding(input, 'inputs'));\n node.attributes.forEach(attr => setAttributeBinding(attr, 'inputs'));\n if (node instanceof Template) {\n node.templateAttrs.forEach(attr => setAttributeBinding(attr, 'inputs'));\n }\n // Node outputs (bound events) can be bound to an output on a directive.\n node.outputs.forEach(output => setAttributeBinding(output, 'outputs'));\n // Recurse into the node's children.\n node.children.forEach(child => child.visit(this));\n }\n visitDeferredBlock(deferred) {\n this.isInDeferBlock = true;\n deferred.children.forEach(child => child.visit(this));\n this.isInDeferBlock = false;\n deferred.placeholder?.visit(this);\n deferred.loading?.visit(this);\n deferred.error?.visit(this);\n }\n visitDeferredBlockPlaceholder(block) {\n block.children.forEach(child => child.visit(this));\n }\n visitDeferredBlockError(block) {\n block.children.forEach(child => child.visit(this));\n }\n visitDeferredBlockLoading(block) {\n block.children.forEach(child => child.visit(this));\n }\n // Unused visitors.\n visitContent(content) {}\n visitVariable(variable) {}\n visitReference(reference) {}\n visitTextAttribute(attribute) {}\n visitBoundAttribute(attribute) {}\n visitBoundEvent(attribute) {}\n visitBoundAttributeOrEvent(node) {}\n visitText(text) {}\n visitBoundText(text) {}\n visitIcu(icu) {}\n visitDeferredTrigger(trigger) {}\n}\n/**\n * Processes a template and extract metadata about expressions and symbols within.\n *\n * This is a companion to the `DirectiveBinder` that doesn't require knowledge of directives matched\n * within the template in order to operate.\n *\n * Expressions are visited by the superclass `RecursiveAstVisitor`, with custom logic provided\n * by overridden methods from that visitor.\n */\nclass TemplateBinder extends RecursiveAstVisitor {\n constructor(bindings, symbols, usedPipes, eagerPipes, deferBlocks, nestingLevel, scope, template, level) {\n super();\n this.bindings = bindings;\n this.symbols = symbols;\n this.usedPipes = usedPipes;\n this.eagerPipes = eagerPipes;\n this.deferBlocks = deferBlocks;\n this.nestingLevel = nestingLevel;\n this.scope = scope;\n this.template = template;\n this.level = level;\n // Indicates whether we are visiting elements within a {#defer} block\n this.isInDeferBlock = false;\n // Save a bit of processing time by constructing this closure in advance.\n this.visitNode = node => node.visit(this);\n }\n // This method is defined to reconcile the type of TemplateBinder since both\n // RecursiveAstVisitor and Visitor define the visit() method in their\n // interfaces.\n visit(node, context) {\n if (node instanceof AST) {\n node.visit(this, context);\n } else {\n node.visit(this);\n }\n }\n /**\n * Process a template and extract metadata about expressions and symbols within.\n *\n * @param nodes the nodes of the template to process\n * @param scope the `Scope` of the template being processed.\n * @returns three maps which contain metadata about the template: `expressions` which interprets\n * special `AST` nodes in expressions as pointing to references or variables declared within the\n * template, `symbols` which maps those variables and references to the nested `Template` which\n * declares them, if any, and `nestingLevel` which associates each `Template` with a integer\n * nesting level (how many levels deep within the template structure the `Template` is), starting\n * at 1.\n */\n static applyWithScope(nodes, scope) {\n const expressions = new Map();\n const symbols = new Map();\n const nestingLevel = new Map();\n const usedPipes = new Set();\n const eagerPipes = new Set();\n const template = nodes instanceof Template ? nodes : null;\n const deferBlocks = new Set();\n // The top-level template has nesting level 0.\n const binder = new TemplateBinder(expressions, symbols, usedPipes, eagerPipes, deferBlocks, nestingLevel, scope, template, 0);\n binder.ingest(nodes);\n return {\n expressions,\n symbols,\n nestingLevel,\n usedPipes,\n eagerPipes,\n deferBlocks\n };\n }\n ingest(template) {\n if (template instanceof Template) {\n // For <ng-template>s, process only variables and child nodes. Inputs, outputs, templateAttrs,\n // and references were all processed in the scope of the containing template.\n template.variables.forEach(this.visitNode);\n template.children.forEach(this.visitNode);\n // Set the nesting level.\n this.nestingLevel.set(template, this.level);\n } else {\n // Visit each node from the top-level template.\n template.forEach(this.visitNode);\n }\n }\n visitElement(element) {\n // Visit the inputs, outputs, and children of the element.\n element.inputs.forEach(this.visitNode);\n element.outputs.forEach(this.visitNode);\n element.children.forEach(this.visitNode);\n }\n visitTemplate(template) {\n // First, visit inputs, outputs and template attributes of the template node.\n template.inputs.forEach(this.visitNode);\n template.outputs.forEach(this.visitNode);\n template.templateAttrs.forEach(this.visitNode);\n // References are also evaluated in the outer context.\n template.references.forEach(this.visitNode);\n // Next, recurse into the template using its scope, and bumping the nesting level up by one.\n const childScope = this.scope.getChildScope(template);\n const binder = new TemplateBinder(this.bindings, this.symbols, this.usedPipes, this.eagerPipes, this.deferBlocks, this.nestingLevel, childScope, template, this.level + 1);\n binder.ingest(template);\n }\n visitVariable(variable) {\n // Register the `Variable` as a symbol in the current `Template`.\n if (this.template !== null) {\n this.symbols.set(variable, this.template);\n }\n }\n visitReference(reference) {\n // Register the `Reference` as a symbol in the current `Template`.\n if (this.template !== null) {\n this.symbols.set(reference, this.template);\n }\n }\n // Unused template visitors\n visitText(text) {}\n visitContent(content) {}\n visitTextAttribute(attribute) {}\n visitIcu(icu) {\n Object.keys(icu.vars).forEach(key => icu.vars[key].visit(this));\n Object.keys(icu.placeholders).forEach(key => icu.placeholders[key].visit(this));\n }\n // The remaining visitors are concerned with processing AST expressions within template bindings\n visitBoundAttribute(attribute) {\n attribute.value.visit(this);\n }\n visitBoundEvent(event) {\n event.handler.visit(this);\n }\n visitDeferredBlock(deferred) {\n this.deferBlocks.add(deferred);\n this.isInDeferBlock = true;\n deferred.children.forEach(this.visitNode);\n this.isInDeferBlock = false;\n deferred.triggers.forEach(this.visitNode);\n deferred.prefetchTriggers.forEach(this.visitNode);\n deferred.placeholder && this.visitNode(deferred.placeholder);\n deferred.loading && this.visitNode(deferred.loading);\n deferred.error && this.visitNode(deferred.error);\n }\n visitDeferredTrigger(trigger) {\n if (trigger instanceof BoundDeferredTrigger) {\n trigger.value.visit(this);\n }\n }\n visitDeferredBlockPlaceholder(block) {\n block.children.forEach(this.visitNode);\n }\n visitDeferredBlockError(block) {\n block.children.forEach(this.visitNode);\n }\n visitDeferredBlockLoading(block) {\n block.children.forEach(this.visitNode);\n }\n visitBoundText(text) {\n text.value.visit(this);\n }\n visitPipe(ast, context) {\n this.usedPipes.add(ast.name);\n if (!this.isInDeferBlock) {\n this.eagerPipes.add(ast.name);\n }\n return super.visitPipe(ast, context);\n }\n // These five types of AST expressions can refer to expression roots, which could be variables\n // or references in the current scope.\n visitPropertyRead(ast, context) {\n this.maybeMap(context, ast, ast.name);\n return super.visitPropertyRead(ast, context);\n }\n visitSafePropertyRead(ast, context) {\n this.maybeMap(context, ast, ast.name);\n return super.visitSafePropertyRead(ast, context);\n }\n visitPropertyWrite(ast, context) {\n this.maybeMap(context, ast, ast.name);\n return super.visitPropertyWrite(ast, context);\n }\n maybeMap(scope, ast, name) {\n // If the receiver of the expression isn't the `ImplicitReceiver`, this isn't the root of an\n // `AST` expression that maps to a `Variable` or `Reference`.\n if (!(ast.receiver instanceof ImplicitReceiver)) {\n return;\n }\n // Check whether the name exists in the current scope. If so, map it. Otherwise, the name is\n // probably a property on the top-level component context.\n let target = this.scope.lookup(name);\n if (target !== null) {\n this.bindings.set(ast, target);\n }\n }\n}\n/**\n * Metadata container for a `Target` that allows queries for specific bits of metadata.\n *\n * See `BoundTarget` for documentation on the individual methods.\n */\nclass R3BoundTarget {\n constructor(target, directives, eagerDirectives, bindings, references, exprTargets, symbols, nestingLevel, templateEntities, usedPipes, eagerPipes, deferredBlocks) {\n this.target = target;\n this.directives = directives;\n this.eagerDirectives = eagerDirectives;\n this.bindings = bindings;\n this.references = references;\n this.exprTargets = exprTargets;\n this.symbols = symbols;\n this.nestingLevel = nestingLevel;\n this.templateEntities = templateEntities;\n this.usedPipes = usedPipes;\n this.eagerPipes = eagerPipes;\n this.deferredBlocks = deferredBlocks;\n }\n getEntitiesInTemplateScope(template) {\n return this.templateEntities.get(template) ?? new Set();\n }\n getDirectivesOfNode(node) {\n return this.directives.get(node) || null;\n }\n getReferenceTarget(ref) {\n return this.references.get(ref) || null;\n }\n getConsumerOfBinding(binding) {\n return this.bindings.get(binding) || null;\n }\n getExpressionTarget(expr) {\n return this.exprTargets.get(expr) || null;\n }\n getTemplateOfSymbol(symbol) {\n return this.symbols.get(symbol) || null;\n }\n getNestingLevel(template) {\n return this.nestingLevel.get(template) || 0;\n }\n getUsedDirectives() {\n const set = new Set();\n this.directives.forEach(dirs => dirs.forEach(dir => set.add(dir)));\n return Array.from(set.values());\n }\n getEagerlyUsedDirectives() {\n const set = new Set(this.eagerDirectives);\n return Array.from(set.values());\n }\n getUsedPipes() {\n return Array.from(this.usedPipes);\n }\n getEagerlyUsedPipes() {\n return Array.from(this.eagerPipes);\n }\n getDeferBlocks() {\n return Array.from(this.deferredBlocks);\n }\n}\nfunction extractTemplateEntities(rootScope) {\n const entityMap = new Map();\n function extractScopeEntities(scope) {\n if (entityMap.has(scope.template)) {\n return entityMap.get(scope.template);\n }\n const currentEntities = scope.namedEntities;\n let templateEntities;\n if (scope.parentScope !== null) {\n templateEntities = new Map([...extractScopeEntities(scope.parentScope), ...currentEntities]);\n } else {\n templateEntities = new Map(currentEntities);\n }\n entityMap.set(scope.template, templateEntities);\n return templateEntities;\n }\n const scopesToProcess = [rootScope];\n while (scopesToProcess.length > 0) {\n const scope = scopesToProcess.pop();\n for (const childScope of scope.childScopes.values()) {\n scopesToProcess.push(childScope);\n }\n extractScopeEntities(scope);\n }\n const templateEntities = new Map();\n for (const [template, entities] of entityMap) {\n templateEntities.set(template, new Set(entities.values()));\n }\n return templateEntities;\n}\nfunction compileClassMetadata(metadata) {\n // Generate an ngDevMode guarded call to setClassMetadata with the class identifier and its\n // metadata.\n const fnCall = importExpr(Identifiers.setClassMetadata).callFn([metadata.type, metadata.decorators, metadata.ctorParameters ?? literal(null), metadata.propDecorators ?? literal(null)]);\n const iife = fn([], [devOnlyGuardedExpression(fnCall).toStmt()]);\n return iife.callFn([]);\n}\n\n/**\n * Every time we make a breaking change to the declaration interface or partial-linker behavior, we\n * must update this constant to prevent old partial-linkers from incorrectly processing the\n * declaration.\n *\n * Do not include any prerelease in these versions as they are ignored.\n */\nconst MINIMUM_PARTIAL_LINKER_VERSION$6 = '12.0.0';\nfunction compileDeclareClassMetadata(metadata) {\n const definitionMap = new DefinitionMap();\n definitionMap.set('minVersion', literal(MINIMUM_PARTIAL_LINKER_VERSION$6));\n definitionMap.set('version', literal('16.2.12'));\n definitionMap.set('ngImport', importExpr(Identifiers.core));\n definitionMap.set('type', metadata.type);\n definitionMap.set('decorators', metadata.decorators);\n definitionMap.set('ctorParameters', metadata.ctorParameters);\n definitionMap.set('propDecorators', metadata.propDecorators);\n return importExpr(Identifiers.declareClassMetadata).callFn([definitionMap.toLiteralMap()]);\n}\n\n/**\n * Creates an array literal expression from the given array, mapping all values to an expression\n * using the provided mapping function. If the array is empty or null, then null is returned.\n *\n * @param values The array to transfer into literal array expression.\n * @param mapper The logic to use for creating an expression for the array's values.\n * @returns An array literal expression representing `values`, or null if `values` is empty or\n * is itself null.\n */\nfunction toOptionalLiteralArray(values, mapper) {\n if (values === null || values.length === 0) {\n return null;\n }\n return literalArr(values.map(value => mapper(value)));\n}\n/**\n * Creates an object literal expression from the given object, mapping all values to an expression\n * using the provided mapping function. If the object has no keys, then null is returned.\n *\n * @param object The object to transfer into an object literal expression.\n * @param mapper The logic to use for creating an expression for the object's values.\n * @returns An object literal expression representing `object`, or null if `object` does not have\n * any keys.\n */\nfunction toOptionalLiteralMap(object, mapper) {\n const entries = Object.keys(object).map(key => {\n const value = object[key];\n return {\n key,\n value: mapper(value),\n quoted: true\n };\n });\n if (entries.length > 0) {\n return literalMap(entries);\n } else {\n return null;\n }\n}\nfunction compileDependencies(deps) {\n if (deps === 'invalid') {\n // The `deps` can be set to the string \"invalid\" by the `unwrapConstructorDependencies()`\n // function, which tries to convert `ConstructorDeps` into `R3DependencyMetadata[]`.\n return literal('invalid');\n } else if (deps === null) {\n return literal(null);\n } else {\n return literalArr(deps.map(compileDependency));\n }\n}\nfunction compileDependency(dep) {\n const depMeta = new DefinitionMap();\n depMeta.set('token', dep.token);\n if (dep.attributeNameType !== null) {\n depMeta.set('attribute', literal(true));\n }\n if (dep.host) {\n depMeta.set('host', literal(true));\n }\n if (dep.optional) {\n depMeta.set('optional', literal(true));\n }\n if (dep.self) {\n depMeta.set('self', literal(true));\n }\n if (dep.skipSelf) {\n depMeta.set('skipSelf', literal(true));\n }\n return depMeta.toLiteralMap();\n}\n\n/**\n * Every time we make a breaking change to the declaration interface or partial-linker behavior, we\n * must update this constant to prevent old partial-linkers from incorrectly processing the\n * declaration.\n *\n * Do not include any prerelease in these versions as they are ignored.\n */\nconst MINIMUM_PARTIAL_LINKER_VERSION$5 = '16.1.0';\n/**\n * Compile a directive declaration defined by the `R3DirectiveMetadata`.\n */\nfunction compileDeclareDirectiveFromMetadata(meta) {\n const definitionMap = createDirectiveDefinitionMap(meta);\n const expression = importExpr(Identifiers.declareDirective).callFn([definitionMap.toLiteralMap()]);\n const type = createDirectiveType(meta);\n return {\n expression,\n type,\n statements: []\n };\n}\n/**\n * Gathers the declaration fields for a directive into a `DefinitionMap`. This allows for reusing\n * this logic for components, as they extend the directive metadata.\n */\nfunction createDirectiveDefinitionMap(meta) {\n const definitionMap = new DefinitionMap();\n const hasTransformFunctions = Object.values(meta.inputs).some(input => input.transformFunction !== null);\n // Note: in order to allow consuming Angular libraries that have been compiled with 16.1+ in\n // Angular 16.0, we only force a minimum version of 16.1 if input transform feature as introduced\n // in 16.1 is actually used.\n const minVersion = hasTransformFunctions ? MINIMUM_PARTIAL_LINKER_VERSION$5 : '14.0.0';\n definitionMap.set('minVersion', literal(minVersion));\n definitionMap.set('version', literal('16.2.12'));\n // e.g. `type: MyDirective`\n definitionMap.set('type', meta.type.value);\n if (meta.isStandalone) {\n definitionMap.set('isStandalone', literal(meta.isStandalone));\n }\n if (meta.isSignal) {\n definitionMap.set('isSignal', literal(meta.isSignal));\n }\n // e.g. `selector: 'some-dir'`\n if (meta.selector !== null) {\n definitionMap.set('selector', literal(meta.selector));\n }\n definitionMap.set('inputs', conditionallyCreateDirectiveBindingLiteral(meta.inputs, true));\n definitionMap.set('outputs', conditionallyCreateDirectiveBindingLiteral(meta.outputs));\n definitionMap.set('host', compileHostMetadata(meta.host));\n definitionMap.set('providers', meta.providers);\n if (meta.queries.length > 0) {\n definitionMap.set('queries', literalArr(meta.queries.map(compileQuery)));\n }\n if (meta.viewQueries.length > 0) {\n definitionMap.set('viewQueries', literalArr(meta.viewQueries.map(compileQuery)));\n }\n if (meta.exportAs !== null) {\n definitionMap.set('exportAs', asLiteral(meta.exportAs));\n }\n if (meta.usesInheritance) {\n definitionMap.set('usesInheritance', literal(true));\n }\n if (meta.lifecycle.usesOnChanges) {\n definitionMap.set('usesOnChanges', literal(true));\n }\n if (meta.hostDirectives?.length) {\n definitionMap.set('hostDirectives', createHostDirectives(meta.hostDirectives));\n }\n definitionMap.set('ngImport', importExpr(Identifiers.core));\n return definitionMap;\n}\n/**\n * Compiles the metadata of a single query into its partial declaration form as declared\n * by `R3DeclareQueryMetadata`.\n */\nfunction compileQuery(query) {\n const meta = new DefinitionMap();\n meta.set('propertyName', literal(query.propertyName));\n if (query.first) {\n meta.set('first', literal(true));\n }\n meta.set('predicate', Array.isArray(query.predicate) ? asLiteral(query.predicate) : convertFromMaybeForwardRefExpression(query.predicate));\n if (!query.emitDistinctChangesOnly) {\n // `emitDistinctChangesOnly` is special because we expect it to be `true`.\n // Therefore we explicitly emit the field, and explicitly place it only when it's `false`.\n meta.set('emitDistinctChangesOnly', literal(false));\n } else {\n // The linker will assume that an absent `emitDistinctChangesOnly` flag is by default `true`.\n }\n if (query.descendants) {\n meta.set('descendants', literal(true));\n }\n meta.set('read', query.read);\n if (query.static) {\n meta.set('static', literal(true));\n }\n return meta.toLiteralMap();\n}\n/**\n * Compiles the host metadata into its partial declaration form as declared\n * in `R3DeclareDirectiveMetadata['host']`\n */\nfunction compileHostMetadata(meta) {\n const hostMetadata = new DefinitionMap();\n hostMetadata.set('attributes', toOptionalLiteralMap(meta.attributes, expression => expression));\n hostMetadata.set('listeners', toOptionalLiteralMap(meta.listeners, literal));\n hostMetadata.set('properties', toOptionalLiteralMap(meta.properties, literal));\n if (meta.specialAttributes.styleAttr) {\n hostMetadata.set('styleAttribute', literal(meta.specialAttributes.styleAttr));\n }\n if (meta.specialAttributes.classAttr) {\n hostMetadata.set('classAttribute', literal(meta.specialAttributes.classAttr));\n }\n if (hostMetadata.values.length > 0) {\n return hostMetadata.toLiteralMap();\n } else {\n return null;\n }\n}\nfunction createHostDirectives(hostDirectives) {\n const expressions = hostDirectives.map(current => {\n const keys = [{\n key: 'directive',\n value: current.isForwardReference ? generateForwardRef(current.directive.type) : current.directive.type,\n quoted: false\n }];\n const inputsLiteral = current.inputs ? createHostDirectivesMappingArray(current.inputs) : null;\n const outputsLiteral = current.outputs ? createHostDirectivesMappingArray(current.outputs) : null;\n if (inputsLiteral) {\n keys.push({\n key: 'inputs',\n value: inputsLiteral,\n quoted: false\n });\n }\n if (outputsLiteral) {\n keys.push({\n key: 'outputs',\n value: outputsLiteral,\n quoted: false\n });\n }\n return literalMap(keys);\n });\n // If there's a forward reference, we generate a `function() { return [{directive: HostDir}] }`,\n // otherwise we can save some bytes by using a plain array, e.g. `[{directive: HostDir}]`.\n return literalArr(expressions);\n}\n\n/**\n * Compile a component declaration defined by the `R3ComponentMetadata`.\n */\nfunction compileDeclareComponentFromMetadata(meta, template, additionalTemplateInfo) {\n const definitionMap = createComponentDefinitionMap(meta, template, additionalTemplateInfo);\n const expression = importExpr(Identifiers.declareComponent).callFn([definitionMap.toLiteralMap()]);\n const type = createComponentType(meta);\n return {\n expression,\n type,\n statements: []\n };\n}\n/**\n * Gathers the declaration fields for a component into a `DefinitionMap`.\n */\nfunction createComponentDefinitionMap(meta, template, templateInfo) {\n const definitionMap = createDirectiveDefinitionMap(meta);\n definitionMap.set('template', getTemplateExpression(template, templateInfo));\n if (templateInfo.isInline) {\n definitionMap.set('isInline', literal(true));\n }\n definitionMap.set('styles', toOptionalLiteralArray(meta.styles, literal));\n definitionMap.set('dependencies', compileUsedDependenciesMetadata(meta));\n definitionMap.set('viewProviders', meta.viewProviders);\n definitionMap.set('animations', meta.animations);\n if (meta.changeDetection !== undefined) {\n definitionMap.set('changeDetection', importExpr(Identifiers.ChangeDetectionStrategy).prop(ChangeDetectionStrategy[meta.changeDetection]));\n }\n if (meta.encapsulation !== ViewEncapsulation.Emulated) {\n definitionMap.set('encapsulation', importExpr(Identifiers.ViewEncapsulation).prop(ViewEncapsulation[meta.encapsulation]));\n }\n if (meta.interpolation !== DEFAULT_INTERPOLATION_CONFIG) {\n definitionMap.set('interpolation', literalArr([literal(meta.interpolation.start), literal(meta.interpolation.end)]));\n }\n if (template.preserveWhitespaces === true) {\n definitionMap.set('preserveWhitespaces', literal(true));\n }\n return definitionMap;\n}\nfunction getTemplateExpression(template, templateInfo) {\n // If the template has been defined using a direct literal, we use that expression directly\n // without any modifications. This is ensures proper source mapping from the partially\n // compiled code to the source file declaring the template. Note that this does not capture\n // template literals referenced indirectly through an identifier.\n if (templateInfo.inlineTemplateLiteralExpression !== null) {\n return templateInfo.inlineTemplateLiteralExpression;\n }\n // If the template is defined inline but not through a literal, the template has been resolved\n // through static interpretation. We create a literal but cannot provide any source span. Note\n // that we cannot use the expression defining the template because the linker expects the template\n // to be defined as a literal in the declaration.\n if (templateInfo.isInline) {\n return literal(templateInfo.content, null, null);\n }\n // The template is external so we must synthesize an expression node with\n // the appropriate source-span.\n const contents = templateInfo.content;\n const file = new ParseSourceFile(contents, templateInfo.sourceUrl);\n const start = new ParseLocation(file, 0, 0, 0);\n const end = computeEndLocation(file, contents);\n const span = new ParseSourceSpan(start, end);\n return literal(contents, null, span);\n}\nfunction computeEndLocation(file, contents) {\n const length = contents.length;\n let lineStart = 0;\n let lastLineStart = 0;\n let line = 0;\n do {\n lineStart = contents.indexOf('\\n', lastLineStart);\n if (lineStart !== -1) {\n lastLineStart = lineStart + 1;\n line++;\n }\n } while (lineStart !== -1);\n return new ParseLocation(file, length, line, length - lastLineStart);\n}\nfunction compileUsedDependenciesMetadata(meta) {\n const wrapType = meta.declarationListEmitMode !== 0 /* DeclarationListEmitMode.Direct */ ? generateForwardRef : expr => expr;\n return toOptionalLiteralArray(meta.declarations, decl => {\n switch (decl.kind) {\n case R3TemplateDependencyKind.Directive:\n const dirMeta = new DefinitionMap();\n dirMeta.set('kind', literal(decl.isComponent ? 'component' : 'directive'));\n dirMeta.set('type', wrapType(decl.type));\n dirMeta.set('selector', literal(decl.selector));\n dirMeta.set('inputs', toOptionalLiteralArray(decl.inputs, literal));\n dirMeta.set('outputs', toOptionalLiteralArray(decl.outputs, literal));\n dirMeta.set('exportAs', toOptionalLiteralArray(decl.exportAs, literal));\n return dirMeta.toLiteralMap();\n case R3TemplateDependencyKind.Pipe:\n const pipeMeta = new DefinitionMap();\n pipeMeta.set('kind', literal('pipe'));\n pipeMeta.set('type', wrapType(decl.type));\n pipeMeta.set('name', literal(decl.name));\n return pipeMeta.toLiteralMap();\n case R3TemplateDependencyKind.NgModule:\n const ngModuleMeta = new DefinitionMap();\n ngModuleMeta.set('kind', literal('ngmodule'));\n ngModuleMeta.set('type', wrapType(decl.type));\n return ngModuleMeta.toLiteralMap();\n }\n });\n}\n\n/**\n * Every time we make a breaking change to the declaration interface or partial-linker behavior, we\n * must update this constant to prevent old partial-linkers from incorrectly processing the\n * declaration.\n *\n * Do not include any prerelease in these versions as they are ignored.\n */\nconst MINIMUM_PARTIAL_LINKER_VERSION$4 = '12.0.0';\nfunction compileDeclareFactoryFunction(meta) {\n const definitionMap = new DefinitionMap();\n definitionMap.set('minVersion', literal(MINIMUM_PARTIAL_LINKER_VERSION$4));\n definitionMap.set('version', literal('16.2.12'));\n definitionMap.set('ngImport', importExpr(Identifiers.core));\n definitionMap.set('type', meta.type.value);\n definitionMap.set('deps', compileDependencies(meta.deps));\n definitionMap.set('target', importExpr(Identifiers.FactoryTarget).prop(FactoryTarget$1[meta.target]));\n return {\n expression: importExpr(Identifiers.declareFactory).callFn([definitionMap.toLiteralMap()]),\n statements: [],\n type: createFactoryType(meta)\n };\n}\n\n/**\n * Every time we make a breaking change to the declaration interface or partial-linker behavior, we\n * must update this constant to prevent old partial-linkers from incorrectly processing the\n * declaration.\n *\n * Do not include any prerelease in these versions as they are ignored.\n */\nconst MINIMUM_PARTIAL_LINKER_VERSION$3 = '12.0.0';\n/**\n * Compile a Injectable declaration defined by the `R3InjectableMetadata`.\n */\nfunction compileDeclareInjectableFromMetadata(meta) {\n const definitionMap = createInjectableDefinitionMap(meta);\n const expression = importExpr(Identifiers.declareInjectable).callFn([definitionMap.toLiteralMap()]);\n const type = createInjectableType(meta);\n return {\n expression,\n type,\n statements: []\n };\n}\n/**\n * Gathers the declaration fields for a Injectable into a `DefinitionMap`.\n */\nfunction createInjectableDefinitionMap(meta) {\n const definitionMap = new DefinitionMap();\n definitionMap.set('minVersion', literal(MINIMUM_PARTIAL_LINKER_VERSION$3));\n definitionMap.set('version', literal('16.2.12'));\n definitionMap.set('ngImport', importExpr(Identifiers.core));\n definitionMap.set('type', meta.type.value);\n // Only generate providedIn property if it has a non-null value\n if (meta.providedIn !== undefined) {\n const providedIn = convertFromMaybeForwardRefExpression(meta.providedIn);\n if (providedIn.value !== null) {\n definitionMap.set('providedIn', providedIn);\n }\n }\n if (meta.useClass !== undefined) {\n definitionMap.set('useClass', convertFromMaybeForwardRefExpression(meta.useClass));\n }\n if (meta.useExisting !== undefined) {\n definitionMap.set('useExisting', convertFromMaybeForwardRefExpression(meta.useExisting));\n }\n if (meta.useValue !== undefined) {\n definitionMap.set('useValue', convertFromMaybeForwardRefExpression(meta.useValue));\n }\n // Factories do not contain `ForwardRef`s since any types are already wrapped in a function call\n // so the types will not be eagerly evaluated. Therefore we do not need to process this expression\n // with `convertFromProviderExpression()`.\n if (meta.useFactory !== undefined) {\n definitionMap.set('useFactory', meta.useFactory);\n }\n if (meta.deps !== undefined) {\n definitionMap.set('deps', literalArr(meta.deps.map(compileDependency)));\n }\n return definitionMap;\n}\n\n/**\n * Every time we make a breaking change to the declaration interface or partial-linker behavior, we\n * must update this constant to prevent old partial-linkers from incorrectly processing the\n * declaration.\n *\n * Do not include any prerelease in these versions as they are ignored.\n */\nconst MINIMUM_PARTIAL_LINKER_VERSION$2 = '12.0.0';\nfunction compileDeclareInjectorFromMetadata(meta) {\n const definitionMap = createInjectorDefinitionMap(meta);\n const expression = importExpr(Identifiers.declareInjector).callFn([definitionMap.toLiteralMap()]);\n const type = createInjectorType(meta);\n return {\n expression,\n type,\n statements: []\n };\n}\n/**\n * Gathers the declaration fields for an Injector into a `DefinitionMap`.\n */\nfunction createInjectorDefinitionMap(meta) {\n const definitionMap = new DefinitionMap();\n definitionMap.set('minVersion', literal(MINIMUM_PARTIAL_LINKER_VERSION$2));\n definitionMap.set('version', literal('16.2.12'));\n definitionMap.set('ngImport', importExpr(Identifiers.core));\n definitionMap.set('type', meta.type.value);\n definitionMap.set('providers', meta.providers);\n if (meta.imports.length > 0) {\n definitionMap.set('imports', literalArr(meta.imports));\n }\n return definitionMap;\n}\n\n/**\n * Every time we make a breaking change to the declaration interface or partial-linker behavior, we\n * must update this constant to prevent old partial-linkers from incorrectly processing the\n * declaration.\n *\n * Do not include any prerelease in these versions as they are ignored.\n */\nconst MINIMUM_PARTIAL_LINKER_VERSION$1 = '14.0.0';\nfunction compileDeclareNgModuleFromMetadata(meta) {\n const definitionMap = createNgModuleDefinitionMap(meta);\n const expression = importExpr(Identifiers.declareNgModule).callFn([definitionMap.toLiteralMap()]);\n const type = createNgModuleType(meta);\n return {\n expression,\n type,\n statements: []\n };\n}\n/**\n * Gathers the declaration fields for an NgModule into a `DefinitionMap`.\n */\nfunction createNgModuleDefinitionMap(meta) {\n const definitionMap = new DefinitionMap();\n if (meta.kind === R3NgModuleMetadataKind.Local) {\n throw new Error('Invalid path! Local compilation mode should not get into the partial compilation path');\n }\n definitionMap.set('minVersion', literal(MINIMUM_PARTIAL_LINKER_VERSION$1));\n definitionMap.set('version', literal('16.2.12'));\n definitionMap.set('ngImport', importExpr(Identifiers.core));\n definitionMap.set('type', meta.type.value);\n // We only generate the keys in the metadata if the arrays contain values.\n // We must wrap the arrays inside a function if any of the values are a forward reference to a\n // not-yet-declared class. This is to support JIT execution of the `ɵɵngDeclareNgModule()` call.\n // In the linker these wrappers are stripped and then reapplied for the `ɵɵdefineNgModule()` call.\n if (meta.bootstrap.length > 0) {\n definitionMap.set('bootstrap', refsToArray(meta.bootstrap, meta.containsForwardDecls));\n }\n if (meta.declarations.length > 0) {\n definitionMap.set('declarations', refsToArray(meta.declarations, meta.containsForwardDecls));\n }\n if (meta.imports.length > 0) {\n definitionMap.set('imports', refsToArray(meta.imports, meta.containsForwardDecls));\n }\n if (meta.exports.length > 0) {\n definitionMap.set('exports', refsToArray(meta.exports, meta.containsForwardDecls));\n }\n if (meta.schemas !== null && meta.schemas.length > 0) {\n definitionMap.set('schemas', literalArr(meta.schemas.map(ref => ref.value)));\n }\n if (meta.id !== null) {\n definitionMap.set('id', meta.id);\n }\n return definitionMap;\n}\n\n/**\n * Every time we make a breaking change to the declaration interface or partial-linker behavior, we\n * must update this constant to prevent old partial-linkers from incorrectly processing the\n * declaration.\n *\n * Do not include any prerelease in these versions as they are ignored.\n */\nconst MINIMUM_PARTIAL_LINKER_VERSION = '14.0.0';\n/**\n * Compile a Pipe declaration defined by the `R3PipeMetadata`.\n */\nfunction compileDeclarePipeFromMetadata(meta) {\n const definitionMap = createPipeDefinitionMap(meta);\n const expression = importExpr(Identifiers.declarePipe).callFn([definitionMap.toLiteralMap()]);\n const type = createPipeType(meta);\n return {\n expression,\n type,\n statements: []\n };\n}\n/**\n * Gathers the declaration fields for a Pipe into a `DefinitionMap`.\n */\nfunction createPipeDefinitionMap(meta) {\n const definitionMap = new DefinitionMap();\n definitionMap.set('minVersion', literal(MINIMUM_PARTIAL_LINKER_VERSION));\n definitionMap.set('version', literal('16.2.12'));\n definitionMap.set('ngImport', importExpr(Identifiers.core));\n // e.g. `type: MyPipe`\n definitionMap.set('type', meta.type.value);\n if (meta.isStandalone) {\n definitionMap.set('isStandalone', literal(meta.isStandalone));\n }\n // e.g. `name: \"myPipe\"`\n definitionMap.set('name', literal(meta.pipeName));\n if (meta.pure === false) {\n // e.g. `pure: false`\n definitionMap.set('pure', literal(meta.pure));\n }\n return definitionMap;\n}\n\n//////////////////////////////////////\n// This file only reexports content of the `src` folder. Keep it that way.\n// This function call has a global side effects and publishes the compiler into global namespace for\n// the late binding of the Compiler to the @angular/core for jit compilation.\npublishFacade(_global);\n\n/**\n * @module\n * @description\n * Entry point for all public APIs of this package.\n */\n// This file only reexports content of the `src` folder. Keep it that way.\n\n// This file is not used to build this module. It is only used during editing\n\n// This file is not used to build this module. It is only used during editing\n\nexport { AST, ASTWithName, ASTWithSource, AbsoluteSourceSpan, ArrayType, AstMemoryEfficientTransformer, AstTransformer, Attribute, Binary, BinaryOperator, BinaryOperatorExpr, BindingPipe, Block, BlockGroup, BlockParameter, BoundElementProperty, BuiltinType, BuiltinTypeName, CUSTOM_ELEMENTS_SCHEMA, Call, Chain, ChangeDetectionStrategy, CommaExpr, Comment, CompilerConfig, Conditional, ConditionalExpr, ConstantPool, CssSelector, DEFAULT_INTERPOLATION_CONFIG, DYNAMIC_TYPE, DeclareFunctionStmt, DeclareVarStmt, DomElementSchemaRegistry, DynamicImportExpr, EOF, Element, ElementSchemaRegistry, EmitterVisitorContext, EmptyExpr$1 as EmptyExpr, Expansion, ExpansionCase, Expression, ExpressionBinding, ExpressionStatement, ExpressionType, ExternalExpr, ExternalReference, FactoryTarget$1 as FactoryTarget, FunctionExpr, HtmlParser, HtmlTagDefinition, I18NHtmlParser, IfStmt, ImplicitReceiver, InstantiateExpr, Interpolation$1 as Interpolation, InterpolationConfig, InvokeFunctionExpr, JSDocComment, JitEvaluator, KeyedRead, KeyedWrite, LeadingComment, Lexer, LiteralArray, LiteralArrayExpr, LiteralExpr, LiteralMap, LiteralMapExpr, LiteralPrimitive, LocalizedString, MapType, MessageBundle, NONE_TYPE, NO_ERRORS_SCHEMA, NodeWithI18n, NonNullAssert, NotExpr, ParseError, ParseErrorLevel, ParseLocation, ParseSourceFile, ParseSourceSpan, ParseSpan, ParseTreeResult, ParsedEvent, ParsedProperty, ParsedPropertyType, ParsedVariable, Parser$1 as Parser, ParserError, PrefixNot, PropertyRead, PropertyWrite, R3BoundTarget, Identifiers as R3Identifiers, R3NgModuleMetadataKind, R3SelectorScopeMode, R3TargetBinder, R3TemplateDependencyKind, ReadKeyExpr, ReadPropExpr, ReadVarExpr, RecursiveAstVisitor, RecursiveVisitor, ResourceLoader, ReturnStatement, STRING_TYPE, SafeCall, SafeKeyedRead, SafePropertyRead, SelectorContext, SelectorListContext, SelectorMatcher, Serializer, SplitInterpolation, Statement, StmtModifier, TagContentType, TaggedTemplateExpr, TemplateBindingParseResult, TemplateLiteral, TemplateLiteralElement, Text, ThisReceiver, BoundAttribute as TmplAstBoundAttribute, BoundDeferredTrigger as TmplAstBoundDeferredTrigger, BoundEvent as TmplAstBoundEvent, BoundText as TmplAstBoundText, Content as TmplAstContent, DeferredBlock as TmplAstDeferredBlock, DeferredBlockError as TmplAstDeferredBlockError, DeferredBlockLoading as TmplAstDeferredBlockLoading, DeferredBlockPlaceholder as TmplAstDeferredBlockPlaceholder, DeferredTrigger as TmplAstDeferredTrigger, Element$1 as TmplAstElement, HoverDeferredTrigger as TmplAstHoverDeferredTrigger, Icu$1 as TmplAstIcu, IdleDeferredTrigger as TmplAstIdleDeferredTrigger, ImmediateDeferredTrigger as TmplAstImmediateDeferredTrigger, InteractionDeferredTrigger as TmplAstInteractionDeferredTrigger, RecursiveVisitor$1 as TmplAstRecursiveVisitor, Reference as TmplAstReference, Template as TmplAstTemplate, Text$3 as TmplAstText, TextAttribute as TmplAstTextAttribute, TimerDeferredTrigger as TmplAstTimerDeferredTrigger, Variable as TmplAstVariable, ViewportDeferredTrigger as TmplAstViewportDeferredTrigger, Token, TokenType, TransplantedType, TreeError, Type, TypeModifier, TypeofExpr, Unary, UnaryOperator, UnaryOperatorExpr, VERSION, VariableBinding, Version, ViewEncapsulation, WrappedNodeExpr, WriteKeyExpr, WritePropExpr, WriteVarExpr, Xliff, Xliff2, Xmb, XmlParser, Xtb, _ParseAST, compileClassMetadata, compileComponentFromMetadata, compileDeclareClassMetadata, compileDeclareComponentFromMetadata, compileDeclareDirectiveFromMetadata, compileDeclareFactoryFunction, compileDeclareInjectableFromMetadata, compileDeclareInjectorFromMetadata, compileDeclareNgModuleFromMetadata, compileDeclarePipeFromMetadata, compileDirectiveFromMetadata, compileFactoryFunction, compileInjectable, compileInjector, compileNgModule, compilePipeFromMetadata, computeMsgId, core, createInjectableType, createMayBeForwardRefExpression, devOnlyGuardedExpression, emitDistinctChangesOnlyDefaultValue, getHtmlTagDefinition, getNsPrefix, getSafePropertyAccessString, identifierName, isIdentifier, isNgContainer, isNgContent, isNgTemplate, jsDocComment, leadingComment, literalMap, makeBindingParser, mergeNsAndName, output_ast as outputAst, parseHostBindings, parseTemplate, preserveWhitespacesDefault, publishFacade, r3JitTypeSourceSpan, sanitizeIdentifier, splitNsName, verifyHostBindings, visitAll };","map":{"version":3,"names":["_SELECTOR_REGEXP","RegExp","CssSelector","constructor","element","classNames","attrs","notSelectors","parse","selector","results","_addResult","res","cssSel","length","push","cssSelector","match","current","inNot","lastIndex","exec","Error","tag","prefix","addAttribute","slice","addClassName","setElement","attribute","unescapeAttribute","attr","result","escaping","i","char","charAt","escapeAttribute","replace","isElementSelector","hasElementSelector","getAttrs","join","concat","name","value","toLowerCase","toString","forEach","klass","notSelector","SelectorMatcher","_elementMap","Map","_elementPartialMap","_classMap","_classPartialMap","_attrValueMap","_attrValuePartialMap","_listContexts","createNotMatcher","notMatcher","addSelectables","cssSelectors","callbackCtxt","listContext","SelectorListContext","_addSelectable","matcher","selectable","SelectorContext","isTerminal","_addTerminal","_addPartial","className","terminalMap","terminalValuesMap","get","set","partialMap","partialValuesMap","map","terminalList","matchedCallback","alreadyMatched","_matchTerminal","_matchPartial","selectables","starSelectables","finalize","nestedSelector","selectors","cbContext","callback","emitDistinctChangesOnlyDefaultValue","ViewEncapsulation","ChangeDetectionStrategy","CUSTOM_ELEMENTS_SCHEMA","NO_ERRORS_SCHEMA","Type$1","Function","SecurityContext","MissingTranslationStrategy","parserSelectorToSimpleSelector","classes","elementName","parserSelectorToNegativeSelector","parserSelectorToR3Selector","positive","negative","parseSelectorToR3Selector","core","Object","freeze","__proto__","Type","BigInteger","zero","one","digits","clone","add","other","addToSelf","maxNrOfDigits","Math","max","carry","digitSum","BigIntForMultiplication","powerOfTwos","getValue","multiplyBy","num","product","multiplyByAndAddTo","exponent","getMultipliedByPowerOfTwo","previousPower","BigIntExponentiation","base","exponents","toThePowerOf","textEncoder","digest$1","message","id","computeDigest","sha1","serializeNodes","nodes","meaning","decimalDigest","computeDecimalDigest","visitor","_SerializerIgnoreIcuExpVisitor","parts","a","visit","computeMsgId","_SerializerVisitor","visitText","text","context","visitContainer","container","children","child","visitIcu","icu","strCases","keys","cases","k","expression","type","visitTagPlaceholder","ph","isVoid","startName","closeName","visitPlaceholder","visitIcuPlaceholder","serializerVisitor$1","str","TextEncoder","utf8","encode","words32","bytesToWords32","Endian","Big","len","w","Uint32Array","b","c","d","e","h0","h1","h2","h3","h4","j","rol32","fkVal","fk","f","temp","reduce","add32","toHexU32","padStart","index","fingerprint","view","DataView","buffer","byteOffset","byteLength","hi","hash32","lo","msg","msgFingerprint","meaningFingerprint","add64","rol64","wordsToDecimalString","end","getUint32","mix","remainder","getUint8","add32to64","low","high","ah","al","bh","bl","l","h","count","bytes","endian","size","wordAt","byteAt","word","base256","decimal","TypeModifier","modifiers","None","hasModifier","modifier","BuiltinTypeName","BuiltinType","visitType","visitBuiltinType","ExpressionType","typeParams","visitExpressionType","ArrayType","of","visitArrayType","MapType","valueType","visitMapType","TransplantedType","visitTransplantedType","DYNAMIC_TYPE","Dynamic","INFERRED_TYPE","Inferred","BOOL_TYPE","Bool","INT_TYPE","Int","NUMBER_TYPE","Number","STRING_TYPE","String","FUNCTION_TYPE","NONE_TYPE","UnaryOperator","BinaryOperator","nullSafeIsEquivalent","isEquivalent","areAllEquivalentPredicate","equivalentPredicate","areAllEquivalent","baseElement","otherElement","Expression","sourceSpan","prop","ReadPropExpr","key","ReadKeyExpr","callFn","params","pure","InvokeFunctionExpr","instantiate","InstantiateExpr","conditional","trueCase","falseCase","ConditionalExpr","equals","rhs","BinaryOperatorExpr","Equals","notEquals","NotEquals","identical","Identical","notIdentical","NotIdentical","minus","Minus","plus","Plus","divide","Divide","multiply","Multiply","modulo","Modulo","and","And","bitwiseAnd","parens","BitwiseAnd","or","Or","lower","Lower","lowerEquals","LowerEquals","bigger","Bigger","biggerEquals","BiggerEquals","isBlank","TYPED_NULL_EXPR","nullishCoalesce","NullishCoalesce","toStmt","ExpressionStatement","ReadVarExpr","isConstant","visitExpression","visitReadVarExpr","WriteVarExpr","TypeofExpr","expr","visitTypeofExpr","WrappedNodeExpr","node","visitWrappedNodeExpr","visitWriteVarExpr","toDeclStmt","DeclareVarStmt","toConstDecl","StmtModifier","Final","WriteKeyExpr","receiver","visitWriteKeyExpr","WritePropExpr","visitWritePropExpr","fn","args","visitInvokeFunctionExpr","arg","TaggedTemplateExpr","template","elements","expressions","visitTaggedTemplateExpr","classExpr","visitInstantiateExpr","LiteralExpr","visitLiteralExpr","TemplateLiteral","el","TemplateLiteralElement","rawText","escapeForTemplateLiteral","escapeSlashes","LiteralPiece","PlaceholderPiece","associatedMessage","MEANING_SEPARATOR$1","ID_SEPARATOR$1","LEGACY_ID_INDICATOR","LocalizedString","metaBlock","messageParts","placeHolderNames","visitLocalizedString","serializeI18nHead","description","customId","legacyIds","legacyId","createCookedRawString","getMessagePartSourceSpan","getPlaceholderSourceSpan","serializeI18nTemplatePart","partIndex","placeholder","messagePart","messageString","escapeStartingColon","escapeColons","range","cooked","raw","ExternalExpr","moduleName","runtime","visitExternalExpr","ExternalReference","condition","visitConditionalExpr","DynamicImportExpr","url","visitDynamicImportExpr","NotExpr","visitNotExpr","FnParam","param","FunctionExpr","statements","visitFunctionExpr","DeclareFunctionStmt","p","UnaryOperatorExpr","operator","visitUnaryOperatorExpr","lhs","visitBinaryOperatorExpr","visitReadPropExpr","visitReadKeyExpr","LiteralArrayExpr","entries","every","visitLiteralArrayExpr","LiteralMapEntry","quoted","LiteralMapExpr","visitLiteralMapExpr","entriesClone","entry","CommaExpr","visitCommaExpr","NULL_EXPR","LeadingComment","multiline","trailingNewline","JSDocComment","tags","serializeTags","Statement","leadingComments","addLeadingComment","leadingComment","stmt","visitStatement","visitDeclareVarStmt","visitDeclareFunctionStmt","visitExpressionStmt","ReturnStatement","visitReturnStmt","IfStmt","visitIfStmt","RecursiveAstVisitor$1","ast","visitAllExpressions","visitAllStatements","exprs","stmts","jsDocComment","variable","importExpr","importType","typeModifiers","expressionType","transplantedType","typeofExpr","literalArr","values","literalMap","unary","not","body","ifStmt","thenClause","elseClause","taggedTemplate","literal","localizedString","placeholderNames","isNull","exp","tagToString","out","tagName","output_ast","RecursiveAstVisitor","CONSTANT_PREFIX","UNKNOWN_VALUE_KEY","KEY_CONTEXT","POOL_INCLUSION_LENGTH_THRESHOLD_FOR_STRINGS","FixupExpression","resolved","shared","original","fixup","ConstantPool","isClosureCompilerEnabled","literals","literalFactories","sharedConstants","nextNameIndex","getConstLiteral","forceShared","isLongStringLiteral","GenericKeyFn","INSTANCE","keyOf","newValue","freshName","definition","usage","getSharedConstant","def","has","toSharedConstantDeclaration","getLiteralFactory","argumentsForKey","_getLiteralFactory","expressionForKey","resultMap","literalFactory","literalFactoryArguments","filter","resultExpressions","parameters","isVariable","pureFunctionDeclaration","uniqueName","CORE","Identifiers","NEW_METHOD","TRANSFORM_METHOD","PATCH_DEPS","namespaceHTML","namespaceMathML","namespaceSVG","elementStart","elementEnd","advance","syntheticHostProperty","syntheticHostListener","attributeInterpolate1","attributeInterpolate2","attributeInterpolate3","attributeInterpolate4","attributeInterpolate5","attributeInterpolate6","attributeInterpolate7","attributeInterpolate8","attributeInterpolateV","classProp","elementContainerStart","elementContainerEnd","elementContainer","styleMap","styleMapInterpolate1","styleMapInterpolate2","styleMapInterpolate3","styleMapInterpolate4","styleMapInterpolate5","styleMapInterpolate6","styleMapInterpolate7","styleMapInterpolate8","styleMapInterpolateV","classMap","classMapInterpolate1","classMapInterpolate2","classMapInterpolate3","classMapInterpolate4","classMapInterpolate5","classMapInterpolate6","classMapInterpolate7","classMapInterpolate8","classMapInterpolateV","styleProp","stylePropInterpolate1","stylePropInterpolate2","stylePropInterpolate3","stylePropInterpolate4","stylePropInterpolate5","stylePropInterpolate6","stylePropInterpolate7","stylePropInterpolate8","stylePropInterpolateV","nextContext","resetView","templateCreate","defer","enableBindings","disableBindings","getCurrentView","textInterpolate","textInterpolate1","textInterpolate2","textInterpolate3","textInterpolate4","textInterpolate5","textInterpolate6","textInterpolate7","textInterpolate8","textInterpolateV","restoreView","pureFunction0","pureFunction1","pureFunction2","pureFunction3","pureFunction4","pureFunction5","pureFunction6","pureFunction7","pureFunction8","pureFunctionV","pipeBind1","pipeBind2","pipeBind3","pipeBind4","pipeBindV","hostProperty","property","propertyInterpolate","propertyInterpolate1","propertyInterpolate2","propertyInterpolate3","propertyInterpolate4","propertyInterpolate5","propertyInterpolate6","propertyInterpolate7","propertyInterpolate8","propertyInterpolateV","i18n","i18nAttributes","i18nExp","i18nStart","i18nEnd","i18nApply","i18nPostprocess","pipe","projection","projectionDef","reference","inject","injectAttribute","directiveInject","invalidFactory","invalidFactoryDep","templateRefExtractor","forwardRef","resolveForwardRef","ɵɵdefineInjectable","declareInjectable","InjectableDeclaration","resolveWindow","resolveDocument","resolveBody","defineComponent","declareComponent","setComponentScope","ComponentDeclaration","FactoryDeclaration","declareFactory","FactoryTarget","defineDirective","declareDirective","DirectiveDeclaration","InjectorDef","InjectorDeclaration","defineInjector","declareInjector","NgModuleDeclaration","ModuleWithProviders","defineNgModule","declareNgModule","setNgModuleScope","registerNgModuleType","PipeDeclaration","definePipe","declarePipe","declareClassMetadata","setClassMetadata","queryRefresh","viewQuery","loadQuery","contentQuery","NgOnChangesFeature","InheritDefinitionFeature","CopyDefinitionFeature","StandaloneFeature","ProvidersFeature","HostDirectivesFeature","InputTransformsFeatureFeature","listener","getInheritedFactory","sanitizeHtml","sanitizeStyle","sanitizeResourceUrl","sanitizeScript","sanitizeUrl","sanitizeUrlOrResourceUrl","trustConstantHtml","trustConstantResourceUrl","validateIframeAttribute","DASH_CASE_REGEXP","dashCaseToCamelCase","input","m","toUpperCase","splitAtColon","defaultValues","_splitAt","splitAtPeriod","character","characterIndex","indexOf","trim","noUndefined","val","undefined","error","escapeRegExp","s","utf8Encode","encoded","codePoint","charCodeAt","stringify","token","Array","isArray","overriddenName","newLineIndex","substring","Version","full","splits","split","major","minor","patch","_global","globalThis","newArray","list","partitionArray","arr","conditionFn","truthy","falsy","item","VERSION$1","JS_B64_PREFIX","SourceMapGenerator","file","sourcesContent","lines","lastCol0","hasMappings","addSource","content","addLine","addMapping","col0","sourceUrl","sourceLine0","sourceCol0","currentLine","toJSON","sourcesIndex","sources","from","mappings","lastSourceIndex","lastSourceLine0","lastSourceCol0","segments","segment","segAsStr","toBase64VLQ","toJsComment","toBase64String","JSON","b64","i1","i2","i3","toBase64Digit","digit","B64_DIGITS","_SINGLE_QUOTE_ESCAPE_STRING_RE","_LEGAL_IDENTIFIER_RE","_INDENT_WITH","_EmittedLine","indent","partsLength","srcSpans","EmitterVisitorContext","createRoot","_indent","_lines","_currentLine","println","lastPart","print","lineIsEmpty","lineLength","part","newLine","removeEmptyLastLine","pop","incIndent","decIndent","toSource","sourceLines","_createIndent","toSourceMapGenerator","genFilePath","startsAtLine","firstOffsetMapped","mapFirstOffsetIfNeeded","line","lineIdx","spans","spanIdx","span","source","start","sourceLine","sourceCol","col","spanOf","column","emittedLine","columnsLeft","AbstractEmitterVisitor","_escapeDollarInStrings","printLeadingComments","ctx","comment","hasElseCase","lineWasEmpty","escapeIdentifier","head","opStr","visitAllObjects","separator","handler","incrementedIndent","escapeDollar","alwaysQuote","requiresQuotes","test","typeWithParameters","numParams","ANIMATE_SYMBOL_PREFIX","prepareSyntheticPropertyName","prepareSyntheticListenerName","phase","getSafePropertyAccessString","accessor","escapedName","prepareSyntheticListenerFunctionName","jitOnlyGuardedExpression","guardedExpression","devOnlyGuardedExpression","guard","guardExpr","guardNotDefined","guardUndefinedOrTrue","wrapReference","wrapped","refsToArray","refs","shouldForwardDeclare","ref","createMayBeForwardRefExpression","convertFromMaybeForwardRefExpression","generateForwardRef","R3FactoryDelegateType","FactoryTarget$1","compileFactoryFunction","meta","t","baseFactoryVar","typeForCtor","isDelegatedFactoryMetadata","ctorExpr","deps","injectDependencies","target","retExpr","makeConditionalFactory","nonCtorExpr","r","ctorStmt","delegateArgs","delegateDeps","factoryExpr","delegateType","Class","delegate","isExpressionFactoryMetadata","getInheritedFactoryCall","baseFactory","factoryFn","createFactoryType","ctorDepsType","createCtorDepsType","typeArgumentCount","dep","compileInjectDependency","attributeNameType","flags","self","skipSelf","host","optional","Pipe","flagsParam","injectArgs","injectFn","getInjectFn","hasTypes","attributeTypes","createCtorDepType","Component","Directive","NgModule","Injectable","Comment$1","_visitor","Text$3","BoundText","visitBoundText","TextAttribute","keySpan","valueSpan","visitTextAttribute","BoundAttribute","securityContext","unit","fromBoundElementProperty","visitBoundAttribute","BoundEvent","handlerSpan","fromParsedEvent","event","targetOrPhase","visitBoundEvent","Element$1","attributes","inputs","outputs","references","startSourceSpan","endSourceSpan","visitElement","DeferredTrigger","visitDeferredTrigger","BoundDeferredTrigger","IdleDeferredTrigger","ImmediateDeferredTrigger","HoverDeferredTrigger","TimerDeferredTrigger","delay","InteractionDeferredTrigger","ViewportDeferredTrigger","DeferredBlockPlaceholder","minimumTime","visitDeferredBlockPlaceholder","DeferredBlockLoading","afterTime","visitDeferredBlockLoading","DeferredBlockError","visitDeferredBlockError","DeferredBlock","triggers","prefetchTriggers","loading","visitDeferredBlock","Template","templateAttrs","variables","visitTemplate","Content","visitContent","Variable","visitVariable","Reference","visitReference","Icu$1","vars","placeholders","RecursiveVisitor$1","visitAll$1","deferred","block","trigger","newNode","Message","placeholderToMessage","serializeMessage","filePath","startLine","startCol","endLine","endCol","Text$2","Container","Icu","expressionPlaceholder","TagPlaceholder","Placeholder","IcuPlaceholder","CloneVisitor","n","RecurseVisitor","messageNodes","LocalizeMessageStringVisitor","Serializer","createNameMapper","SimplePlaceholderMapper","mapName","internalToPublic","publicToNextId","publicToInternal","toPublicName","internalName","hasOwnProperty","toInternalName","publicName","visitPlaceholderName","nextId","_Visitor$2","visitTag","strAttrs","_serializeAttributes","strChildren","visitDeclaration","decl","visitDoctype","doctype","rootTag","dtd","serialize","Declaration","unescapedAttrs","escapeXml","Doctype","Tag","Text$1","unescapedValue","CR","ws","_ESCAPED_CHARS","_MESSAGES_TAG","_MESSAGE_TAG","_PLACEHOLDER_TAG$3","_EXAMPLE_TAG","_SOURCE_TAG$2","_DOCTYPE","Xmb","write","messages","locale","exampleVisitor","ExampleVisitor","_Visitor$1","rootNode","sourceTags","version","encoding","addDefaultExamples","load","digest","startTagAsText","startEx","startTagPh","closeTagAsText","closeEx","closeTagPh","interpolationAsText","exTag","icuExpression","icuType","icuCases","icuAsText","exText","CLOSURE_TRANSLATION_VAR_PREFIX","TRANSLATION_VAR_PREFIX","I18N_ATTR","I18N_ATTR_PREFIX","I18N_ICU_VAR_PREFIX","I18N_ICU_MAPPING_PREFIX","I18N_PLACEHOLDER_SYMBOL","isI18nAttribute","startsWith","isI18nRootNode","isSingleI18nIcu","hasI18nMeta","hasI18nAttrs","some","icuFromI18nMessage","wrapI18nPlaceholder","contextId","blockId","assembleI18nBoundString","strings","bindingStartIndex","acc","lastIdx","getSeqNumberGenerator","startsAt","placeholdersToParams","updatePlaceholderMap","assembleBoundTextPlaceholders","startIdx","find","idx","formatI18nPlaceholderNamesInMap","useCamelCase","_params","formatI18nPlaceholderName","chunks","postfix","shift","getTranslationConstPrefix","extra","declareI18nVariable","UNSAFE_OBJECT_KEY_NAME_REGEXP","TEMPORARY_NAME","CONTEXT_NAME","RENDER_FLAGS","REFERENCE_PREFIX","IMPLICIT_REFERENCE","NON_BINDABLE_ATTR","RESTORED_VIEW_CONTEXT_NAME","MAX_CHAIN_LENGTH","CHAINABLE_INSTRUCTIONS","Set","invokeInstruction","temporaryAllocator","invalid","asLiteral","conditionallyCreateDirectiveBindingLiteral","keepDeclared","getOwnPropertyNames","declaredName","minifiedName","expressionValue","classPropertyName","bindingPropertyName","transformFunction","expressionKeys","trimTrailingNulls","getQueryPredicate","query","constantPool","predicate","DefinitionMap","toLiteralMap","getAttrsForDirectiveMatching","elOrTpl","attributesMap","o","getInterpolationArgsLength","interpolation","getInstructionStatements","instructions","pendingExpression","pendingExpressionType","chainLength","resolvedParams","paramsOrFn","compileInjectable","resolveForwardRefs","factoryMeta","useClass","useClassOnSelf","delegateToFactory","useFactory","useValue","useExisting","injectableProps","providedIn","createInjectableType","useType","unwrapForwardRefs","createFactoryFunction","unwrappedType","UNUSABLE_INTERPOLATION_REGEXPS","assertInterpolationSymbols","identifier","regexp","InterpolationConfig","fromArray","markers","DEFAULT_INTERPOLATION_CONFIG","$EOF","$BSPACE","$TAB","$LF","$VTAB","$FF","$CR","$SPACE","$BANG","$DQ","$HASH","$$","$PERCENT","$AMPERSAND","$SQ","$LPAREN","$RPAREN","$STAR","$PLUS","$COMMA","$MINUS","$PERIOD","$SLASH","$COLON","$SEMICOLON","$LT","$EQ","$GT","$QUESTION","$0","$7","$9","$A","$E","$F","$X","$Z","$LBRACKET","$BACKSLASH","$RBRACKET","$CARET","$_","$a","$b","$e","$f","$n","$r","$t","$u","$v","$x","$z","$LBRACE","$BAR","$RBRACE","$NBSP","$PIPE","$TILDA","$AT","$BT","isWhitespace","code","isDigit","isAsciiLetter","isAsciiHexDigit","isNewLine","isOctalDigit","isQuote","ParseLocation","offset","moveBy","delta","ch","priorLine","lastIndexOf","fromCharCode","getContext","maxChars","maxLines","startOffset","endOffset","ctxChars","ctxLines","before","after","ParseSourceFile","ParseSourceSpan","fullStart","details","ParseErrorLevel","ParseError","level","ERROR","contextualMessage","r3JitTypeSourceSpan","kind","typeName","sourceFileName","sourceFile","_anonymousTypeIndex","identifierName","compileIdentifier","sanitizeIdentifier","makeTemplateObjectPolyfill","AbstractJsEmitterVisitor","_visitParams","policy","getPolicy","trustedTypes","createPolicy","createScript","trustedScriptFromString","script","newTrustedFunctionForJIT","fnArgs","fnBody","bind","JitEvaluator","evaluateStatements","refResolver","createSourceMaps","converter","JitEmitterVisitor","isUseStrictStatement","createReturnStmt","evaluateCode","getArgs","createSourceMap","fnArgNames","fnArgValues","argName","emptyFn","headerLines","executeFunction","_evalArgNames","_evalArgValues","_evalExportedVars","resultVar","_emitReferenceToExternal","resolveExternalReference","Exported","statement","compileInjector","definitionMap","providers","imports","createInjectorType","R3JitReflector","R3SelectorScopeMode","R3NgModuleMetadataKind","compileNgModule","Global","bootstrap","containsForwardDecls","bootstrapExpression","selectorScopeMode","Inline","declarations","exports","SideEffect","setNgModuleScopeCall","generateSetNgModuleScopeCall","schemas","createNgModuleType","compileNgModuleDeclarationExpression","Local","moduleType","includeImportTypes","publicDeclarationTypes","tupleTypeOf","tupleOfTypes","scopeMap","declarationsExpression","importsExpression","exportsExpression","fnCall","guardedCall","iife","iifeCall","types","typeofTypes","compilePipeFromMetadata","metadata","definitionMapValues","pipeName","isStandalone","createPipeType","R3TemplateDependencyKind","ParserError","errLocation","ctxLocation","ParseSpan","toAbsolute","absoluteOffset","AbsoluteSourceSpan","AST","ASTWithName","nameSpan","EmptyExpr$1","ImplicitReceiver","visitImplicitReceiver","ThisReceiver","visitThisReceiver","Chain","visitChain","Conditional","trueExp","falseExp","visitConditional","PropertyRead","visitPropertyRead","PropertyWrite","visitPropertyWrite","SafePropertyRead","visitSafePropertyRead","KeyedRead","visitKeyedRead","SafeKeyedRead","visitSafeKeyedRead","KeyedWrite","visitKeyedWrite","BindingPipe","visitPipe","LiteralPrimitive","visitLiteralPrimitive","LiteralArray","visitLiteralArray","LiteralMap","visitLiteralMap","Interpolation$1","visitInterpolation","Binary","operation","left","right","visitBinary","Unary","createMinus","createPlus","binaryOp","binaryLeft","binaryRight","visitUnary","PrefixNot","visitPrefixNot","NonNullAssert","visitNonNullAssert","Call","argumentSpan","visitCall","SafeCall","visitSafeCall","ASTWithSource","location","errors","visitASTWithSource","VariableBinding","ExpressionBinding","visitAll","asts","AstTransformer","AstMemoryEfficientTransformer","obj","modified","ParsedProperty","isLiteral","ParsedPropertyType","LITERAL_ATTR","isAnimation","ANIMATION","ParsedEvent","ParsedVariable","BoundElementProperty","EventHandlerVars","convertActionBinding","localResolver","implicitReceiver","action","bindingId","baseSourceSpan","implicitReceiverAccesses","globals","DefaultLocalResolver","actionWithoutBuiltins","convertPropertyBindingBuiltins","createLiteralArrayConverter","argCount","createLiteralMapConverter","createPipeConverter","_AstToIrVisitor","actionStmts","flattenStatements","_Mode","prependTemporaryDecls","temporaryCount","usesImplicitReceiver","notifyImplicitReceiverUse","lastStatement","converterFactory","convertBuiltins","ConvertPropertyBindingResult","currValExpr","convertPropertyBinding","expressionWithoutBuiltins","outputExpr","getStatementsFromVisitor","convertUpdateArguments","contextVariableExpression","expressionWithArgumentsToExtract","temporaryDeclaration","_BuiltinAstConverter","temporaryName","temporaryNumber","unshift","ensureStatementMode","mode","ensureExpressionMode","convertToStatementIfNeeded","_converterFactory","BuiltinFunctionCall","_localResolver","_implicitReceiver","supportsInterpolation","_nodeMap","_resultMap","_currentTemporary","op","_visit","convertSourceSpan","convertNullishCoalesce","InterpolationExpression","leftMostSafe","leftMostSafeNode","convertSafeAccess","maybeRestoreView","_getLocal","getLocal","prevUsesImplicitReceiver","addImplicitReceiverAccess","varExpr","localExpr","convertedArgs","call","temporary","needsTemporaryInSafeAccess","allocateTemporary","access","delete","releaseTemporary","visitSome","tempNumber","output","unsupported","_SECURITY_SCHEMA","SECURITY_SCHEMA","registerContext","HTML","STYLE","URL","RESOURCE_URL","specs","spec","IFRAME_SECURITY_SENSITIVE_ATTRS","isIframeSecuritySensitiveAttr","attrName","animationKeywords","ShadowCss","_animationDeclarationKeyframesRe","shimCssText","cssText","hostSelector","comments","_commentRe","_commentWithHashRe","newLinesMatches","_newLinesRe","COMMENT_PLACEHOLDER","_insertDirectives","scopedCssText","_scopeCssText","commentIdx","_commentWithHashPlaceHolderRe","_insertPolyfillDirectivesInCssText","_insertPolyfillRulesInCssText","_scopeKeyframesRelatedCss","scopeSelector","unscopedKeyframesSet","scopedKeyframesCssText","processRules","rule","_scopeLocalKeyframeDeclarations","_scopeAnimationRule","_","quote","keyframeName","endSpaces","unescapeQuotes","_scopeAnimationKeyframe","keyframe","spaces1","spaces2","animationDeclarations","leadingSpaces","quotedName","nonQuotedName","_match","commaSeparatedKeyframes","_cssContentNextSelectorRe","_cssContentRuleRe","unscopedRules","_extractUnscopedRulesFromCssText","_insertPolyfillHostInCssText","_convertColonHost","_convertColonHostContext","_convertShadowDOMSelectors","_scopeSelectors","_cssContentUnscopedRuleRe","_cssColonHostRe","hostSelectors","otherSelectors","convertedSelectors","hostSelectorArray","convertedSelector","_polyfillHostNoCombinator","_polyfillHost","_cssColonHostContextReGlobal","selectorText","contextSelectorGroups","_cssColonHostContextRe","newContextSelectors","contextSelectorGroupsLength","repeatGroups","contextSelectors","combineHostContextSelectors","_shadowDOMSelectorsRe","pattern","_scopeSelector","_stripScopingSelectors","CssRule","_shadowDeepSelectors","_polyfillHostNoCombinatorRe","deepParts","shallowPart","otherParts","applyScope","_selectorNeedsScoping","_applySelectorScope","re","_makeScopeMatcher","lre","rre","_selectorReSuffix","_applySimpleSelectorScope","_polyfillHostRe","replaceBy","hnc","colon","isRe","_scopeSelectorPart","scopedP","matches","safeContent","SafeSelector","scopedSelector","startIndex","sep","hasHost","shouldScope","_placeholderRe","scopedPart","restore","_colonHostContextRe","_polyfillHostContext","_colonHostRe","_escapeRegexMatches","_content","pseudo","_ph","keep","_parenSuffix","BLOCK_PLACEHOLDER","_ruleRe","CONTENT_PAIRS","COMMA_IN_PLACEHOLDER","SEMI_IN_PLACEHOLDER","COLON_IN_PLACEHOLDER","_cssCommaInPlaceholderReGlobal","_cssSemiInPlaceholderReGlobal","_cssColonInPlaceholderReGlobal","ruleCallback","escaped","escapeInStrings","inputWithEscapedBlocks","escapeBlocks","nextBlockIndex","escapedResult","escapedString","suffix","contentPrefix","blocks","unescapeInStrings","StringWithEscapedBlocks","charPairs","resultParts","escapedBlocks","openCharCount","nonBlockStartIndex","blockStartIndex","openChar","closeChar","ESCAPE_IN_STRING_MAP","currentQuoteChar","substr","isQuoted","hostMarker","otherSelectorsHasHost","combined","contextSelector","previousSelectors","groups","multiples","TagContentType","splitNsName","colonIndex","isNgContainer","isNgContent","isNgTemplate","getNsPrefix","fullName","mergeNsAndName","localName","BindingKind","FLYWEIGHT_ARRAY","ElementAttributes","known","byKind","projectAs","Attribute","ClassName","styles","StyleProperty","bindings","Property","I18n","array","arrayFor","getAttributeNameLiterals$1","attributeNamespace","attributeName","nameLiteral","assertIsElementAttributes","OpKind","ExpressionKind","SemanticVariableKind","CompatibilityMode","SanitizerFn","ConsumesSlot","Symbol","DependsOnSlotContext","UsesSlotIndex","ConsumesVarsTrait","UsesVarOffset","TRAIT_CONSUMES_SLOT","slot","numSlotsUsed","TRAIT_USES_SLOT_INDEX","TRAIT_DEPENDS_ON_SLOT_CONTEXT","TRAIT_CONSUMES_VARS","TRAIT_USES_VAR_OFFSET","varOffset","hasConsumesSlotTrait","hasDependsOnSlotContextTrait","hasConsumesVarsTrait","hasUsesVarOffsetTrait","hasUsesSlotIndexTrait","createStatementOp","NEW_OP","createVariableOp","xref","initializer","debugListId","prev","next","createInterpolateTextOp","InterpolateText","Interpolation","createBindingOp","isTemplate","Binding","bindingKind","createPropertyOp","isAnimationTrigger","sanitizer","createStylePropOp","StyleProp","createClassPropOp","ClassProp","createStyleMapOp","StyleMap","createClassMapOp","ClassMap","createAttributeOp","createAdvanceOp","Advance","_a","_b","_c","_d","_e","_f","_g","_h","_j","isIrExpression","ExpressionBase","LexicalReadExpr","LexicalRead","transformInternalExpressions","ReferenceExpr","ContextExpr","Context","NextContextExpr","NextContext","steps","GetCurrentViewExpr","GetCurrentView","RestoreViewExpr","RestoreView","transform","transformExpressionsInExpression","ResetViewExpr","ResetView","ReadVariableExpr","ReadVariable","PureFunctionExpr","VisitorContextFlag","InChildOperation","PureFunctionParameterExpr","PipeBindingExpr","PipeBinding","PipeBindingVariadicExpr","numArgs","PipeBindingVariadic","SafePropertyReadExpr","SafeKeyedReadExpr","SafeInvokeFunctionExpr","SafeInvokeFunction","SafeTernaryExpr","EmptyExpr","arguments","AssignTemporaryExpr","ReadTemporaryExpr","SanitizerExpr","visitExpressionsInOp","transformExpressionsInOp","transformExpressionsInInterpolation","HostProperty","transformExpressionsInStatement","Listener","innerOp","handlerOps","Element","ElementStart","ElementEnd","ContainerStart","ContainerEnd","DisableBindings","EnableBindings","Text","Namespace","OpList","nextListId","ListEnd","tail","assertIsNotEnd","assertIsUnowned","oldLast","prepend","ops","first","iterator","assertIsOwned","reversed","oldOp","newOp","replaceWithMany","newOps","remove","listId","oldPrev","oldNext","last","insertBefore","insertAfter","byList","elementContainerOpKinds","isElementOrContainerOp","createElementStartOp","namespace","localRefs","nonBindable","createTemplateOp","decls","createElementEndOp","createDisableBindingsOp","createEnableBindingsOp","createTextOp","initialValue","createListenerOp","handlerFnName","consumesDollarEvent","isAnimationListener","animationPhase","createListenerOpForAnimation","createPipeOp","createNamespaceOp","active","createHostPropertyOp","CompilationUnit","create","update","fnName","listenerOp","HostBindingCompilationJob","componentName","pool","compatibility","fnSuffix","units","nextXrefId","job","root","allocateXrefId","ComponentCompilationJob","views","consts","ViewCompilationUnit","allocateView","parent","addConst","newConst","contextVariables","phaseVarCounting","varCount","varsUsedByOp","varsUsedByIrExpression","childView","slots","phaseAlignPipeVariadicVarOffset","cpl","phaseFindAnyCasts","removeAnys","parenDepth","valueStart","propStart","currentProp","hyphenate$1","styleVal","v","getElementsByXrefId","phaseAttributeExtraction","populateElementAttributes","lookupElement$2","ownerOp","extractAttributeOp","TemplateDefinitionBuilder","isStringLiteral","NONE","parsedStyles","extractable","lookupElement$1","phaseBindingSpecialization","Animation","CHAINABLE","phaseChaining","chainOperationsInList","opList","chain","instruction","phaseConstCollection","attrArray","serializeAttributes","REPLACEMENTS","phaseEmptyElements","opReplacements","startKind","mergedKind","phaseExpandSafeReads","safeTransform","ternaryTransform","requiresTemporary","temporariesIn","temporaries","eliminateTemporaryAssignments","tmps","read","safeTernaryWithTemporary","isSafeAccessExpression","isUnsafeAccessExpression","isAccessExpression","deepestSafeTernary","st","dst","phaseGenerateAdvance","slotMap","slotContext","phaseGenerateVariables","recursivelyProcessView","parentScope","scope","getScopeForView","generateVariablesInScopeForView","preambleOps","viewContextVariable","Identifier","targetId","STYLE_DOT","CLASS_DOT","phaseHostStylePropertyParsing","isCssCustomProperty$1","hyphenate","parseProperty$1","overrideIndex","unitIndex","phaseLocalRefs","serializeLocalRefs","constRefs","phaseNamespace","activeNamespace","BINARY_OPERATORS","NAMESPACES","SVG","namespaceForKey","namespacePrefixKey","keyForNamespace","prefixWithNamespace","strippedTag","phaseNaming","addNamesToView","baseName","state","varNames","safeTagName","getVariableName","normalizeStylePropName","stripImportant","importantIndex","phaseMergeNextContext","mergeNextContextsInOps","mergeSteps","tryToMerge","candidate","CONTAINER_TAG","phaseNgContainer","updatedElementXrefs","phaseNoListenersOnTemplates","inTemplate","lookupElement","phaseNonbindable","phaseNullishCoalescing","assignment","phasePipeCreation","processPipeBindingsInView","updateOp","addPipeToCreationBlock","afterTargetXref","binding","phasePipeVariadic","kindTest","ORDERING","keepLast","handledOpKinds","phasePropertyOrdering","opsToOrder","orderedOp","reorder","groupIndex","findIndex","flatMap","group","phasePureFunctionExtraction","constantDef","PureFunctionConstant","declName","keyExpr","fnParams","returnExpr","phasePureLiteralStructures","transformLiteralArray","transformLiteralMap","derivedEntries","nonConstantArgs","constIndex","localRefIndex","elementOrContainerBase","templateFnRef","handlerFn","namespaceMath","savedView","returnValue","PIPE_BINDINGS","pipeBind","interpolationArgs","callVariadicInstruction","TEXT_INTERPOLATE_CONFIG","collateInterpolationArgs","extraArgs","PROPERTY_INTERPOLATE_CONFIG","attributeInterpolate","ATTRIBUTE_INTERPOLATE_CONFIG","stylePropInterpolate","STYLE_PROP_INTERPOLATE_CONFIG","styleMapInterpolate","STYLE_MAP_INTERPOLATE_CONFIG","classMapInterpolate","CLASS_MAP_INTERPOLATE_CONFIG","pureFunction","callVariadicInstructionExpr","PURE_FUNCTION_CONFIG","constant","mapping","config","baseArgs","sanitizerIdentifierMap","Html","IframeAttribute","ResourceUrl","Script","Style","Url","phaseReify","reifyCreateOperations","reifyUpdateOperations","reifyIrExpression","listenerFn","reifyListenerHandler","_unit","handlerStmts","phaseRemoveEmptyBindings","phaseResolveContexts","processLexicalScope$1","phaseResolveDollarEvent","resolveDollarEvent","phaseResolveNames","processLexicalScope","SavedView","sanitizers","SCRIPT","phaseResolveSanitizers","sanitizerFn","isIframeElement$1","phaseSaveRestoreView","needsRestoreView","handlerOp","addSaveRestoreViewOperationToListener","phaseSlotAllocation","slotCount","phaseStyleBindingSpecialization","phaseTemporaryVariables","opCount","generatedStatements","finalReads","assigned","released","defs","assignName","names","phaseVariableOptimization","optimizeVariablesInOpList","Fence","varDecls","varUsages","varRemoteUsages","opMap","collectOpInfo","countVariableUsages","contextIsUsed","opInfo","fences","ViewContextWrite","SideEffectful","stmtOp","uncountVariableUsages","ViewContextRead","toInline","varInfo","targetOp","variablesUsed","allowConservativeInlining","tryInlineVariableInitializer","safeToInlinePastFences","fencesForIrExpression","varRemoteUsage","declFences","inlined","inliningAllowed","exprFences","transformTemplate","transformHostBinding","emitTemplateFn","tpl","rootFn","emitView","emitChildViews","viewFn","createStatements","updateStatements","createCond","maybeGenerateRfBlock","updateCond","flag","emitHostBindingFunction","compatibilityMode","ingestComponent","ingestNodes","ingestHostBinding","bindingParser","properties","ingestHostProperty","events","ingestHostEvent","convertAst","ingestElement","ingestTemplate","ingestText","ingestBoundText","staticAttributes","namespaceKey","startOp","ingestBindings","ingestReferences","tmpl","tagNameWithoutNamespace","namespacePrefix","tplOp","textXref","ingestBinding","inputExprs","BINDING_KINDS","isTemplateBinding","assertIsArray","USE_TEMPLATE_PIPELINE","IMPORTANT_FLAG","MIN_STYLING_BINDING_SLOTS_REQUIRED","StylingBuilder","_directiveExpr","_hasInitialValues","hasBindings","hasBindingsWithPipes","_classMapInput","_styleMapInput","_singleStyleInputs","_singleClassInputs","_lastStylingInput","_firstStylingInput","_stylesIndex","_classesIndex","_initialStyleValues","_initialClassValues","registerBoundInput","registerInputBasedOnName","registerStyleInput","registerClassInput","isStyle","isClass","isMapBased","isEmptyExpression","isCssCustomProperty","hasOverrideFlag","bindingSuffix","parseProperty","registerIntoMap","_checkForPipes","registerStyleAttr","registerClassAttr","populateInitialStylingAttrs","assignHostAttrs","buildClassMapInstruction","valueConverter","_buildMapBasedInstruction","buildStyleMapInstruction","isClassBased","stylingInput","totalBindingSlotsRequired","mapValue","getClassMapInterpolationExpression","getStyleMapInterpolationExpression","calls","allocateBindingSlots","convertFn","convertResult","_buildSingleInputs","getInterpolationExpressionFn","previousInstruction","referenceForCall","_buildClassInputs","_buildStyleInputs","getStylePropInterpolationExpression","buildUpdateLevelInstructions","styleMapInstruction","classMapInstruction","TokenType","KEYWORDS","Lexer","tokenize","scanner","_Scanner","tokens","scanToken","Token","numValue","strValue","isCharacter","Character","isNumber","isString","isOperator","Operator","isIdentifier","isPrivateIdentifier","PrivateIdentifier","isKeyword","Keyword","isKeywordLet","isKeywordAs","isKeywordNull","isKeywordUndefined","isKeywordTrue","isKeywordFalse","isKeywordThis","isError","toNumber","newCharacterToken","newIdentifierToken","newPrivateIdentifierToken","newKeywordToken","newOperatorToken","newStringToken","newNumberToken","newErrorToken","EOF","peek","isIdentifierStart","scanIdentifier","scanNumber","scanCharacter","scanString","scanPrivateIdentifier","scanOperator","scanQuestion","scanComplexOperator","twoCode","two","threeCode","three","isIdentifierPart","simple","hasSeparators","isExponentStart","isExponentSign","parseIntAutoRadix","parseFloat","marker","unescapedCode","hex","parseInt","unescape","position","isNaN","SplitInterpolation","offsets","TemplateBindingParseResult","templateBindings","warnings","Parser$1","_lexer","parseAction","isAssignmentEvent","interpolationConfig","_checkNoInterpolation","sourceToLex","_stripComments","_ParseAST","parseChain","parseBinding","_parseBindingAst","checkSimpleExpression","checker","SimpleExpressionChecker","parseSimpleBinding","_reportError","parseTemplateBindings","templateKey","templateValue","templateUrl","absoluteKeyOffset","absoluteValueOffset","parser","parseInterpolation","interpolatedTokens","splitInterpolation","expressionNodes","expressionText","createInterpolationAst","parseInterpolationExpression","inputToTemplateIndexMap","getIndexMapForOriginalTemplate","atInterpolation","extendLastString","interpStart","interpEnd","exprStart","exprEnd","_getInterpolationEndIndex","fullEnd","startInOriginalTemplate","piece","wrapLiteralPrimitive","_commentStart","outerQuote","nextChar","endIndex","charIndex","_forEachUnquotedChar","expressionEnd","currentQuote","escapeCount","ParseContextFlags","parseFlags","rparensExpected","rbracketsExpected","rbracesExpected","sourceSpanCache","atEOF","inputIndex","currentEndIndex","curToken","currentAbsoluteOffset","artificialEndIndex","tmp","serial","withContext","cb","ret","consumeOptionalCharacter","peekKeywordLet","peekKeywordAs","expectCharacter","consumeOptionalOperator","expectOperator","prettyPrintToken","tok","expectIdentifierOrKeyword","_reportErrorForPrivateIdentifier","expectIdentifierOrKeywordOrString","parsePipe","errorIndex","artificialStart","artificialEnd","parseExpression","nameStart","nameId","fullSpanEnd","parseConditional","parseLogicalOr","yes","no","parseLogicalAnd","parseNullishCoalescing","parseEquality","parseRelational","parseAdditive","parseMultiplicative","parsePrefix","parseCallChain","parsePrimary","parseAccessMember","parseCall","parseKeyedReadOrWrite","parseExpressionList","parseLiteralMap","literalValue","terminator","keyStart","readReceiver","isSafe","Writable","consumeOptionalAssignment","argumentStart","parseCallArguments","positionals","expectTemplateBindingKey","operatorFound","parseDirectiveKeywordBindings","letBinding","parseLetBinding","parseAsBinding","consumeStatementTerminator","getDirectiveBoundTarget","spanEnd","asBinding","spanStart","locationText","skip","extraMessage","errorMessage","offsetMap","consumedInOriginalTemplate","consumedInInput","tokenIndex","currentToken","decoded","lengthOfParts","sum","NodeWithI18n","Expansion","switchValue","switchValueSourceSpan","visitExpansion","ExpansionCase","valueSourceSpan","expSourceSpan","visitExpansionCase","valueTokens","visitAttribute","Comment","visitComment","BlockGroup","visitBlockGroup","Block","visitBlock","BlockParameter","visitBlockParameter","astResult","RecursiveVisitor","visitChildren","prototype","apply","ElementSchemaRegistry","BOOLEAN","NUMBER","STRING","OBJECT","SCHEMA","_ATTR_TO_PROP","_PROP_TO_ATTR","inverted","propertyName","DomElementSchemaRegistry","_schema","_eventSchema","encodedType","strType","strProperties","typeNames","superName","superType","superEvent","hasProperty","propName","schemaMetas","schema","elementProperties","hasElement","isAttribute","getMappedPropName","getDefaultComponentElementName","validateProperty","validateAttribute","allKnownElementNames","allKnownAttributesOfElement","allKnownEventsOfElement","normalizeAnimationStyleProperty","normalizeAnimationStyleValue","camelCaseProp","userProvidedProp","strVal","errorMsg","_isPixelDimensionStyle","valAndSuffixMatch","HtmlTagDefinition","closedByChildren","implicitNamespacePrefix","contentType","PARSABLE_DATA","closedByParent","ignoreFirstLf","preventNamespaceInheritance","canSelfClose","isClosedByChild","getContentType","overrideType","default","DEFAULT_TAG_DEFINITION","TAG_DEFINITIONS","getHtmlTagDefinition","RAW_TEXT","ESCAPABLE_RAW_TEXT","svg","knownTagName","NAMED_ENTITIES","NGSP_UNICODE","TokenError","tokenType","TokenizeResult","nonNormalizedIcuExpressions","getTagDefinition","options","tokenizer","_Tokenizer","mergeTextTokens","_CR_OR_CRLF_REGEXP","_unexpectedCharacterErrorMsg","charCode","_unknownEntityErrorMsg","entitySrc","_unparsableEntityErrorMsg","entityStr","CharacterReferenceType","_ControlFlowError","_file","_getTagDefinition","_currentTokenStart","_currentTokenType","_expansionCaseStack","_inInterpolation","_tokenizeIcu","tokenizeExpansionForms","_interpolationConfig","_leadingTriviaCodePoints","leadingTriviaChars","codePointAt","endPos","startPos","_cursor","EscapedCharacterCursor","PlainCharacterCursor","_preserveLineEndings","preserveLineEndings","_i18nNormalizeLineEndingsInICUs","i18nNormalizeLineEndingsInICUs","_tokenizeBlocks","tokenizeBlocks","init","handleError","_processCarriageReturns","_attemptCharCode","_consumeCdata","_consumeComment","_consumeDocType","_consumeTagClose","_consumeTagOpen","_attemptStr","_consumeBlockGroupOpen","_consumeBlockGroupClose","_consumeBlock","_tokenizeExpansionForm","_consumeWithInterpolation","_isTextEnd","_isTagStart","_beginToken","_endToken","nameCursor","_attemptCharCodeUntilFn","isBlockNameChar","getChars","_consumeBlockParameters","_requireCharCode","isBlockParameterChar","inQuote","openBraces","isExpansionFormStart","_consumeExpansionFormStart","isExpansionCaseStart","_isInExpansionForm","_consumeExpansionCaseStart","_isInExpansionCase","_consumeExpansionCaseEnd","_consumeExpansionFormEnd","getSpan","_createError","CursorError","cursor","_attemptCharCodeCaseInsensitive","compareCharCodeCaseInsensitive","chars","charsLeft","initialPosition","_attemptStrCaseInsensitive","_requireStr","_requireCharCodeUntilFn","diff","_attemptUntilChar","_readChar","fromCodePoint","_consumeEntity","textTokenType","isHex","codeStart","isDigitEntityEnd","entityType","HEX","DEC","strNum","isNamedEntityEnd","_consumeRawText","consumeEntities","endMarkerPredicate","tagCloseStart","foundEndMarker","contentStart","_consumePrefixAndName","nameOrPrefixStart","isPrefixEnd","isNameEnd","openTagToken","_consumeTagOpenStart","isNotWhitespace","_consumeAttributeName","_consumeAttributeValue","_consumeTagOpenEnd","contentTokenType","_consumeRawTextWithTagClose","attrNameStart","prefixAndName","quoteChar","_consumeQuote","endPredicate","_readUntil","normalizedCondition","conditionToken","interpolationTokenType","endInterpolation","_consumeInterpolation","interpolationStart","prematureEndPredicate","expressionStart","inComment","_getProcessedChars","_isBlockStart","isInterpolation","code1","code2","toUpperCaseCharCode","srcTokens","dstTokens","lastDstToken","fileOrCursor","advanceState","updatePeek","leadingTriviaCodePoints","startLocation","locationFromCursor","endLocation","fullStartLocation","pos","currentChar","internalState","processEscapeSequence","digitStart","decodeHexDigits","octal","previous","TreeError","ParseTreeResult","rootNodes","Parser","tokenizeResult","_TreeBuilder","build","_index","_containerStack","_advance","_peek","_consumeStartTag","_consumeEndTag","_closeVoidElement","_consumeText","_consumeExpansion","_advanceIf","_startToken","endToken","_addToParent","expCase","_parseExpansionCase","_collectExpansionExpTokens","expansionCaseParser","expansionFormStack","lastOnStack","startSpan","_getContainer","decodeEntity","endSpan","startTagToken","_consumeAttr","_getElementFullName","_getClosestParentElement","selfClosing","tagDef","parentEl","_pushContainer","_popContainer","endTagToken","errMsg","expectedType","unexpectedCloseTagDetected","stackIndex","splice","attrEnd","valueStartSpan","valueEnd","nextTokenType","valueToken","quoteToken","blockGroup","implicitBlock","closeToken","_conditionallyClosePreviousBlock","paramToken","previousContainer","lastChild","parentElement","parentTagName","parentTagDefinition","stack","entity","HtmlParser","PRESERVE_WS_ATTR_NAME","SKIP_WS_TRIM_TAGS","WS_CHARS","NO_WS_REGEXP","WS_REPLACE_REGEXP","hasPreserveWhitespacesAttr","replaceNgsp","WhitespaceVisitor","visitAllWithSiblings","isNotBlank","hasExpansionSibling","createWhitespaceProcessedTextToken","processWhitespace","expansion","expansionCase","parameter","removeWhitespaces","htmlAstWithErrors","mapEntry","mapLiteral","TRUSTED_TYPES_SINKS","isTrustedTypesSink","PROPERTY_PARTS_SEPARATOR","ATTRIBUTE_PREFIX","CLASS_PREFIX","STYLE_PREFIX","TEMPLATE_ATTR_PREFIX$1","ANIMATE_PROP_PREFIX","BindingParser","_exprParser","_schemaRegistry","createBoundHostProperties","boundProps","parsePropertyBinding","createDirectiveHostEventAsts","hostListeners","targetEvents","parseEvent","sourceInfo","_reportExpressionParserErrors","parseInlineTemplateBinding","tplKey","tplValue","targetMatchableAttrs","targetProps","targetVars","isIvyAst","_parseTemplateBindings","bindingSpan","moveParseSourceSpan","srcSpan","_parsePropertyAst","parseLiteralAttr","bindingsResult","warning","WARNING","isAnimationLabel","_parseAnimation","isHost","isAnimationProp","parsePropertyInterpolation","DEFAULT","isHostBinding","createBoundElementProperty","elementSelector","boundProp","skipValidation","mapPropertyName","bindingType","boundPropertyName","securityContexts","_validatePropertyOrAttributeName","calcPossibleSecurityContexts","nsSeparatorIdx","ns","mappedPropName","_parseAnimationEvent","_parseRegularEvent","eventName","_parseAction","isAttr","report","PipeCollector","pipes","registry","ctxs","elementNames","notElementNames","possibleElementNames","sort","absoluteSpan","startDiff","endDiff","isStyleUrlResolvable","schemeMatch","URL_WITH_SCHEMA_REGEXP","NG_CONTENT_SELECT_ATTR$1","LINK_ELEMENT","LINK_STYLE_REL_ATTR","LINK_STYLE_HREF_ATTR","LINK_STYLE_REL_VALUE","STYLE_ELEMENT","SCRIPT_ELEMENT","NG_NON_BINDABLE_ATTR","NG_PROJECT_AS","preparseElement","selectAttr","hrefAttr","relAttr","lcAttrName","normalizeNgContentSelect","nodeName","PreparsedElementType","OTHER","NG_CONTENT","STYLESHEET","PreparsedElement","TIME_PATTERN","SEPARATOR_PATTERN","COMMA_DELIMITED_SYNTAX","OnTriggerType","parseWhenTrigger","whenIndex","getTriggerParametersStart","parsed","parseOnTrigger","onIndex","OnTriggerParser","unexpectedToken","isFollowedByOrLast","consumeTrigger","prevErrors","consumeParameters","min","IDLE","createIdleTrigger","TIMER","createTimerTrigger","INTERACTION","createInteractionTrigger","IMMEDIATE","createImmediateTrigger","HOVER","createHoverTrigger","VIEWPORT","createViewportTrigger","commaDelimStack","tokenText","newStart","newEnd","parseDeferredTime","startPosition","hasFoundSeparator","time","PREFETCH_WHEN_PATTERN","PREFETCH_ON_PATTERN","MINIMUM_PARAMETER_PATTERN","AFTER_PARAMETER_PATTERN","WHEN_PARAMETER_PATTERN","ON_PARAMETER_PATTERN","SecondaryDeferredBlockType","createDeferredBlock","primaryBlock","secondaryBlocks","parsePrimaryTriggers","parseSecondaryBlocks","PLACEHOLDER","parsePlaceholderBlock","LOADING","parseLoadingBlock","parseErrorBlock","parsedTime","BIND_NAME_REGEXP","KW_BIND_IDX","KW_LET_IDX","KW_REF_IDX","KW_ON_IDX","KW_BINDON_IDX","KW_AT_IDX","IDENT_KW_IDX","BINDING_DELIMS","BANANA_BOX","PROPERTY","EVENT","TEMPLATE_ATTR_PREFIX","htmlAstToRender3Ast","htmlNodes","transformer","HtmlAstToIvyAst","ivyNodes","allErrors","styleUrls","ngContentSelectors","collectCommentNodes","commentNodes","inI18nBlock","isI18nRootElement","reportError","preparsedElement","contents","textContents","isTemplateElement","parsedProperties","boundEvents","i18nAttrsMeta","templateParsedProperties","templateVariables","elementHasInlineTemplate","hasBinding","normalizedName","normalizeAttributeName","parsedVariables","parseAttribute","NON_BINDABLE_VISITOR","flat","Infinity","parsedElement","isEmptyTextNode","isCommentNode","extractAttributes","bound","hoistedAttrs","_visitTextWithInterpolation","formattedKey","enabledBlockTypes","i18nPropsMeta","bep","matchableAttributes","createKeySpan","normalizationAdjustment","keySpanStart","keySpanEnd","bindParts","parseVariable","parseReference","addEvents","parseAssignmentEvent","delims","endsWith","valueNoNgsp","NonBindableVisitor","TagType","setupRegistry","getUniqueId","icus","I18nContext","templateIndex","isEmitted","_unresolvedCtxCount","_registry","appendTag","closed","isRoot","isResolved","getSerializedPlaceholders","serializePlaceholderValue","appendBinding","appendIcu","appendBoundText","phs","appendTemplate","TEMPLATE","appendElement","ELEMENT","appendProjection","forkChildContext","reconcileChildContext","findTemplateFn","childPhs","tmplIdx","isCloseTag","isTemplateTag","wrap","symbol","wrapTag","data","IcuSerializerVisitor","formatPh","serializer","serializeIcuNode","TAG_TO_PLACEHOLDER_NAMES","PlaceholderRegistry","_placeHolderNameCounts","_signatureToName","getStartTagPlaceholderName","signature","_hashTag","upperTag","_generateUniqueName","getCloseTagPlaceholderName","_hashClosingTag","getPlaceholderName","upperName","getUniquePlaceholder","seen","_expParser","createI18nMessageFactory","_I18nVisitor","visitNodeFn","toI18nMessage","noopVisitNodeFn","_html","_expressionParser","isIcu","icuDepth","placeholderRegistry","placeholderToContent","i18nodes","startPhName","closePhName","i18nIcuCases","i18nIcu","caze","expPh","phName","_icuCase","_context","_parameter","previousI18n","hasInterpolation","extractPlaceholderName","reusePreviousSourceSpans","assertSingleContainerMessage","assertEquivalentNodes","previousNodes","_CUSTOM_PH_EXP","I18nError","setI18nRefs","htmlNode","i18nNode","previousMessage","I18nMetaVisitor","keepI18nAttrs","enableI18nLegacyMessageIdFormat","_errors","_generateI18nMessage","_parseMetadata","createI18nMessage","_setMessageId","_setLegacyIds","visitAllWithErrors","attrsMeta","currentMessage","parseI18nMeta","I18N_MEANING_SEPARATOR","I18N_ID_SEPARATOR","idIndex","descIndex","meaningAndDesc","i18nMetaToJSDoc","GOOG_GET_MSG","createGoogleGetMsgStatements","variable$1","closureVar","placeholderValues","serializeI18nMessageForGetMsg","original_code","googGetMsgStmt","i18nAssignmentStmt","GetMsgSerializerVisitor","serializerVisitor","createLocalizeStatements","placeHolders","serializeI18nMessageForLocalize","getSourceSpan","localizedString$1","variableInitialization","LocalizeSerializerVisitor","pieces","createPlaceholderPiece","processMessagePieces","startNode","endNode","createEmptyMessagePart","NG_CONTENT_SELECT_ATTR","NG_PROJECT_AS_ATTR_NAME","EVENT_BINDING_SCOPE_GLOBALS","GLOBAL_TARGET_RESOLVERS","LEADING_TRIVIA_CHARS","renderFlagCheckIfStmt","prepareEventListenerParameters","eventAst","handlerName","eventArgumentName","implicitReceiverExpr","bindingLevel","getOrCreateSharedContextVar","bindingStatements","variableDeclarations","restoreViewStatement","createComponentDefConsts","prepareStatements","constExpressions","i18nVarRefsCache","parentBindingScope","contextName","i18nContext","templateName","_namespace","relativeContextFilePath","i18nUseExternalIds","deferBlocks","_constants","_dataIndex","_bindingContext","_prefixCode","_creationCodeFns","_updateCodeFns","_currentIndex","_tempVariables","_nestedTemplateFns","_pureFunctionSlots","_bindingSlots","_ngContentReservedSlots","_ngContentSelectorsOffset","_implicitReceiverExpr","_bindingScope","nestedScope","fileBasedI18nSuffix","_valueConverter","ValueConverter","allocateDataSlot","numSlots","allocatePureFunctionSlots","creationInstruction","buildTemplateFunction","ngContentSelectorsOffset","registerContextVariables","initI18nContext","isSingleElementTemplate","selfClosingI18nInstruction","hasTextChildrenOnly","updatePipeSlotOffsets","buildTemplateFn","r3ReservedSlots","creationStatements","creationVariables","viewSnapshotStatements","updateVariables","creationBlock","updateBlock","i18nTranslate","transformFn","_ref","i18nGenerateMainBlockVar","i18nGenerateClosureVar","getTranslationDeclStmts","scopedName","freshReferenceName","retrievalLevel","relativeLevel","isListenerScope","hasRestoreViewVariable","notifyRestoredViewContextUse","sharedCtxVar","getSharedContextName","generateNextContextExpr","i18nAppendBindings","i18nBindProps","props","label","messageId","uniqueSuffix","i18nUpdateRef","icuMapping","needsPostprocessing","addToConsts","updateInstructionWithAdvance","getConstCount","updateInstruction","i18nAttributesInstruction","nodeIndex","i18nAttrArgs","converted","getNamespaceInstruction","addNamespaceInstruction","nsInstruction","interpolatedUpdateInstruction","elementIndex","getUpdateInstructionArguments","ngContent","projectionSlotIdx","nonContentSelectAttributes","getAttributeExpressions","stylingBuilder","isNonBindableMode","outputAttrs","isNgContainer$1","allOtherInputs","boundI18nAttrs","stylingInputWasSet","addAttrsToConsts","prepareRefsArray","wasInNamespace","currentNamespace","hasChildren","createSelfClosingInstruction","createSelfClosingI18nInstruction","outputAst","prepareListenerParameter","stylingInstructions","limit","processStylingUpdateInstruction","emptyValueBindInstruction","propertyBindings","attributeBindings","inputType","hasValue","getBindingFunctionParams","attrNamespace","isAttributeBinding","sanitizationRef","resolveSanitizationFn","isIframeElement","namespaceLiteral","getPropertyInterpolationExpression","getAttributeInterpolationExpression","boundValue","propertyBinding","attributeBinding","NG_TEMPLATE_TAG_NAME","attrsExprs","templateVisitor","templateFunctionExpr","getVarCount","templatePropertyBindings","i18nInputs","getTextInterpolationExpression","initWasInvoked","formatted","deferredDeps","depsFnName","dependencyExp","deferredDep","isDeferrable","innerFn","symbolName","fileName","importPath","depsFnBody","depsFnExpr","getConsts","getNgContentSelectors","bindingContext","instructionFn","fns","addAdvanceInstructionIfNecessary","originalSlots","getImplicitReceiverExpr","convertedPropertyBinding","valExpr","renderAttributes","alreadySeen","attrExprs","ngProjectAsAttr","i18nVarRef","getAttributeNameLiterals","trustedConstAttribute","getNgProjectAsLiteral","addAttrExpr","attrsLengthBeforeInputs","refsParam","variableName","nextContextStmt","refExpr","bindingFnName","allocateSlot","_pipeBindExprs","slotPseudoLocal","pureFunctionSlot","isVarLength","pipeBindingCallInfo","pipeBindExpr","bindingSlots","slotOffset","pipeBindingIdentifiers","pureFunctionIdentifiers","pureFunctionCallInfo","relativeLevelDiff","literal$1","allocateSlots","startSlot","SHARED_CONTEXT_KEY","BindingScope","createRootScope","referenceNameIndex","restoreViewVariable","usesRestoredViewContext","declareLocalCallback","declare","priority","maybeGenerateSharedContextVar","getComponentProperty","localRef","newScope","generateSharedContextVar","bindingKey","sharedCtxObj","componentValue","restoreCall","currentContextLevel","levelDiff","currStmts","createCssSelector","elementNameNoNs","nameNoNs","parsedR3Selector","parseTemplate","preserveWhitespaces","makeBindingParser","htmlParser","parseResult","alwaysAttemptHtmlToR3AstConversion","parsedTemplate","i18nMetaVisitor","i18nMetaResult","elementRegistry","isTextNode","deferredParams","eagerParams","NG_I18N_CLOSURE_MODE","createClosureModeGuard","ATTR_REGEX","COMPONENT_VARIABLE","HOST_ATTR","CONTENT_ATTR","baseDirectiveFields","queries","createContentQueriesFunction","viewQueries","createViewQueriesFunction","createHostBindingsFunction","typeSourceSpan","exportAs","isSignal","addFeatures","features","viewProviders","inputKeys","usesInheritance","fullInheritance","lifecycle","usesOnChanges","hostDirectives","createHostDirectivesFeatureArg","compileDirectiveFromMetadata","createDirectiveType","compileComponentFromMetadata","firstSelector","selectorAttributes","templateTypeName","changeDetection","templateBuilder","templateFunctionExpression","constsExpr","templateFn","compileDeclarationList","declarationListEmitMode","encapsulation","Emulated","styleValues","compileStyles","styleNodes","style","animations","Default","createComponentType","createBaseDirectiveTypeParams","stringArrayAsType","createHostDirectivesType","resolvedList","prepareQueryParams","toQueryFlags","descendants","static","emitDistinctChangesOnly","convertAttributesToExpressions","tempAllocator","getQueryList","refresh","updateDirective","contentQueriesFnName","stringAsType","stringMapAsLiteralExpression","mapValues","selectorForType","getInputsTypeExpression","q","required","queryDefinition","viewQueryFnName","hostBindingsMetadata","eventBindings","listeners","hostJob","styleBuilder","styleAttr","classAttr","specialAttributes","createInstructions","updateInstructions","hostBindingSourceSpan","createHostListeners","allOtherBindings","totalHostVarsCount","getValueConverter","hostVarsCountFn","originalVarsCount","syntheticHostBindings","bindingExpr","bindingFn","bindingName","getBindingNameAndInstruction","instructionParams","bindingParams","hostAttrs","convertStylingCall","hostBindingsFnName","implicit","attrMatches","listenerParams","syntheticListenerParams","HOST_REG_EXP","parseHostBindings","verifyHostBindings","shadowCss","hostMeta","directive","hasForwardRef","inputsLiteral","createHostDirectivesMappingArray","outputsLiteral","isForwardReference","ResourceLoader","ɵsetEnabledBlockTypes","CompilerFacadeImpl","jitEvaluator","elementSchemaRegistry","compilePipe","angularCoreEnv","sourceMapUrl","facade","jitExpression","compilePipeDeclaration","declaration","convertDeclarePipeFacadeToMetadata","computeProvidedIn","convertToProviderExpression","wrapExpression","convertR3DependencyMetadata","compileInjectableDeclaration","convertR3DeclareDependencyMetadata","compileInjectorDeclaration","convertDeclareInjectorFacadeToMetadata","compileNgModuleDeclaration","compileDirective","convertDirectiveFacadeToMetadata","compileDirectiveFromMeta","compileDirectiveDeclaration","createParseSourceSpan","convertDeclareDirectiveFacadeToMetadata","compileComponent","parseJitTemplate","convertDeclarationFacadeToMetadata","deferrableDeclToImportDecl","jitExpressionSourceMap","compileComponentFromMeta","compileComponentDeclaration","convertDeclareComponentFacadeToMetadata","compileFactory","factoryRes","convertR3DependencyMetadataArray","compileFactoryDeclaration","preStatements","convertToR3QueryMetadata","convertQueryPredicate","convertQueryDeclarationToMetadata","inputsFromMetadata","parseInputsArray","outputsFromMetadata","parseMappingStringArray","propMetadata","inputsFromType","outputsFromType","field","ann","isInput","alias","isOutput","extractHostBindings","convertHostDirectivesToMetadata","inputsMappingToInputMetadata","convertHostDeclarationToMetadata","convertOpaqueValuesToExpressions","classAttribute","styleAttribute","hostDirective","dependencies","innerDep","convertDirectiveDeclarationToMetadata","convertPipeDeclarationToMetadata","components","directives","dir","convertPipeMapToMetadata","isComponent","err","facades","isAttributeDep","rawToken","createR3DependencyMetadata","hostPropertyName","isHostListener","ngMetadataName","parseMappingString","fieldName","publishFacade","global","ng","ɵcompilerFacade","VERSION","CompilerConfig","defaultEncapsulation","useJit","missingTranslation","strictInjectionParameters","preserveWhitespacesDefault","preserveWhitespacesOption","defaultSetting","_I18N_ATTR","_I18N_ATTR_PREFIX","_I18N_COMMENT_PREFIX_REGEXP","MEANING_SEPARATOR","ID_SEPARATOR","i18nCommentsWarned","extractMessages","implicitTags","implicitAttrs","_Visitor","extract","mergeTranslations","translations","merge","ExtractionResult","_VisitorMode","_implicitTags","_implicitAttrs","_init","Extract","_inI18nBlock","_messages","Merge","_translations","wrapper","translatedNode","icuCase","_mode","_mayBeAddBlockChildren","wasInIcu","_inIcu","_isInTranslatableSection","_addMessage","isOpening","_isOpeningComment","isClosing","_isClosingComment","_inI18nNode","console","warn","_blockStartDepth","_depth","_blockChildren","_blockMeaningAndDesc","_openTranslatableSection","_closeTranslatableSection","_translateMessage","wasInI18nNode","wasInImplicitNode","_inImplicitNode","childNodes","translatedChildNodes","i18nAttr","_getI18nAttr","i18nMeta","isImplicit","isTopLevelImplicit","isTranslatable","visitNodes","visited","_visitAttributesOf","translatedAttrs","_translateAttributes","_msgCountAtSectionStart","_createI18nMessage","explicitAttrNameToValue","implicitAttrNames","msgMeta","_parseMessageMeta","i18nParsedMessageMeta","translatedAttributes","directChildren","significantChildren","XmlTagDefinition","requireExtraParent","currentParent","_TAG_DEFINITION","getXmlTagDefinition","XmlParser","_VERSION$1","_XMLNS$1","_DEFAULT_SOURCE_LANG$1","_PLACEHOLDER_TAG$2","_MARKER_TAG$1","_FILE_TAG","_SOURCE_TAG$1","_SEGMENT_SOURCE_TAG","_ALT_TRANS_TAG","_TARGET_TAG$1","_UNIT_TAG$1","_CONTEXT_GROUP_TAG","_CONTEXT_TAG","Xliff","_WriteVisitor$1","transUnits","contextTags","contextGroupTag","purpose","transUnit","datatype","xliff","xmlns","xliffParser","XliffParser","msgIdToHtml","i18nNodesByMsgId","XmlToI18n$2","msgId","i18nNodes","convert","ctype","getCtypeForTag","equivText","_locale","_unitMlString","_msgIdToHtml","xml","idAttr","_addError","innerTextStart","innerTextEnd","innerText","localeAttr","xmlIcu","nameAttr","caseMap","_VERSION","_XMLNS","_DEFAULT_SOURCE_LANG","_PLACEHOLDER_TAG$1","_PLACEHOLDER_SPANNING_TAG","_MARKER_TAG","_XLIFF_TAG","_SOURCE_TAG","_TARGET_TAG","_UNIT_TAG","Xliff2","_WriteVisitor","notes","category","srcLang","xliff2Parser","Xliff2Parser","XmlToI18n$1","_nextPlaceholderId","getTypeForTag","tagPh","equiv","disp","tagPc","equivStart","equivEnd","dispStart","dispEnd","idStr","versionAttr","startAttr","endAttr","startId","endId","_TRANSLATIONS_TAG","_TRANSLATION_TAG","_PLACEHOLDER_TAG","Xtb","xtbParser","XtbParser","XmlToI18n","valueFn","createLazyProperty","defineProperty","configurable","enumerable","xtb","_bundleDepth","langAttr","TranslationBundle","_i18nNodesByMsgId","mapperFactory","missingTranslationStrategy","Warning","_i18nToHtml","I18nToHtmlVisitor","digestFn","srcMsg","html","_digest","_mapperFactory","_missingTranslationStrategy","_console","_contextStack","_convertToText","_srcMsg","_mapper","mapper","I18NHtmlParser","_htmlParser","translationsFormat","createSerializer","_translationBundle","format","MessageBundle","updateFromTemplate","htmlParserResult","i18nParserResult","getMessages","filterSources","mapperVisitor","MapPlaceholderNames","msgList","src","transformedMessage","R3TargetBinder","directiveMatcher","Scope","templateEntities","extractTemplateEntities","eagerDirectives","DirectiveBinder","symbols","nestingLevel","usedPipes","eagerPipes","TemplateBinder","applyWithScope","R3BoundTarget","namedEntities","childScopes","newRootScope","ingest","maybeDeclare","thing","lookup","getChildScope","isInDeferBlock","selectorMatcher","visitElementOrTemplate","_selector","dirTarget","setAttributeBinding","ioType","hasBindingPropertyName","visitBoundAttributeOrEvent","visitNode","binder","childScope","maybeMap","exprTargets","deferredBlocks","getEntitiesInTemplateScope","getDirectivesOfNode","getReferenceTarget","getConsumerOfBinding","getExpressionTarget","getTemplateOfSymbol","getNestingLevel","getUsedDirectives","dirs","getEagerlyUsedDirectives","getUsedPipes","getEagerlyUsedPipes","getDeferBlocks","rootScope","entityMap","extractScopeEntities","currentEntities","scopesToProcess","entities","compileClassMetadata","decorators","ctorParameters","propDecorators","MINIMUM_PARTIAL_LINKER_VERSION$6","compileDeclareClassMetadata","toOptionalLiteralArray","toOptionalLiteralMap","object","compileDependencies","compileDependency","depMeta","MINIMUM_PARTIAL_LINKER_VERSION$5","compileDeclareDirectiveFromMetadata","createDirectiveDefinitionMap","hasTransformFunctions","minVersion","compileHostMetadata","compileQuery","createHostDirectives","hostMetadata","compileDeclareComponentFromMetadata","additionalTemplateInfo","createComponentDefinitionMap","templateInfo","getTemplateExpression","isInline","compileUsedDependenciesMetadata","inlineTemplateLiteralExpression","computeEndLocation","lineStart","lastLineStart","wrapType","dirMeta","pipeMeta","ngModuleMeta","MINIMUM_PARTIAL_LINKER_VERSION$4","compileDeclareFactoryFunction","MINIMUM_PARTIAL_LINKER_VERSION$3","compileDeclareInjectableFromMetadata","createInjectableDefinitionMap","MINIMUM_PARTIAL_LINKER_VERSION$2","compileDeclareInjectorFromMetadata","createInjectorDefinitionMap","MINIMUM_PARTIAL_LINKER_VERSION$1","compileDeclareNgModuleFromMetadata","createNgModuleDefinitionMap","MINIMUM_PARTIAL_LINKER_VERSION","compileDeclarePipeFromMetadata","createPipeDefinitionMap","R3Identifiers","TmplAstBoundAttribute","TmplAstBoundDeferredTrigger","TmplAstBoundEvent","TmplAstBoundText","TmplAstContent","TmplAstDeferredBlock","TmplAstDeferredBlockError","TmplAstDeferredBlockLoading","TmplAstDeferredBlockPlaceholder","TmplAstDeferredTrigger","TmplAstElement","TmplAstHoverDeferredTrigger","TmplAstIcu","TmplAstIdleDeferredTrigger","TmplAstImmediateDeferredTrigger","TmplAstInteractionDeferredTrigger","TmplAstRecursiveVisitor","TmplAstReference","TmplAstTemplate","TmplAstText","TmplAstTextAttribute","TmplAstTimerDeferredTrigger","TmplAstVariable","TmplAstViewportDeferredTrigger"],"sources":["/home/arctichawk1/Desktop/Projects/Public/Kargi-Sitesi/node_modules/@angular/compiler/fesm2022/compiler.mjs"],"sourcesContent":["/**\n * @license Angular v16.2.12\n * (c) 2010-2022 Google LLC. https://angular.io/\n * License: MIT\n */\n\nconst _SELECTOR_REGEXP = new RegExp('(\\\\:not\\\\()|' + // 1: \":not(\"\n '(([\\\\.\\\\#]?)[-\\\\w]+)|' + // 2: \"tag\"; 3: \".\"/\"#\";\n // \"-\" should appear first in the regexp below as FF31 parses \"[.-\\w]\" as a range\n // 4: attribute; 5: attribute_string; 6: attribute_value\n '(?:\\\\[([-.\\\\w*\\\\\\\\$]+)(?:=([\\\"\\']?)([^\\\\]\\\"\\']*)\\\\5)?\\\\])|' + // \"[name]\", \"[name=value]\",\n // \"[name=\"value\"]\",\n // \"[name='value']\"\n '(\\\\))|' + // 7: \")\"\n '(\\\\s*,\\\\s*)', // 8: \",\"\n'g');\n/**\n * A css selector contains an element name,\n * css classes and attribute/value pairs with the purpose\n * of selecting subsets out of them.\n */\nclass CssSelector {\n constructor() {\n this.element = null;\n this.classNames = [];\n /**\n * The selectors are encoded in pairs where:\n * - even locations are attribute names\n * - odd locations are attribute values.\n *\n * Example:\n * Selector: `[key1=value1][key2]` would parse to:\n * ```\n * ['key1', 'value1', 'key2', '']\n * ```\n */\n this.attrs = [];\n this.notSelectors = [];\n }\n static parse(selector) {\n const results = [];\n const _addResult = (res, cssSel) => {\n if (cssSel.notSelectors.length > 0 && !cssSel.element && cssSel.classNames.length == 0 &&\n cssSel.attrs.length == 0) {\n cssSel.element = '*';\n }\n res.push(cssSel);\n };\n let cssSelector = new CssSelector();\n let match;\n let current = cssSelector;\n let inNot = false;\n _SELECTOR_REGEXP.lastIndex = 0;\n while (match = _SELECTOR_REGEXP.exec(selector)) {\n if (match[1 /* SelectorRegexp.NOT */]) {\n if (inNot) {\n throw new Error('Nesting :not in a selector is not allowed');\n }\n inNot = true;\n current = new CssSelector();\n cssSelector.notSelectors.push(current);\n }\n const tag = match[2 /* SelectorRegexp.TAG */];\n if (tag) {\n const prefix = match[3 /* SelectorRegexp.PREFIX */];\n if (prefix === '#') {\n // #hash\n current.addAttribute('id', tag.slice(1));\n }\n else if (prefix === '.') {\n // Class\n current.addClassName(tag.slice(1));\n }\n else {\n // Element\n current.setElement(tag);\n }\n }\n const attribute = match[4 /* SelectorRegexp.ATTRIBUTE */];\n if (attribute) {\n current.addAttribute(current.unescapeAttribute(attribute), match[6 /* SelectorRegexp.ATTRIBUTE_VALUE */]);\n }\n if (match[7 /* SelectorRegexp.NOT_END */]) {\n inNot = false;\n current = cssSelector;\n }\n if (match[8 /* SelectorRegexp.SEPARATOR */]) {\n if (inNot) {\n throw new Error('Multiple selectors in :not are not supported');\n }\n _addResult(results, cssSelector);\n cssSelector = current = new CssSelector();\n }\n }\n _addResult(results, cssSelector);\n return results;\n }\n /**\n * Unescape `\\$` sequences from the CSS attribute selector.\n *\n * This is needed because `$` can have a special meaning in CSS selectors,\n * but we might want to match an attribute that contains `$`.\n * [MDN web link for more\n * info](https://developer.mozilla.org/en-US/docs/Web/CSS/Attribute_selectors).\n * @param attr the attribute to unescape.\n * @returns the unescaped string.\n */\n unescapeAttribute(attr) {\n let result = '';\n let escaping = false;\n for (let i = 0; i < attr.length; i++) {\n const char = attr.charAt(i);\n if (char === '\\\\') {\n escaping = true;\n continue;\n }\n if (char === '$' && !escaping) {\n throw new Error(`Error in attribute selector \"${attr}\". ` +\n `Unescaped \"$\" is not supported. Please escape with \"\\\\$\".`);\n }\n escaping = false;\n result += char;\n }\n return result;\n }\n /**\n * Escape `$` sequences from the CSS attribute selector.\n *\n * This is needed because `$` can have a special meaning in CSS selectors,\n * with this method we are escaping `$` with `\\$'.\n * [MDN web link for more\n * info](https://developer.mozilla.org/en-US/docs/Web/CSS/Attribute_selectors).\n * @param attr the attribute to escape.\n * @returns the escaped string.\n */\n escapeAttribute(attr) {\n return attr.replace(/\\\\/g, '\\\\\\\\').replace(/\\$/g, '\\\\$');\n }\n isElementSelector() {\n return this.hasElementSelector() && this.classNames.length == 0 && this.attrs.length == 0 &&\n this.notSelectors.length === 0;\n }\n hasElementSelector() {\n return !!this.element;\n }\n setElement(element = null) {\n this.element = element;\n }\n getAttrs() {\n const result = [];\n if (this.classNames.length > 0) {\n result.push('class', this.classNames.join(' '));\n }\n return result.concat(this.attrs);\n }\n addAttribute(name, value = '') {\n this.attrs.push(name, value && value.toLowerCase() || '');\n }\n addClassName(name) {\n this.classNames.push(name.toLowerCase());\n }\n toString() {\n let res = this.element || '';\n if (this.classNames) {\n this.classNames.forEach(klass => res += `.${klass}`);\n }\n if (this.attrs) {\n for (let i = 0; i < this.attrs.length; i += 2) {\n const name = this.escapeAttribute(this.attrs[i]);\n const value = this.attrs[i + 1];\n res += `[${name}${value ? '=' + value : ''}]`;\n }\n }\n this.notSelectors.forEach(notSelector => res += `:not(${notSelector})`);\n return res;\n }\n}\n/**\n * Reads a list of CssSelectors and allows to calculate which ones\n * are contained in a given CssSelector.\n */\nclass SelectorMatcher {\n constructor() {\n this._elementMap = new Map();\n this._elementPartialMap = new Map();\n this._classMap = new Map();\n this._classPartialMap = new Map();\n this._attrValueMap = new Map();\n this._attrValuePartialMap = new Map();\n this._listContexts = [];\n }\n static createNotMatcher(notSelectors) {\n const notMatcher = new SelectorMatcher();\n notMatcher.addSelectables(notSelectors, null);\n return notMatcher;\n }\n addSelectables(cssSelectors, callbackCtxt) {\n let listContext = null;\n if (cssSelectors.length > 1) {\n listContext = new SelectorListContext(cssSelectors);\n this._listContexts.push(listContext);\n }\n for (let i = 0; i < cssSelectors.length; i++) {\n this._addSelectable(cssSelectors[i], callbackCtxt, listContext);\n }\n }\n /**\n * Add an object that can be found later on by calling `match`.\n * @param cssSelector A css selector\n * @param callbackCtxt An opaque object that will be given to the callback of the `match` function\n */\n _addSelectable(cssSelector, callbackCtxt, listContext) {\n let matcher = this;\n const element = cssSelector.element;\n const classNames = cssSelector.classNames;\n const attrs = cssSelector.attrs;\n const selectable = new SelectorContext(cssSelector, callbackCtxt, listContext);\n if (element) {\n const isTerminal = attrs.length === 0 && classNames.length === 0;\n if (isTerminal) {\n this._addTerminal(matcher._elementMap, element, selectable);\n }\n else {\n matcher = this._addPartial(matcher._elementPartialMap, element);\n }\n }\n if (classNames) {\n for (let i = 0; i < classNames.length; i++) {\n const isTerminal = attrs.length === 0 && i === classNames.length - 1;\n const className = classNames[i];\n if (isTerminal) {\n this._addTerminal(matcher._classMap, className, selectable);\n }\n else {\n matcher = this._addPartial(matcher._classPartialMap, className);\n }\n }\n }\n if (attrs) {\n for (let i = 0; i < attrs.length; i += 2) {\n const isTerminal = i === attrs.length - 2;\n const name = attrs[i];\n const value = attrs[i + 1];\n if (isTerminal) {\n const terminalMap = matcher._attrValueMap;\n let terminalValuesMap = terminalMap.get(name);\n if (!terminalValuesMap) {\n terminalValuesMap = new Map();\n terminalMap.set(name, terminalValuesMap);\n }\n this._addTerminal(terminalValuesMap, value, selectable);\n }\n else {\n const partialMap = matcher._attrValuePartialMap;\n let partialValuesMap = partialMap.get(name);\n if (!partialValuesMap) {\n partialValuesMap = new Map();\n partialMap.set(name, partialValuesMap);\n }\n matcher = this._addPartial(partialValuesMap, value);\n }\n }\n }\n }\n _addTerminal(map, name, selectable) {\n let terminalList = map.get(name);\n if (!terminalList) {\n terminalList = [];\n map.set(name, terminalList);\n }\n terminalList.push(selectable);\n }\n _addPartial(map, name) {\n let matcher = map.get(name);\n if (!matcher) {\n matcher = new SelectorMatcher();\n map.set(name, matcher);\n }\n return matcher;\n }\n /**\n * Find the objects that have been added via `addSelectable`\n * whose css selector is contained in the given css selector.\n * @param cssSelector A css selector\n * @param matchedCallback This callback will be called with the object handed into `addSelectable`\n * @return boolean true if a match was found\n */\n match(cssSelector, matchedCallback) {\n let result = false;\n const element = cssSelector.element;\n const classNames = cssSelector.classNames;\n const attrs = cssSelector.attrs;\n for (let i = 0; i < this._listContexts.length; i++) {\n this._listContexts[i].alreadyMatched = false;\n }\n result = this._matchTerminal(this._elementMap, element, cssSelector, matchedCallback) || result;\n result = this._matchPartial(this._elementPartialMap, element, cssSelector, matchedCallback) ||\n result;\n if (classNames) {\n for (let i = 0; i < classNames.length; i++) {\n const className = classNames[i];\n result =\n this._matchTerminal(this._classMap, className, cssSelector, matchedCallback) || result;\n result =\n this._matchPartial(this._classPartialMap, className, cssSelector, matchedCallback) ||\n result;\n }\n }\n if (attrs) {\n for (let i = 0; i < attrs.length; i += 2) {\n const name = attrs[i];\n const value = attrs[i + 1];\n const terminalValuesMap = this._attrValueMap.get(name);\n if (value) {\n result =\n this._matchTerminal(terminalValuesMap, '', cssSelector, matchedCallback) || result;\n }\n result =\n this._matchTerminal(terminalValuesMap, value, cssSelector, matchedCallback) || result;\n const partialValuesMap = this._attrValuePartialMap.get(name);\n if (value) {\n result = this._matchPartial(partialValuesMap, '', cssSelector, matchedCallback) || result;\n }\n result =\n this._matchPartial(partialValuesMap, value, cssSelector, matchedCallback) || result;\n }\n }\n return result;\n }\n /** @internal */\n _matchTerminal(map, name, cssSelector, matchedCallback) {\n if (!map || typeof name !== 'string') {\n return false;\n }\n let selectables = map.get(name) || [];\n const starSelectables = map.get('*');\n if (starSelectables) {\n selectables = selectables.concat(starSelectables);\n }\n if (selectables.length === 0) {\n return false;\n }\n let selectable;\n let result = false;\n for (let i = 0; i < selectables.length; i++) {\n selectable = selectables[i];\n result = selectable.finalize(cssSelector, matchedCallback) || result;\n }\n return result;\n }\n /** @internal */\n _matchPartial(map, name, cssSelector, matchedCallback) {\n if (!map || typeof name !== 'string') {\n return false;\n }\n const nestedSelector = map.get(name);\n if (!nestedSelector) {\n return false;\n }\n // TODO(perf): get rid of recursion and measure again\n // TODO(perf): don't pass the whole selector into the recursion,\n // but only the not processed parts\n return nestedSelector.match(cssSelector, matchedCallback);\n }\n}\nclass SelectorListContext {\n constructor(selectors) {\n this.selectors = selectors;\n this.alreadyMatched = false;\n }\n}\n// Store context to pass back selector and context when a selector is matched\nclass SelectorContext {\n constructor(selector, cbContext, listContext) {\n this.selector = selector;\n this.cbContext = cbContext;\n this.listContext = listContext;\n this.notSelectors = selector.notSelectors;\n }\n finalize(cssSelector, callback) {\n let result = true;\n if (this.notSelectors.length > 0 && (!this.listContext || !this.listContext.alreadyMatched)) {\n const notMatcher = SelectorMatcher.createNotMatcher(this.notSelectors);\n result = !notMatcher.match(cssSelector, null);\n }\n if (result && callback && (!this.listContext || !this.listContext.alreadyMatched)) {\n if (this.listContext) {\n this.listContext.alreadyMatched = true;\n }\n callback(this.selector, this.cbContext);\n }\n return result;\n }\n}\n\n// Attention:\n// Stores the default value of `emitDistinctChangesOnly` when the `emitDistinctChangesOnly` is not\n// explicitly set.\nconst emitDistinctChangesOnlyDefaultValue = true;\nvar ViewEncapsulation;\n(function (ViewEncapsulation) {\n ViewEncapsulation[ViewEncapsulation[\"Emulated\"] = 0] = \"Emulated\";\n // Historically the 1 value was for `Native` encapsulation which has been removed as of v11.\n ViewEncapsulation[ViewEncapsulation[\"None\"] = 2] = \"None\";\n ViewEncapsulation[ViewEncapsulation[\"ShadowDom\"] = 3] = \"ShadowDom\";\n})(ViewEncapsulation || (ViewEncapsulation = {}));\nvar ChangeDetectionStrategy;\n(function (ChangeDetectionStrategy) {\n ChangeDetectionStrategy[ChangeDetectionStrategy[\"OnPush\"] = 0] = \"OnPush\";\n ChangeDetectionStrategy[ChangeDetectionStrategy[\"Default\"] = 1] = \"Default\";\n})(ChangeDetectionStrategy || (ChangeDetectionStrategy = {}));\nconst CUSTOM_ELEMENTS_SCHEMA = {\n name: 'custom-elements'\n};\nconst NO_ERRORS_SCHEMA = {\n name: 'no-errors-schema'\n};\nconst Type$1 = Function;\nvar SecurityContext;\n(function (SecurityContext) {\n SecurityContext[SecurityContext[\"NONE\"] = 0] = \"NONE\";\n SecurityContext[SecurityContext[\"HTML\"] = 1] = \"HTML\";\n SecurityContext[SecurityContext[\"STYLE\"] = 2] = \"STYLE\";\n SecurityContext[SecurityContext[\"SCRIPT\"] = 3] = \"SCRIPT\";\n SecurityContext[SecurityContext[\"URL\"] = 4] = \"URL\";\n SecurityContext[SecurityContext[\"RESOURCE_URL\"] = 5] = \"RESOURCE_URL\";\n})(SecurityContext || (SecurityContext = {}));\nvar MissingTranslationStrategy;\n(function (MissingTranslationStrategy) {\n MissingTranslationStrategy[MissingTranslationStrategy[\"Error\"] = 0] = \"Error\";\n MissingTranslationStrategy[MissingTranslationStrategy[\"Warning\"] = 1] = \"Warning\";\n MissingTranslationStrategy[MissingTranslationStrategy[\"Ignore\"] = 2] = \"Ignore\";\n})(MissingTranslationStrategy || (MissingTranslationStrategy = {}));\nfunction parserSelectorToSimpleSelector(selector) {\n const classes = selector.classNames && selector.classNames.length ?\n [8 /* SelectorFlags.CLASS */, ...selector.classNames] :\n [];\n const elementName = selector.element && selector.element !== '*' ? selector.element : '';\n return [elementName, ...selector.attrs, ...classes];\n}\nfunction parserSelectorToNegativeSelector(selector) {\n const classes = selector.classNames && selector.classNames.length ?\n [8 /* SelectorFlags.CLASS */, ...selector.classNames] :\n [];\n if (selector.element) {\n return [\n 1 /* SelectorFlags.NOT */ | 4 /* SelectorFlags.ELEMENT */, selector.element, ...selector.attrs, ...classes\n ];\n }\n else if (selector.attrs.length) {\n return [1 /* SelectorFlags.NOT */ | 2 /* SelectorFlags.ATTRIBUTE */, ...selector.attrs, ...classes];\n }\n else {\n return selector.classNames && selector.classNames.length ?\n [1 /* SelectorFlags.NOT */ | 8 /* SelectorFlags.CLASS */, ...selector.classNames] :\n [];\n }\n}\nfunction parserSelectorToR3Selector(selector) {\n const positive = parserSelectorToSimpleSelector(selector);\n const negative = selector.notSelectors && selector.notSelectors.length ?\n selector.notSelectors.map(notSelector => parserSelectorToNegativeSelector(notSelector)) :\n [];\n return positive.concat(...negative);\n}\nfunction parseSelectorToR3Selector(selector) {\n return selector ? CssSelector.parse(selector).map(parserSelectorToR3Selector) : [];\n}\n\nvar core = /*#__PURE__*/Object.freeze({\n __proto__: null,\n emitDistinctChangesOnlyDefaultValue: emitDistinctChangesOnlyDefaultValue,\n get ViewEncapsulation () { return ViewEncapsulation; },\n get ChangeDetectionStrategy () { return ChangeDetectionStrategy; },\n CUSTOM_ELEMENTS_SCHEMA: CUSTOM_ELEMENTS_SCHEMA,\n NO_ERRORS_SCHEMA: NO_ERRORS_SCHEMA,\n Type: Type$1,\n get SecurityContext () { return SecurityContext; },\n get MissingTranslationStrategy () { return MissingTranslationStrategy; },\n parseSelectorToR3Selector: parseSelectorToR3Selector\n});\n\n/**\n * Represents a big integer using a buffer of its individual digits, with the least significant\n * digit stored at the beginning of the array (little endian).\n *\n * For performance reasons, each instance is mutable. The addition operation can be done in-place\n * to reduce memory pressure of allocation for the digits array.\n */\nclass BigInteger {\n static zero() {\n return new BigInteger([0]);\n }\n static one() {\n return new BigInteger([1]);\n }\n /**\n * Creates a big integer using its individual digits in little endian storage.\n */\n constructor(digits) {\n this.digits = digits;\n }\n /**\n * Creates a clone of this instance.\n */\n clone() {\n return new BigInteger(this.digits.slice());\n }\n /**\n * Returns a new big integer with the sum of `this` and `other` as its value. This does not mutate\n * `this` but instead returns a new instance, unlike `addToSelf`.\n */\n add(other) {\n const result = this.clone();\n result.addToSelf(other);\n return result;\n }\n /**\n * Adds `other` to the instance itself, thereby mutating its value.\n */\n addToSelf(other) {\n const maxNrOfDigits = Math.max(this.digits.length, other.digits.length);\n let carry = 0;\n for (let i = 0; i < maxNrOfDigits; i++) {\n let digitSum = carry;\n if (i < this.digits.length) {\n digitSum += this.digits[i];\n }\n if (i < other.digits.length) {\n digitSum += other.digits[i];\n }\n if (digitSum >= 10) {\n this.digits[i] = digitSum - 10;\n carry = 1;\n }\n else {\n this.digits[i] = digitSum;\n carry = 0;\n }\n }\n // Apply a remaining carry if needed.\n if (carry > 0) {\n this.digits[maxNrOfDigits] = 1;\n }\n }\n /**\n * Builds the decimal string representation of the big integer. As this is stored in\n * little endian, the digits are concatenated in reverse order.\n */\n toString() {\n let res = '';\n for (let i = this.digits.length - 1; i >= 0; i--) {\n res += this.digits[i];\n }\n return res;\n }\n}\n/**\n * Represents a big integer which is optimized for multiplication operations, as its power-of-twos\n * are memoized. See `multiplyBy()` for details on the multiplication algorithm.\n */\nclass BigIntForMultiplication {\n constructor(value) {\n this.powerOfTwos = [value];\n }\n /**\n * Returns the big integer itself.\n */\n getValue() {\n return this.powerOfTwos[0];\n }\n /**\n * Computes the value for `num * b`, where `num` is a JS number and `b` is a big integer. The\n * value for `b` is represented by a storage model that is optimized for this computation.\n *\n * This operation is implemented in N(log2(num)) by continuous halving of the number, where the\n * least-significant bit (LSB) is tested in each iteration. If the bit is set, the bit's index is\n * used as exponent into the power-of-two multiplication of `b`.\n *\n * As an example, consider the multiplication num=42, b=1337. In binary 42 is 0b00101010 and the\n * algorithm unrolls into the following iterations:\n *\n * Iteration | num | LSB | b * 2^iter | Add? | product\n * -----------|------------|------|------------|------|--------\n * 0 | 0b00101010 | 0 | 1337 | No | 0\n * 1 | 0b00010101 | 1 | 2674 | Yes | 2674\n * 2 | 0b00001010 | 0 | 5348 | No | 2674\n * 3 | 0b00000101 | 1 | 10696 | Yes | 13370\n * 4 | 0b00000010 | 0 | 21392 | No | 13370\n * 5 | 0b00000001 | 1 | 42784 | Yes | 56154\n * 6 | 0b00000000 | 0 | 85568 | No | 56154\n *\n * The computed product of 56154 is indeed the correct result.\n *\n * The `BigIntForMultiplication` representation for a big integer provides memoized access to the\n * power-of-two values to reduce the workload in computing those values.\n */\n multiplyBy(num) {\n const product = BigInteger.zero();\n this.multiplyByAndAddTo(num, product);\n return product;\n }\n /**\n * See `multiplyBy()` for details. This function allows for the computed product to be added\n * directly to the provided result big integer.\n */\n multiplyByAndAddTo(num, result) {\n for (let exponent = 0; num !== 0; num = num >>> 1, exponent++) {\n if (num & 1) {\n const value = this.getMultipliedByPowerOfTwo(exponent);\n result.addToSelf(value);\n }\n }\n }\n /**\n * Computes and memoizes the big integer value for `this.number * 2^exponent`.\n */\n getMultipliedByPowerOfTwo(exponent) {\n // Compute the powers up until the requested exponent, where each value is computed from its\n // predecessor. This is simple as `this.number * 2^(exponent - 1)` only has to be doubled (i.e.\n // added to itself) to reach `this.number * 2^exponent`.\n for (let i = this.powerOfTwos.length; i <= exponent; i++) {\n const previousPower = this.powerOfTwos[i - 1];\n this.powerOfTwos[i] = previousPower.add(previousPower);\n }\n return this.powerOfTwos[exponent];\n }\n}\n/**\n * Represents an exponentiation operation for the provided base, of which exponents are computed and\n * memoized. The results are represented by a `BigIntForMultiplication` which is tailored for\n * multiplication operations by memoizing the power-of-twos. This effectively results in a matrix\n * representation that is lazily computed upon request.\n */\nclass BigIntExponentiation {\n constructor(base) {\n this.base = base;\n this.exponents = [new BigIntForMultiplication(BigInteger.one())];\n }\n /**\n * Compute the value for `this.base^exponent`, resulting in a big integer that is optimized for\n * further multiplication operations.\n */\n toThePowerOf(exponent) {\n // Compute the results up until the requested exponent, where every value is computed from its\n // predecessor. This is because `this.base^(exponent - 1)` only has to be multiplied by `base`\n // to reach `this.base^exponent`.\n for (let i = this.exponents.length; i <= exponent; i++) {\n const value = this.exponents[i - 1].multiplyBy(this.base);\n this.exponents[i] = new BigIntForMultiplication(value);\n }\n return this.exponents[exponent];\n }\n}\n\n/**\n * A lazily created TextEncoder instance for converting strings into UTF-8 bytes\n */\nlet textEncoder;\n/**\n * Return the message id or compute it using the XLIFF1 digest.\n */\nfunction digest$1(message) {\n return message.id || computeDigest(message);\n}\n/**\n * Compute the message id using the XLIFF1 digest.\n */\nfunction computeDigest(message) {\n return sha1(serializeNodes(message.nodes).join('') + `[${message.meaning}]`);\n}\n/**\n * Return the message id or compute it using the XLIFF2/XMB/$localize digest.\n */\nfunction decimalDigest(message) {\n return message.id || computeDecimalDigest(message);\n}\n/**\n * Compute the message id using the XLIFF2/XMB/$localize digest.\n */\nfunction computeDecimalDigest(message) {\n const visitor = new _SerializerIgnoreIcuExpVisitor();\n const parts = message.nodes.map(a => a.visit(visitor, null));\n return computeMsgId(parts.join(''), message.meaning);\n}\n/**\n * Serialize the i18n ast to something xml-like in order to generate an UID.\n *\n * The visitor is also used in the i18n parser tests\n *\n * @internal\n */\nclass _SerializerVisitor {\n visitText(text, context) {\n return text.value;\n }\n visitContainer(container, context) {\n return `[${container.children.map(child => child.visit(this)).join(', ')}]`;\n }\n visitIcu(icu, context) {\n const strCases = Object.keys(icu.cases).map((k) => `${k} {${icu.cases[k].visit(this)}}`);\n return `{${icu.expression}, ${icu.type}, ${strCases.join(', ')}}`;\n }\n visitTagPlaceholder(ph, context) {\n return ph.isVoid ?\n `<ph tag name=\"${ph.startName}\"/>` :\n `<ph tag name=\"${ph.startName}\">${ph.children.map(child => child.visit(this)).join(', ')}</ph name=\"${ph.closeName}\">`;\n }\n visitPlaceholder(ph, context) {\n return ph.value ? `<ph name=\"${ph.name}\">${ph.value}</ph>` : `<ph name=\"${ph.name}\"/>`;\n }\n visitIcuPlaceholder(ph, context) {\n return `<ph icu name=\"${ph.name}\">${ph.value.visit(this)}</ph>`;\n }\n}\nconst serializerVisitor$1 = new _SerializerVisitor();\nfunction serializeNodes(nodes) {\n return nodes.map(a => a.visit(serializerVisitor$1, null));\n}\n/**\n * Serialize the i18n ast to something xml-like in order to generate an UID.\n *\n * Ignore the ICU expressions so that message IDs stays identical if only the expression changes.\n *\n * @internal\n */\nclass _SerializerIgnoreIcuExpVisitor extends _SerializerVisitor {\n visitIcu(icu, context) {\n let strCases = Object.keys(icu.cases).map((k) => `${k} {${icu.cases[k].visit(this)}}`);\n // Do not take the expression into account\n return `{${icu.type}, ${strCases.join(', ')}}`;\n }\n}\n/**\n * Compute the SHA1 of the given string\n *\n * see https://csrc.nist.gov/publications/fips/fips180-4/fips-180-4.pdf\n *\n * WARNING: this function has not been designed not tested with security in mind.\n * DO NOT USE IT IN A SECURITY SENSITIVE CONTEXT.\n */\nfunction sha1(str) {\n textEncoder ??= new TextEncoder();\n const utf8 = [...textEncoder.encode(str)];\n const words32 = bytesToWords32(utf8, Endian.Big);\n const len = utf8.length * 8;\n const w = new Uint32Array(80);\n let a = 0x67452301, b = 0xefcdab89, c = 0x98badcfe, d = 0x10325476, e = 0xc3d2e1f0;\n words32[len >> 5] |= 0x80 << (24 - len % 32);\n words32[((len + 64 >> 9) << 4) + 15] = len;\n for (let i = 0; i < words32.length; i += 16) {\n const h0 = a, h1 = b, h2 = c, h3 = d, h4 = e;\n for (let j = 0; j < 80; j++) {\n if (j < 16) {\n w[j] = words32[i + j];\n }\n else {\n w[j] = rol32(w[j - 3] ^ w[j - 8] ^ w[j - 14] ^ w[j - 16], 1);\n }\n const fkVal = fk(j, b, c, d);\n const f = fkVal[0];\n const k = fkVal[1];\n const temp = [rol32(a, 5), f, e, k, w[j]].reduce(add32);\n e = d;\n d = c;\n c = rol32(b, 30);\n b = a;\n a = temp;\n }\n a = add32(a, h0);\n b = add32(b, h1);\n c = add32(c, h2);\n d = add32(d, h3);\n e = add32(e, h4);\n }\n // Convert the output parts to a 160-bit hexadecimal string\n return toHexU32(a) + toHexU32(b) + toHexU32(c) + toHexU32(d) + toHexU32(e);\n}\n/**\n * Convert and format a number as a string representing a 32-bit unsigned hexadecimal number.\n * @param value The value to format as a string.\n * @returns A hexadecimal string representing the value.\n */\nfunction toHexU32(value) {\n // unsigned right shift of zero ensures an unsigned 32-bit number\n return (value >>> 0).toString(16).padStart(8, '0');\n}\nfunction fk(index, b, c, d) {\n if (index < 20) {\n return [(b & c) | (~b & d), 0x5a827999];\n }\n if (index < 40) {\n return [b ^ c ^ d, 0x6ed9eba1];\n }\n if (index < 60) {\n return [(b & c) | (b & d) | (c & d), 0x8f1bbcdc];\n }\n return [b ^ c ^ d, 0xca62c1d6];\n}\n/**\n * Compute the fingerprint of the given string\n *\n * The output is 64 bit number encoded as a decimal string\n *\n * based on:\n * https://github.com/google/closure-compiler/blob/master/src/com/google/javascript/jscomp/GoogleJsMessageIdGenerator.java\n */\nfunction fingerprint(str) {\n textEncoder ??= new TextEncoder();\n const utf8 = textEncoder.encode(str);\n const view = new DataView(utf8.buffer, utf8.byteOffset, utf8.byteLength);\n let hi = hash32(view, utf8.length, 0);\n let lo = hash32(view, utf8.length, 102072);\n if (hi == 0 && (lo == 0 || lo == 1)) {\n hi = hi ^ 0x130f9bef;\n lo = lo ^ -0x6b5f56d8;\n }\n return [hi, lo];\n}\nfunction computeMsgId(msg, meaning = '') {\n let msgFingerprint = fingerprint(msg);\n if (meaning) {\n const meaningFingerprint = fingerprint(meaning);\n msgFingerprint = add64(rol64(msgFingerprint, 1), meaningFingerprint);\n }\n const hi = msgFingerprint[0];\n const lo = msgFingerprint[1];\n return wordsToDecimalString(hi & 0x7fffffff, lo);\n}\nfunction hash32(view, length, c) {\n let a = 0x9e3779b9, b = 0x9e3779b9;\n let index = 0;\n const end = length - 12;\n for (; index <= end; index += 12) {\n a += view.getUint32(index, true);\n b += view.getUint32(index + 4, true);\n c += view.getUint32(index + 8, true);\n const res = mix(a, b, c);\n a = res[0], b = res[1], c = res[2];\n }\n const remainder = length - index;\n // the first byte of c is reserved for the length\n c += length;\n if (remainder >= 4) {\n a += view.getUint32(index, true);\n index += 4;\n if (remainder >= 8) {\n b += view.getUint32(index, true);\n index += 4;\n // Partial 32-bit word for c\n if (remainder >= 9) {\n c += view.getUint8(index++) << 8;\n }\n if (remainder >= 10) {\n c += view.getUint8(index++) << 16;\n }\n if (remainder === 11) {\n c += view.getUint8(index++) << 24;\n }\n }\n else {\n // Partial 32-bit word for b\n if (remainder >= 5) {\n b += view.getUint8(index++);\n }\n if (remainder >= 6) {\n b += view.getUint8(index++) << 8;\n }\n if (remainder === 7) {\n b += view.getUint8(index++) << 16;\n }\n }\n }\n else {\n // Partial 32-bit word for a\n if (remainder >= 1) {\n a += view.getUint8(index++);\n }\n if (remainder >= 2) {\n a += view.getUint8(index++) << 8;\n }\n if (remainder === 3) {\n a += view.getUint8(index++) << 16;\n }\n }\n return mix(a, b, c)[2];\n}\n// clang-format off\nfunction mix(a, b, c) {\n a -= b;\n a -= c;\n a ^= c >>> 13;\n b -= c;\n b -= a;\n b ^= a << 8;\n c -= a;\n c -= b;\n c ^= b >>> 13;\n a -= b;\n a -= c;\n a ^= c >>> 12;\n b -= c;\n b -= a;\n b ^= a << 16;\n c -= a;\n c -= b;\n c ^= b >>> 5;\n a -= b;\n a -= c;\n a ^= c >>> 3;\n b -= c;\n b -= a;\n b ^= a << 10;\n c -= a;\n c -= b;\n c ^= b >>> 15;\n return [a, b, c];\n}\n// clang-format on\n// Utils\nvar Endian;\n(function (Endian) {\n Endian[Endian[\"Little\"] = 0] = \"Little\";\n Endian[Endian[\"Big\"] = 1] = \"Big\";\n})(Endian || (Endian = {}));\nfunction add32(a, b) {\n return add32to64(a, b)[1];\n}\nfunction add32to64(a, b) {\n const low = (a & 0xffff) + (b & 0xffff);\n const high = (a >>> 16) + (b >>> 16) + (low >>> 16);\n return [high >>> 16, (high << 16) | (low & 0xffff)];\n}\nfunction add64(a, b) {\n const ah = a[0], al = a[1];\n const bh = b[0], bl = b[1];\n const result = add32to64(al, bl);\n const carry = result[0];\n const l = result[1];\n const h = add32(add32(ah, bh), carry);\n return [h, l];\n}\n// Rotate a 32b number left `count` position\nfunction rol32(a, count) {\n return (a << count) | (a >>> (32 - count));\n}\n// Rotate a 64b number left `count` position\nfunction rol64(num, count) {\n const hi = num[0], lo = num[1];\n const h = (hi << count) | (lo >>> (32 - count));\n const l = (lo << count) | (hi >>> (32 - count));\n return [h, l];\n}\nfunction bytesToWords32(bytes, endian) {\n const size = (bytes.length + 3) >>> 2;\n const words32 = [];\n for (let i = 0; i < size; i++) {\n words32[i] = wordAt(bytes, i * 4, endian);\n }\n return words32;\n}\nfunction byteAt(bytes, index) {\n return index >= bytes.length ? 0 : bytes[index];\n}\nfunction wordAt(bytes, index, endian) {\n let word = 0;\n if (endian === Endian.Big) {\n for (let i = 0; i < 4; i++) {\n word += byteAt(bytes, index + i) << (24 - 8 * i);\n }\n }\n else {\n for (let i = 0; i < 4; i++) {\n word += byteAt(bytes, index + i) << 8 * i;\n }\n }\n return word;\n}\n/**\n * Create a shared exponentiation pool for base-256 computations. This shared pool provides memoized\n * power-of-256 results with memoized power-of-two computations for efficient multiplication.\n *\n * For our purposes, this can be safely stored as a global without memory concerns. The reason is\n * that we encode two words, so only need the 0th (for the low word) and 4th (for the high word)\n * exponent.\n */\nconst base256 = new BigIntExponentiation(256);\n/**\n * Represents two 32-bit words as a single decimal number. This requires a big integer storage\n * model as JS numbers are not accurate enough to represent the 64-bit number.\n *\n * Based on https://www.danvk.org/hex2dec.html\n */\nfunction wordsToDecimalString(hi, lo) {\n // Encode the four bytes in lo in the lower digits of the decimal number.\n // Note: the multiplication results in lo itself but represented by a big integer using its\n // decimal digits.\n const decimal = base256.toThePowerOf(0).multiplyBy(lo);\n // Encode the four bytes in hi above the four lo bytes. lo is a maximum of (2^8)^4, which is why\n // this multiplication factor is applied.\n base256.toThePowerOf(4).multiplyByAndAddTo(hi, decimal);\n return decimal.toString();\n}\n\n//// Types\nvar TypeModifier;\n(function (TypeModifier) {\n TypeModifier[TypeModifier[\"None\"] = 0] = \"None\";\n TypeModifier[TypeModifier[\"Const\"] = 1] = \"Const\";\n})(TypeModifier || (TypeModifier = {}));\nclass Type {\n constructor(modifiers = TypeModifier.None) {\n this.modifiers = modifiers;\n }\n hasModifier(modifier) {\n return (this.modifiers & modifier) !== 0;\n }\n}\nvar BuiltinTypeName;\n(function (BuiltinTypeName) {\n BuiltinTypeName[BuiltinTypeName[\"Dynamic\"] = 0] = \"Dynamic\";\n BuiltinTypeName[BuiltinTypeName[\"Bool\"] = 1] = \"Bool\";\n BuiltinTypeName[BuiltinTypeName[\"String\"] = 2] = \"String\";\n BuiltinTypeName[BuiltinTypeName[\"Int\"] = 3] = \"Int\";\n BuiltinTypeName[BuiltinTypeName[\"Number\"] = 4] = \"Number\";\n BuiltinTypeName[BuiltinTypeName[\"Function\"] = 5] = \"Function\";\n BuiltinTypeName[BuiltinTypeName[\"Inferred\"] = 6] = \"Inferred\";\n BuiltinTypeName[BuiltinTypeName[\"None\"] = 7] = \"None\";\n})(BuiltinTypeName || (BuiltinTypeName = {}));\nclass BuiltinType extends Type {\n constructor(name, modifiers) {\n super(modifiers);\n this.name = name;\n }\n visitType(visitor, context) {\n return visitor.visitBuiltinType(this, context);\n }\n}\nclass ExpressionType extends Type {\n constructor(value, modifiers, typeParams = null) {\n super(modifiers);\n this.value = value;\n this.typeParams = typeParams;\n }\n visitType(visitor, context) {\n return visitor.visitExpressionType(this, context);\n }\n}\nclass ArrayType extends Type {\n constructor(of, modifiers) {\n super(modifiers);\n this.of = of;\n }\n visitType(visitor, context) {\n return visitor.visitArrayType(this, context);\n }\n}\nclass MapType extends Type {\n constructor(valueType, modifiers) {\n super(modifiers);\n this.valueType = valueType || null;\n }\n visitType(visitor, context) {\n return visitor.visitMapType(this, context);\n }\n}\nclass TransplantedType extends Type {\n constructor(type, modifiers) {\n super(modifiers);\n this.type = type;\n }\n visitType(visitor, context) {\n return visitor.visitTransplantedType(this, context);\n }\n}\nconst DYNAMIC_TYPE = new BuiltinType(BuiltinTypeName.Dynamic);\nconst INFERRED_TYPE = new BuiltinType(BuiltinTypeName.Inferred);\nconst BOOL_TYPE = new BuiltinType(BuiltinTypeName.Bool);\nconst INT_TYPE = new BuiltinType(BuiltinTypeName.Int);\nconst NUMBER_TYPE = new BuiltinType(BuiltinTypeName.Number);\nconst STRING_TYPE = new BuiltinType(BuiltinTypeName.String);\nconst FUNCTION_TYPE = new BuiltinType(BuiltinTypeName.Function);\nconst NONE_TYPE = new BuiltinType(BuiltinTypeName.None);\n///// Expressions\nvar UnaryOperator;\n(function (UnaryOperator) {\n UnaryOperator[UnaryOperator[\"Minus\"] = 0] = \"Minus\";\n UnaryOperator[UnaryOperator[\"Plus\"] = 1] = \"Plus\";\n})(UnaryOperator || (UnaryOperator = {}));\nvar BinaryOperator;\n(function (BinaryOperator) {\n BinaryOperator[BinaryOperator[\"Equals\"] = 0] = \"Equals\";\n BinaryOperator[BinaryOperator[\"NotEquals\"] = 1] = \"NotEquals\";\n BinaryOperator[BinaryOperator[\"Identical\"] = 2] = \"Identical\";\n BinaryOperator[BinaryOperator[\"NotIdentical\"] = 3] = \"NotIdentical\";\n BinaryOperator[BinaryOperator[\"Minus\"] = 4] = \"Minus\";\n BinaryOperator[BinaryOperator[\"Plus\"] = 5] = \"Plus\";\n BinaryOperator[BinaryOperator[\"Divide\"] = 6] = \"Divide\";\n BinaryOperator[BinaryOperator[\"Multiply\"] = 7] = \"Multiply\";\n BinaryOperator[BinaryOperator[\"Modulo\"] = 8] = \"Modulo\";\n BinaryOperator[BinaryOperator[\"And\"] = 9] = \"And\";\n BinaryOperator[BinaryOperator[\"Or\"] = 10] = \"Or\";\n BinaryOperator[BinaryOperator[\"BitwiseAnd\"] = 11] = \"BitwiseAnd\";\n BinaryOperator[BinaryOperator[\"Lower\"] = 12] = \"Lower\";\n BinaryOperator[BinaryOperator[\"LowerEquals\"] = 13] = \"LowerEquals\";\n BinaryOperator[BinaryOperator[\"Bigger\"] = 14] = \"Bigger\";\n BinaryOperator[BinaryOperator[\"BiggerEquals\"] = 15] = \"BiggerEquals\";\n BinaryOperator[BinaryOperator[\"NullishCoalesce\"] = 16] = \"NullishCoalesce\";\n})(BinaryOperator || (BinaryOperator = {}));\nfunction nullSafeIsEquivalent(base, other) {\n if (base == null || other == null) {\n return base == other;\n }\n return base.isEquivalent(other);\n}\nfunction areAllEquivalentPredicate(base, other, equivalentPredicate) {\n const len = base.length;\n if (len !== other.length) {\n return false;\n }\n for (let i = 0; i < len; i++) {\n if (!equivalentPredicate(base[i], other[i])) {\n return false;\n }\n }\n return true;\n}\nfunction areAllEquivalent(base, other) {\n return areAllEquivalentPredicate(base, other, (baseElement, otherElement) => baseElement.isEquivalent(otherElement));\n}\nclass Expression {\n constructor(type, sourceSpan) {\n this.type = type || null;\n this.sourceSpan = sourceSpan || null;\n }\n prop(name, sourceSpan) {\n return new ReadPropExpr(this, name, null, sourceSpan);\n }\n key(index, type, sourceSpan) {\n return new ReadKeyExpr(this, index, type, sourceSpan);\n }\n callFn(params, sourceSpan, pure) {\n return new InvokeFunctionExpr(this, params, null, sourceSpan, pure);\n }\n instantiate(params, type, sourceSpan) {\n return new InstantiateExpr(this, params, type, sourceSpan);\n }\n conditional(trueCase, falseCase = null, sourceSpan) {\n return new ConditionalExpr(this, trueCase, falseCase, null, sourceSpan);\n }\n equals(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.Equals, this, rhs, null, sourceSpan);\n }\n notEquals(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.NotEquals, this, rhs, null, sourceSpan);\n }\n identical(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.Identical, this, rhs, null, sourceSpan);\n }\n notIdentical(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.NotIdentical, this, rhs, null, sourceSpan);\n }\n minus(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.Minus, this, rhs, null, sourceSpan);\n }\n plus(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.Plus, this, rhs, null, sourceSpan);\n }\n divide(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.Divide, this, rhs, null, sourceSpan);\n }\n multiply(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.Multiply, this, rhs, null, sourceSpan);\n }\n modulo(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.Modulo, this, rhs, null, sourceSpan);\n }\n and(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.And, this, rhs, null, sourceSpan);\n }\n bitwiseAnd(rhs, sourceSpan, parens = true) {\n return new BinaryOperatorExpr(BinaryOperator.BitwiseAnd, this, rhs, null, sourceSpan, parens);\n }\n or(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.Or, this, rhs, null, sourceSpan);\n }\n lower(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.Lower, this, rhs, null, sourceSpan);\n }\n lowerEquals(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.LowerEquals, this, rhs, null, sourceSpan);\n }\n bigger(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.Bigger, this, rhs, null, sourceSpan);\n }\n biggerEquals(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.BiggerEquals, this, rhs, null, sourceSpan);\n }\n isBlank(sourceSpan) {\n // Note: We use equals by purpose here to compare to null and undefined in JS.\n // We use the typed null to allow strictNullChecks to narrow types.\n return this.equals(TYPED_NULL_EXPR, sourceSpan);\n }\n nullishCoalesce(rhs, sourceSpan) {\n return new BinaryOperatorExpr(BinaryOperator.NullishCoalesce, this, rhs, null, sourceSpan);\n }\n toStmt() {\n return new ExpressionStatement(this, null);\n }\n}\nclass ReadVarExpr extends Expression {\n constructor(name, type, sourceSpan) {\n super(type, sourceSpan);\n this.name = name;\n }\n isEquivalent(e) {\n return e instanceof ReadVarExpr && this.name === e.name;\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitReadVarExpr(this, context);\n }\n clone() {\n return new ReadVarExpr(this.name, this.type, this.sourceSpan);\n }\n set(value) {\n return new WriteVarExpr(this.name, value, null, this.sourceSpan);\n }\n}\nclass TypeofExpr extends Expression {\n constructor(expr, type, sourceSpan) {\n super(type, sourceSpan);\n this.expr = expr;\n }\n visitExpression(visitor, context) {\n return visitor.visitTypeofExpr(this, context);\n }\n isEquivalent(e) {\n return e instanceof TypeofExpr && e.expr.isEquivalent(this.expr);\n }\n isConstant() {\n return this.expr.isConstant();\n }\n clone() {\n return new TypeofExpr(this.expr.clone());\n }\n}\nclass WrappedNodeExpr extends Expression {\n constructor(node, type, sourceSpan) {\n super(type, sourceSpan);\n this.node = node;\n }\n isEquivalent(e) {\n return e instanceof WrappedNodeExpr && this.node === e.node;\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitWrappedNodeExpr(this, context);\n }\n clone() {\n return new WrappedNodeExpr(this.node, this.type, this.sourceSpan);\n }\n}\nclass WriteVarExpr extends Expression {\n constructor(name, value, type, sourceSpan) {\n super(type || value.type, sourceSpan);\n this.name = name;\n this.value = value;\n }\n isEquivalent(e) {\n return e instanceof WriteVarExpr && this.name === e.name && this.value.isEquivalent(e.value);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitWriteVarExpr(this, context);\n }\n clone() {\n return new WriteVarExpr(this.name, this.value.clone(), this.type, this.sourceSpan);\n }\n toDeclStmt(type, modifiers) {\n return new DeclareVarStmt(this.name, this.value, type, modifiers, this.sourceSpan);\n }\n toConstDecl() {\n return this.toDeclStmt(INFERRED_TYPE, StmtModifier.Final);\n }\n}\nclass WriteKeyExpr extends Expression {\n constructor(receiver, index, value, type, sourceSpan) {\n super(type || value.type, sourceSpan);\n this.receiver = receiver;\n this.index = index;\n this.value = value;\n }\n isEquivalent(e) {\n return e instanceof WriteKeyExpr && this.receiver.isEquivalent(e.receiver) &&\n this.index.isEquivalent(e.index) && this.value.isEquivalent(e.value);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitWriteKeyExpr(this, context);\n }\n clone() {\n return new WriteKeyExpr(this.receiver.clone(), this.index.clone(), this.value.clone(), this.type, this.sourceSpan);\n }\n}\nclass WritePropExpr extends Expression {\n constructor(receiver, name, value, type, sourceSpan) {\n super(type || value.type, sourceSpan);\n this.receiver = receiver;\n this.name = name;\n this.value = value;\n }\n isEquivalent(e) {\n return e instanceof WritePropExpr && this.receiver.isEquivalent(e.receiver) &&\n this.name === e.name && this.value.isEquivalent(e.value);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitWritePropExpr(this, context);\n }\n clone() {\n return new WritePropExpr(this.receiver.clone(), this.name, this.value.clone(), this.type, this.sourceSpan);\n }\n}\nclass InvokeFunctionExpr extends Expression {\n constructor(fn, args, type, sourceSpan, pure = false) {\n super(type, sourceSpan);\n this.fn = fn;\n this.args = args;\n this.pure = pure;\n }\n // An alias for fn, which allows other logic to handle calls and property reads together.\n get receiver() {\n return this.fn;\n }\n isEquivalent(e) {\n return e instanceof InvokeFunctionExpr && this.fn.isEquivalent(e.fn) &&\n areAllEquivalent(this.args, e.args) && this.pure === e.pure;\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitInvokeFunctionExpr(this, context);\n }\n clone() {\n return new InvokeFunctionExpr(this.fn.clone(), this.args.map(arg => arg.clone()), this.type, this.sourceSpan, this.pure);\n }\n}\nclass TaggedTemplateExpr extends Expression {\n constructor(tag, template, type, sourceSpan) {\n super(type, sourceSpan);\n this.tag = tag;\n this.template = template;\n }\n isEquivalent(e) {\n return e instanceof TaggedTemplateExpr && this.tag.isEquivalent(e.tag) &&\n areAllEquivalentPredicate(this.template.elements, e.template.elements, (a, b) => a.text === b.text) &&\n areAllEquivalent(this.template.expressions, e.template.expressions);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitTaggedTemplateExpr(this, context);\n }\n clone() {\n return new TaggedTemplateExpr(this.tag.clone(), this.template.clone(), this.type, this.sourceSpan);\n }\n}\nclass InstantiateExpr extends Expression {\n constructor(classExpr, args, type, sourceSpan) {\n super(type, sourceSpan);\n this.classExpr = classExpr;\n this.args = args;\n }\n isEquivalent(e) {\n return e instanceof InstantiateExpr && this.classExpr.isEquivalent(e.classExpr) &&\n areAllEquivalent(this.args, e.args);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitInstantiateExpr(this, context);\n }\n clone() {\n return new InstantiateExpr(this.classExpr.clone(), this.args.map(arg => arg.clone()), this.type, this.sourceSpan);\n }\n}\nclass LiteralExpr extends Expression {\n constructor(value, type, sourceSpan) {\n super(type, sourceSpan);\n this.value = value;\n }\n isEquivalent(e) {\n return e instanceof LiteralExpr && this.value === e.value;\n }\n isConstant() {\n return true;\n }\n visitExpression(visitor, context) {\n return visitor.visitLiteralExpr(this, context);\n }\n clone() {\n return new LiteralExpr(this.value, this.type, this.sourceSpan);\n }\n}\nclass TemplateLiteral {\n constructor(elements, expressions) {\n this.elements = elements;\n this.expressions = expressions;\n }\n clone() {\n return new TemplateLiteral(this.elements.map(el => el.clone()), this.expressions.map(expr => expr.clone()));\n }\n}\nclass TemplateLiteralElement {\n constructor(text, sourceSpan, rawText) {\n this.text = text;\n this.sourceSpan = sourceSpan;\n // If `rawText` is not provided, try to extract the raw string from its\n // associated `sourceSpan`. If that is also not available, \"fake\" the raw\n // string instead by escaping the following control sequences:\n // - \"\\\" would otherwise indicate that the next character is a control character.\n // - \"`\" and \"${\" are template string control sequences that would otherwise prematurely\n // indicate the end of the template literal element.\n this.rawText =\n rawText ?? sourceSpan?.toString() ?? escapeForTemplateLiteral(escapeSlashes(text));\n }\n clone() {\n return new TemplateLiteralElement(this.text, this.sourceSpan, this.rawText);\n }\n}\nclass LiteralPiece {\n constructor(text, sourceSpan) {\n this.text = text;\n this.sourceSpan = sourceSpan;\n }\n}\nclass PlaceholderPiece {\n /**\n * Create a new instance of a `PlaceholderPiece`.\n *\n * @param text the name of this placeholder (e.g. `PH_1`).\n * @param sourceSpan the location of this placeholder in its localized message the source code.\n * @param associatedMessage reference to another message that this placeholder is associated with.\n * The `associatedMessage` is mainly used to provide a relationship to an ICU message that has\n * been extracted out from the message containing the placeholder.\n */\n constructor(text, sourceSpan, associatedMessage) {\n this.text = text;\n this.sourceSpan = sourceSpan;\n this.associatedMessage = associatedMessage;\n }\n}\nconst MEANING_SEPARATOR$1 = '|';\nconst ID_SEPARATOR$1 = '@@';\nconst LEGACY_ID_INDICATOR = '␟';\nclass LocalizedString extends Expression {\n constructor(metaBlock, messageParts, placeHolderNames, expressions, sourceSpan) {\n super(STRING_TYPE, sourceSpan);\n this.metaBlock = metaBlock;\n this.messageParts = messageParts;\n this.placeHolderNames = placeHolderNames;\n this.expressions = expressions;\n }\n isEquivalent(e) {\n // return e instanceof LocalizedString && this.message === e.message;\n return false;\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitLocalizedString(this, context);\n }\n clone() {\n return new LocalizedString(this.metaBlock, this.messageParts, this.placeHolderNames, this.expressions.map(expr => expr.clone()), this.sourceSpan);\n }\n /**\n * Serialize the given `meta` and `messagePart` into \"cooked\" and \"raw\" strings that can be used\n * in a `$localize` tagged string. The format of the metadata is the same as that parsed by\n * `parseI18nMeta()`.\n *\n * @param meta The metadata to serialize\n * @param messagePart The first part of the tagged string\n */\n serializeI18nHead() {\n let metaBlock = this.metaBlock.description || '';\n if (this.metaBlock.meaning) {\n metaBlock = `${this.metaBlock.meaning}${MEANING_SEPARATOR$1}${metaBlock}`;\n }\n if (this.metaBlock.customId) {\n metaBlock = `${metaBlock}${ID_SEPARATOR$1}${this.metaBlock.customId}`;\n }\n if (this.metaBlock.legacyIds) {\n this.metaBlock.legacyIds.forEach(legacyId => {\n metaBlock = `${metaBlock}${LEGACY_ID_INDICATOR}${legacyId}`;\n });\n }\n return createCookedRawString(metaBlock, this.messageParts[0].text, this.getMessagePartSourceSpan(0));\n }\n getMessagePartSourceSpan(i) {\n return this.messageParts[i]?.sourceSpan ?? this.sourceSpan;\n }\n getPlaceholderSourceSpan(i) {\n return this.placeHolderNames[i]?.sourceSpan ?? this.expressions[i]?.sourceSpan ??\n this.sourceSpan;\n }\n /**\n * Serialize the given `placeholderName` and `messagePart` into \"cooked\" and \"raw\" strings that\n * can be used in a `$localize` tagged string.\n *\n * The format is `:<placeholder-name>[@@<associated-id>]:`.\n *\n * The `associated-id` is the message id of the (usually an ICU) message to which this placeholder\n * refers.\n *\n * @param partIndex The index of the message part to serialize.\n */\n serializeI18nTemplatePart(partIndex) {\n const placeholder = this.placeHolderNames[partIndex - 1];\n const messagePart = this.messageParts[partIndex];\n let metaBlock = placeholder.text;\n if (placeholder.associatedMessage?.legacyIds.length === 0) {\n metaBlock += `${ID_SEPARATOR$1}${computeMsgId(placeholder.associatedMessage.messageString, placeholder.associatedMessage.meaning)}`;\n }\n return createCookedRawString(metaBlock, messagePart.text, this.getMessagePartSourceSpan(partIndex));\n }\n}\nconst escapeSlashes = (str) => str.replace(/\\\\/g, '\\\\\\\\');\nconst escapeStartingColon = (str) => str.replace(/^:/, '\\\\:');\nconst escapeColons = (str) => str.replace(/:/g, '\\\\:');\nconst escapeForTemplateLiteral = (str) => str.replace(/`/g, '\\\\`').replace(/\\${/g, '$\\\\{');\n/**\n * Creates a `{cooked, raw}` object from the `metaBlock` and `messagePart`.\n *\n * The `raw` text must have various character sequences escaped:\n * * \"\\\" would otherwise indicate that the next character is a control character.\n * * \"`\" and \"${\" are template string control sequences that would otherwise prematurely indicate\n * the end of a message part.\n * * \":\" inside a metablock would prematurely indicate the end of the metablock.\n * * \":\" at the start of a messagePart with no metablock would erroneously indicate the start of a\n * metablock.\n *\n * @param metaBlock Any metadata that should be prepended to the string\n * @param messagePart The message part of the string\n */\nfunction createCookedRawString(metaBlock, messagePart, range) {\n if (metaBlock === '') {\n return {\n cooked: messagePart,\n raw: escapeForTemplateLiteral(escapeStartingColon(escapeSlashes(messagePart))),\n range,\n };\n }\n else {\n return {\n cooked: `:${metaBlock}:${messagePart}`,\n raw: escapeForTemplateLiteral(`:${escapeColons(escapeSlashes(metaBlock))}:${escapeSlashes(messagePart)}`),\n range,\n };\n }\n}\nclass ExternalExpr extends Expression {\n constructor(value, type, typeParams = null, sourceSpan) {\n super(type, sourceSpan);\n this.value = value;\n this.typeParams = typeParams;\n }\n isEquivalent(e) {\n return e instanceof ExternalExpr && this.value.name === e.value.name &&\n this.value.moduleName === e.value.moduleName && this.value.runtime === e.value.runtime;\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitExternalExpr(this, context);\n }\n clone() {\n return new ExternalExpr(this.value, this.type, this.typeParams, this.sourceSpan);\n }\n}\nclass ExternalReference {\n constructor(moduleName, name, runtime) {\n this.moduleName = moduleName;\n this.name = name;\n this.runtime = runtime;\n }\n}\nclass ConditionalExpr extends Expression {\n constructor(condition, trueCase, falseCase = null, type, sourceSpan) {\n super(type || trueCase.type, sourceSpan);\n this.condition = condition;\n this.falseCase = falseCase;\n this.trueCase = trueCase;\n }\n isEquivalent(e) {\n return e instanceof ConditionalExpr && this.condition.isEquivalent(e.condition) &&\n this.trueCase.isEquivalent(e.trueCase) && nullSafeIsEquivalent(this.falseCase, e.falseCase);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitConditionalExpr(this, context);\n }\n clone() {\n return new ConditionalExpr(this.condition.clone(), this.trueCase.clone(), this.falseCase?.clone(), this.type, this.sourceSpan);\n }\n}\nclass DynamicImportExpr extends Expression {\n constructor(url, sourceSpan) {\n super(null, sourceSpan);\n this.url = url;\n }\n isEquivalent(e) {\n return e instanceof DynamicImportExpr && this.url === e.url;\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitDynamicImportExpr(this, context);\n }\n clone() {\n return new DynamicImportExpr(this.url, this.sourceSpan);\n }\n}\nclass NotExpr extends Expression {\n constructor(condition, sourceSpan) {\n super(BOOL_TYPE, sourceSpan);\n this.condition = condition;\n }\n isEquivalent(e) {\n return e instanceof NotExpr && this.condition.isEquivalent(e.condition);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitNotExpr(this, context);\n }\n clone() {\n return new NotExpr(this.condition.clone(), this.sourceSpan);\n }\n}\nclass FnParam {\n constructor(name, type = null) {\n this.name = name;\n this.type = type;\n }\n isEquivalent(param) {\n return this.name === param.name;\n }\n clone() {\n return new FnParam(this.name, this.type);\n }\n}\nclass FunctionExpr extends Expression {\n constructor(params, statements, type, sourceSpan, name) {\n super(type, sourceSpan);\n this.params = params;\n this.statements = statements;\n this.name = name;\n }\n isEquivalent(e) {\n return e instanceof FunctionExpr && areAllEquivalent(this.params, e.params) &&\n areAllEquivalent(this.statements, e.statements);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitFunctionExpr(this, context);\n }\n toDeclStmt(name, modifiers) {\n return new DeclareFunctionStmt(name, this.params, this.statements, this.type, modifiers, this.sourceSpan);\n }\n clone() {\n // TODO: Should we deep clone statements?\n return new FunctionExpr(this.params.map(p => p.clone()), this.statements, this.type, this.sourceSpan, this.name);\n }\n}\nclass UnaryOperatorExpr extends Expression {\n constructor(operator, expr, type, sourceSpan, parens = true) {\n super(type || NUMBER_TYPE, sourceSpan);\n this.operator = operator;\n this.expr = expr;\n this.parens = parens;\n }\n isEquivalent(e) {\n return e instanceof UnaryOperatorExpr && this.operator === e.operator &&\n this.expr.isEquivalent(e.expr);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitUnaryOperatorExpr(this, context);\n }\n clone() {\n return new UnaryOperatorExpr(this.operator, this.expr.clone(), this.type, this.sourceSpan, this.parens);\n }\n}\nclass BinaryOperatorExpr extends Expression {\n constructor(operator, lhs, rhs, type, sourceSpan, parens = true) {\n super(type || lhs.type, sourceSpan);\n this.operator = operator;\n this.rhs = rhs;\n this.parens = parens;\n this.lhs = lhs;\n }\n isEquivalent(e) {\n return e instanceof BinaryOperatorExpr && this.operator === e.operator &&\n this.lhs.isEquivalent(e.lhs) && this.rhs.isEquivalent(e.rhs);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitBinaryOperatorExpr(this, context);\n }\n clone() {\n return new BinaryOperatorExpr(this.operator, this.lhs.clone(), this.rhs.clone(), this.type, this.sourceSpan, this.parens);\n }\n}\nclass ReadPropExpr extends Expression {\n constructor(receiver, name, type, sourceSpan) {\n super(type, sourceSpan);\n this.receiver = receiver;\n this.name = name;\n }\n // An alias for name, which allows other logic to handle property reads and keyed reads together.\n get index() {\n return this.name;\n }\n isEquivalent(e) {\n return e instanceof ReadPropExpr && this.receiver.isEquivalent(e.receiver) &&\n this.name === e.name;\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitReadPropExpr(this, context);\n }\n set(value) {\n return new WritePropExpr(this.receiver, this.name, value, null, this.sourceSpan);\n }\n clone() {\n return new ReadPropExpr(this.receiver.clone(), this.name, this.type, this.sourceSpan);\n }\n}\nclass ReadKeyExpr extends Expression {\n constructor(receiver, index, type, sourceSpan) {\n super(type, sourceSpan);\n this.receiver = receiver;\n this.index = index;\n }\n isEquivalent(e) {\n return e instanceof ReadKeyExpr && this.receiver.isEquivalent(e.receiver) &&\n this.index.isEquivalent(e.index);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitReadKeyExpr(this, context);\n }\n set(value) {\n return new WriteKeyExpr(this.receiver, this.index, value, null, this.sourceSpan);\n }\n clone() {\n return new ReadKeyExpr(this.receiver.clone(), this.index.clone(), this.type, this.sourceSpan);\n }\n}\nclass LiteralArrayExpr extends Expression {\n constructor(entries, type, sourceSpan) {\n super(type, sourceSpan);\n this.entries = entries;\n }\n isConstant() {\n return this.entries.every(e => e.isConstant());\n }\n isEquivalent(e) {\n return e instanceof LiteralArrayExpr && areAllEquivalent(this.entries, e.entries);\n }\n visitExpression(visitor, context) {\n return visitor.visitLiteralArrayExpr(this, context);\n }\n clone() {\n return new LiteralArrayExpr(this.entries.map(e => e.clone()), this.type, this.sourceSpan);\n }\n}\nclass LiteralMapEntry {\n constructor(key, value, quoted) {\n this.key = key;\n this.value = value;\n this.quoted = quoted;\n }\n isEquivalent(e) {\n return this.key === e.key && this.value.isEquivalent(e.value);\n }\n clone() {\n return new LiteralMapEntry(this.key, this.value.clone(), this.quoted);\n }\n}\nclass LiteralMapExpr extends Expression {\n constructor(entries, type, sourceSpan) {\n super(type, sourceSpan);\n this.entries = entries;\n this.valueType = null;\n if (type) {\n this.valueType = type.valueType;\n }\n }\n isEquivalent(e) {\n return e instanceof LiteralMapExpr && areAllEquivalent(this.entries, e.entries);\n }\n isConstant() {\n return this.entries.every(e => e.value.isConstant());\n }\n visitExpression(visitor, context) {\n return visitor.visitLiteralMapExpr(this, context);\n }\n clone() {\n const entriesClone = this.entries.map(entry => entry.clone());\n return new LiteralMapExpr(entriesClone, this.type, this.sourceSpan);\n }\n}\nclass CommaExpr extends Expression {\n constructor(parts, sourceSpan) {\n super(parts[parts.length - 1].type, sourceSpan);\n this.parts = parts;\n }\n isEquivalent(e) {\n return e instanceof CommaExpr && areAllEquivalent(this.parts, e.parts);\n }\n isConstant() {\n return false;\n }\n visitExpression(visitor, context) {\n return visitor.visitCommaExpr(this, context);\n }\n clone() {\n return new CommaExpr(this.parts.map(p => p.clone()));\n }\n}\nconst NULL_EXPR = new LiteralExpr(null, null, null);\nconst TYPED_NULL_EXPR = new LiteralExpr(null, INFERRED_TYPE, null);\n//// Statements\nvar StmtModifier;\n(function (StmtModifier) {\n StmtModifier[StmtModifier[\"None\"] = 0] = \"None\";\n StmtModifier[StmtModifier[\"Final\"] = 1] = \"Final\";\n StmtModifier[StmtModifier[\"Private\"] = 2] = \"Private\";\n StmtModifier[StmtModifier[\"Exported\"] = 4] = \"Exported\";\n StmtModifier[StmtModifier[\"Static\"] = 8] = \"Static\";\n})(StmtModifier || (StmtModifier = {}));\nclass LeadingComment {\n constructor(text, multiline, trailingNewline) {\n this.text = text;\n this.multiline = multiline;\n this.trailingNewline = trailingNewline;\n }\n toString() {\n return this.multiline ? ` ${this.text} ` : this.text;\n }\n}\nclass JSDocComment extends LeadingComment {\n constructor(tags) {\n super('', /* multiline */ true, /* trailingNewline */ true);\n this.tags = tags;\n }\n toString() {\n return serializeTags(this.tags);\n }\n}\nclass Statement {\n constructor(modifiers = StmtModifier.None, sourceSpan = null, leadingComments) {\n this.modifiers = modifiers;\n this.sourceSpan = sourceSpan;\n this.leadingComments = leadingComments;\n }\n hasModifier(modifier) {\n return (this.modifiers & modifier) !== 0;\n }\n addLeadingComment(leadingComment) {\n this.leadingComments = this.leadingComments ?? [];\n this.leadingComments.push(leadingComment);\n }\n}\nclass DeclareVarStmt extends Statement {\n constructor(name, value, type, modifiers, sourceSpan, leadingComments) {\n super(modifiers, sourceSpan, leadingComments);\n this.name = name;\n this.value = value;\n this.type = type || (value && value.type) || null;\n }\n isEquivalent(stmt) {\n return stmt instanceof DeclareVarStmt && this.name === stmt.name &&\n (this.value ? !!stmt.value && this.value.isEquivalent(stmt.value) : !stmt.value);\n }\n visitStatement(visitor, context) {\n return visitor.visitDeclareVarStmt(this, context);\n }\n}\nclass DeclareFunctionStmt extends Statement {\n constructor(name, params, statements, type, modifiers, sourceSpan, leadingComments) {\n super(modifiers, sourceSpan, leadingComments);\n this.name = name;\n this.params = params;\n this.statements = statements;\n this.type = type || null;\n }\n isEquivalent(stmt) {\n return stmt instanceof DeclareFunctionStmt && areAllEquivalent(this.params, stmt.params) &&\n areAllEquivalent(this.statements, stmt.statements);\n }\n visitStatement(visitor, context) {\n return visitor.visitDeclareFunctionStmt(this, context);\n }\n}\nclass ExpressionStatement extends Statement {\n constructor(expr, sourceSpan, leadingComments) {\n super(StmtModifier.None, sourceSpan, leadingComments);\n this.expr = expr;\n }\n isEquivalent(stmt) {\n return stmt instanceof ExpressionStatement && this.expr.isEquivalent(stmt.expr);\n }\n visitStatement(visitor, context) {\n return visitor.visitExpressionStmt(this, context);\n }\n}\nclass ReturnStatement extends Statement {\n constructor(value, sourceSpan = null, leadingComments) {\n super(StmtModifier.None, sourceSpan, leadingComments);\n this.value = value;\n }\n isEquivalent(stmt) {\n return stmt instanceof ReturnStatement && this.value.isEquivalent(stmt.value);\n }\n visitStatement(visitor, context) {\n return visitor.visitReturnStmt(this, context);\n }\n}\nclass IfStmt extends Statement {\n constructor(condition, trueCase, falseCase = [], sourceSpan, leadingComments) {\n super(StmtModifier.None, sourceSpan, leadingComments);\n this.condition = condition;\n this.trueCase = trueCase;\n this.falseCase = falseCase;\n }\n isEquivalent(stmt) {\n return stmt instanceof IfStmt && this.condition.isEquivalent(stmt.condition) &&\n areAllEquivalent(this.trueCase, stmt.trueCase) &&\n areAllEquivalent(this.falseCase, stmt.falseCase);\n }\n visitStatement(visitor, context) {\n return visitor.visitIfStmt(this, context);\n }\n}\nclass RecursiveAstVisitor$1 {\n visitType(ast, context) {\n return ast;\n }\n visitExpression(ast, context) {\n if (ast.type) {\n ast.type.visitType(this, context);\n }\n return ast;\n }\n visitBuiltinType(type, context) {\n return this.visitType(type, context);\n }\n visitExpressionType(type, context) {\n type.value.visitExpression(this, context);\n if (type.typeParams !== null) {\n type.typeParams.forEach(param => this.visitType(param, context));\n }\n return this.visitType(type, context);\n }\n visitArrayType(type, context) {\n return this.visitType(type, context);\n }\n visitMapType(type, context) {\n return this.visitType(type, context);\n }\n visitTransplantedType(type, context) {\n return type;\n }\n visitWrappedNodeExpr(ast, context) {\n return ast;\n }\n visitTypeofExpr(ast, context) {\n return this.visitExpression(ast, context);\n }\n visitReadVarExpr(ast, context) {\n return this.visitExpression(ast, context);\n }\n visitWriteVarExpr(ast, context) {\n ast.value.visitExpression(this, context);\n return this.visitExpression(ast, context);\n }\n visitWriteKeyExpr(ast, context) {\n ast.receiver.visitExpression(this, context);\n ast.index.visitExpression(this, context);\n ast.value.visitExpression(this, context);\n return this.visitExpression(ast, context);\n }\n visitWritePropExpr(ast, context) {\n ast.receiver.visitExpression(this, context);\n ast.value.visitExpression(this, context);\n return this.visitExpression(ast, context);\n }\n visitDynamicImportExpr(ast, context) {\n return this.visitExpression(ast, context);\n }\n visitInvokeFunctionExpr(ast, context) {\n ast.fn.visitExpression(this, context);\n this.visitAllExpressions(ast.args, context);\n return this.visitExpression(ast, context);\n }\n visitTaggedTemplateExpr(ast, context) {\n ast.tag.visitExpression(this, context);\n this.visitAllExpressions(ast.template.expressions, context);\n return this.visitExpression(ast, context);\n }\n visitInstantiateExpr(ast, context) {\n ast.classExpr.visitExpression(this, context);\n this.visitAllExpressions(ast.args, context);\n return this.visitExpression(ast, context);\n }\n visitLiteralExpr(ast, context) {\n return this.visitExpression(ast, context);\n }\n visitLocalizedString(ast, context) {\n return this.visitExpression(ast, context);\n }\n visitExternalExpr(ast, context) {\n if (ast.typeParams) {\n ast.typeParams.forEach(type => type.visitType(this, context));\n }\n return this.visitExpression(ast, context);\n }\n visitConditionalExpr(ast, context) {\n ast.condition.visitExpression(this, context);\n ast.trueCase.visitExpression(this, context);\n ast.falseCase.visitExpression(this, context);\n return this.visitExpression(ast, context);\n }\n visitNotExpr(ast, context) {\n ast.condition.visitExpression(this, context);\n return this.visitExpression(ast, context);\n }\n visitFunctionExpr(ast, context) {\n this.visitAllStatements(ast.statements, context);\n return this.visitExpression(ast, context);\n }\n visitUnaryOperatorExpr(ast, context) {\n ast.expr.visitExpression(this, context);\n return this.visitExpression(ast, context);\n }\n visitBinaryOperatorExpr(ast, context) {\n ast.lhs.visitExpression(this, context);\n ast.rhs.visitExpression(this, context);\n return this.visitExpression(ast, context);\n }\n visitReadPropExpr(ast, context) {\n ast.receiver.visitExpression(this, context);\n return this.visitExpression(ast, context);\n }\n visitReadKeyExpr(ast, context) {\n ast.receiver.visitExpression(this, context);\n ast.index.visitExpression(this, context);\n return this.visitExpression(ast, context);\n }\n visitLiteralArrayExpr(ast, context) {\n this.visitAllExpressions(ast.entries, context);\n return this.visitExpression(ast, context);\n }\n visitLiteralMapExpr(ast, context) {\n ast.entries.forEach((entry) => entry.value.visitExpression(this, context));\n return this.visitExpression(ast, context);\n }\n visitCommaExpr(ast, context) {\n this.visitAllExpressions(ast.parts, context);\n return this.visitExpression(ast, context);\n }\n visitAllExpressions(exprs, context) {\n exprs.forEach(expr => expr.visitExpression(this, context));\n }\n visitDeclareVarStmt(stmt, context) {\n if (stmt.value) {\n stmt.value.visitExpression(this, context);\n }\n if (stmt.type) {\n stmt.type.visitType(this, context);\n }\n return stmt;\n }\n visitDeclareFunctionStmt(stmt, context) {\n this.visitAllStatements(stmt.statements, context);\n if (stmt.type) {\n stmt.type.visitType(this, context);\n }\n return stmt;\n }\n visitExpressionStmt(stmt, context) {\n stmt.expr.visitExpression(this, context);\n return stmt;\n }\n visitReturnStmt(stmt, context) {\n stmt.value.visitExpression(this, context);\n return stmt;\n }\n visitIfStmt(stmt, context) {\n stmt.condition.visitExpression(this, context);\n this.visitAllStatements(stmt.trueCase, context);\n this.visitAllStatements(stmt.falseCase, context);\n return stmt;\n }\n visitAllStatements(stmts, context) {\n stmts.forEach(stmt => stmt.visitStatement(this, context));\n }\n}\nfunction leadingComment(text, multiline = false, trailingNewline = true) {\n return new LeadingComment(text, multiline, trailingNewline);\n}\nfunction jsDocComment(tags = []) {\n return new JSDocComment(tags);\n}\nfunction variable(name, type, sourceSpan) {\n return new ReadVarExpr(name, type, sourceSpan);\n}\nfunction importExpr(id, typeParams = null, sourceSpan) {\n return new ExternalExpr(id, null, typeParams, sourceSpan);\n}\nfunction importType(id, typeParams, typeModifiers) {\n return id != null ? expressionType(importExpr(id, typeParams, null), typeModifiers) : null;\n}\nfunction expressionType(expr, typeModifiers, typeParams) {\n return new ExpressionType(expr, typeModifiers, typeParams);\n}\nfunction transplantedType(type, typeModifiers) {\n return new TransplantedType(type, typeModifiers);\n}\nfunction typeofExpr(expr) {\n return new TypeofExpr(expr);\n}\nfunction literalArr(values, type, sourceSpan) {\n return new LiteralArrayExpr(values, type, sourceSpan);\n}\nfunction literalMap(values, type = null) {\n return new LiteralMapExpr(values.map(e => new LiteralMapEntry(e.key, e.value, e.quoted)), type, null);\n}\nfunction unary(operator, expr, type, sourceSpan) {\n return new UnaryOperatorExpr(operator, expr, type, sourceSpan);\n}\nfunction not(expr, sourceSpan) {\n return new NotExpr(expr, sourceSpan);\n}\nfunction fn(params, body, type, sourceSpan, name) {\n return new FunctionExpr(params, body, type, sourceSpan, name);\n}\nfunction ifStmt(condition, thenClause, elseClause, sourceSpan, leadingComments) {\n return new IfStmt(condition, thenClause, elseClause, sourceSpan, leadingComments);\n}\nfunction taggedTemplate(tag, template, type, sourceSpan) {\n return new TaggedTemplateExpr(tag, template, type, sourceSpan);\n}\nfunction literal(value, type, sourceSpan) {\n return new LiteralExpr(value, type, sourceSpan);\n}\nfunction localizedString(metaBlock, messageParts, placeholderNames, expressions, sourceSpan) {\n return new LocalizedString(metaBlock, messageParts, placeholderNames, expressions, sourceSpan);\n}\nfunction isNull(exp) {\n return exp instanceof LiteralExpr && exp.value === null;\n}\n/*\n * Serializes a `Tag` into a string.\n * Returns a string like \" @foo {bar} baz\" (note the leading whitespace before `@foo`).\n */\nfunction tagToString(tag) {\n let out = '';\n if (tag.tagName) {\n out += ` @${tag.tagName}`;\n }\n if (tag.text) {\n if (tag.text.match(/\\/\\*|\\*\\//)) {\n throw new Error('JSDoc text cannot contain \"/*\" and \"*/\"');\n }\n out += ' ' + tag.text.replace(/@/g, '\\\\@');\n }\n return out;\n}\nfunction serializeTags(tags) {\n if (tags.length === 0)\n return '';\n if (tags.length === 1 && tags[0].tagName && !tags[0].text) {\n // The JSDOC comment is a single simple tag: e.g `/** @tagname */`.\n return `*${tagToString(tags[0])} `;\n }\n let out = '*\\n';\n for (const tag of tags) {\n out += ' *';\n // If the tagToString is multi-line, insert \" * \" prefixes on lines.\n out += tagToString(tag).replace(/\\n/g, '\\n * ');\n out += '\\n';\n }\n out += ' ';\n return out;\n}\n\nvar output_ast = /*#__PURE__*/Object.freeze({\n __proto__: null,\n get TypeModifier () { return TypeModifier; },\n Type: Type,\n get BuiltinTypeName () { return BuiltinTypeName; },\n BuiltinType: BuiltinType,\n ExpressionType: ExpressionType,\n ArrayType: ArrayType,\n MapType: MapType,\n TransplantedType: TransplantedType,\n DYNAMIC_TYPE: DYNAMIC_TYPE,\n INFERRED_TYPE: INFERRED_TYPE,\n BOOL_TYPE: BOOL_TYPE,\n INT_TYPE: INT_TYPE,\n NUMBER_TYPE: NUMBER_TYPE,\n STRING_TYPE: STRING_TYPE,\n FUNCTION_TYPE: FUNCTION_TYPE,\n NONE_TYPE: NONE_TYPE,\n get UnaryOperator () { return UnaryOperator; },\n get BinaryOperator () { return BinaryOperator; },\n nullSafeIsEquivalent: nullSafeIsEquivalent,\n areAllEquivalent: areAllEquivalent,\n Expression: Expression,\n ReadVarExpr: ReadVarExpr,\n TypeofExpr: TypeofExpr,\n WrappedNodeExpr: WrappedNodeExpr,\n WriteVarExpr: WriteVarExpr,\n WriteKeyExpr: WriteKeyExpr,\n WritePropExpr: WritePropExpr,\n InvokeFunctionExpr: InvokeFunctionExpr,\n TaggedTemplateExpr: TaggedTemplateExpr,\n InstantiateExpr: InstantiateExpr,\n LiteralExpr: LiteralExpr,\n TemplateLiteral: TemplateLiteral,\n TemplateLiteralElement: TemplateLiteralElement,\n LiteralPiece: LiteralPiece,\n PlaceholderPiece: PlaceholderPiece,\n LocalizedString: LocalizedString,\n ExternalExpr: ExternalExpr,\n ExternalReference: ExternalReference,\n ConditionalExpr: ConditionalExpr,\n DynamicImportExpr: DynamicImportExpr,\n NotExpr: NotExpr,\n FnParam: FnParam,\n FunctionExpr: FunctionExpr,\n UnaryOperatorExpr: UnaryOperatorExpr,\n BinaryOperatorExpr: BinaryOperatorExpr,\n ReadPropExpr: ReadPropExpr,\n ReadKeyExpr: ReadKeyExpr,\n LiteralArrayExpr: LiteralArrayExpr,\n LiteralMapEntry: LiteralMapEntry,\n LiteralMapExpr: LiteralMapExpr,\n CommaExpr: CommaExpr,\n NULL_EXPR: NULL_EXPR,\n TYPED_NULL_EXPR: TYPED_NULL_EXPR,\n get StmtModifier () { return StmtModifier; },\n LeadingComment: LeadingComment,\n JSDocComment: JSDocComment,\n Statement: Statement,\n DeclareVarStmt: DeclareVarStmt,\n DeclareFunctionStmt: DeclareFunctionStmt,\n ExpressionStatement: ExpressionStatement,\n ReturnStatement: ReturnStatement,\n IfStmt: IfStmt,\n RecursiveAstVisitor: RecursiveAstVisitor$1,\n leadingComment: leadingComment,\n jsDocComment: jsDocComment,\n variable: variable,\n importExpr: importExpr,\n importType: importType,\n expressionType: expressionType,\n transplantedType: transplantedType,\n typeofExpr: typeofExpr,\n literalArr: literalArr,\n literalMap: literalMap,\n unary: unary,\n not: not,\n fn: fn,\n ifStmt: ifStmt,\n taggedTemplate: taggedTemplate,\n literal: literal,\n localizedString: localizedString,\n isNull: isNull\n});\n\nconst CONSTANT_PREFIX = '_c';\n/**\n * `ConstantPool` tries to reuse literal factories when two or more literals are identical.\n * We determine whether literals are identical by creating a key out of their AST using the\n * `KeyVisitor`. This constant is used to replace dynamic expressions which can't be safely\n * converted into a key. E.g. given an expression `{foo: bar()}`, since we don't know what\n * the result of `bar` will be, we create a key that looks like `{foo: <unknown>}`. Note\n * that we use a variable, rather than something like `null` in order to avoid collisions.\n */\nconst UNKNOWN_VALUE_KEY = variable('<unknown>');\n/**\n * Context to use when producing a key.\n *\n * This ensures we see the constant not the reference variable when producing\n * a key.\n */\nconst KEY_CONTEXT = {};\n/**\n * Generally all primitive values are excluded from the `ConstantPool`, but there is an exclusion\n * for strings that reach a certain length threshold. This constant defines the length threshold for\n * strings.\n */\nconst POOL_INCLUSION_LENGTH_THRESHOLD_FOR_STRINGS = 50;\n/**\n * A node that is a place-holder that allows the node to be replaced when the actual\n * node is known.\n *\n * This allows the constant pool to change an expression from a direct reference to\n * a constant to a shared constant. It returns a fix-up node that is later allowed to\n * change the referenced expression.\n */\nclass FixupExpression extends Expression {\n constructor(resolved) {\n super(resolved.type);\n this.resolved = resolved;\n this.shared = false;\n this.original = resolved;\n }\n visitExpression(visitor, context) {\n if (context === KEY_CONTEXT) {\n // When producing a key we want to traverse the constant not the\n // variable used to refer to it.\n return this.original.visitExpression(visitor, context);\n }\n else {\n return this.resolved.visitExpression(visitor, context);\n }\n }\n isEquivalent(e) {\n return e instanceof FixupExpression && this.resolved.isEquivalent(e.resolved);\n }\n isConstant() {\n return true;\n }\n clone() {\n throw new Error(`Not supported.`);\n }\n fixup(expression) {\n this.resolved = expression;\n this.shared = true;\n }\n}\n/**\n * A constant pool allows a code emitter to share constant in an output context.\n *\n * The constant pool also supports sharing access to ivy definitions references.\n */\nclass ConstantPool {\n constructor(isClosureCompilerEnabled = false) {\n this.isClosureCompilerEnabled = isClosureCompilerEnabled;\n this.statements = [];\n this.literals = new Map();\n this.literalFactories = new Map();\n this.sharedConstants = new Map();\n this.nextNameIndex = 0;\n }\n getConstLiteral(literal, forceShared) {\n if ((literal instanceof LiteralExpr && !isLongStringLiteral(literal)) ||\n literal instanceof FixupExpression) {\n // Do no put simple literals into the constant pool or try to produce a constant for a\n // reference to a constant.\n return literal;\n }\n const key = GenericKeyFn.INSTANCE.keyOf(literal);\n let fixup = this.literals.get(key);\n let newValue = false;\n if (!fixup) {\n fixup = new FixupExpression(literal);\n this.literals.set(key, fixup);\n newValue = true;\n }\n if ((!newValue && !fixup.shared) || (newValue && forceShared)) {\n // Replace the expression with a variable\n const name = this.freshName();\n let definition;\n let usage;\n if (this.isClosureCompilerEnabled && isLongStringLiteral(literal)) {\n // For string literals, Closure will **always** inline the string at\n // **all** usages, duplicating it each time. For large strings, this\n // unnecessarily bloats bundle size. To work around this restriction, we\n // wrap the string in a function, and call that function for each usage.\n // This tricks Closure into using inline logic for functions instead of\n // string literals. Function calls are only inlined if the body is small\n // enough to be worth it. By doing this, very large strings will be\n // shared across multiple usages, rather than duplicating the string at\n // each usage site.\n //\n // const myStr = function() { return \"very very very long string\"; };\n // const usage1 = myStr();\n // const usage2 = myStr();\n definition = variable(name).set(new FunctionExpr([], // Params.\n [\n // Statements.\n new ReturnStatement(literal),\n ]));\n usage = variable(name).callFn([]);\n }\n else {\n // Just declare and use the variable directly, without a function call\n // indirection. This saves a few bytes and avoids an unnecessary call.\n definition = variable(name).set(literal);\n usage = variable(name);\n }\n this.statements.push(definition.toDeclStmt(INFERRED_TYPE, StmtModifier.Final));\n fixup.fixup(usage);\n }\n return fixup;\n }\n getSharedConstant(def, expr) {\n const key = def.keyOf(expr);\n if (!this.sharedConstants.has(key)) {\n const id = this.freshName();\n this.sharedConstants.set(key, variable(id));\n this.statements.push(def.toSharedConstantDeclaration(id, expr));\n }\n return this.sharedConstants.get(key);\n }\n getLiteralFactory(literal) {\n // Create a pure function that builds an array of a mix of constant and variable expressions\n if (literal instanceof LiteralArrayExpr) {\n const argumentsForKey = literal.entries.map(e => e.isConstant() ? e : UNKNOWN_VALUE_KEY);\n const key = GenericKeyFn.INSTANCE.keyOf(literalArr(argumentsForKey));\n return this._getLiteralFactory(key, literal.entries, entries => literalArr(entries));\n }\n else {\n const expressionForKey = literalMap(literal.entries.map(e => ({\n key: e.key,\n value: e.value.isConstant() ? e.value : UNKNOWN_VALUE_KEY,\n quoted: e.quoted\n })));\n const key = GenericKeyFn.INSTANCE.keyOf(expressionForKey);\n return this._getLiteralFactory(key, literal.entries.map(e => e.value), entries => literalMap(entries.map((value, index) => ({\n key: literal.entries[index].key,\n value,\n quoted: literal.entries[index].quoted\n }))));\n }\n }\n _getLiteralFactory(key, values, resultMap) {\n let literalFactory = this.literalFactories.get(key);\n const literalFactoryArguments = values.filter((e => !e.isConstant()));\n if (!literalFactory) {\n const resultExpressions = values.map((e, index) => e.isConstant() ? this.getConstLiteral(e, true) : variable(`a${index}`));\n const parameters = resultExpressions.filter(isVariable).map(e => new FnParam(e.name, DYNAMIC_TYPE));\n const pureFunctionDeclaration = fn(parameters, [new ReturnStatement(resultMap(resultExpressions))], INFERRED_TYPE);\n const name = this.freshName();\n this.statements.push(variable(name)\n .set(pureFunctionDeclaration)\n .toDeclStmt(INFERRED_TYPE, StmtModifier.Final));\n literalFactory = variable(name);\n this.literalFactories.set(key, literalFactory);\n }\n return { literalFactory, literalFactoryArguments };\n }\n /**\n * Produce a unique name.\n *\n * The name might be unique among different prefixes if any of the prefixes end in\n * a digit so the prefix should be a constant string (not based on user input) and\n * must not end in a digit.\n */\n uniqueName(prefix) {\n return `${prefix}${this.nextNameIndex++}`;\n }\n freshName() {\n return this.uniqueName(CONSTANT_PREFIX);\n }\n}\nclass GenericKeyFn {\n static { this.INSTANCE = new GenericKeyFn(); }\n keyOf(expr) {\n if (expr instanceof LiteralExpr && typeof expr.value === 'string') {\n return `\"${expr.value}\"`;\n }\n else if (expr instanceof LiteralExpr) {\n return String(expr.value);\n }\n else if (expr instanceof LiteralArrayExpr) {\n const entries = [];\n for (const entry of expr.entries) {\n entries.push(this.keyOf(entry));\n }\n return `[${entries.join(',')}]`;\n }\n else if (expr instanceof LiteralMapExpr) {\n const entries = [];\n for (const entry of expr.entries) {\n let key = entry.key;\n if (entry.quoted) {\n key = `\"${key}\"`;\n }\n entries.push(key + ':' + this.keyOf(entry.value));\n }\n return `{${entries.join(',')}}`;\n }\n else if (expr instanceof ExternalExpr) {\n return `import(\"${expr.value.moduleName}\", ${expr.value.name})`;\n }\n else if (expr instanceof ReadVarExpr) {\n return `read(${expr.name})`;\n }\n else if (expr instanceof TypeofExpr) {\n return `typeof(${this.keyOf(expr.expr)})`;\n }\n else {\n throw new Error(`${this.constructor.name} does not handle expressions of type ${expr.constructor.name}`);\n }\n }\n}\nfunction isVariable(e) {\n return e instanceof ReadVarExpr;\n}\nfunction isLongStringLiteral(expr) {\n return expr instanceof LiteralExpr && typeof expr.value === 'string' &&\n expr.value.length >= POOL_INCLUSION_LENGTH_THRESHOLD_FOR_STRINGS;\n}\n\nconst CORE = '@angular/core';\nclass Identifiers {\n /* Methods */\n static { this.NEW_METHOD = 'factory'; }\n static { this.TRANSFORM_METHOD = 'transform'; }\n static { this.PATCH_DEPS = 'patchedDeps'; }\n static { this.core = { name: null, moduleName: CORE }; }\n /* Instructions */\n static { this.namespaceHTML = { name: 'ɵɵnamespaceHTML', moduleName: CORE }; }\n static { this.namespaceMathML = { name: 'ɵɵnamespaceMathML', moduleName: CORE }; }\n static { this.namespaceSVG = { name: 'ɵɵnamespaceSVG', moduleName: CORE }; }\n static { this.element = { name: 'ɵɵelement', moduleName: CORE }; }\n static { this.elementStart = { name: 'ɵɵelementStart', moduleName: CORE }; }\n static { this.elementEnd = { name: 'ɵɵelementEnd', moduleName: CORE }; }\n static { this.advance = { name: 'ɵɵadvance', moduleName: CORE }; }\n static { this.syntheticHostProperty = { name: 'ɵɵsyntheticHostProperty', moduleName: CORE }; }\n static { this.syntheticHostListener = { name: 'ɵɵsyntheticHostListener', moduleName: CORE }; }\n static { this.attribute = { name: 'ɵɵattribute', moduleName: CORE }; }\n static { this.attributeInterpolate1 = { name: 'ɵɵattributeInterpolate1', moduleName: CORE }; }\n static { this.attributeInterpolate2 = { name: 'ɵɵattributeInterpolate2', moduleName: CORE }; }\n static { this.attributeInterpolate3 = { name: 'ɵɵattributeInterpolate3', moduleName: CORE }; }\n static { this.attributeInterpolate4 = { name: 'ɵɵattributeInterpolate4', moduleName: CORE }; }\n static { this.attributeInterpolate5 = { name: 'ɵɵattributeInterpolate5', moduleName: CORE }; }\n static { this.attributeInterpolate6 = { name: 'ɵɵattributeInterpolate6', moduleName: CORE }; }\n static { this.attributeInterpolate7 = { name: 'ɵɵattributeInterpolate7', moduleName: CORE }; }\n static { this.attributeInterpolate8 = { name: 'ɵɵattributeInterpolate8', moduleName: CORE }; }\n static { this.attributeInterpolateV = { name: 'ɵɵattributeInterpolateV', moduleName: CORE }; }\n static { this.classProp = { name: 'ɵɵclassProp', moduleName: CORE }; }\n static { this.elementContainerStart = { name: 'ɵɵelementContainerStart', moduleName: CORE }; }\n static { this.elementContainerEnd = { name: 'ɵɵelementContainerEnd', moduleName: CORE }; }\n static { this.elementContainer = { name: 'ɵɵelementContainer', moduleName: CORE }; }\n static { this.styleMap = { name: 'ɵɵstyleMap', moduleName: CORE }; }\n static { this.styleMapInterpolate1 = { name: 'ɵɵstyleMapInterpolate1', moduleName: CORE }; }\n static { this.styleMapInterpolate2 = { name: 'ɵɵstyleMapInterpolate2', moduleName: CORE }; }\n static { this.styleMapInterpolate3 = { name: 'ɵɵstyleMapInterpolate3', moduleName: CORE }; }\n static { this.styleMapInterpolate4 = { name: 'ɵɵstyleMapInterpolate4', moduleName: CORE }; }\n static { this.styleMapInterpolate5 = { name: 'ɵɵstyleMapInterpolate5', moduleName: CORE }; }\n static { this.styleMapInterpolate6 = { name: 'ɵɵstyleMapInterpolate6', moduleName: CORE }; }\n static { this.styleMapInterpolate7 = { name: 'ɵɵstyleMapInterpolate7', moduleName: CORE }; }\n static { this.styleMapInterpolate8 = { name: 'ɵɵstyleMapInterpolate8', moduleName: CORE }; }\n static { this.styleMapInterpolateV = { name: 'ɵɵstyleMapInterpolateV', moduleName: CORE }; }\n static { this.classMap = { name: 'ɵɵclassMap', moduleName: CORE }; }\n static { this.classMapInterpolate1 = { name: 'ɵɵclassMapInterpolate1', moduleName: CORE }; }\n static { this.classMapInterpolate2 = { name: 'ɵɵclassMapInterpolate2', moduleName: CORE }; }\n static { this.classMapInterpolate3 = { name: 'ɵɵclassMapInterpolate3', moduleName: CORE }; }\n static { this.classMapInterpolate4 = { name: 'ɵɵclassMapInterpolate4', moduleName: CORE }; }\n static { this.classMapInterpolate5 = { name: 'ɵɵclassMapInterpolate5', moduleName: CORE }; }\n static { this.classMapInterpolate6 = { name: 'ɵɵclassMapInterpolate6', moduleName: CORE }; }\n static { this.classMapInterpolate7 = { name: 'ɵɵclassMapInterpolate7', moduleName: CORE }; }\n static { this.classMapInterpolate8 = { name: 'ɵɵclassMapInterpolate8', moduleName: CORE }; }\n static { this.classMapInterpolateV = { name: 'ɵɵclassMapInterpolateV', moduleName: CORE }; }\n static { this.styleProp = { name: 'ɵɵstyleProp', moduleName: CORE }; }\n static { this.stylePropInterpolate1 = { name: 'ɵɵstylePropInterpolate1', moduleName: CORE }; }\n static { this.stylePropInterpolate2 = { name: 'ɵɵstylePropInterpolate2', moduleName: CORE }; }\n static { this.stylePropInterpolate3 = { name: 'ɵɵstylePropInterpolate3', moduleName: CORE }; }\n static { this.stylePropInterpolate4 = { name: 'ɵɵstylePropInterpolate4', moduleName: CORE }; }\n static { this.stylePropInterpolate5 = { name: 'ɵɵstylePropInterpolate5', moduleName: CORE }; }\n static { this.stylePropInterpolate6 = { name: 'ɵɵstylePropInterpolate6', moduleName: CORE }; }\n static { this.stylePropInterpolate7 = { name: 'ɵɵstylePropInterpolate7', moduleName: CORE }; }\n static { this.stylePropInterpolate8 = { name: 'ɵɵstylePropInterpolate8', moduleName: CORE }; }\n static { this.stylePropInterpolateV = { name: 'ɵɵstylePropInterpolateV', moduleName: CORE }; }\n static { this.nextContext = { name: 'ɵɵnextContext', moduleName: CORE }; }\n static { this.resetView = { name: 'ɵɵresetView', moduleName: CORE }; }\n static { this.templateCreate = { name: 'ɵɵtemplate', moduleName: CORE }; }\n static { this.defer = { name: 'ɵɵdefer', moduleName: CORE }; }\n static { this.text = { name: 'ɵɵtext', moduleName: CORE }; }\n static { this.enableBindings = { name: 'ɵɵenableBindings', moduleName: CORE }; }\n static { this.disableBindings = { name: 'ɵɵdisableBindings', moduleName: CORE }; }\n static { this.getCurrentView = { name: 'ɵɵgetCurrentView', moduleName: CORE }; }\n static { this.textInterpolate = { name: 'ɵɵtextInterpolate', moduleName: CORE }; }\n static { this.textInterpolate1 = { name: 'ɵɵtextInterpolate1', moduleName: CORE }; }\n static { this.textInterpolate2 = { name: 'ɵɵtextInterpolate2', moduleName: CORE }; }\n static { this.textInterpolate3 = { name: 'ɵɵtextInterpolate3', moduleName: CORE }; }\n static { this.textInterpolate4 = { name: 'ɵɵtextInterpolate4', moduleName: CORE }; }\n static { this.textInterpolate5 = { name: 'ɵɵtextInterpolate5', moduleName: CORE }; }\n static { this.textInterpolate6 = { name: 'ɵɵtextInterpolate6', moduleName: CORE }; }\n static { this.textInterpolate7 = { name: 'ɵɵtextInterpolate7', moduleName: CORE }; }\n static { this.textInterpolate8 = { name: 'ɵɵtextInterpolate8', moduleName: CORE }; }\n static { this.textInterpolateV = { name: 'ɵɵtextInterpolateV', moduleName: CORE }; }\n static { this.restoreView = { name: 'ɵɵrestoreView', moduleName: CORE }; }\n static { this.pureFunction0 = { name: 'ɵɵpureFunction0', moduleName: CORE }; }\n static { this.pureFunction1 = { name: 'ɵɵpureFunction1', moduleName: CORE }; }\n static { this.pureFunction2 = { name: 'ɵɵpureFunction2', moduleName: CORE }; }\n static { this.pureFunction3 = { name: 'ɵɵpureFunction3', moduleName: CORE }; }\n static { this.pureFunction4 = { name: 'ɵɵpureFunction4', moduleName: CORE }; }\n static { this.pureFunction5 = { name: 'ɵɵpureFunction5', moduleName: CORE }; }\n static { this.pureFunction6 = { name: 'ɵɵpureFunction6', moduleName: CORE }; }\n static { this.pureFunction7 = { name: 'ɵɵpureFunction7', moduleName: CORE }; }\n static { this.pureFunction8 = { name: 'ɵɵpureFunction8', moduleName: CORE }; }\n static { this.pureFunctionV = { name: 'ɵɵpureFunctionV', moduleName: CORE }; }\n static { this.pipeBind1 = { name: 'ɵɵpipeBind1', moduleName: CORE }; }\n static { this.pipeBind2 = { name: 'ɵɵpipeBind2', moduleName: CORE }; }\n static { this.pipeBind3 = { name: 'ɵɵpipeBind3', moduleName: CORE }; }\n static { this.pipeBind4 = { name: 'ɵɵpipeBind4', moduleName: CORE }; }\n static { this.pipeBindV = { name: 'ɵɵpipeBindV', moduleName: CORE }; }\n static { this.hostProperty = { name: 'ɵɵhostProperty', moduleName: CORE }; }\n static { this.property = { name: 'ɵɵproperty', moduleName: CORE }; }\n static { this.propertyInterpolate = { name: 'ɵɵpropertyInterpolate', moduleName: CORE }; }\n static { this.propertyInterpolate1 = { name: 'ɵɵpropertyInterpolate1', moduleName: CORE }; }\n static { this.propertyInterpolate2 = { name: 'ɵɵpropertyInterpolate2', moduleName: CORE }; }\n static { this.propertyInterpolate3 = { name: 'ɵɵpropertyInterpolate3', moduleName: CORE }; }\n static { this.propertyInterpolate4 = { name: 'ɵɵpropertyInterpolate4', moduleName: CORE }; }\n static { this.propertyInterpolate5 = { name: 'ɵɵpropertyInterpolate5', moduleName: CORE }; }\n static { this.propertyInterpolate6 = { name: 'ɵɵpropertyInterpolate6', moduleName: CORE }; }\n static { this.propertyInterpolate7 = { name: 'ɵɵpropertyInterpolate7', moduleName: CORE }; }\n static { this.propertyInterpolate8 = { name: 'ɵɵpropertyInterpolate8', moduleName: CORE }; }\n static { this.propertyInterpolateV = { name: 'ɵɵpropertyInterpolateV', moduleName: CORE }; }\n static { this.i18n = { name: 'ɵɵi18n', moduleName: CORE }; }\n static { this.i18nAttributes = { name: 'ɵɵi18nAttributes', moduleName: CORE }; }\n static { this.i18nExp = { name: 'ɵɵi18nExp', moduleName: CORE }; }\n static { this.i18nStart = { name: 'ɵɵi18nStart', moduleName: CORE }; }\n static { this.i18nEnd = { name: 'ɵɵi18nEnd', moduleName: CORE }; }\n static { this.i18nApply = { name: 'ɵɵi18nApply', moduleName: CORE }; }\n static { this.i18nPostprocess = { name: 'ɵɵi18nPostprocess', moduleName: CORE }; }\n static { this.pipe = { name: 'ɵɵpipe', moduleName: CORE }; }\n static { this.projection = { name: 'ɵɵprojection', moduleName: CORE }; }\n static { this.projectionDef = { name: 'ɵɵprojectionDef', moduleName: CORE }; }\n static { this.reference = { name: 'ɵɵreference', moduleName: CORE }; }\n static { this.inject = { name: 'ɵɵinject', moduleName: CORE }; }\n static { this.injectAttribute = { name: 'ɵɵinjectAttribute', moduleName: CORE }; }\n static { this.directiveInject = { name: 'ɵɵdirectiveInject', moduleName: CORE }; }\n static { this.invalidFactory = { name: 'ɵɵinvalidFactory', moduleName: CORE }; }\n static { this.invalidFactoryDep = { name: 'ɵɵinvalidFactoryDep', moduleName: CORE }; }\n static { this.templateRefExtractor = { name: 'ɵɵtemplateRefExtractor', moduleName: CORE }; }\n static { this.forwardRef = { name: 'forwardRef', moduleName: CORE }; }\n static { this.resolveForwardRef = { name: 'resolveForwardRef', moduleName: CORE }; }\n static { this.ɵɵdefineInjectable = { name: 'ɵɵdefineInjectable', moduleName: CORE }; }\n static { this.declareInjectable = { name: 'ɵɵngDeclareInjectable', moduleName: CORE }; }\n static { this.InjectableDeclaration = { name: 'ɵɵInjectableDeclaration', moduleName: CORE }; }\n static { this.resolveWindow = { name: 'ɵɵresolveWindow', moduleName: CORE }; }\n static { this.resolveDocument = { name: 'ɵɵresolveDocument', moduleName: CORE }; }\n static { this.resolveBody = { name: 'ɵɵresolveBody', moduleName: CORE }; }\n static { this.defineComponent = { name: 'ɵɵdefineComponent', moduleName: CORE }; }\n static { this.declareComponent = { name: 'ɵɵngDeclareComponent', moduleName: CORE }; }\n static { this.setComponentScope = { name: 'ɵɵsetComponentScope', moduleName: CORE }; }\n static { this.ChangeDetectionStrategy = {\n name: 'ChangeDetectionStrategy',\n moduleName: CORE,\n }; }\n static { this.ViewEncapsulation = {\n name: 'ViewEncapsulation',\n moduleName: CORE,\n }; }\n static { this.ComponentDeclaration = {\n name: 'ɵɵComponentDeclaration',\n moduleName: CORE,\n }; }\n static { this.FactoryDeclaration = {\n name: 'ɵɵFactoryDeclaration',\n moduleName: CORE,\n }; }\n static { this.declareFactory = { name: 'ɵɵngDeclareFactory', moduleName: CORE }; }\n static { this.FactoryTarget = { name: 'ɵɵFactoryTarget', moduleName: CORE }; }\n static { this.defineDirective = { name: 'ɵɵdefineDirective', moduleName: CORE }; }\n static { this.declareDirective = { name: 'ɵɵngDeclareDirective', moduleName: CORE }; }\n static { this.DirectiveDeclaration = {\n name: 'ɵɵDirectiveDeclaration',\n moduleName: CORE,\n }; }\n static { this.InjectorDef = { name: 'ɵɵInjectorDef', moduleName: CORE }; }\n static { this.InjectorDeclaration = { name: 'ɵɵInjectorDeclaration', moduleName: CORE }; }\n static { this.defineInjector = { name: 'ɵɵdefineInjector', moduleName: CORE }; }\n static { this.declareInjector = { name: 'ɵɵngDeclareInjector', moduleName: CORE }; }\n static { this.NgModuleDeclaration = {\n name: 'ɵɵNgModuleDeclaration',\n moduleName: CORE,\n }; }\n static { this.ModuleWithProviders = {\n name: 'ModuleWithProviders',\n moduleName: CORE,\n }; }\n static { this.defineNgModule = { name: 'ɵɵdefineNgModule', moduleName: CORE }; }\n static { this.declareNgModule = { name: 'ɵɵngDeclareNgModule', moduleName: CORE }; }\n static { this.setNgModuleScope = { name: 'ɵɵsetNgModuleScope', moduleName: CORE }; }\n static { this.registerNgModuleType = { name: 'ɵɵregisterNgModuleType', moduleName: CORE }; }\n static { this.PipeDeclaration = { name: 'ɵɵPipeDeclaration', moduleName: CORE }; }\n static { this.definePipe = { name: 'ɵɵdefinePipe', moduleName: CORE }; }\n static { this.declarePipe = { name: 'ɵɵngDeclarePipe', moduleName: CORE }; }\n static { this.declareClassMetadata = { name: 'ɵɵngDeclareClassMetadata', moduleName: CORE }; }\n static { this.setClassMetadata = { name: 'ɵsetClassMetadata', moduleName: CORE }; }\n static { this.queryRefresh = { name: 'ɵɵqueryRefresh', moduleName: CORE }; }\n static { this.viewQuery = { name: 'ɵɵviewQuery', moduleName: CORE }; }\n static { this.loadQuery = { name: 'ɵɵloadQuery', moduleName: CORE }; }\n static { this.contentQuery = { name: 'ɵɵcontentQuery', moduleName: CORE }; }\n static { this.NgOnChangesFeature = { name: 'ɵɵNgOnChangesFeature', moduleName: CORE }; }\n static { this.InheritDefinitionFeature = { name: 'ɵɵInheritDefinitionFeature', moduleName: CORE }; }\n static { this.CopyDefinitionFeature = { name: 'ɵɵCopyDefinitionFeature', moduleName: CORE }; }\n static { this.StandaloneFeature = { name: 'ɵɵStandaloneFeature', moduleName: CORE }; }\n static { this.ProvidersFeature = { name: 'ɵɵProvidersFeature', moduleName: CORE }; }\n static { this.HostDirectivesFeature = { name: 'ɵɵHostDirectivesFeature', moduleName: CORE }; }\n static { this.InputTransformsFeatureFeature = { name: 'ɵɵInputTransformsFeature', moduleName: CORE }; }\n static { this.listener = { name: 'ɵɵlistener', moduleName: CORE }; }\n static { this.getInheritedFactory = {\n name: 'ɵɵgetInheritedFactory',\n moduleName: CORE,\n }; }\n // sanitization-related functions\n static { this.sanitizeHtml = { name: 'ɵɵsanitizeHtml', moduleName: CORE }; }\n static { this.sanitizeStyle = { name: 'ɵɵsanitizeStyle', moduleName: CORE }; }\n static { this.sanitizeResourceUrl = { name: 'ɵɵsanitizeResourceUrl', moduleName: CORE }; }\n static { this.sanitizeScript = { name: 'ɵɵsanitizeScript', moduleName: CORE }; }\n static { this.sanitizeUrl = { name: 'ɵɵsanitizeUrl', moduleName: CORE }; }\n static { this.sanitizeUrlOrResourceUrl = { name: 'ɵɵsanitizeUrlOrResourceUrl', moduleName: CORE }; }\n static { this.trustConstantHtml = { name: 'ɵɵtrustConstantHtml', moduleName: CORE }; }\n static { this.trustConstantResourceUrl = { name: 'ɵɵtrustConstantResourceUrl', moduleName: CORE }; }\n static { this.validateIframeAttribute = { name: 'ɵɵvalidateIframeAttribute', moduleName: CORE }; }\n}\n\nconst DASH_CASE_REGEXP = /-+([a-z0-9])/g;\nfunction dashCaseToCamelCase(input) {\n return input.replace(DASH_CASE_REGEXP, (...m) => m[1].toUpperCase());\n}\nfunction splitAtColon(input, defaultValues) {\n return _splitAt(input, ':', defaultValues);\n}\nfunction splitAtPeriod(input, defaultValues) {\n return _splitAt(input, '.', defaultValues);\n}\nfunction _splitAt(input, character, defaultValues) {\n const characterIndex = input.indexOf(character);\n if (characterIndex == -1)\n return defaultValues;\n return [input.slice(0, characterIndex).trim(), input.slice(characterIndex + 1).trim()];\n}\nfunction noUndefined(val) {\n return val === undefined ? null : val;\n}\nfunction error(msg) {\n throw new Error(`Internal Error: ${msg}`);\n}\n// Escape characters that have a special meaning in Regular Expressions\nfunction escapeRegExp(s) {\n return s.replace(/([.*+?^=!:${}()|[\\]\\/\\\\])/g, '\\\\$1');\n}\nfunction utf8Encode(str) {\n let encoded = [];\n for (let index = 0; index < str.length; index++) {\n let codePoint = str.charCodeAt(index);\n // decode surrogate\n // see https://mathiasbynens.be/notes/javascript-encoding#surrogate-formulae\n if (codePoint >= 0xd800 && codePoint <= 0xdbff && str.length > (index + 1)) {\n const low = str.charCodeAt(index + 1);\n if (low >= 0xdc00 && low <= 0xdfff) {\n index++;\n codePoint = ((codePoint - 0xd800) << 10) + low - 0xdc00 + 0x10000;\n }\n }\n if (codePoint <= 0x7f) {\n encoded.push(codePoint);\n }\n else if (codePoint <= 0x7ff) {\n encoded.push(((codePoint >> 6) & 0x1F) | 0xc0, (codePoint & 0x3f) | 0x80);\n }\n else if (codePoint <= 0xffff) {\n encoded.push((codePoint >> 12) | 0xe0, ((codePoint >> 6) & 0x3f) | 0x80, (codePoint & 0x3f) | 0x80);\n }\n else if (codePoint <= 0x1fffff) {\n encoded.push(((codePoint >> 18) & 0x07) | 0xf0, ((codePoint >> 12) & 0x3f) | 0x80, ((codePoint >> 6) & 0x3f) | 0x80, (codePoint & 0x3f) | 0x80);\n }\n }\n return encoded;\n}\nfunction stringify(token) {\n if (typeof token === 'string') {\n return token;\n }\n if (Array.isArray(token)) {\n return '[' + token.map(stringify).join(', ') + ']';\n }\n if (token == null) {\n return '' + token;\n }\n if (token.overriddenName) {\n return `${token.overriddenName}`;\n }\n if (token.name) {\n return `${token.name}`;\n }\n if (!token.toString) {\n return 'object';\n }\n // WARNING: do not try to `JSON.stringify(token)` here\n // see https://github.com/angular/angular/issues/23440\n const res = token.toString();\n if (res == null) {\n return '' + res;\n }\n const newLineIndex = res.indexOf('\\n');\n return newLineIndex === -1 ? res : res.substring(0, newLineIndex);\n}\nclass Version {\n constructor(full) {\n this.full = full;\n const splits = full.split('.');\n this.major = splits[0];\n this.minor = splits[1];\n this.patch = splits.slice(2).join('.');\n }\n}\nconst _global = globalThis;\nfunction newArray(size, value) {\n const list = [];\n for (let i = 0; i < size; i++) {\n list.push(value);\n }\n return list;\n}\n/**\n * Partitions a given array into 2 arrays, based on a boolean value returned by the condition\n * function.\n *\n * @param arr Input array that should be partitioned\n * @param conditionFn Condition function that is called for each item in a given array and returns a\n * boolean value.\n */\nfunction partitionArray(arr, conditionFn) {\n const truthy = [];\n const falsy = [];\n for (const item of arr) {\n (conditionFn(item) ? truthy : falsy).push(item);\n }\n return [truthy, falsy];\n}\n\n// https://docs.google.com/document/d/1U1RGAehQwRypUTovF1KRlpiOFze0b-_2gc6fAH0KY0k/edit\nconst VERSION$1 = 3;\nconst JS_B64_PREFIX = '# sourceMappingURL=data:application/json;base64,';\nclass SourceMapGenerator {\n constructor(file = null) {\n this.file = file;\n this.sourcesContent = new Map();\n this.lines = [];\n this.lastCol0 = 0;\n this.hasMappings = false;\n }\n // The content is `null` when the content is expected to be loaded using the URL\n addSource(url, content = null) {\n if (!this.sourcesContent.has(url)) {\n this.sourcesContent.set(url, content);\n }\n return this;\n }\n addLine() {\n this.lines.push([]);\n this.lastCol0 = 0;\n return this;\n }\n addMapping(col0, sourceUrl, sourceLine0, sourceCol0) {\n if (!this.currentLine) {\n throw new Error(`A line must be added before mappings can be added`);\n }\n if (sourceUrl != null && !this.sourcesContent.has(sourceUrl)) {\n throw new Error(`Unknown source file \"${sourceUrl}\"`);\n }\n if (col0 == null) {\n throw new Error(`The column in the generated code must be provided`);\n }\n if (col0 < this.lastCol0) {\n throw new Error(`Mapping should be added in output order`);\n }\n if (sourceUrl && (sourceLine0 == null || sourceCol0 == null)) {\n throw new Error(`The source location must be provided when a source url is provided`);\n }\n this.hasMappings = true;\n this.lastCol0 = col0;\n this.currentLine.push({ col0, sourceUrl, sourceLine0, sourceCol0 });\n return this;\n }\n /**\n * @internal strip this from published d.ts files due to\n * https://github.com/microsoft/TypeScript/issues/36216\n */\n get currentLine() {\n return this.lines.slice(-1)[0];\n }\n toJSON() {\n if (!this.hasMappings) {\n return null;\n }\n const sourcesIndex = new Map();\n const sources = [];\n const sourcesContent = [];\n Array.from(this.sourcesContent.keys()).forEach((url, i) => {\n sourcesIndex.set(url, i);\n sources.push(url);\n sourcesContent.push(this.sourcesContent.get(url) || null);\n });\n let mappings = '';\n let lastCol0 = 0;\n let lastSourceIndex = 0;\n let lastSourceLine0 = 0;\n let lastSourceCol0 = 0;\n this.lines.forEach(segments => {\n lastCol0 = 0;\n mappings += segments\n .map(segment => {\n // zero-based starting column of the line in the generated code\n let segAsStr = toBase64VLQ(segment.col0 - lastCol0);\n lastCol0 = segment.col0;\n if (segment.sourceUrl != null) {\n // zero-based index into the “sources” list\n segAsStr +=\n toBase64VLQ(sourcesIndex.get(segment.sourceUrl) - lastSourceIndex);\n lastSourceIndex = sourcesIndex.get(segment.sourceUrl);\n // the zero-based starting line in the original source\n segAsStr += toBase64VLQ(segment.sourceLine0 - lastSourceLine0);\n lastSourceLine0 = segment.sourceLine0;\n // the zero-based starting column in the original source\n segAsStr += toBase64VLQ(segment.sourceCol0 - lastSourceCol0);\n lastSourceCol0 = segment.sourceCol0;\n }\n return segAsStr;\n })\n .join(',');\n mappings += ';';\n });\n mappings = mappings.slice(0, -1);\n return {\n 'file': this.file || '',\n 'version': VERSION$1,\n 'sourceRoot': '',\n 'sources': sources,\n 'sourcesContent': sourcesContent,\n 'mappings': mappings,\n };\n }\n toJsComment() {\n return this.hasMappings ? '//' + JS_B64_PREFIX + toBase64String(JSON.stringify(this, null, 0)) :\n '';\n }\n}\nfunction toBase64String(value) {\n let b64 = '';\n const encoded = utf8Encode(value);\n for (let i = 0; i < encoded.length;) {\n const i1 = encoded[i++];\n const i2 = i < encoded.length ? encoded[i++] : null;\n const i3 = i < encoded.length ? encoded[i++] : null;\n b64 += toBase64Digit(i1 >> 2);\n b64 += toBase64Digit(((i1 & 3) << 4) | (i2 === null ? 0 : i2 >> 4));\n b64 += i2 === null ? '=' : toBase64Digit(((i2 & 15) << 2) | (i3 === null ? 0 : i3 >> 6));\n b64 += i2 === null || i3 === null ? '=' : toBase64Digit(i3 & 63);\n }\n return b64;\n}\nfunction toBase64VLQ(value) {\n value = value < 0 ? ((-value) << 1) + 1 : value << 1;\n let out = '';\n do {\n let digit = value & 31;\n value = value >> 5;\n if (value > 0) {\n digit = digit | 32;\n }\n out += toBase64Digit(digit);\n } while (value > 0);\n return out;\n}\nconst B64_DIGITS = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/';\nfunction toBase64Digit(value) {\n if (value < 0 || value >= 64) {\n throw new Error(`Can only encode value in the range [0, 63]`);\n }\n return B64_DIGITS[value];\n}\n\nconst _SINGLE_QUOTE_ESCAPE_STRING_RE = /'|\\\\|\\n|\\r|\\$/g;\nconst _LEGAL_IDENTIFIER_RE = /^[$A-Z_][0-9A-Z_$]*$/i;\nconst _INDENT_WITH = ' ';\nclass _EmittedLine {\n constructor(indent) {\n this.indent = indent;\n this.partsLength = 0;\n this.parts = [];\n this.srcSpans = [];\n }\n}\nclass EmitterVisitorContext {\n static createRoot() {\n return new EmitterVisitorContext(0);\n }\n constructor(_indent) {\n this._indent = _indent;\n this._lines = [new _EmittedLine(_indent)];\n }\n /**\n * @internal strip this from published d.ts files due to\n * https://github.com/microsoft/TypeScript/issues/36216\n */\n get _currentLine() {\n return this._lines[this._lines.length - 1];\n }\n println(from, lastPart = '') {\n this.print(from || null, lastPart, true);\n }\n lineIsEmpty() {\n return this._currentLine.parts.length === 0;\n }\n lineLength() {\n return this._currentLine.indent * _INDENT_WITH.length + this._currentLine.partsLength;\n }\n print(from, part, newLine = false) {\n if (part.length > 0) {\n this._currentLine.parts.push(part);\n this._currentLine.partsLength += part.length;\n this._currentLine.srcSpans.push(from && from.sourceSpan || null);\n }\n if (newLine) {\n this._lines.push(new _EmittedLine(this._indent));\n }\n }\n removeEmptyLastLine() {\n if (this.lineIsEmpty()) {\n this._lines.pop();\n }\n }\n incIndent() {\n this._indent++;\n if (this.lineIsEmpty()) {\n this._currentLine.indent = this._indent;\n }\n }\n decIndent() {\n this._indent--;\n if (this.lineIsEmpty()) {\n this._currentLine.indent = this._indent;\n }\n }\n toSource() {\n return this.sourceLines\n .map(l => l.parts.length > 0 ? _createIndent(l.indent) + l.parts.join('') : '')\n .join('\\n');\n }\n toSourceMapGenerator(genFilePath, startsAtLine = 0) {\n const map = new SourceMapGenerator(genFilePath);\n let firstOffsetMapped = false;\n const mapFirstOffsetIfNeeded = () => {\n if (!firstOffsetMapped) {\n // Add a single space so that tools won't try to load the file from disk.\n // Note: We are using virtual urls like `ng:///`, so we have to\n // provide a content here.\n map.addSource(genFilePath, ' ').addMapping(0, genFilePath, 0, 0);\n firstOffsetMapped = true;\n }\n };\n for (let i = 0; i < startsAtLine; i++) {\n map.addLine();\n mapFirstOffsetIfNeeded();\n }\n this.sourceLines.forEach((line, lineIdx) => {\n map.addLine();\n const spans = line.srcSpans;\n const parts = line.parts;\n let col0 = line.indent * _INDENT_WITH.length;\n let spanIdx = 0;\n // skip leading parts without source spans\n while (spanIdx < spans.length && !spans[spanIdx]) {\n col0 += parts[spanIdx].length;\n spanIdx++;\n }\n if (spanIdx < spans.length && lineIdx === 0 && col0 === 0) {\n firstOffsetMapped = true;\n }\n else {\n mapFirstOffsetIfNeeded();\n }\n while (spanIdx < spans.length) {\n const span = spans[spanIdx];\n const source = span.start.file;\n const sourceLine = span.start.line;\n const sourceCol = span.start.col;\n map.addSource(source.url, source.content)\n .addMapping(col0, source.url, sourceLine, sourceCol);\n col0 += parts[spanIdx].length;\n spanIdx++;\n // assign parts without span or the same span to the previous segment\n while (spanIdx < spans.length && (span === spans[spanIdx] || !spans[spanIdx])) {\n col0 += parts[spanIdx].length;\n spanIdx++;\n }\n }\n });\n return map;\n }\n spanOf(line, column) {\n const emittedLine = this._lines[line];\n if (emittedLine) {\n let columnsLeft = column - _createIndent(emittedLine.indent).length;\n for (let partIndex = 0; partIndex < emittedLine.parts.length; partIndex++) {\n const part = emittedLine.parts[partIndex];\n if (part.length > columnsLeft) {\n return emittedLine.srcSpans[partIndex];\n }\n columnsLeft -= part.length;\n }\n }\n return null;\n }\n /**\n * @internal strip this from published d.ts files due to\n * https://github.com/microsoft/TypeScript/issues/36216\n */\n get sourceLines() {\n if (this._lines.length && this._lines[this._lines.length - 1].parts.length === 0) {\n return this._lines.slice(0, -1);\n }\n return this._lines;\n }\n}\nclass AbstractEmitterVisitor {\n constructor(_escapeDollarInStrings) {\n this._escapeDollarInStrings = _escapeDollarInStrings;\n }\n printLeadingComments(stmt, ctx) {\n if (stmt.leadingComments === undefined) {\n return;\n }\n for (const comment of stmt.leadingComments) {\n if (comment instanceof JSDocComment) {\n ctx.print(stmt, `/*${comment.toString()}*/`, comment.trailingNewline);\n }\n else {\n if (comment.multiline) {\n ctx.print(stmt, `/* ${comment.text} */`, comment.trailingNewline);\n }\n else {\n comment.text.split('\\n').forEach((line) => {\n ctx.println(stmt, `// ${line}`);\n });\n }\n }\n }\n }\n visitExpressionStmt(stmt, ctx) {\n this.printLeadingComments(stmt, ctx);\n stmt.expr.visitExpression(this, ctx);\n ctx.println(stmt, ';');\n return null;\n }\n visitReturnStmt(stmt, ctx) {\n this.printLeadingComments(stmt, ctx);\n ctx.print(stmt, `return `);\n stmt.value.visitExpression(this, ctx);\n ctx.println(stmt, ';');\n return null;\n }\n visitIfStmt(stmt, ctx) {\n this.printLeadingComments(stmt, ctx);\n ctx.print(stmt, `if (`);\n stmt.condition.visitExpression(this, ctx);\n ctx.print(stmt, `) {`);\n const hasElseCase = stmt.falseCase != null && stmt.falseCase.length > 0;\n if (stmt.trueCase.length <= 1 && !hasElseCase) {\n ctx.print(stmt, ` `);\n this.visitAllStatements(stmt.trueCase, ctx);\n ctx.removeEmptyLastLine();\n ctx.print(stmt, ` `);\n }\n else {\n ctx.println();\n ctx.incIndent();\n this.visitAllStatements(stmt.trueCase, ctx);\n ctx.decIndent();\n if (hasElseCase) {\n ctx.println(stmt, `} else {`);\n ctx.incIndent();\n this.visitAllStatements(stmt.falseCase, ctx);\n ctx.decIndent();\n }\n }\n ctx.println(stmt, `}`);\n return null;\n }\n visitWriteVarExpr(expr, ctx) {\n const lineWasEmpty = ctx.lineIsEmpty();\n if (!lineWasEmpty) {\n ctx.print(expr, '(');\n }\n ctx.print(expr, `${expr.name} = `);\n expr.value.visitExpression(this, ctx);\n if (!lineWasEmpty) {\n ctx.print(expr, ')');\n }\n return null;\n }\n visitWriteKeyExpr(expr, ctx) {\n const lineWasEmpty = ctx.lineIsEmpty();\n if (!lineWasEmpty) {\n ctx.print(expr, '(');\n }\n expr.receiver.visitExpression(this, ctx);\n ctx.print(expr, `[`);\n expr.index.visitExpression(this, ctx);\n ctx.print(expr, `] = `);\n expr.value.visitExpression(this, ctx);\n if (!lineWasEmpty) {\n ctx.print(expr, ')');\n }\n return null;\n }\n visitWritePropExpr(expr, ctx) {\n const lineWasEmpty = ctx.lineIsEmpty();\n if (!lineWasEmpty) {\n ctx.print(expr, '(');\n }\n expr.receiver.visitExpression(this, ctx);\n ctx.print(expr, `.${expr.name} = `);\n expr.value.visitExpression(this, ctx);\n if (!lineWasEmpty) {\n ctx.print(expr, ')');\n }\n return null;\n }\n visitInvokeFunctionExpr(expr, ctx) {\n expr.fn.visitExpression(this, ctx);\n ctx.print(expr, `(`);\n this.visitAllExpressions(expr.args, ctx, ',');\n ctx.print(expr, `)`);\n return null;\n }\n visitTaggedTemplateExpr(expr, ctx) {\n expr.tag.visitExpression(this, ctx);\n ctx.print(expr, '`' + expr.template.elements[0].rawText);\n for (let i = 1; i < expr.template.elements.length; i++) {\n ctx.print(expr, '${');\n expr.template.expressions[i - 1].visitExpression(this, ctx);\n ctx.print(expr, `}${expr.template.elements[i].rawText}`);\n }\n ctx.print(expr, '`');\n return null;\n }\n visitWrappedNodeExpr(ast, ctx) {\n throw new Error('Abstract emitter cannot visit WrappedNodeExpr.');\n }\n visitTypeofExpr(expr, ctx) {\n ctx.print(expr, 'typeof ');\n expr.expr.visitExpression(this, ctx);\n }\n visitReadVarExpr(ast, ctx) {\n ctx.print(ast, ast.name);\n return null;\n }\n visitInstantiateExpr(ast, ctx) {\n ctx.print(ast, `new `);\n ast.classExpr.visitExpression(this, ctx);\n ctx.print(ast, `(`);\n this.visitAllExpressions(ast.args, ctx, ',');\n ctx.print(ast, `)`);\n return null;\n }\n visitLiteralExpr(ast, ctx) {\n const value = ast.value;\n if (typeof value === 'string') {\n ctx.print(ast, escapeIdentifier(value, this._escapeDollarInStrings));\n }\n else {\n ctx.print(ast, `${value}`);\n }\n return null;\n }\n visitLocalizedString(ast, ctx) {\n const head = ast.serializeI18nHead();\n ctx.print(ast, '$localize `' + head.raw);\n for (let i = 1; i < ast.messageParts.length; i++) {\n ctx.print(ast, '${');\n ast.expressions[i - 1].visitExpression(this, ctx);\n ctx.print(ast, `}${ast.serializeI18nTemplatePart(i).raw}`);\n }\n ctx.print(ast, '`');\n return null;\n }\n visitConditionalExpr(ast, ctx) {\n ctx.print(ast, `(`);\n ast.condition.visitExpression(this, ctx);\n ctx.print(ast, '? ');\n ast.trueCase.visitExpression(this, ctx);\n ctx.print(ast, ': ');\n ast.falseCase.visitExpression(this, ctx);\n ctx.print(ast, `)`);\n return null;\n }\n visitDynamicImportExpr(ast, ctx) {\n ctx.print(ast, `import(${ast.url})`);\n }\n visitNotExpr(ast, ctx) {\n ctx.print(ast, '!');\n ast.condition.visitExpression(this, ctx);\n return null;\n }\n visitUnaryOperatorExpr(ast, ctx) {\n let opStr;\n switch (ast.operator) {\n case UnaryOperator.Plus:\n opStr = '+';\n break;\n case UnaryOperator.Minus:\n opStr = '-';\n break;\n default:\n throw new Error(`Unknown operator ${ast.operator}`);\n }\n if (ast.parens)\n ctx.print(ast, `(`);\n ctx.print(ast, opStr);\n ast.expr.visitExpression(this, ctx);\n if (ast.parens)\n ctx.print(ast, `)`);\n return null;\n }\n visitBinaryOperatorExpr(ast, ctx) {\n let opStr;\n switch (ast.operator) {\n case BinaryOperator.Equals:\n opStr = '==';\n break;\n case BinaryOperator.Identical:\n opStr = '===';\n break;\n case BinaryOperator.NotEquals:\n opStr = '!=';\n break;\n case BinaryOperator.NotIdentical:\n opStr = '!==';\n break;\n case BinaryOperator.And:\n opStr = '&&';\n break;\n case BinaryOperator.BitwiseAnd:\n opStr = '&';\n break;\n case BinaryOperator.Or:\n opStr = '||';\n break;\n case BinaryOperator.Plus:\n opStr = '+';\n break;\n case BinaryOperator.Minus:\n opStr = '-';\n break;\n case BinaryOperator.Divide:\n opStr = '/';\n break;\n case BinaryOperator.Multiply:\n opStr = '*';\n break;\n case BinaryOperator.Modulo:\n opStr = '%';\n break;\n case BinaryOperator.Lower:\n opStr = '<';\n break;\n case BinaryOperator.LowerEquals:\n opStr = '<=';\n break;\n case BinaryOperator.Bigger:\n opStr = '>';\n break;\n case BinaryOperator.BiggerEquals:\n opStr = '>=';\n break;\n case BinaryOperator.NullishCoalesce:\n opStr = '??';\n break;\n default:\n throw new Error(`Unknown operator ${ast.operator}`);\n }\n if (ast.parens)\n ctx.print(ast, `(`);\n ast.lhs.visitExpression(this, ctx);\n ctx.print(ast, ` ${opStr} `);\n ast.rhs.visitExpression(this, ctx);\n if (ast.parens)\n ctx.print(ast, `)`);\n return null;\n }\n visitReadPropExpr(ast, ctx) {\n ast.receiver.visitExpression(this, ctx);\n ctx.print(ast, `.`);\n ctx.print(ast, ast.name);\n return null;\n }\n visitReadKeyExpr(ast, ctx) {\n ast.receiver.visitExpression(this, ctx);\n ctx.print(ast, `[`);\n ast.index.visitExpression(this, ctx);\n ctx.print(ast, `]`);\n return null;\n }\n visitLiteralArrayExpr(ast, ctx) {\n ctx.print(ast, `[`);\n this.visitAllExpressions(ast.entries, ctx, ',');\n ctx.print(ast, `]`);\n return null;\n }\n visitLiteralMapExpr(ast, ctx) {\n ctx.print(ast, `{`);\n this.visitAllObjects(entry => {\n ctx.print(ast, `${escapeIdentifier(entry.key, this._escapeDollarInStrings, entry.quoted)}:`);\n entry.value.visitExpression(this, ctx);\n }, ast.entries, ctx, ',');\n ctx.print(ast, `}`);\n return null;\n }\n visitCommaExpr(ast, ctx) {\n ctx.print(ast, '(');\n this.visitAllExpressions(ast.parts, ctx, ',');\n ctx.print(ast, ')');\n return null;\n }\n visitAllExpressions(expressions, ctx, separator) {\n this.visitAllObjects(expr => expr.visitExpression(this, ctx), expressions, ctx, separator);\n }\n visitAllObjects(handler, expressions, ctx, separator) {\n let incrementedIndent = false;\n for (let i = 0; i < expressions.length; i++) {\n if (i > 0) {\n if (ctx.lineLength() > 80) {\n ctx.print(null, separator, true);\n if (!incrementedIndent) {\n // continuation are marked with double indent.\n ctx.incIndent();\n ctx.incIndent();\n incrementedIndent = true;\n }\n }\n else {\n ctx.print(null, separator, false);\n }\n }\n handler(expressions[i]);\n }\n if (incrementedIndent) {\n // continuation are marked with double indent.\n ctx.decIndent();\n ctx.decIndent();\n }\n }\n visitAllStatements(statements, ctx) {\n statements.forEach((stmt) => stmt.visitStatement(this, ctx));\n }\n}\nfunction escapeIdentifier(input, escapeDollar, alwaysQuote = true) {\n if (input == null) {\n return null;\n }\n const body = input.replace(_SINGLE_QUOTE_ESCAPE_STRING_RE, (...match) => {\n if (match[0] == '$') {\n return escapeDollar ? '\\\\$' : '$';\n }\n else if (match[0] == '\\n') {\n return '\\\\n';\n }\n else if (match[0] == '\\r') {\n return '\\\\r';\n }\n else {\n return `\\\\${match[0]}`;\n }\n });\n const requiresQuotes = alwaysQuote || !_LEGAL_IDENTIFIER_RE.test(body);\n return requiresQuotes ? `'${body}'` : body;\n}\nfunction _createIndent(count) {\n let res = '';\n for (let i = 0; i < count; i++) {\n res += _INDENT_WITH;\n }\n return res;\n}\n\nfunction typeWithParameters(type, numParams) {\n if (numParams === 0) {\n return expressionType(type);\n }\n const params = [];\n for (let i = 0; i < numParams; i++) {\n params.push(DYNAMIC_TYPE);\n }\n return expressionType(type, undefined, params);\n}\nconst ANIMATE_SYMBOL_PREFIX = '@';\nfunction prepareSyntheticPropertyName(name) {\n return `${ANIMATE_SYMBOL_PREFIX}${name}`;\n}\nfunction prepareSyntheticListenerName(name, phase) {\n return `${ANIMATE_SYMBOL_PREFIX}${name}.${phase}`;\n}\nfunction getSafePropertyAccessString(accessor, name) {\n const escapedName = escapeIdentifier(name, false, false);\n return escapedName !== name ? `${accessor}[${escapedName}]` : `${accessor}.${name}`;\n}\nfunction prepareSyntheticListenerFunctionName(name, phase) {\n return `animation_${name}_${phase}`;\n}\nfunction jitOnlyGuardedExpression(expr) {\n return guardedExpression('ngJitMode', expr);\n}\nfunction devOnlyGuardedExpression(expr) {\n return guardedExpression('ngDevMode', expr);\n}\nfunction guardedExpression(guard, expr) {\n const guardExpr = new ExternalExpr({ name: guard, moduleName: null });\n const guardNotDefined = new BinaryOperatorExpr(BinaryOperator.Identical, new TypeofExpr(guardExpr), literal('undefined'));\n const guardUndefinedOrTrue = new BinaryOperatorExpr(BinaryOperator.Or, guardNotDefined, guardExpr, /* type */ undefined, \n /* sourceSpan */ undefined, true);\n return new BinaryOperatorExpr(BinaryOperator.And, guardUndefinedOrTrue, expr);\n}\nfunction wrapReference(value) {\n const wrapped = new WrappedNodeExpr(value);\n return { value: wrapped, type: wrapped };\n}\nfunction refsToArray(refs, shouldForwardDeclare) {\n const values = literalArr(refs.map(ref => ref.value));\n return shouldForwardDeclare ? fn([], [new ReturnStatement(values)]) : values;\n}\nfunction createMayBeForwardRefExpression(expression, forwardRef) {\n return { expression, forwardRef };\n}\n/**\n * Convert a `MaybeForwardRefExpression` to an `Expression`, possibly wrapping its expression in a\n * `forwardRef()` call.\n *\n * If `MaybeForwardRefExpression.forwardRef` is `ForwardRefHandling.Unwrapped` then the expression\n * was originally wrapped in a `forwardRef()` call to prevent the value from being eagerly evaluated\n * in the code.\n *\n * See `packages/compiler-cli/src/ngtsc/annotations/src/injectable.ts` and\n * `packages/compiler/src/jit_compiler_facade.ts` for more information.\n */\nfunction convertFromMaybeForwardRefExpression({ expression, forwardRef }) {\n switch (forwardRef) {\n case 0 /* ForwardRefHandling.None */:\n case 1 /* ForwardRefHandling.Wrapped */:\n return expression;\n case 2 /* ForwardRefHandling.Unwrapped */:\n return generateForwardRef(expression);\n }\n}\n/**\n * Generate an expression that has the given `expr` wrapped in the following form:\n *\n * ```\n * forwardRef(() => expr)\n * ```\n */\nfunction generateForwardRef(expr) {\n return importExpr(Identifiers.forwardRef).callFn([fn([], [new ReturnStatement(expr)])]);\n}\n\nvar R3FactoryDelegateType;\n(function (R3FactoryDelegateType) {\n R3FactoryDelegateType[R3FactoryDelegateType[\"Class\"] = 0] = \"Class\";\n R3FactoryDelegateType[R3FactoryDelegateType[\"Function\"] = 1] = \"Function\";\n})(R3FactoryDelegateType || (R3FactoryDelegateType = {}));\nvar FactoryTarget$1;\n(function (FactoryTarget) {\n FactoryTarget[FactoryTarget[\"Directive\"] = 0] = \"Directive\";\n FactoryTarget[FactoryTarget[\"Component\"] = 1] = \"Component\";\n FactoryTarget[FactoryTarget[\"Injectable\"] = 2] = \"Injectable\";\n FactoryTarget[FactoryTarget[\"Pipe\"] = 3] = \"Pipe\";\n FactoryTarget[FactoryTarget[\"NgModule\"] = 4] = \"NgModule\";\n})(FactoryTarget$1 || (FactoryTarget$1 = {}));\n/**\n * Construct a factory function expression for the given `R3FactoryMetadata`.\n */\nfunction compileFactoryFunction(meta) {\n const t = variable('t');\n let baseFactoryVar = null;\n // The type to instantiate via constructor invocation. If there is no delegated factory, meaning\n // this type is always created by constructor invocation, then this is the type-to-create\n // parameter provided by the user (t) if specified, or the current type if not. If there is a\n // delegated factory (which is used to create the current type) then this is only the type-to-\n // create parameter (t).\n const typeForCtor = !isDelegatedFactoryMetadata(meta) ?\n new BinaryOperatorExpr(BinaryOperator.Or, t, meta.type.value) :\n t;\n let ctorExpr = null;\n if (meta.deps !== null) {\n // There is a constructor (either explicitly or implicitly defined).\n if (meta.deps !== 'invalid') {\n ctorExpr = new InstantiateExpr(typeForCtor, injectDependencies(meta.deps, meta.target));\n }\n }\n else {\n // There is no constructor, use the base class' factory to construct typeForCtor.\n baseFactoryVar = variable(`ɵ${meta.name}_BaseFactory`);\n ctorExpr = baseFactoryVar.callFn([typeForCtor]);\n }\n const body = [];\n let retExpr = null;\n function makeConditionalFactory(nonCtorExpr) {\n const r = variable('r');\n body.push(r.set(NULL_EXPR).toDeclStmt());\n const ctorStmt = ctorExpr !== null ? r.set(ctorExpr).toStmt() :\n importExpr(Identifiers.invalidFactory).callFn([]).toStmt();\n body.push(ifStmt(t, [ctorStmt], [r.set(nonCtorExpr).toStmt()]));\n return r;\n }\n if (isDelegatedFactoryMetadata(meta)) {\n // This type is created with a delegated factory. If a type parameter is not specified, call\n // the factory instead.\n const delegateArgs = injectDependencies(meta.delegateDeps, meta.target);\n // Either call `new delegate(...)` or `delegate(...)` depending on meta.delegateType.\n const factoryExpr = new (meta.delegateType === R3FactoryDelegateType.Class ?\n InstantiateExpr :\n InvokeFunctionExpr)(meta.delegate, delegateArgs);\n retExpr = makeConditionalFactory(factoryExpr);\n }\n else if (isExpressionFactoryMetadata(meta)) {\n // TODO(alxhub): decide whether to lower the value here or in the caller\n retExpr = makeConditionalFactory(meta.expression);\n }\n else {\n retExpr = ctorExpr;\n }\n if (retExpr === null) {\n // The expression cannot be formed so render an `ɵɵinvalidFactory()` call.\n body.push(importExpr(Identifiers.invalidFactory).callFn([]).toStmt());\n }\n else if (baseFactoryVar !== null) {\n // This factory uses a base factory, so call `ɵɵgetInheritedFactory()` to compute it.\n const getInheritedFactoryCall = importExpr(Identifiers.getInheritedFactory).callFn([meta.type.value]);\n // Memoize the base factoryFn: `baseFactory || (baseFactory = ɵɵgetInheritedFactory(...))`\n const baseFactory = new BinaryOperatorExpr(BinaryOperator.Or, baseFactoryVar, baseFactoryVar.set(getInheritedFactoryCall));\n body.push(new ReturnStatement(baseFactory.callFn([typeForCtor])));\n }\n else {\n // This is straightforward factory, just return it.\n body.push(new ReturnStatement(retExpr));\n }\n let factoryFn = fn([new FnParam('t', DYNAMIC_TYPE)], body, INFERRED_TYPE, undefined, `${meta.name}_Factory`);\n if (baseFactoryVar !== null) {\n // There is a base factory variable so wrap its declaration along with the factory function into\n // an IIFE.\n factoryFn = fn([], [\n new DeclareVarStmt(baseFactoryVar.name), new ReturnStatement(factoryFn)\n ]).callFn([], /* sourceSpan */ undefined, /* pure */ true);\n }\n return {\n expression: factoryFn,\n statements: [],\n type: createFactoryType(meta),\n };\n}\nfunction createFactoryType(meta) {\n const ctorDepsType = meta.deps !== null && meta.deps !== 'invalid' ? createCtorDepsType(meta.deps) : NONE_TYPE;\n return expressionType(importExpr(Identifiers.FactoryDeclaration, [typeWithParameters(meta.type.type, meta.typeArgumentCount), ctorDepsType]));\n}\nfunction injectDependencies(deps, target) {\n return deps.map((dep, index) => compileInjectDependency(dep, target, index));\n}\nfunction compileInjectDependency(dep, target, index) {\n // Interpret the dependency according to its resolved type.\n if (dep.token === null) {\n return importExpr(Identifiers.invalidFactoryDep).callFn([literal(index)]);\n }\n else if (dep.attributeNameType === null) {\n // Build up the injection flags according to the metadata.\n const flags = 0 /* InjectFlags.Default */ | (dep.self ? 2 /* InjectFlags.Self */ : 0) |\n (dep.skipSelf ? 4 /* InjectFlags.SkipSelf */ : 0) | (dep.host ? 1 /* InjectFlags.Host */ : 0) |\n (dep.optional ? 8 /* InjectFlags.Optional */ : 0) |\n (target === FactoryTarget$1.Pipe ? 16 /* InjectFlags.ForPipe */ : 0);\n // If this dependency is optional or otherwise has non-default flags, then additional\n // parameters describing how to inject the dependency must be passed to the inject function\n // that's being used.\n let flagsParam = (flags !== 0 /* InjectFlags.Default */ || dep.optional) ? literal(flags) : null;\n // Build up the arguments to the injectFn call.\n const injectArgs = [dep.token];\n if (flagsParam) {\n injectArgs.push(flagsParam);\n }\n const injectFn = getInjectFn(target);\n return importExpr(injectFn).callFn(injectArgs);\n }\n else {\n // The `dep.attributeTypeName` value is defined, which indicates that this is an `@Attribute()`\n // type dependency. For the generated JS we still want to use the `dep.token` value in case the\n // name given for the attribute is not a string literal. For example given `@Attribute(foo())`,\n // we want to generate `ɵɵinjectAttribute(foo())`.\n //\n // The `dep.attributeTypeName` is only actually used (in `createCtorDepType()`) to generate\n // typings.\n return importExpr(Identifiers.injectAttribute).callFn([dep.token]);\n }\n}\nfunction createCtorDepsType(deps) {\n let hasTypes = false;\n const attributeTypes = deps.map(dep => {\n const type = createCtorDepType(dep);\n if (type !== null) {\n hasTypes = true;\n return type;\n }\n else {\n return literal(null);\n }\n });\n if (hasTypes) {\n return expressionType(literalArr(attributeTypes));\n }\n else {\n return NONE_TYPE;\n }\n}\nfunction createCtorDepType(dep) {\n const entries = [];\n if (dep.attributeNameType !== null) {\n entries.push({ key: 'attribute', value: dep.attributeNameType, quoted: false });\n }\n if (dep.optional) {\n entries.push({ key: 'optional', value: literal(true), quoted: false });\n }\n if (dep.host) {\n entries.push({ key: 'host', value: literal(true), quoted: false });\n }\n if (dep.self) {\n entries.push({ key: 'self', value: literal(true), quoted: false });\n }\n if (dep.skipSelf) {\n entries.push({ key: 'skipSelf', value: literal(true), quoted: false });\n }\n return entries.length > 0 ? literalMap(entries) : null;\n}\nfunction isDelegatedFactoryMetadata(meta) {\n return meta.delegateType !== undefined;\n}\nfunction isExpressionFactoryMetadata(meta) {\n return meta.expression !== undefined;\n}\nfunction getInjectFn(target) {\n switch (target) {\n case FactoryTarget$1.Component:\n case FactoryTarget$1.Directive:\n case FactoryTarget$1.Pipe:\n return Identifiers.directiveInject;\n case FactoryTarget$1.NgModule:\n case FactoryTarget$1.Injectable:\n default:\n return Identifiers.inject;\n }\n}\n\n/**\n * This is an R3 `Node`-like wrapper for a raw `html.Comment` node. We do not currently\n * require the implementation of a visitor for Comments as they are only collected at\n * the top-level of the R3 AST, and only if `Render3ParseOptions['collectCommentNodes']`\n * is true.\n */\nclass Comment$1 {\n constructor(value, sourceSpan) {\n this.value = value;\n this.sourceSpan = sourceSpan;\n }\n visit(_visitor) {\n throw new Error('visit() not implemented for Comment');\n }\n}\nclass Text$3 {\n constructor(value, sourceSpan) {\n this.value = value;\n this.sourceSpan = sourceSpan;\n }\n visit(visitor) {\n return visitor.visitText(this);\n }\n}\nclass BoundText {\n constructor(value, sourceSpan, i18n) {\n this.value = value;\n this.sourceSpan = sourceSpan;\n this.i18n = i18n;\n }\n visit(visitor) {\n return visitor.visitBoundText(this);\n }\n}\n/**\n * Represents a text attribute in the template.\n *\n * `valueSpan` may not be present in cases where there is no value `<div a></div>`.\n * `keySpan` may also not be present for synthetic attributes from ICU expansions.\n */\nclass TextAttribute {\n constructor(name, value, sourceSpan, keySpan, valueSpan, i18n) {\n this.name = name;\n this.value = value;\n this.sourceSpan = sourceSpan;\n this.keySpan = keySpan;\n this.valueSpan = valueSpan;\n this.i18n = i18n;\n }\n visit(visitor) {\n return visitor.visitTextAttribute(this);\n }\n}\nclass BoundAttribute {\n constructor(name, type, securityContext, value, unit, sourceSpan, keySpan, valueSpan, i18n) {\n this.name = name;\n this.type = type;\n this.securityContext = securityContext;\n this.value = value;\n this.unit = unit;\n this.sourceSpan = sourceSpan;\n this.keySpan = keySpan;\n this.valueSpan = valueSpan;\n this.i18n = i18n;\n }\n static fromBoundElementProperty(prop, i18n) {\n if (prop.keySpan === undefined) {\n throw new Error(`Unexpected state: keySpan must be defined for bound attributes but was not for ${prop.name}: ${prop.sourceSpan}`);\n }\n return new BoundAttribute(prop.name, prop.type, prop.securityContext, prop.value, prop.unit, prop.sourceSpan, prop.keySpan, prop.valueSpan, i18n);\n }\n visit(visitor) {\n return visitor.visitBoundAttribute(this);\n }\n}\nclass BoundEvent {\n constructor(name, type, handler, target, phase, sourceSpan, handlerSpan, keySpan) {\n this.name = name;\n this.type = type;\n this.handler = handler;\n this.target = target;\n this.phase = phase;\n this.sourceSpan = sourceSpan;\n this.handlerSpan = handlerSpan;\n this.keySpan = keySpan;\n }\n static fromParsedEvent(event) {\n const target = event.type === 0 /* ParsedEventType.Regular */ ? event.targetOrPhase : null;\n const phase = event.type === 1 /* ParsedEventType.Animation */ ? event.targetOrPhase : null;\n if (event.keySpan === undefined) {\n throw new Error(`Unexpected state: keySpan must be defined for bound event but was not for ${event.name}: ${event.sourceSpan}`);\n }\n return new BoundEvent(event.name, event.type, event.handler, target, phase, event.sourceSpan, event.handlerSpan, event.keySpan);\n }\n visit(visitor) {\n return visitor.visitBoundEvent(this);\n }\n}\nclass Element$1 {\n constructor(name, attributes, inputs, outputs, children, references, sourceSpan, startSourceSpan, endSourceSpan, i18n) {\n this.name = name;\n this.attributes = attributes;\n this.inputs = inputs;\n this.outputs = outputs;\n this.children = children;\n this.references = references;\n this.sourceSpan = sourceSpan;\n this.startSourceSpan = startSourceSpan;\n this.endSourceSpan = endSourceSpan;\n this.i18n = i18n;\n }\n visit(visitor) {\n return visitor.visitElement(this);\n }\n}\nclass DeferredTrigger {\n constructor(sourceSpan) {\n this.sourceSpan = sourceSpan;\n }\n visit(visitor) {\n return visitor.visitDeferredTrigger(this);\n }\n}\nclass BoundDeferredTrigger extends DeferredTrigger {\n constructor(value, sourceSpan) {\n super(sourceSpan);\n this.value = value;\n }\n}\nclass IdleDeferredTrigger extends DeferredTrigger {\n}\nclass ImmediateDeferredTrigger extends DeferredTrigger {\n}\nclass HoverDeferredTrigger extends DeferredTrigger {\n}\nclass TimerDeferredTrigger extends DeferredTrigger {\n constructor(delay, sourceSpan) {\n super(sourceSpan);\n this.delay = delay;\n }\n}\nclass InteractionDeferredTrigger extends DeferredTrigger {\n constructor(reference, sourceSpan) {\n super(sourceSpan);\n this.reference = reference;\n }\n}\nclass ViewportDeferredTrigger extends DeferredTrigger {\n constructor(reference, sourceSpan) {\n super(sourceSpan);\n this.reference = reference;\n }\n}\nclass DeferredBlockPlaceholder {\n constructor(children, minimumTime, sourceSpan, startSourceSpan, endSourceSpan) {\n this.children = children;\n this.minimumTime = minimumTime;\n this.sourceSpan = sourceSpan;\n this.startSourceSpan = startSourceSpan;\n this.endSourceSpan = endSourceSpan;\n }\n visit(visitor) {\n return visitor.visitDeferredBlockPlaceholder(this);\n }\n}\nclass DeferredBlockLoading {\n constructor(children, afterTime, minimumTime, sourceSpan, startSourceSpan, endSourceSpan) {\n this.children = children;\n this.afterTime = afterTime;\n this.minimumTime = minimumTime;\n this.sourceSpan = sourceSpan;\n this.startSourceSpan = startSourceSpan;\n this.endSourceSpan = endSourceSpan;\n }\n visit(visitor) {\n return visitor.visitDeferredBlockLoading(this);\n }\n}\nclass DeferredBlockError {\n constructor(children, sourceSpan, startSourceSpan, endSourceSpan) {\n this.children = children;\n this.sourceSpan = sourceSpan;\n this.startSourceSpan = startSourceSpan;\n this.endSourceSpan = endSourceSpan;\n }\n visit(visitor) {\n return visitor.visitDeferredBlockError(this);\n }\n}\nclass DeferredBlock {\n constructor(children, triggers, prefetchTriggers, placeholder, loading, error, sourceSpan, startSourceSpan, endSourceSpan) {\n this.children = children;\n this.triggers = triggers;\n this.prefetchTriggers = prefetchTriggers;\n this.placeholder = placeholder;\n this.loading = loading;\n this.error = error;\n this.sourceSpan = sourceSpan;\n this.startSourceSpan = startSourceSpan;\n this.endSourceSpan = endSourceSpan;\n }\n visit(visitor) {\n return visitor.visitDeferredBlock(this);\n }\n}\nclass Template {\n constructor(\n // tagName is the name of the container element, if applicable.\n // `null` is a special case for when there is a structural directive on an `ng-template` so\n // the renderer can differentiate between the synthetic template and the one written in the\n // file.\n tagName, attributes, inputs, outputs, templateAttrs, children, references, variables, sourceSpan, startSourceSpan, endSourceSpan, i18n) {\n this.tagName = tagName;\n this.attributes = attributes;\n this.inputs = inputs;\n this.outputs = outputs;\n this.templateAttrs = templateAttrs;\n this.children = children;\n this.references = references;\n this.variables = variables;\n this.sourceSpan = sourceSpan;\n this.startSourceSpan = startSourceSpan;\n this.endSourceSpan = endSourceSpan;\n this.i18n = i18n;\n }\n visit(visitor) {\n return visitor.visitTemplate(this);\n }\n}\nclass Content {\n constructor(selector, attributes, sourceSpan, i18n) {\n this.selector = selector;\n this.attributes = attributes;\n this.sourceSpan = sourceSpan;\n this.i18n = i18n;\n this.name = 'ng-content';\n }\n visit(visitor) {\n return visitor.visitContent(this);\n }\n}\nclass Variable {\n constructor(name, value, sourceSpan, keySpan, valueSpan) {\n this.name = name;\n this.value = value;\n this.sourceSpan = sourceSpan;\n this.keySpan = keySpan;\n this.valueSpan = valueSpan;\n }\n visit(visitor) {\n return visitor.visitVariable(this);\n }\n}\nclass Reference {\n constructor(name, value, sourceSpan, keySpan, valueSpan) {\n this.name = name;\n this.value = value;\n this.sourceSpan = sourceSpan;\n this.keySpan = keySpan;\n this.valueSpan = valueSpan;\n }\n visit(visitor) {\n return visitor.visitReference(this);\n }\n}\nclass Icu$1 {\n constructor(vars, placeholders, sourceSpan, i18n) {\n this.vars = vars;\n this.placeholders = placeholders;\n this.sourceSpan = sourceSpan;\n this.i18n = i18n;\n }\n visit(visitor) {\n return visitor.visitIcu(this);\n }\n}\nclass RecursiveVisitor$1 {\n visitElement(element) {\n visitAll$1(this, element.attributes);\n visitAll$1(this, element.inputs);\n visitAll$1(this, element.outputs);\n visitAll$1(this, element.children);\n visitAll$1(this, element.references);\n }\n visitTemplate(template) {\n visitAll$1(this, template.attributes);\n visitAll$1(this, template.inputs);\n visitAll$1(this, template.outputs);\n visitAll$1(this, template.children);\n visitAll$1(this, template.references);\n visitAll$1(this, template.variables);\n }\n visitDeferredBlock(deferred) {\n visitAll$1(this, deferred.triggers);\n visitAll$1(this, deferred.prefetchTriggers);\n visitAll$1(this, deferred.children);\n deferred.placeholder?.visit(this);\n deferred.loading?.visit(this);\n deferred.error?.visit(this);\n }\n visitDeferredBlockPlaceholder(block) {\n visitAll$1(this, block.children);\n }\n visitDeferredBlockError(block) {\n visitAll$1(this, block.children);\n }\n visitDeferredBlockLoading(block) {\n visitAll$1(this, block.children);\n }\n visitContent(content) { }\n visitVariable(variable) { }\n visitReference(reference) { }\n visitTextAttribute(attribute) { }\n visitBoundAttribute(attribute) { }\n visitBoundEvent(attribute) { }\n visitText(text) { }\n visitBoundText(text) { }\n visitIcu(icu) { }\n visitDeferredTrigger(trigger) { }\n}\nfunction visitAll$1(visitor, nodes) {\n const result = [];\n if (visitor.visit) {\n for (const node of nodes) {\n visitor.visit(node) || node.visit(visitor);\n }\n }\n else {\n for (const node of nodes) {\n const newNode = node.visit(visitor);\n if (newNode) {\n result.push(newNode);\n }\n }\n }\n return result;\n}\n\nclass Message {\n /**\n * @param nodes message AST\n * @param placeholders maps placeholder names to static content and their source spans\n * @param placeholderToMessage maps placeholder names to messages (used for nested ICU messages)\n * @param meaning\n * @param description\n * @param customId\n */\n constructor(nodes, placeholders, placeholderToMessage, meaning, description, customId) {\n this.nodes = nodes;\n this.placeholders = placeholders;\n this.placeholderToMessage = placeholderToMessage;\n this.meaning = meaning;\n this.description = description;\n this.customId = customId;\n /** The ids to use if there are no custom id and if `i18nLegacyMessageIdFormat` is not empty */\n this.legacyIds = [];\n this.id = this.customId;\n this.messageString = serializeMessage(this.nodes);\n if (nodes.length) {\n this.sources = [{\n filePath: nodes[0].sourceSpan.start.file.url,\n startLine: nodes[0].sourceSpan.start.line + 1,\n startCol: nodes[0].sourceSpan.start.col + 1,\n endLine: nodes[nodes.length - 1].sourceSpan.end.line + 1,\n endCol: nodes[0].sourceSpan.start.col + 1\n }];\n }\n else {\n this.sources = [];\n }\n }\n}\nclass Text$2 {\n constructor(value, sourceSpan) {\n this.value = value;\n this.sourceSpan = sourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitText(this, context);\n }\n}\n// TODO(vicb): do we really need this node (vs an array) ?\nclass Container {\n constructor(children, sourceSpan) {\n this.children = children;\n this.sourceSpan = sourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitContainer(this, context);\n }\n}\nclass Icu {\n constructor(expression, type, cases, sourceSpan, expressionPlaceholder) {\n this.expression = expression;\n this.type = type;\n this.cases = cases;\n this.sourceSpan = sourceSpan;\n this.expressionPlaceholder = expressionPlaceholder;\n }\n visit(visitor, context) {\n return visitor.visitIcu(this, context);\n }\n}\nclass TagPlaceholder {\n constructor(tag, attrs, startName, closeName, children, isVoid, \n // TODO sourceSpan should cover all (we need a startSourceSpan and endSourceSpan)\n sourceSpan, startSourceSpan, endSourceSpan) {\n this.tag = tag;\n this.attrs = attrs;\n this.startName = startName;\n this.closeName = closeName;\n this.children = children;\n this.isVoid = isVoid;\n this.sourceSpan = sourceSpan;\n this.startSourceSpan = startSourceSpan;\n this.endSourceSpan = endSourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitTagPlaceholder(this, context);\n }\n}\nclass Placeholder {\n constructor(value, name, sourceSpan) {\n this.value = value;\n this.name = name;\n this.sourceSpan = sourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitPlaceholder(this, context);\n }\n}\nclass IcuPlaceholder {\n constructor(value, name, sourceSpan) {\n this.value = value;\n this.name = name;\n this.sourceSpan = sourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitIcuPlaceholder(this, context);\n }\n}\n// Clone the AST\nclass CloneVisitor {\n visitText(text, context) {\n return new Text$2(text.value, text.sourceSpan);\n }\n visitContainer(container, context) {\n const children = container.children.map(n => n.visit(this, context));\n return new Container(children, container.sourceSpan);\n }\n visitIcu(icu, context) {\n const cases = {};\n Object.keys(icu.cases).forEach(key => cases[key] = icu.cases[key].visit(this, context));\n const msg = new Icu(icu.expression, icu.type, cases, icu.sourceSpan, icu.expressionPlaceholder);\n return msg;\n }\n visitTagPlaceholder(ph, context) {\n const children = ph.children.map(n => n.visit(this, context));\n return new TagPlaceholder(ph.tag, ph.attrs, ph.startName, ph.closeName, children, ph.isVoid, ph.sourceSpan, ph.startSourceSpan, ph.endSourceSpan);\n }\n visitPlaceholder(ph, context) {\n return new Placeholder(ph.value, ph.name, ph.sourceSpan);\n }\n visitIcuPlaceholder(ph, context) {\n return new IcuPlaceholder(ph.value, ph.name, ph.sourceSpan);\n }\n}\n// Visit all the nodes recursively\nclass RecurseVisitor {\n visitText(text, context) { }\n visitContainer(container, context) {\n container.children.forEach(child => child.visit(this));\n }\n visitIcu(icu, context) {\n Object.keys(icu.cases).forEach(k => {\n icu.cases[k].visit(this);\n });\n }\n visitTagPlaceholder(ph, context) {\n ph.children.forEach(child => child.visit(this));\n }\n visitPlaceholder(ph, context) { }\n visitIcuPlaceholder(ph, context) { }\n}\n/**\n * Serialize the message to the Localize backtick string format that would appear in compiled code.\n */\nfunction serializeMessage(messageNodes) {\n const visitor = new LocalizeMessageStringVisitor();\n const str = messageNodes.map(n => n.visit(visitor)).join('');\n return str;\n}\nclass LocalizeMessageStringVisitor {\n visitText(text) {\n return text.value;\n }\n visitContainer(container) {\n return container.children.map(child => child.visit(this)).join('');\n }\n visitIcu(icu) {\n const strCases = Object.keys(icu.cases).map((k) => `${k} {${icu.cases[k].visit(this)}}`);\n return `{${icu.expressionPlaceholder}, ${icu.type}, ${strCases.join(' ')}}`;\n }\n visitTagPlaceholder(ph) {\n const children = ph.children.map(child => child.visit(this)).join('');\n return `{$${ph.startName}}${children}{$${ph.closeName}}`;\n }\n visitPlaceholder(ph) {\n return `{$${ph.name}}`;\n }\n visitIcuPlaceholder(ph) {\n return `{$${ph.name}}`;\n }\n}\n\nclass Serializer {\n // Creates a name mapper, see `PlaceholderMapper`\n // Returning `null` means that no name mapping is used.\n createNameMapper(message) {\n return null;\n }\n}\n/**\n * A simple mapper that take a function to transform an internal name to a public name\n */\nclass SimplePlaceholderMapper extends RecurseVisitor {\n // create a mapping from the message\n constructor(message, mapName) {\n super();\n this.mapName = mapName;\n this.internalToPublic = {};\n this.publicToNextId = {};\n this.publicToInternal = {};\n message.nodes.forEach(node => node.visit(this));\n }\n toPublicName(internalName) {\n return this.internalToPublic.hasOwnProperty(internalName) ?\n this.internalToPublic[internalName] :\n null;\n }\n toInternalName(publicName) {\n return this.publicToInternal.hasOwnProperty(publicName) ? this.publicToInternal[publicName] :\n null;\n }\n visitText(text, context) {\n return null;\n }\n visitTagPlaceholder(ph, context) {\n this.visitPlaceholderName(ph.startName);\n super.visitTagPlaceholder(ph, context);\n this.visitPlaceholderName(ph.closeName);\n }\n visitPlaceholder(ph, context) {\n this.visitPlaceholderName(ph.name);\n }\n visitIcuPlaceholder(ph, context) {\n this.visitPlaceholderName(ph.name);\n }\n // XMB placeholders could only contains A-Z, 0-9 and _\n visitPlaceholderName(internalName) {\n if (!internalName || this.internalToPublic.hasOwnProperty(internalName)) {\n return;\n }\n let publicName = this.mapName(internalName);\n if (this.publicToInternal.hasOwnProperty(publicName)) {\n // Create a new XMB when it has already been used\n const nextId = this.publicToNextId[publicName];\n this.publicToNextId[publicName] = nextId + 1;\n publicName = `${publicName}_${nextId}`;\n }\n else {\n this.publicToNextId[publicName] = 1;\n }\n this.internalToPublic[internalName] = publicName;\n this.publicToInternal[publicName] = internalName;\n }\n}\n\nclass _Visitor$2 {\n visitTag(tag) {\n const strAttrs = this._serializeAttributes(tag.attrs);\n if (tag.children.length == 0) {\n return `<${tag.name}${strAttrs}/>`;\n }\n const strChildren = tag.children.map(node => node.visit(this));\n return `<${tag.name}${strAttrs}>${strChildren.join('')}</${tag.name}>`;\n }\n visitText(text) {\n return text.value;\n }\n visitDeclaration(decl) {\n return `<?xml${this._serializeAttributes(decl.attrs)} ?>`;\n }\n _serializeAttributes(attrs) {\n const strAttrs = Object.keys(attrs).map((name) => `${name}=\"${attrs[name]}\"`).join(' ');\n return strAttrs.length > 0 ? ' ' + strAttrs : '';\n }\n visitDoctype(doctype) {\n return `<!DOCTYPE ${doctype.rootTag} [\\n${doctype.dtd}\\n]>`;\n }\n}\nconst _visitor = new _Visitor$2();\nfunction serialize(nodes) {\n return nodes.map((node) => node.visit(_visitor)).join('');\n}\nclass Declaration {\n constructor(unescapedAttrs) {\n this.attrs = {};\n Object.keys(unescapedAttrs).forEach((k) => {\n this.attrs[k] = escapeXml(unescapedAttrs[k]);\n });\n }\n visit(visitor) {\n return visitor.visitDeclaration(this);\n }\n}\nclass Doctype {\n constructor(rootTag, dtd) {\n this.rootTag = rootTag;\n this.dtd = dtd;\n }\n visit(visitor) {\n return visitor.visitDoctype(this);\n }\n}\nclass Tag {\n constructor(name, unescapedAttrs = {}, children = []) {\n this.name = name;\n this.children = children;\n this.attrs = {};\n Object.keys(unescapedAttrs).forEach((k) => {\n this.attrs[k] = escapeXml(unescapedAttrs[k]);\n });\n }\n visit(visitor) {\n return visitor.visitTag(this);\n }\n}\nclass Text$1 {\n constructor(unescapedValue) {\n this.value = escapeXml(unescapedValue);\n }\n visit(visitor) {\n return visitor.visitText(this);\n }\n}\nclass CR extends Text$1 {\n constructor(ws = 0) {\n super(`\\n${new Array(ws + 1).join(' ')}`);\n }\n}\nconst _ESCAPED_CHARS = [\n [/&/g, '&'],\n [/\"/g, '"'],\n [/'/g, '''],\n [/</g, '<'],\n [/>/g, '>'],\n];\n// Escape `_ESCAPED_CHARS` characters in the given text with encoded entities\nfunction escapeXml(text) {\n return _ESCAPED_CHARS.reduce((text, entry) => text.replace(entry[0], entry[1]), text);\n}\n\nconst _MESSAGES_TAG = 'messagebundle';\nconst _MESSAGE_TAG = 'msg';\nconst _PLACEHOLDER_TAG$3 = 'ph';\nconst _EXAMPLE_TAG = 'ex';\nconst _SOURCE_TAG$2 = 'source';\nconst _DOCTYPE = `<!ELEMENT messagebundle (msg)*>\n<!ATTLIST messagebundle class CDATA #IMPLIED>\n\n<!ELEMENT msg (#PCDATA|ph|source)*>\n<!ATTLIST msg id CDATA #IMPLIED>\n<!ATTLIST msg seq CDATA #IMPLIED>\n<!ATTLIST msg name CDATA #IMPLIED>\n<!ATTLIST msg desc CDATA #IMPLIED>\n<!ATTLIST msg meaning CDATA #IMPLIED>\n<!ATTLIST msg obsolete (obsolete) #IMPLIED>\n<!ATTLIST msg xml:space (default|preserve) \"default\">\n<!ATTLIST msg is_hidden CDATA #IMPLIED>\n\n<!ELEMENT source (#PCDATA)>\n\n<!ELEMENT ph (#PCDATA|ex)*>\n<!ATTLIST ph name CDATA #REQUIRED>\n\n<!ELEMENT ex (#PCDATA)>`;\nclass Xmb extends Serializer {\n write(messages, locale) {\n const exampleVisitor = new ExampleVisitor();\n const visitor = new _Visitor$1();\n let rootNode = new Tag(_MESSAGES_TAG);\n messages.forEach(message => {\n const attrs = { id: message.id };\n if (message.description) {\n attrs['desc'] = message.description;\n }\n if (message.meaning) {\n attrs['meaning'] = message.meaning;\n }\n let sourceTags = [];\n message.sources.forEach((source) => {\n sourceTags.push(new Tag(_SOURCE_TAG$2, {}, [new Text$1(`${source.filePath}:${source.startLine}${source.endLine !== source.startLine ? ',' + source.endLine : ''}`)]));\n });\n rootNode.children.push(new CR(2), new Tag(_MESSAGE_TAG, attrs, [...sourceTags, ...visitor.serialize(message.nodes)]));\n });\n rootNode.children.push(new CR());\n return serialize([\n new Declaration({ version: '1.0', encoding: 'UTF-8' }),\n new CR(),\n new Doctype(_MESSAGES_TAG, _DOCTYPE),\n new CR(),\n exampleVisitor.addDefaultExamples(rootNode),\n new CR(),\n ]);\n }\n load(content, url) {\n throw new Error('Unsupported');\n }\n digest(message) {\n return digest(message);\n }\n createNameMapper(message) {\n return new SimplePlaceholderMapper(message, toPublicName);\n }\n}\nclass _Visitor$1 {\n visitText(text, context) {\n return [new Text$1(text.value)];\n }\n visitContainer(container, context) {\n const nodes = [];\n container.children.forEach((node) => nodes.push(...node.visit(this)));\n return nodes;\n }\n visitIcu(icu, context) {\n const nodes = [new Text$1(`{${icu.expressionPlaceholder}, ${icu.type}, `)];\n Object.keys(icu.cases).forEach((c) => {\n nodes.push(new Text$1(`${c} {`), ...icu.cases[c].visit(this), new Text$1(`} `));\n });\n nodes.push(new Text$1(`}`));\n return nodes;\n }\n visitTagPlaceholder(ph, context) {\n const startTagAsText = new Text$1(`<${ph.tag}>`);\n const startEx = new Tag(_EXAMPLE_TAG, {}, [startTagAsText]);\n // TC requires PH to have a non empty EX, and uses the text node to show the \"original\" value.\n const startTagPh = new Tag(_PLACEHOLDER_TAG$3, { name: ph.startName }, [startEx, startTagAsText]);\n if (ph.isVoid) {\n // void tags have no children nor closing tags\n return [startTagPh];\n }\n const closeTagAsText = new Text$1(`</${ph.tag}>`);\n const closeEx = new Tag(_EXAMPLE_TAG, {}, [closeTagAsText]);\n // TC requires PH to have a non empty EX, and uses the text node to show the \"original\" value.\n const closeTagPh = new Tag(_PLACEHOLDER_TAG$3, { name: ph.closeName }, [closeEx, closeTagAsText]);\n return [startTagPh, ...this.serialize(ph.children), closeTagPh];\n }\n visitPlaceholder(ph, context) {\n const interpolationAsText = new Text$1(`{{${ph.value}}}`);\n // Example tag needs to be not-empty for TC.\n const exTag = new Tag(_EXAMPLE_TAG, {}, [interpolationAsText]);\n return [\n // TC requires PH to have a non empty EX, and uses the text node to show the \"original\" value.\n new Tag(_PLACEHOLDER_TAG$3, { name: ph.name }, [exTag, interpolationAsText])\n ];\n }\n visitIcuPlaceholder(ph, context) {\n const icuExpression = ph.value.expression;\n const icuType = ph.value.type;\n const icuCases = Object.keys(ph.value.cases).map((value) => value + ' {...}').join(' ');\n const icuAsText = new Text$1(`{${icuExpression}, ${icuType}, ${icuCases}}`);\n const exTag = new Tag(_EXAMPLE_TAG, {}, [icuAsText]);\n return [\n // TC requires PH to have a non empty EX, and uses the text node to show the \"original\" value.\n new Tag(_PLACEHOLDER_TAG$3, { name: ph.name }, [exTag, icuAsText])\n ];\n }\n serialize(nodes) {\n return [].concat(...nodes.map(node => node.visit(this)));\n }\n}\nfunction digest(message) {\n return decimalDigest(message);\n}\n// TC requires at least one non-empty example on placeholders\nclass ExampleVisitor {\n addDefaultExamples(node) {\n node.visit(this);\n return node;\n }\n visitTag(tag) {\n if (tag.name === _PLACEHOLDER_TAG$3) {\n if (!tag.children || tag.children.length == 0) {\n const exText = new Text$1(tag.attrs['name'] || '...');\n tag.children = [new Tag(_EXAMPLE_TAG, {}, [exText])];\n }\n }\n else if (tag.children) {\n tag.children.forEach(node => node.visit(this));\n }\n }\n visitText(text) { }\n visitDeclaration(decl) { }\n visitDoctype(doctype) { }\n}\n// XMB/XTB placeholders can only contain A-Z, 0-9 and _\nfunction toPublicName(internalName) {\n return internalName.toUpperCase().replace(/[^A-Z0-9_]/g, '_');\n}\n\n/* Closure variables holding messages must be named `MSG_[A-Z0-9]+` */\nconst CLOSURE_TRANSLATION_VAR_PREFIX = 'MSG_';\n/**\n * Prefix for non-`goog.getMsg` i18n-related vars.\n * Note: the prefix uses lowercase characters intentionally due to a Closure behavior that\n * considers variables like `I18N_0` as constants and throws an error when their value changes.\n */\nconst TRANSLATION_VAR_PREFIX = 'i18n_';\n/** Name of the i18n attributes **/\nconst I18N_ATTR = 'i18n';\nconst I18N_ATTR_PREFIX = 'i18n-';\n/** Prefix of var expressions used in ICUs */\nconst I18N_ICU_VAR_PREFIX = 'VAR_';\n/** Prefix of ICU expressions for post processing */\nconst I18N_ICU_MAPPING_PREFIX = 'I18N_EXP_';\n/** Placeholder wrapper for i18n expressions **/\nconst I18N_PLACEHOLDER_SYMBOL = '<27>';\nfunction isI18nAttribute(name) {\n return name === I18N_ATTR || name.startsWith(I18N_ATTR_PREFIX);\n}\nfunction isI18nRootNode(meta) {\n return meta instanceof Message;\n}\nfunction isSingleI18nIcu(meta) {\n return isI18nRootNode(meta) && meta.nodes.length === 1 && meta.nodes[0] instanceof Icu;\n}\nfunction hasI18nMeta(node) {\n return !!node.i18n;\n}\nfunction hasI18nAttrs(element) {\n return element.attrs.some((attr) => isI18nAttribute(attr.name));\n}\nfunction icuFromI18nMessage(message) {\n return message.nodes[0];\n}\nfunction wrapI18nPlaceholder(content, contextId = 0) {\n const blockId = contextId > 0 ? `:${contextId}` : '';\n return `${I18N_PLACEHOLDER_SYMBOL}${content}${blockId}${I18N_PLACEHOLDER_SYMBOL}`;\n}\nfunction assembleI18nBoundString(strings, bindingStartIndex = 0, contextId = 0) {\n if (!strings.length)\n return '';\n let acc = '';\n const lastIdx = strings.length - 1;\n for (let i = 0; i < lastIdx; i++) {\n acc += `${strings[i]}${wrapI18nPlaceholder(bindingStartIndex + i, contextId)}`;\n }\n acc += strings[lastIdx];\n return acc;\n}\nfunction getSeqNumberGenerator(startsAt = 0) {\n let current = startsAt;\n return () => current++;\n}\nfunction placeholdersToParams(placeholders) {\n const params = {};\n placeholders.forEach((values, key) => {\n params[key] = literal(values.length > 1 ? `[${values.join('|')}]` : values[0]);\n });\n return params;\n}\nfunction updatePlaceholderMap(map, name, ...values) {\n const current = map.get(name) || [];\n current.push(...values);\n map.set(name, current);\n}\nfunction assembleBoundTextPlaceholders(meta, bindingStartIndex = 0, contextId = 0) {\n const startIdx = bindingStartIndex;\n const placeholders = new Map();\n const node = meta instanceof Message ? meta.nodes.find(node => node instanceof Container) : meta;\n if (node) {\n node\n .children\n .filter((child) => child instanceof Placeholder)\n .forEach((child, idx) => {\n const content = wrapI18nPlaceholder(startIdx + idx, contextId);\n updatePlaceholderMap(placeholders, child.name, content);\n });\n }\n return placeholders;\n}\n/**\n * Format the placeholder names in a map of placeholders to expressions.\n *\n * The placeholder names are converted from \"internal\" format (e.g. `START_TAG_DIV_1`) to \"external\"\n * format (e.g. `startTagDiv_1`).\n *\n * @param params A map of placeholder names to expressions.\n * @param useCamelCase whether to camelCase the placeholder name when formatting.\n * @returns A new map of formatted placeholder names to expressions.\n */\nfunction formatI18nPlaceholderNamesInMap(params = {}, useCamelCase) {\n const _params = {};\n if (params && Object.keys(params).length) {\n Object.keys(params).forEach(key => _params[formatI18nPlaceholderName(key, useCamelCase)] = params[key]);\n }\n return _params;\n}\n/**\n * Converts internal placeholder names to public-facing format\n * (for example to use in goog.getMsg call).\n * Example: `START_TAG_DIV_1` is converted to `startTagDiv_1`.\n *\n * @param name The placeholder name that should be formatted\n * @returns Formatted placeholder name\n */\nfunction formatI18nPlaceholderName(name, useCamelCase = true) {\n const publicName = toPublicName(name);\n if (!useCamelCase) {\n return publicName;\n }\n const chunks = publicName.split('_');\n if (chunks.length === 1) {\n // if no \"_\" found - just lowercase the value\n return name.toLowerCase();\n }\n let postfix;\n // eject last element if it's a number\n if (/^\\d+$/.test(chunks[chunks.length - 1])) {\n postfix = chunks.pop();\n }\n let raw = chunks.shift().toLowerCase();\n if (chunks.length) {\n raw += chunks.map(c => c.charAt(0).toUpperCase() + c.slice(1).toLowerCase()).join('');\n }\n return postfix ? `${raw}_${postfix}` : raw;\n}\n/**\n * Generates a prefix for translation const name.\n *\n * @param extra Additional local prefix that should be injected into translation var name\n * @returns Complete translation const prefix\n */\nfunction getTranslationConstPrefix(extra) {\n return `${CLOSURE_TRANSLATION_VAR_PREFIX}${extra}`.toUpperCase();\n}\n/**\n * Generate AST to declare a variable. E.g. `var I18N_1;`.\n * @param variable the name of the variable to declare.\n */\nfunction declareI18nVariable(variable) {\n return new DeclareVarStmt(variable.name, undefined, INFERRED_TYPE, undefined, variable.sourceSpan);\n}\n\n/**\n * Checks whether an object key contains potentially unsafe chars, thus the key should be wrapped in\n * quotes. Note: we do not wrap all keys into quotes, as it may have impact on minification and may\n * bot work in some cases when object keys are mangled by minifier.\n *\n * TODO(FW-1136): this is a temporary solution, we need to come up with a better way of working with\n * inputs that contain potentially unsafe chars.\n */\nconst UNSAFE_OBJECT_KEY_NAME_REGEXP = /[-.]/;\n/** Name of the temporary to use during data binding */\nconst TEMPORARY_NAME = '_t';\n/** Name of the context parameter passed into a template function */\nconst CONTEXT_NAME = 'ctx';\n/** Name of the RenderFlag passed into a template function */\nconst RENDER_FLAGS = 'rf';\n/** The prefix reference variables */\nconst REFERENCE_PREFIX = '_r';\n/** The name of the implicit context reference */\nconst IMPLICIT_REFERENCE = '$implicit';\n/** Non bindable attribute name **/\nconst NON_BINDABLE_ATTR = 'ngNonBindable';\n/** Name for the variable keeping track of the context returned by `ɵɵrestoreView`. */\nconst RESTORED_VIEW_CONTEXT_NAME = 'restoredCtx';\n/**\n * Maximum length of a single instruction chain. Because our output AST uses recursion, we're\n * limited in how many expressions we can nest before we reach the call stack limit. This\n * length is set very conservatively in order to reduce the chance of problems.\n */\nconst MAX_CHAIN_LENGTH = 500;\n/** Instructions that support chaining. */\nconst CHAINABLE_INSTRUCTIONS = new Set([\n Identifiers.element,\n Identifiers.elementStart,\n Identifiers.elementEnd,\n Identifiers.elementContainer,\n Identifiers.elementContainerStart,\n Identifiers.elementContainerEnd,\n Identifiers.i18nExp,\n Identifiers.listener,\n Identifiers.classProp,\n Identifiers.syntheticHostListener,\n Identifiers.hostProperty,\n Identifiers.syntheticHostProperty,\n Identifiers.property,\n Identifiers.propertyInterpolate1,\n Identifiers.propertyInterpolate2,\n Identifiers.propertyInterpolate3,\n Identifiers.propertyInterpolate4,\n Identifiers.propertyInterpolate5,\n Identifiers.propertyInterpolate6,\n Identifiers.propertyInterpolate7,\n Identifiers.propertyInterpolate8,\n Identifiers.propertyInterpolateV,\n Identifiers.attribute,\n Identifiers.attributeInterpolate1,\n Identifiers.attributeInterpolate2,\n Identifiers.attributeInterpolate3,\n Identifiers.attributeInterpolate4,\n Identifiers.attributeInterpolate5,\n Identifiers.attributeInterpolate6,\n Identifiers.attributeInterpolate7,\n Identifiers.attributeInterpolate8,\n Identifiers.attributeInterpolateV,\n Identifiers.styleProp,\n Identifiers.stylePropInterpolate1,\n Identifiers.stylePropInterpolate2,\n Identifiers.stylePropInterpolate3,\n Identifiers.stylePropInterpolate4,\n Identifiers.stylePropInterpolate5,\n Identifiers.stylePropInterpolate6,\n Identifiers.stylePropInterpolate7,\n Identifiers.stylePropInterpolate8,\n Identifiers.stylePropInterpolateV,\n Identifiers.textInterpolate,\n Identifiers.textInterpolate1,\n Identifiers.textInterpolate2,\n Identifiers.textInterpolate3,\n Identifiers.textInterpolate4,\n Identifiers.textInterpolate5,\n Identifiers.textInterpolate6,\n Identifiers.textInterpolate7,\n Identifiers.textInterpolate8,\n Identifiers.textInterpolateV,\n]);\n/** Generates a call to a single instruction. */\nfunction invokeInstruction(span, reference, params) {\n return importExpr(reference, null, span).callFn(params, span);\n}\n/**\n * Creates an allocator for a temporary variable.\n *\n * A variable declaration is added to the statements the first time the allocator is invoked.\n */\nfunction temporaryAllocator(statements, name) {\n let temp = null;\n return () => {\n if (!temp) {\n statements.push(new DeclareVarStmt(TEMPORARY_NAME, undefined, DYNAMIC_TYPE));\n temp = variable(name);\n }\n return temp;\n };\n}\nfunction invalid(arg) {\n throw new Error(`Invalid state: Visitor ${this.constructor.name} doesn't handle ${arg.constructor.name}`);\n}\nfunction asLiteral(value) {\n if (Array.isArray(value)) {\n return literalArr(value.map(asLiteral));\n }\n return literal(value, INFERRED_TYPE);\n}\nfunction conditionallyCreateDirectiveBindingLiteral(map, keepDeclared) {\n const keys = Object.getOwnPropertyNames(map);\n if (keys.length === 0) {\n return null;\n }\n return literalMap(keys.map(key => {\n const value = map[key];\n let declaredName;\n let publicName;\n let minifiedName;\n let expressionValue;\n if (typeof value === 'string') {\n // canonical syntax: `dirProp: publicProp`\n declaredName = key;\n minifiedName = key;\n publicName = value;\n expressionValue = asLiteral(publicName);\n }\n else {\n minifiedName = key;\n declaredName = value.classPropertyName;\n publicName = value.bindingPropertyName;\n if (keepDeclared && (publicName !== declaredName || value.transformFunction != null)) {\n const expressionKeys = [asLiteral(publicName), asLiteral(declaredName)];\n if (value.transformFunction != null) {\n expressionKeys.push(value.transformFunction);\n }\n expressionValue = literalArr(expressionKeys);\n }\n else {\n expressionValue = asLiteral(publicName);\n }\n }\n return {\n key: minifiedName,\n // put quotes around keys that contain potentially unsafe characters\n quoted: UNSAFE_OBJECT_KEY_NAME_REGEXP.test(minifiedName),\n value: expressionValue,\n };\n }));\n}\n/**\n * Remove trailing null nodes as they are implied.\n */\nfunction trimTrailingNulls(parameters) {\n while (isNull(parameters[parameters.length - 1])) {\n parameters.pop();\n }\n return parameters;\n}\nfunction getQueryPredicate(query, constantPool) {\n if (Array.isArray(query.predicate)) {\n let predicate = [];\n query.predicate.forEach((selector) => {\n // Each item in predicates array may contain strings with comma-separated refs\n // (for ex. 'ref, ref1, ..., refN'), thus we extract individual refs and store them\n // as separate array entities\n const selectors = selector.split(',').map(token => literal(token.trim()));\n predicate.push(...selectors);\n });\n return constantPool.getConstLiteral(literalArr(predicate), true);\n }\n else {\n // The original predicate may have been wrapped in a `forwardRef()` call.\n switch (query.predicate.forwardRef) {\n case 0 /* ForwardRefHandling.None */:\n case 2 /* ForwardRefHandling.Unwrapped */:\n return query.predicate.expression;\n case 1 /* ForwardRefHandling.Wrapped */:\n return importExpr(Identifiers.resolveForwardRef).callFn([query.predicate.expression]);\n }\n }\n}\n/**\n * A representation for an object literal used during codegen of definition objects. The generic\n * type `T` allows to reference a documented type of the generated structure, such that the\n * property names that are set can be resolved to their documented declaration.\n */\nclass DefinitionMap {\n constructor() {\n this.values = [];\n }\n set(key, value) {\n if (value) {\n this.values.push({ key: key, value, quoted: false });\n }\n }\n toLiteralMap() {\n return literalMap(this.values);\n }\n}\n/**\n * Extract a map of properties to values for a given element or template node, which can be used\n * by the directive matching machinery.\n *\n * @param elOrTpl the element or template in question\n * @return an object set up for directive matching. For attributes on the element/template, this\n * object maps a property name to its (static) value. For any bindings, this map simply maps the\n * property name to an empty string.\n */\nfunction getAttrsForDirectiveMatching(elOrTpl) {\n const attributesMap = {};\n if (elOrTpl instanceof Template && elOrTpl.tagName !== 'ng-template') {\n elOrTpl.templateAttrs.forEach(a => attributesMap[a.name] = '');\n }\n else {\n elOrTpl.attributes.forEach(a => {\n if (!isI18nAttribute(a.name)) {\n attributesMap[a.name] = a.value;\n }\n });\n elOrTpl.inputs.forEach(i => {\n if (i.type === 0 /* BindingType.Property */) {\n attributesMap[i.name] = '';\n }\n });\n elOrTpl.outputs.forEach(o => {\n attributesMap[o.name] = '';\n });\n }\n return attributesMap;\n}\n/**\n * Gets the number of arguments expected to be passed to a generated instruction in the case of\n * interpolation instructions.\n * @param interpolation An interpolation ast\n */\nfunction getInterpolationArgsLength(interpolation) {\n const { expressions, strings } = interpolation;\n if (expressions.length === 1 && strings.length === 2 && strings[0] === '' && strings[1] === '') {\n // If the interpolation has one interpolated value, but the prefix and suffix are both empty\n // strings, we only pass one argument, to a special instruction like `propertyInterpolate` or\n // `textInterpolate`.\n return 1;\n }\n else {\n return expressions.length + strings.length;\n }\n}\n/**\n * Generates the final instruction call statements based on the passed in configuration.\n * Will try to chain instructions as much as possible, if chaining is supported.\n */\nfunction getInstructionStatements(instructions) {\n const statements = [];\n let pendingExpression = null;\n let pendingExpressionType = null;\n let chainLength = 0;\n for (const current of instructions) {\n const resolvedParams = (typeof current.paramsOrFn === 'function' ? current.paramsOrFn() : current.paramsOrFn) ??\n [];\n const params = Array.isArray(resolvedParams) ? resolvedParams : [resolvedParams];\n // If the current instruction is the same as the previous one\n // and it can be chained, add another call to the chain.\n if (chainLength < MAX_CHAIN_LENGTH && pendingExpressionType === current.reference &&\n CHAINABLE_INSTRUCTIONS.has(pendingExpressionType)) {\n // We'll always have a pending expression when there's a pending expression type.\n pendingExpression = pendingExpression.callFn(params, pendingExpression.sourceSpan);\n chainLength++;\n }\n else {\n if (pendingExpression !== null) {\n statements.push(pendingExpression.toStmt());\n }\n pendingExpression = invokeInstruction(current.span, current.reference, params);\n pendingExpressionType = current.reference;\n chainLength = 0;\n }\n }\n // Since the current instruction adds the previous one to the statements,\n // we may be left with the final one at the end that is still pending.\n if (pendingExpression !== null) {\n statements.push(pendingExpression.toStmt());\n }\n return statements;\n}\n\nfunction compileInjectable(meta, resolveForwardRefs) {\n let result = null;\n const factoryMeta = {\n name: meta.name,\n type: meta.type,\n typeArgumentCount: meta.typeArgumentCount,\n deps: [],\n target: FactoryTarget$1.Injectable,\n };\n if (meta.useClass !== undefined) {\n // meta.useClass has two modes of operation. Either deps are specified, in which case `new` is\n // used to instantiate the class with dependencies injected, or deps are not specified and\n // the factory of the class is used to instantiate it.\n //\n // A special case exists for useClass: Type where Type is the injectable type itself and no\n // deps are specified, in which case 'useClass' is effectively ignored.\n const useClassOnSelf = meta.useClass.expression.isEquivalent(meta.type.value);\n let deps = undefined;\n if (meta.deps !== undefined) {\n deps = meta.deps;\n }\n if (deps !== undefined) {\n // factory: () => new meta.useClass(...deps)\n result = compileFactoryFunction({\n ...factoryMeta,\n delegate: meta.useClass.expression,\n delegateDeps: deps,\n delegateType: R3FactoryDelegateType.Class,\n });\n }\n else if (useClassOnSelf) {\n result = compileFactoryFunction(factoryMeta);\n }\n else {\n result = {\n statements: [],\n expression: delegateToFactory(meta.type.value, meta.useClass.expression, resolveForwardRefs)\n };\n }\n }\n else if (meta.useFactory !== undefined) {\n if (meta.deps !== undefined) {\n result = compileFactoryFunction({\n ...factoryMeta,\n delegate: meta.useFactory,\n delegateDeps: meta.deps || [],\n delegateType: R3FactoryDelegateType.Function,\n });\n }\n else {\n result = {\n statements: [],\n expression: fn([], [new ReturnStatement(meta.useFactory.callFn([]))])\n };\n }\n }\n else if (meta.useValue !== undefined) {\n // Note: it's safe to use `meta.useValue` instead of the `USE_VALUE in meta` check used for\n // client code because meta.useValue is an Expression which will be defined even if the actual\n // value is undefined.\n result = compileFactoryFunction({\n ...factoryMeta,\n expression: meta.useValue.expression,\n });\n }\n else if (meta.useExisting !== undefined) {\n // useExisting is an `inject` call on the existing token.\n result = compileFactoryFunction({\n ...factoryMeta,\n expression: importExpr(Identifiers.inject).callFn([meta.useExisting.expression]),\n });\n }\n else {\n result = {\n statements: [],\n expression: delegateToFactory(meta.type.value, meta.type.value, resolveForwardRefs)\n };\n }\n const token = meta.type.value;\n const injectableProps = new DefinitionMap();\n injectableProps.set('token', token);\n injectableProps.set('factory', result.expression);\n // Only generate providedIn property if it has a non-null value\n if (meta.providedIn.expression.value !== null) {\n injectableProps.set('providedIn', convertFromMaybeForwardRefExpression(meta.providedIn));\n }\n const expression = importExpr(Identifiers.ɵɵdefineInjectable)\n .callFn([injectableProps.toLiteralMap()], undefined, true);\n return {\n expression,\n type: createInjectableType(meta),\n statements: result.statements,\n };\n}\nfunction createInjectableType(meta) {\n return new ExpressionType(importExpr(Identifiers.InjectableDeclaration, [typeWithParameters(meta.type.type, meta.typeArgumentCount)]));\n}\nfunction delegateToFactory(type, useType, unwrapForwardRefs) {\n if (type.node === useType.node) {\n // The types are the same, so we can simply delegate directly to the type's factory.\n // ```\n // factory: type.ɵfac\n // ```\n return useType.prop('ɵfac');\n }\n if (!unwrapForwardRefs) {\n // The type is not wrapped in a `forwardRef()`, so we create a simple factory function that\n // accepts a sub-type as an argument.\n // ```\n // factory: function(t) { return useType.ɵfac(t); }\n // ```\n return createFactoryFunction(useType);\n }\n // The useType is actually wrapped in a `forwardRef()` so we need to resolve that before\n // calling its factory.\n // ```\n // factory: function(t) { return core.resolveForwardRef(type).ɵfac(t); }\n // ```\n const unwrappedType = importExpr(Identifiers.resolveForwardRef).callFn([useType]);\n return createFactoryFunction(unwrappedType);\n}\nfunction createFactoryFunction(type) {\n return fn([new FnParam('t', DYNAMIC_TYPE)], [new ReturnStatement(type.prop('ɵfac').callFn([variable('t')]))]);\n}\n\nconst UNUSABLE_INTERPOLATION_REGEXPS = [\n /^\\s*$/,\n /[<>]/,\n /^[{}]$/,\n /&(#|[a-z])/i,\n /^\\/\\//, // comment\n];\nfunction assertInterpolationSymbols(identifier, value) {\n if (value != null && !(Array.isArray(value) && value.length == 2)) {\n throw new Error(`Expected '${identifier}' to be an array, [start, end].`);\n }\n else if (value != null) {\n const start = value[0];\n const end = value[1];\n // Check for unusable interpolation symbols\n UNUSABLE_INTERPOLATION_REGEXPS.forEach(regexp => {\n if (regexp.test(start) || regexp.test(end)) {\n throw new Error(`['${start}', '${end}'] contains unusable interpolation symbol.`);\n }\n });\n }\n}\n\nclass InterpolationConfig {\n static fromArray(markers) {\n if (!markers) {\n return DEFAULT_INTERPOLATION_CONFIG;\n }\n assertInterpolationSymbols('interpolation', markers);\n return new InterpolationConfig(markers[0], markers[1]);\n }\n constructor(start, end) {\n this.start = start;\n this.end = end;\n }\n}\nconst DEFAULT_INTERPOLATION_CONFIG = new InterpolationConfig('{{', '}}');\n\nconst $EOF = 0;\nconst $BSPACE = 8;\nconst $TAB = 9;\nconst $LF = 10;\nconst $VTAB = 11;\nconst $FF = 12;\nconst $CR = 13;\nconst $SPACE = 32;\nconst $BANG = 33;\nconst $DQ = 34;\nconst $HASH = 35;\nconst $$ = 36;\nconst $PERCENT = 37;\nconst $AMPERSAND = 38;\nconst $SQ = 39;\nconst $LPAREN = 40;\nconst $RPAREN = 41;\nconst $STAR = 42;\nconst $PLUS = 43;\nconst $COMMA = 44;\nconst $MINUS = 45;\nconst $PERIOD = 46;\nconst $SLASH = 47;\nconst $COLON = 58;\nconst $SEMICOLON = 59;\nconst $LT = 60;\nconst $EQ = 61;\nconst $GT = 62;\nconst $QUESTION = 63;\nconst $0 = 48;\nconst $7 = 55;\nconst $9 = 57;\nconst $A = 65;\nconst $E = 69;\nconst $F = 70;\nconst $X = 88;\nconst $Z = 90;\nconst $LBRACKET = 91;\nconst $BACKSLASH = 92;\nconst $RBRACKET = 93;\nconst $CARET = 94;\nconst $_ = 95;\nconst $a = 97;\nconst $b = 98;\nconst $e = 101;\nconst $f = 102;\nconst $n = 110;\nconst $r = 114;\nconst $t = 116;\nconst $u = 117;\nconst $v = 118;\nconst $x = 120;\nconst $z = 122;\nconst $LBRACE = 123;\nconst $BAR = 124;\nconst $RBRACE = 125;\nconst $NBSP = 160;\nconst $PIPE = 124;\nconst $TILDA = 126;\nconst $AT = 64;\nconst $BT = 96;\nfunction isWhitespace(code) {\n return (code >= $TAB && code <= $SPACE) || (code == $NBSP);\n}\nfunction isDigit(code) {\n return $0 <= code && code <= $9;\n}\nfunction isAsciiLetter(code) {\n return code >= $a && code <= $z || code >= $A && code <= $Z;\n}\nfunction isAsciiHexDigit(code) {\n return code >= $a && code <= $f || code >= $A && code <= $F || isDigit(code);\n}\nfunction isNewLine(code) {\n return code === $LF || code === $CR;\n}\nfunction isOctalDigit(code) {\n return $0 <= code && code <= $7;\n}\nfunction isQuote(code) {\n return code === $SQ || code === $DQ || code === $BT;\n}\n\nclass ParseLocation {\n constructor(file, offset, line, col) {\n this.file = file;\n this.offset = offset;\n this.line = line;\n this.col = col;\n }\n toString() {\n return this.offset != null ? `${this.file.url}@${this.line}:${this.col}` : this.file.url;\n }\n moveBy(delta) {\n const source = this.file.content;\n const len = source.length;\n let offset = this.offset;\n let line = this.line;\n let col = this.col;\n while (offset > 0 && delta < 0) {\n offset--;\n delta++;\n const ch = source.charCodeAt(offset);\n if (ch == $LF) {\n line--;\n const priorLine = source.substring(0, offset - 1).lastIndexOf(String.fromCharCode($LF));\n col = priorLine > 0 ? offset - priorLine : offset;\n }\n else {\n col--;\n }\n }\n while (offset < len && delta > 0) {\n const ch = source.charCodeAt(offset);\n offset++;\n delta--;\n if (ch == $LF) {\n line++;\n col = 0;\n }\n else {\n col++;\n }\n }\n return new ParseLocation(this.file, offset, line, col);\n }\n // Return the source around the location\n // Up to `maxChars` or `maxLines` on each side of the location\n getContext(maxChars, maxLines) {\n const content = this.file.content;\n let startOffset = this.offset;\n if (startOffset != null) {\n if (startOffset > content.length - 1) {\n startOffset = content.length - 1;\n }\n let endOffset = startOffset;\n let ctxChars = 0;\n let ctxLines = 0;\n while (ctxChars < maxChars && startOffset > 0) {\n startOffset--;\n ctxChars++;\n if (content[startOffset] == '\\n') {\n if (++ctxLines == maxLines) {\n break;\n }\n }\n }\n ctxChars = 0;\n ctxLines = 0;\n while (ctxChars < maxChars && endOffset < content.length - 1) {\n endOffset++;\n ctxChars++;\n if (content[endOffset] == '\\n') {\n if (++ctxLines == maxLines) {\n break;\n }\n }\n }\n return {\n before: content.substring(startOffset, this.offset),\n after: content.substring(this.offset, endOffset + 1),\n };\n }\n return null;\n }\n}\nclass ParseSourceFile {\n constructor(content, url) {\n this.content = content;\n this.url = url;\n }\n}\nclass ParseSourceSpan {\n /**\n * Create an object that holds information about spans of tokens/nodes captured during\n * lexing/parsing of text.\n *\n * @param start\n * The location of the start of the span (having skipped leading trivia).\n * Skipping leading trivia makes source-spans more \"user friendly\", since things like HTML\n * elements will appear to begin at the start of the opening tag, rather than at the start of any\n * leading trivia, which could include newlines.\n *\n * @param end\n * The location of the end of the span.\n *\n * @param fullStart\n * The start of the token without skipping the leading trivia.\n * This is used by tooling that splits tokens further, such as extracting Angular interpolations\n * from text tokens. Such tooling creates new source-spans relative to the original token's\n * source-span. If leading trivia characters have been skipped then the new source-spans may be\n * incorrectly offset.\n *\n * @param details\n * Additional information (such as identifier names) that should be associated with the span.\n */\n constructor(start, end, fullStart = start, details = null) {\n this.start = start;\n this.end = end;\n this.fullStart = fullStart;\n this.details = details;\n }\n toString() {\n return this.start.file.content.substring(this.start.offset, this.end.offset);\n }\n}\nvar ParseErrorLevel;\n(function (ParseErrorLevel) {\n ParseErrorLevel[ParseErrorLevel[\"WARNING\"] = 0] = \"WARNING\";\n ParseErrorLevel[ParseErrorLevel[\"ERROR\"] = 1] = \"ERROR\";\n})(ParseErrorLevel || (ParseErrorLevel = {}));\nclass ParseError {\n constructor(span, msg, level = ParseErrorLevel.ERROR) {\n this.span = span;\n this.msg = msg;\n this.level = level;\n }\n contextualMessage() {\n const ctx = this.span.start.getContext(100, 3);\n return ctx ? `${this.msg} (\"${ctx.before}[${ParseErrorLevel[this.level]} ->]${ctx.after}\")` :\n this.msg;\n }\n toString() {\n const details = this.span.details ? `, ${this.span.details}` : '';\n return `${this.contextualMessage()}: ${this.span.start}${details}`;\n }\n}\n/**\n * Generates Source Span object for a given R3 Type for JIT mode.\n *\n * @param kind Component or Directive.\n * @param typeName name of the Component or Directive.\n * @param sourceUrl reference to Component or Directive source.\n * @returns instance of ParseSourceSpan that represent a given Component or Directive.\n */\nfunction r3JitTypeSourceSpan(kind, typeName, sourceUrl) {\n const sourceFileName = `in ${kind} ${typeName} in ${sourceUrl}`;\n const sourceFile = new ParseSourceFile('', sourceFileName);\n return new ParseSourceSpan(new ParseLocation(sourceFile, -1, -1, -1), new ParseLocation(sourceFile, -1, -1, -1));\n}\nlet _anonymousTypeIndex = 0;\nfunction identifierName(compileIdentifier) {\n if (!compileIdentifier || !compileIdentifier.reference) {\n return null;\n }\n const ref = compileIdentifier.reference;\n if (ref['__anonymousType']) {\n return ref['__anonymousType'];\n }\n if (ref['__forward_ref__']) {\n // We do not want to try to stringify a `forwardRef()` function because that would cause the\n // inner function to be evaluated too early, defeating the whole point of the `forwardRef`.\n return '__forward_ref__';\n }\n let identifier = stringify(ref);\n if (identifier.indexOf('(') >= 0) {\n // case: anonymous functions!\n identifier = `anonymous_${_anonymousTypeIndex++}`;\n ref['__anonymousType'] = identifier;\n }\n else {\n identifier = sanitizeIdentifier(identifier);\n }\n return identifier;\n}\nfunction sanitizeIdentifier(name) {\n return name.replace(/\\W/g, '_');\n}\n\n/**\n * In TypeScript, tagged template functions expect a \"template object\", which is an array of\n * \"cooked\" strings plus a `raw` property that contains an array of \"raw\" strings. This is\n * typically constructed with a function called `__makeTemplateObject(cooked, raw)`, but it may not\n * be available in all environments.\n *\n * This is a JavaScript polyfill that uses __makeTemplateObject when it's available, but otherwise\n * creates an inline helper with the same functionality.\n *\n * In the inline function, if `Object.defineProperty` is available we use that to attach the `raw`\n * array.\n */\nconst makeTemplateObjectPolyfill = '(this&&this.__makeTemplateObject||function(e,t){return Object.defineProperty?Object.defineProperty(e,\"raw\",{value:t}):e.raw=t,e})';\nclass AbstractJsEmitterVisitor extends AbstractEmitterVisitor {\n constructor() {\n super(false);\n }\n visitWrappedNodeExpr(ast, ctx) {\n throw new Error('Cannot emit a WrappedNodeExpr in Javascript.');\n }\n visitDeclareVarStmt(stmt, ctx) {\n ctx.print(stmt, `var ${stmt.name}`);\n if (stmt.value) {\n ctx.print(stmt, ' = ');\n stmt.value.visitExpression(this, ctx);\n }\n ctx.println(stmt, `;`);\n return null;\n }\n visitTaggedTemplateExpr(ast, ctx) {\n // The following convoluted piece of code is effectively the downlevelled equivalent of\n // ```\n // tag`...`\n // ```\n // which is effectively like:\n // ```\n // tag(__makeTemplateObject(cooked, raw), expression1, expression2, ...);\n // ```\n const elements = ast.template.elements;\n ast.tag.visitExpression(this, ctx);\n ctx.print(ast, `(${makeTemplateObjectPolyfill}(`);\n ctx.print(ast, `[${elements.map(part => escapeIdentifier(part.text, false)).join(', ')}], `);\n ctx.print(ast, `[${elements.map(part => escapeIdentifier(part.rawText, false)).join(', ')}])`);\n ast.template.expressions.forEach(expression => {\n ctx.print(ast, ', ');\n expression.visitExpression(this, ctx);\n });\n ctx.print(ast, ')');\n return null;\n }\n visitFunctionExpr(ast, ctx) {\n ctx.print(ast, `function${ast.name ? ' ' + ast.name : ''}(`);\n this._visitParams(ast.params, ctx);\n ctx.println(ast, `) {`);\n ctx.incIndent();\n this.visitAllStatements(ast.statements, ctx);\n ctx.decIndent();\n ctx.print(ast, `}`);\n return null;\n }\n visitDeclareFunctionStmt(stmt, ctx) {\n ctx.print(stmt, `function ${stmt.name}(`);\n this._visitParams(stmt.params, ctx);\n ctx.println(stmt, `) {`);\n ctx.incIndent();\n this.visitAllStatements(stmt.statements, ctx);\n ctx.decIndent();\n ctx.println(stmt, `}`);\n return null;\n }\n visitLocalizedString(ast, ctx) {\n // The following convoluted piece of code is effectively the downlevelled equivalent of\n // ```\n // $localize `...`\n // ```\n // which is effectively like:\n // ```\n // $localize(__makeTemplateObject(cooked, raw), expression1, expression2, ...);\n // ```\n ctx.print(ast, `$localize(${makeTemplateObjectPolyfill}(`);\n const parts = [ast.serializeI18nHead()];\n for (let i = 1; i < ast.messageParts.length; i++) {\n parts.push(ast.serializeI18nTemplatePart(i));\n }\n ctx.print(ast, `[${parts.map(part => escapeIdentifier(part.cooked, false)).join(', ')}], `);\n ctx.print(ast, `[${parts.map(part => escapeIdentifier(part.raw, false)).join(', ')}])`);\n ast.expressions.forEach(expression => {\n ctx.print(ast, ', ');\n expression.visitExpression(this, ctx);\n });\n ctx.print(ast, ')');\n return null;\n }\n _visitParams(params, ctx) {\n this.visitAllObjects(param => ctx.print(null, param.name), params, ctx, ',');\n }\n}\n\n/**\n * @fileoverview\n * A module to facilitate use of a Trusted Types policy within the JIT\n * compiler. It lazily constructs the Trusted Types policy, providing helper\n * utilities for promoting strings to Trusted Types. When Trusted Types are not\n * available, strings are used as a fallback.\n * @security All use of this module is security-sensitive and should go through\n * security review.\n */\n/**\n * The Trusted Types policy, or null if Trusted Types are not\n * enabled/supported, or undefined if the policy has not been created yet.\n */\nlet policy;\n/**\n * Returns the Trusted Types policy, or null if Trusted Types are not\n * enabled/supported. The first call to this function will create the policy.\n */\nfunction getPolicy() {\n if (policy === undefined) {\n policy = null;\n if (_global.trustedTypes) {\n try {\n policy =\n _global.trustedTypes.createPolicy('angular#unsafe-jit', {\n createScript: (s) => s,\n });\n }\n catch {\n // trustedTypes.createPolicy throws if called with a name that is\n // already registered, even in report-only mode. Until the API changes,\n // catch the error not to break the applications functionally. In such\n // cases, the code will fall back to using strings.\n }\n }\n }\n return policy;\n}\n/**\n * Unsafely promote a string to a TrustedScript, falling back to strings when\n * Trusted Types are not available.\n * @security In particular, it must be assured that the provided string will\n * never cause an XSS vulnerability if used in a context that will be\n * interpreted and executed as a script by a browser, e.g. when calling eval.\n */\nfunction trustedScriptFromString(script) {\n return getPolicy()?.createScript(script) || script;\n}\n/**\n * Unsafely call the Function constructor with the given string arguments.\n * @security This is a security-sensitive function; any use of this function\n * must go through security review. In particular, it must be assured that it\n * is only called from the JIT compiler, as use in other code can lead to XSS\n * vulnerabilities.\n */\nfunction newTrustedFunctionForJIT(...args) {\n if (!_global.trustedTypes) {\n // In environments that don't support Trusted Types, fall back to the most\n // straightforward implementation:\n return new Function(...args);\n }\n // Chrome currently does not support passing TrustedScript to the Function\n // constructor. The following implements the workaround proposed on the page\n // below, where the Chromium bug is also referenced:\n // https://github.com/w3c/webappsec-trusted-types/wiki/Trusted-Types-for-function-constructor\n const fnArgs = args.slice(0, -1).join(',');\n const fnBody = args[args.length - 1];\n const body = `(function anonymous(${fnArgs}\n) { ${fnBody}\n})`;\n // Using eval directly confuses the compiler and prevents this module from\n // being stripped out of JS binaries even if not used. The global['eval']\n // indirection fixes that.\n const fn = _global['eval'](trustedScriptFromString(body));\n if (fn.bind === undefined) {\n // Workaround for a browser bug that only exists in Chrome 83, where passing\n // a TrustedScript to eval just returns the TrustedScript back without\n // evaluating it. In that case, fall back to the most straightforward\n // implementation:\n return new Function(...args);\n }\n // To completely mimic the behavior of calling \"new Function\", two more\n // things need to happen:\n // 1. Stringifying the resulting function should return its source code\n fn.toString = () => body;\n // 2. When calling the resulting function, `this` should refer to `global`\n return fn.bind(_global);\n // When Trusted Types support in Function constructors is widely available,\n // the implementation of this function can be simplified to:\n // return new Function(...args.map(a => trustedScriptFromString(a)));\n}\n\n/**\n * A helper class to manage the evaluation of JIT generated code.\n */\nclass JitEvaluator {\n /**\n *\n * @param sourceUrl The URL of the generated code.\n * @param statements An array of Angular statement AST nodes to be evaluated.\n * @param refResolver Resolves `o.ExternalReference`s into values.\n * @param createSourceMaps If true then create a source-map for the generated code and include it\n * inline as a source-map comment.\n * @returns A map of all the variables in the generated code.\n */\n evaluateStatements(sourceUrl, statements, refResolver, createSourceMaps) {\n const converter = new JitEmitterVisitor(refResolver);\n const ctx = EmitterVisitorContext.createRoot();\n // Ensure generated code is in strict mode\n if (statements.length > 0 && !isUseStrictStatement(statements[0])) {\n statements = [\n literal('use strict').toStmt(),\n ...statements,\n ];\n }\n converter.visitAllStatements(statements, ctx);\n converter.createReturnStmt(ctx);\n return this.evaluateCode(sourceUrl, ctx, converter.getArgs(), createSourceMaps);\n }\n /**\n * Evaluate a piece of JIT generated code.\n * @param sourceUrl The URL of this generated code.\n * @param ctx A context object that contains an AST of the code to be evaluated.\n * @param vars A map containing the names and values of variables that the evaluated code might\n * reference.\n * @param createSourceMap If true then create a source-map for the generated code and include it\n * inline as a source-map comment.\n * @returns The result of evaluating the code.\n */\n evaluateCode(sourceUrl, ctx, vars, createSourceMap) {\n let fnBody = `\"use strict\";${ctx.toSource()}\\n//# sourceURL=${sourceUrl}`;\n const fnArgNames = [];\n const fnArgValues = [];\n for (const argName in vars) {\n fnArgValues.push(vars[argName]);\n fnArgNames.push(argName);\n }\n if (createSourceMap) {\n // using `new Function(...)` generates a header, 1 line of no arguments, 2 lines otherwise\n // E.g. ```\n // function anonymous(a,b,c\n // /**/) { ... }```\n // We don't want to hard code this fact, so we auto detect it via an empty function first.\n const emptyFn = newTrustedFunctionForJIT(...fnArgNames.concat('return null;')).toString();\n const headerLines = emptyFn.slice(0, emptyFn.indexOf('return null;')).split('\\n').length - 1;\n fnBody += `\\n${ctx.toSourceMapGenerator(sourceUrl, headerLines).toJsComment()}`;\n }\n const fn = newTrustedFunctionForJIT(...fnArgNames.concat(fnBody));\n return this.executeFunction(fn, fnArgValues);\n }\n /**\n * Execute a JIT generated function by calling it.\n *\n * This method can be overridden in tests to capture the functions that are generated\n * by this `JitEvaluator` class.\n *\n * @param fn A function to execute.\n * @param args The arguments to pass to the function being executed.\n * @returns The return value of the executed function.\n */\n executeFunction(fn, args) {\n return fn(...args);\n }\n}\n/**\n * An Angular AST visitor that converts AST nodes into executable JavaScript code.\n */\nclass JitEmitterVisitor extends AbstractJsEmitterVisitor {\n constructor(refResolver) {\n super();\n this.refResolver = refResolver;\n this._evalArgNames = [];\n this._evalArgValues = [];\n this._evalExportedVars = [];\n }\n createReturnStmt(ctx) {\n const stmt = new ReturnStatement(new LiteralMapExpr(this._evalExportedVars.map(resultVar => new LiteralMapEntry(resultVar, variable(resultVar), false))));\n stmt.visitStatement(this, ctx);\n }\n getArgs() {\n const result = {};\n for (let i = 0; i < this._evalArgNames.length; i++) {\n result[this._evalArgNames[i]] = this._evalArgValues[i];\n }\n return result;\n }\n visitExternalExpr(ast, ctx) {\n this._emitReferenceToExternal(ast, this.refResolver.resolveExternalReference(ast.value), ctx);\n return null;\n }\n visitWrappedNodeExpr(ast, ctx) {\n this._emitReferenceToExternal(ast, ast.node, ctx);\n return null;\n }\n visitDeclareVarStmt(stmt, ctx) {\n if (stmt.hasModifier(StmtModifier.Exported)) {\n this._evalExportedVars.push(stmt.name);\n }\n return super.visitDeclareVarStmt(stmt, ctx);\n }\n visitDeclareFunctionStmt(stmt, ctx) {\n if (stmt.hasModifier(StmtModifier.Exported)) {\n this._evalExportedVars.push(stmt.name);\n }\n return super.visitDeclareFunctionStmt(stmt, ctx);\n }\n _emitReferenceToExternal(ast, value, ctx) {\n let id = this._evalArgValues.indexOf(value);\n if (id === -1) {\n id = this._evalArgValues.length;\n this._evalArgValues.push(value);\n const name = identifierName({ reference: value }) || 'val';\n this._evalArgNames.push(`jit_${name}_${id}`);\n }\n ctx.print(ast, this._evalArgNames[id]);\n }\n}\nfunction isUseStrictStatement(statement) {\n return statement.isEquivalent(literal('use strict').toStmt());\n}\n\nfunction compileInjector(meta) {\n const definitionMap = new DefinitionMap();\n if (meta.providers !== null) {\n definitionMap.set('providers', meta.providers);\n }\n if (meta.imports.length > 0) {\n definitionMap.set('imports', literalArr(meta.imports));\n }\n const expression = importExpr(Identifiers.defineInjector).callFn([definitionMap.toLiteralMap()], undefined, true);\n const type = createInjectorType(meta);\n return { expression, type, statements: [] };\n}\nfunction createInjectorType(meta) {\n return new ExpressionType(importExpr(Identifiers.InjectorDeclaration, [new ExpressionType(meta.type.type)]));\n}\n\n/**\n * Implementation of `CompileReflector` which resolves references to @angular/core\n * symbols at runtime, according to a consumer-provided mapping.\n *\n * Only supports `resolveExternalReference`, all other methods throw.\n */\nclass R3JitReflector {\n constructor(context) {\n this.context = context;\n }\n resolveExternalReference(ref) {\n // This reflector only handles @angular/core imports.\n if (ref.moduleName !== '@angular/core') {\n throw new Error(`Cannot resolve external reference to ${ref.moduleName}, only references to @angular/core are supported.`);\n }\n if (!this.context.hasOwnProperty(ref.name)) {\n throw new Error(`No value provided for @angular/core symbol '${ref.name}'.`);\n }\n return this.context[ref.name];\n }\n}\n\n/**\n * How the selector scope of an NgModule (its declarations, imports, and exports) should be emitted\n * as a part of the NgModule definition.\n */\nvar R3SelectorScopeMode;\n(function (R3SelectorScopeMode) {\n /**\n * Emit the declarations inline into the module definition.\n *\n * This option is useful in certain contexts where it's known that JIT support is required. The\n * tradeoff here is that this emit style prevents directives and pipes from being tree-shaken if\n * they are unused, but the NgModule is used.\n */\n R3SelectorScopeMode[R3SelectorScopeMode[\"Inline\"] = 0] = \"Inline\";\n /**\n * Emit the declarations using a side effectful function call, `ɵɵsetNgModuleScope`, that is\n * guarded with the `ngJitMode` flag.\n *\n * This form of emit supports JIT and can be optimized away if the `ngJitMode` flag is set to\n * false, which allows unused directives and pipes to be tree-shaken.\n */\n R3SelectorScopeMode[R3SelectorScopeMode[\"SideEffect\"] = 1] = \"SideEffect\";\n /**\n * Don't generate selector scopes at all.\n *\n * This is useful for contexts where JIT support is known to be unnecessary.\n */\n R3SelectorScopeMode[R3SelectorScopeMode[\"Omit\"] = 2] = \"Omit\";\n})(R3SelectorScopeMode || (R3SelectorScopeMode = {}));\n/**\n * The type of the NgModule meta data.\n * - Global: Used for full and partial compilation modes which mainly includes R3References.\n * - Local: Used for the local compilation mode which mainly includes the raw expressions as appears\n * in the NgModule decorator.\n */\nvar R3NgModuleMetadataKind;\n(function (R3NgModuleMetadataKind) {\n R3NgModuleMetadataKind[R3NgModuleMetadataKind[\"Global\"] = 0] = \"Global\";\n R3NgModuleMetadataKind[R3NgModuleMetadataKind[\"Local\"] = 1] = \"Local\";\n})(R3NgModuleMetadataKind || (R3NgModuleMetadataKind = {}));\n/**\n * Construct an `R3NgModuleDef` for the given `R3NgModuleMetadata`.\n */\nfunction compileNgModule(meta) {\n const statements = [];\n const definitionMap = new DefinitionMap();\n definitionMap.set('type', meta.type.value);\n // Assign bootstrap definition\n if (meta.kind === R3NgModuleMetadataKind.Global) {\n if (meta.bootstrap.length > 0) {\n definitionMap.set('bootstrap', refsToArray(meta.bootstrap, meta.containsForwardDecls));\n }\n }\n else {\n if (meta.bootstrapExpression) {\n definitionMap.set('bootstrap', meta.bootstrapExpression);\n }\n }\n if (meta.selectorScopeMode === R3SelectorScopeMode.Inline) {\n // If requested to emit scope information inline, pass the `declarations`, `imports` and\n // `exports` to the `ɵɵdefineNgModule()` call directly.\n if (meta.declarations.length > 0) {\n definitionMap.set('declarations', refsToArray(meta.declarations, meta.containsForwardDecls));\n }\n if (meta.imports.length > 0) {\n definitionMap.set('imports', refsToArray(meta.imports, meta.containsForwardDecls));\n }\n if (meta.exports.length > 0) {\n definitionMap.set('exports', refsToArray(meta.exports, meta.containsForwardDecls));\n }\n }\n else if (meta.selectorScopeMode === R3SelectorScopeMode.SideEffect) {\n // In this mode, scope information is not passed into `ɵɵdefineNgModule` as it\n // would prevent tree-shaking of the declarations, imports and exports references. Instead, it's\n // patched onto the NgModule definition with a `ɵɵsetNgModuleScope` call that's guarded by the\n // `ngJitMode` flag.\n const setNgModuleScopeCall = generateSetNgModuleScopeCall(meta);\n if (setNgModuleScopeCall !== null) {\n statements.push(setNgModuleScopeCall);\n }\n }\n else {\n // Selector scope emit was not requested, so skip it.\n }\n if (meta.schemas !== null && meta.schemas.length > 0) {\n definitionMap.set('schemas', literalArr(meta.schemas.map(ref => ref.value)));\n }\n if (meta.id !== null) {\n definitionMap.set('id', meta.id);\n // Generate a side-effectful call to register this NgModule by its id, as per the semantics of\n // NgModule ids.\n statements.push(importExpr(Identifiers.registerNgModuleType).callFn([meta.type.value, meta.id]).toStmt());\n }\n const expression = importExpr(Identifiers.defineNgModule).callFn([definitionMap.toLiteralMap()], undefined, true);\n const type = createNgModuleType(meta);\n return { expression, type, statements };\n}\n/**\n * This function is used in JIT mode to generate the call to `ɵɵdefineNgModule()` from a call to\n * `ɵɵngDeclareNgModule()`.\n */\nfunction compileNgModuleDeclarationExpression(meta) {\n const definitionMap = new DefinitionMap();\n definitionMap.set('type', new WrappedNodeExpr(meta.type));\n if (meta.bootstrap !== undefined) {\n definitionMap.set('bootstrap', new WrappedNodeExpr(meta.bootstrap));\n }\n if (meta.declarations !== undefined) {\n definitionMap.set('declarations', new WrappedNodeExpr(meta.declarations));\n }\n if (meta.imports !== undefined) {\n definitionMap.set('imports', new WrappedNodeExpr(meta.imports));\n }\n if (meta.exports !== undefined) {\n definitionMap.set('exports', new WrappedNodeExpr(meta.exports));\n }\n if (meta.schemas !== undefined) {\n definitionMap.set('schemas', new WrappedNodeExpr(meta.schemas));\n }\n if (meta.id !== undefined) {\n definitionMap.set('id', new WrappedNodeExpr(meta.id));\n }\n return importExpr(Identifiers.defineNgModule).callFn([definitionMap.toLiteralMap()]);\n}\nfunction createNgModuleType(meta) {\n if (meta.kind === R3NgModuleMetadataKind.Local) {\n return new ExpressionType(meta.type.value);\n }\n const { type: moduleType, declarations, exports, imports, includeImportTypes, publicDeclarationTypes } = meta;\n return new ExpressionType(importExpr(Identifiers.NgModuleDeclaration, [\n new ExpressionType(moduleType.type),\n publicDeclarationTypes === null ? tupleTypeOf(declarations) :\n tupleOfTypes(publicDeclarationTypes),\n includeImportTypes ? tupleTypeOf(imports) : NONE_TYPE,\n tupleTypeOf(exports),\n ]));\n}\n/**\n * Generates a function call to `ɵɵsetNgModuleScope` with all necessary information so that the\n * transitive module scope can be computed during runtime in JIT mode. This call is marked pure\n * such that the references to declarations, imports and exports may be elided causing these\n * symbols to become tree-shakeable.\n */\nfunction generateSetNgModuleScopeCall(meta) {\n const scopeMap = new DefinitionMap();\n if (meta.kind === R3NgModuleMetadataKind.Global) {\n if (meta.declarations.length > 0) {\n scopeMap.set('declarations', refsToArray(meta.declarations, meta.containsForwardDecls));\n }\n }\n else {\n if (meta.declarationsExpression) {\n scopeMap.set('declarations', meta.declarationsExpression);\n }\n }\n if (meta.kind === R3NgModuleMetadataKind.Global) {\n if (meta.imports.length > 0) {\n scopeMap.set('imports', refsToArray(meta.imports, meta.containsForwardDecls));\n }\n }\n else {\n if (meta.importsExpression) {\n scopeMap.set('imports', meta.importsExpression);\n }\n }\n if (meta.kind === R3NgModuleMetadataKind.Global) {\n if (meta.exports.length > 0) {\n scopeMap.set('exports', refsToArray(meta.exports, meta.containsForwardDecls));\n }\n }\n else {\n if (meta.exportsExpression) {\n scopeMap.set('exports', meta.exportsExpression);\n }\n }\n if (Object.keys(scopeMap.values).length === 0) {\n return null;\n }\n // setNgModuleScope(...)\n const fnCall = new InvokeFunctionExpr(\n /* fn */ importExpr(Identifiers.setNgModuleScope), \n /* args */ [meta.type.value, scopeMap.toLiteralMap()]);\n // (ngJitMode guard) && setNgModuleScope(...)\n const guardedCall = jitOnlyGuardedExpression(fnCall);\n // function() { (ngJitMode guard) && setNgModuleScope(...); }\n const iife = new FunctionExpr(\n /* params */ [], \n /* statements */ [guardedCall.toStmt()]);\n // (function() { (ngJitMode guard) && setNgModuleScope(...); })()\n const iifeCall = new InvokeFunctionExpr(\n /* fn */ iife, \n /* args */ []);\n return iifeCall.toStmt();\n}\nfunction tupleTypeOf(exp) {\n const types = exp.map(ref => typeofExpr(ref.type));\n return exp.length > 0 ? expressionType(literalArr(types)) : NONE_TYPE;\n}\nfunction tupleOfTypes(types) {\n const typeofTypes = types.map(type => typeofExpr(type));\n return types.length > 0 ? expressionType(literalArr(typeofTypes)) : NONE_TYPE;\n}\n\nfunction compilePipeFromMetadata(metadata) {\n const definitionMapValues = [];\n // e.g. `name: 'myPipe'`\n definitionMapValues.push({ key: 'name', value: literal(metadata.pipeName), quoted: false });\n // e.g. `type: MyPipe`\n definitionMapValues.push({ key: 'type', value: metadata.type.value, quoted: false });\n // e.g. `pure: true`\n definitionMapValues.push({ key: 'pure', value: literal(metadata.pure), quoted: false });\n if (metadata.isStandalone) {\n definitionMapValues.push({ key: 'standalone', value: literal(true), quoted: false });\n }\n const expression = importExpr(Identifiers.definePipe).callFn([literalMap(definitionMapValues)], undefined, true);\n const type = createPipeType(metadata);\n return { expression, type, statements: [] };\n}\nfunction createPipeType(metadata) {\n return new ExpressionType(importExpr(Identifiers.PipeDeclaration, [\n typeWithParameters(metadata.type.type, metadata.typeArgumentCount),\n new ExpressionType(new LiteralExpr(metadata.pipeName)),\n new ExpressionType(new LiteralExpr(metadata.isStandalone)),\n ]));\n}\n\nvar R3TemplateDependencyKind;\n(function (R3TemplateDependencyKind) {\n R3TemplateDependencyKind[R3TemplateDependencyKind[\"Directive\"] = 0] = \"Directive\";\n R3TemplateDependencyKind[R3TemplateDependencyKind[\"Pipe\"] = 1] = \"Pipe\";\n R3TemplateDependencyKind[R3TemplateDependencyKind[\"NgModule\"] = 2] = \"NgModule\";\n})(R3TemplateDependencyKind || (R3TemplateDependencyKind = {}));\n\nclass ParserError {\n constructor(message, input, errLocation, ctxLocation) {\n this.input = input;\n this.errLocation = errLocation;\n this.ctxLocation = ctxLocation;\n this.message = `Parser Error: ${message} ${errLocation} [${input}] in ${ctxLocation}`;\n }\n}\nclass ParseSpan {\n constructor(start, end) {\n this.start = start;\n this.end = end;\n }\n toAbsolute(absoluteOffset) {\n return new AbsoluteSourceSpan(absoluteOffset + this.start, absoluteOffset + this.end);\n }\n}\nclass AST {\n constructor(span, \n /**\n * Absolute location of the expression AST in a source code file.\n */\n sourceSpan) {\n this.span = span;\n this.sourceSpan = sourceSpan;\n }\n toString() {\n return 'AST';\n }\n}\nclass ASTWithName extends AST {\n constructor(span, sourceSpan, nameSpan) {\n super(span, sourceSpan);\n this.nameSpan = nameSpan;\n }\n}\nclass EmptyExpr$1 extends AST {\n visit(visitor, context = null) {\n // do nothing\n }\n}\nclass ImplicitReceiver extends AST {\n visit(visitor, context = null) {\n return visitor.visitImplicitReceiver(this, context);\n }\n}\n/**\n * Receiver when something is accessed through `this` (e.g. `this.foo`). Note that this class\n * inherits from `ImplicitReceiver`, because accessing something through `this` is treated the\n * same as accessing it implicitly inside of an Angular template (e.g. `[attr.title]=\"this.title\"`\n * is the same as `[attr.title]=\"title\"`.). Inheriting allows for the `this` accesses to be treated\n * the same as implicit ones, except for a couple of exceptions like `$event` and `$any`.\n * TODO: we should find a way for this class not to extend from `ImplicitReceiver` in the future.\n */\nclass ThisReceiver extends ImplicitReceiver {\n visit(visitor, context = null) {\n return visitor.visitThisReceiver?.(this, context);\n }\n}\n/**\n * Multiple expressions separated by a semicolon.\n */\nclass Chain extends AST {\n constructor(span, sourceSpan, expressions) {\n super(span, sourceSpan);\n this.expressions = expressions;\n }\n visit(visitor, context = null) {\n return visitor.visitChain(this, context);\n }\n}\nclass Conditional extends AST {\n constructor(span, sourceSpan, condition, trueExp, falseExp) {\n super(span, sourceSpan);\n this.condition = condition;\n this.trueExp = trueExp;\n this.falseExp = falseExp;\n }\n visit(visitor, context = null) {\n return visitor.visitConditional(this, context);\n }\n}\nclass PropertyRead extends ASTWithName {\n constructor(span, sourceSpan, nameSpan, receiver, name) {\n super(span, sourceSpan, nameSpan);\n this.receiver = receiver;\n this.name = name;\n }\n visit(visitor, context = null) {\n return visitor.visitPropertyRead(this, context);\n }\n}\nclass PropertyWrite extends ASTWithName {\n constructor(span, sourceSpan, nameSpan, receiver, name, value) {\n super(span, sourceSpan, nameSpan);\n this.receiver = receiver;\n this.name = name;\n this.value = value;\n }\n visit(visitor, context = null) {\n return visitor.visitPropertyWrite(this, context);\n }\n}\nclass SafePropertyRead extends ASTWithName {\n constructor(span, sourceSpan, nameSpan, receiver, name) {\n super(span, sourceSpan, nameSpan);\n this.receiver = receiver;\n this.name = name;\n }\n visit(visitor, context = null) {\n return visitor.visitSafePropertyRead(this, context);\n }\n}\nclass KeyedRead extends AST {\n constructor(span, sourceSpan, receiver, key) {\n super(span, sourceSpan);\n this.receiver = receiver;\n this.key = key;\n }\n visit(visitor, context = null) {\n return visitor.visitKeyedRead(this, context);\n }\n}\nclass SafeKeyedRead extends AST {\n constructor(span, sourceSpan, receiver, key) {\n super(span, sourceSpan);\n this.receiver = receiver;\n this.key = key;\n }\n visit(visitor, context = null) {\n return visitor.visitSafeKeyedRead(this, context);\n }\n}\nclass KeyedWrite extends AST {\n constructor(span, sourceSpan, receiver, key, value) {\n super(span, sourceSpan);\n this.receiver = receiver;\n this.key = key;\n this.value = value;\n }\n visit(visitor, context = null) {\n return visitor.visitKeyedWrite(this, context);\n }\n}\nclass BindingPipe extends ASTWithName {\n constructor(span, sourceSpan, exp, name, args, nameSpan) {\n super(span, sourceSpan, nameSpan);\n this.exp = exp;\n this.name = name;\n this.args = args;\n }\n visit(visitor, context = null) {\n return visitor.visitPipe(this, context);\n }\n}\nclass LiteralPrimitive extends AST {\n constructor(span, sourceSpan, value) {\n super(span, sourceSpan);\n this.value = value;\n }\n visit(visitor, context = null) {\n return visitor.visitLiteralPrimitive(this, context);\n }\n}\nclass LiteralArray extends AST {\n constructor(span, sourceSpan, expressions) {\n super(span, sourceSpan);\n this.expressions = expressions;\n }\n visit(visitor, context = null) {\n return visitor.visitLiteralArray(this, context);\n }\n}\nclass LiteralMap extends AST {\n constructor(span, sourceSpan, keys, values) {\n super(span, sourceSpan);\n this.keys = keys;\n this.values = values;\n }\n visit(visitor, context = null) {\n return visitor.visitLiteralMap(this, context);\n }\n}\nclass Interpolation$1 extends AST {\n constructor(span, sourceSpan, strings, expressions) {\n super(span, sourceSpan);\n this.strings = strings;\n this.expressions = expressions;\n }\n visit(visitor, context = null) {\n return visitor.visitInterpolation(this, context);\n }\n}\nclass Binary extends AST {\n constructor(span, sourceSpan, operation, left, right) {\n super(span, sourceSpan);\n this.operation = operation;\n this.left = left;\n this.right = right;\n }\n visit(visitor, context = null) {\n return visitor.visitBinary(this, context);\n }\n}\n/**\n * For backwards compatibility reasons, `Unary` inherits from `Binary` and mimics the binary AST\n * node that was originally used. This inheritance relation can be deleted in some future major,\n * after consumers have been given a chance to fully support Unary.\n */\nclass Unary extends Binary {\n /**\n * Creates a unary minus expression \"-x\", represented as `Binary` using \"0 - x\".\n */\n static createMinus(span, sourceSpan, expr) {\n return new Unary(span, sourceSpan, '-', expr, '-', new LiteralPrimitive(span, sourceSpan, 0), expr);\n }\n /**\n * Creates a unary plus expression \"+x\", represented as `Binary` using \"x - 0\".\n */\n static createPlus(span, sourceSpan, expr) {\n return new Unary(span, sourceSpan, '+', expr, '-', expr, new LiteralPrimitive(span, sourceSpan, 0));\n }\n /**\n * During the deprecation period this constructor is private, to avoid consumers from creating\n * a `Unary` with the fallback properties for `Binary`.\n */\n constructor(span, sourceSpan, operator, expr, binaryOp, binaryLeft, binaryRight) {\n super(span, sourceSpan, binaryOp, binaryLeft, binaryRight);\n this.operator = operator;\n this.expr = expr;\n // Redeclare the properties that are inherited from `Binary` as `never`, as consumers should not\n // depend on these fields when operating on `Unary`.\n this.left = null;\n this.right = null;\n this.operation = null;\n }\n visit(visitor, context = null) {\n if (visitor.visitUnary !== undefined) {\n return visitor.visitUnary(this, context);\n }\n return visitor.visitBinary(this, context);\n }\n}\nclass PrefixNot extends AST {\n constructor(span, sourceSpan, expression) {\n super(span, sourceSpan);\n this.expression = expression;\n }\n visit(visitor, context = null) {\n return visitor.visitPrefixNot(this, context);\n }\n}\nclass NonNullAssert extends AST {\n constructor(span, sourceSpan, expression) {\n super(span, sourceSpan);\n this.expression = expression;\n }\n visit(visitor, context = null) {\n return visitor.visitNonNullAssert(this, context);\n }\n}\nclass Call extends AST {\n constructor(span, sourceSpan, receiver, args, argumentSpan) {\n super(span, sourceSpan);\n this.receiver = receiver;\n this.args = args;\n this.argumentSpan = argumentSpan;\n }\n visit(visitor, context = null) {\n return visitor.visitCall(this, context);\n }\n}\nclass SafeCall extends AST {\n constructor(span, sourceSpan, receiver, args, argumentSpan) {\n super(span, sourceSpan);\n this.receiver = receiver;\n this.args = args;\n this.argumentSpan = argumentSpan;\n }\n visit(visitor, context = null) {\n return visitor.visitSafeCall(this, context);\n }\n}\n/**\n * Records the absolute position of a text span in a source file, where `start` and `end` are the\n * starting and ending byte offsets, respectively, of the text span in a source file.\n */\nclass AbsoluteSourceSpan {\n constructor(start, end) {\n this.start = start;\n this.end = end;\n }\n}\nclass ASTWithSource extends AST {\n constructor(ast, source, location, absoluteOffset, errors) {\n super(new ParseSpan(0, source === null ? 0 : source.length), new AbsoluteSourceSpan(absoluteOffset, source === null ? absoluteOffset : absoluteOffset + source.length));\n this.ast = ast;\n this.source = source;\n this.location = location;\n this.errors = errors;\n }\n visit(visitor, context = null) {\n if (visitor.visitASTWithSource) {\n return visitor.visitASTWithSource(this, context);\n }\n return this.ast.visit(visitor, context);\n }\n toString() {\n return `${this.source} in ${this.location}`;\n }\n}\nclass VariableBinding {\n /**\n * @param sourceSpan entire span of the binding.\n * @param key name of the LHS along with its span.\n * @param value optional value for the RHS along with its span.\n */\n constructor(sourceSpan, key, value) {\n this.sourceSpan = sourceSpan;\n this.key = key;\n this.value = value;\n }\n}\nclass ExpressionBinding {\n /**\n * @param sourceSpan entire span of the binding.\n * @param key binding name, like ngForOf, ngForTrackBy, ngIf, along with its\n * span. Note that the length of the span may not be the same as\n * `key.source.length`. For example,\n * 1. key.source = ngFor, key.span is for \"ngFor\"\n * 2. key.source = ngForOf, key.span is for \"of\"\n * 3. key.source = ngForTrackBy, key.span is for \"trackBy\"\n * @param value optional expression for the RHS.\n */\n constructor(sourceSpan, key, value) {\n this.sourceSpan = sourceSpan;\n this.key = key;\n this.value = value;\n }\n}\nclass RecursiveAstVisitor {\n visit(ast, context) {\n // The default implementation just visits every node.\n // Classes that extend RecursiveAstVisitor should override this function\n // to selectively visit the specified node.\n ast.visit(this, context);\n }\n visitUnary(ast, context) {\n this.visit(ast.expr, context);\n }\n visitBinary(ast, context) {\n this.visit(ast.left, context);\n this.visit(ast.right, context);\n }\n visitChain(ast, context) {\n this.visitAll(ast.expressions, context);\n }\n visitConditional(ast, context) {\n this.visit(ast.condition, context);\n this.visit(ast.trueExp, context);\n this.visit(ast.falseExp, context);\n }\n visitPipe(ast, context) {\n this.visit(ast.exp, context);\n this.visitAll(ast.args, context);\n }\n visitImplicitReceiver(ast, context) { }\n visitThisReceiver(ast, context) { }\n visitInterpolation(ast, context) {\n this.visitAll(ast.expressions, context);\n }\n visitKeyedRead(ast, context) {\n this.visit(ast.receiver, context);\n this.visit(ast.key, context);\n }\n visitKeyedWrite(ast, context) {\n this.visit(ast.receiver, context);\n this.visit(ast.key, context);\n this.visit(ast.value, context);\n }\n visitLiteralArray(ast, context) {\n this.visitAll(ast.expressions, context);\n }\n visitLiteralMap(ast, context) {\n this.visitAll(ast.values, context);\n }\n visitLiteralPrimitive(ast, context) { }\n visitPrefixNot(ast, context) {\n this.visit(ast.expression, context);\n }\n visitNonNullAssert(ast, context) {\n this.visit(ast.expression, context);\n }\n visitPropertyRead(ast, context) {\n this.visit(ast.receiver, context);\n }\n visitPropertyWrite(ast, context) {\n this.visit(ast.receiver, context);\n this.visit(ast.value, context);\n }\n visitSafePropertyRead(ast, context) {\n this.visit(ast.receiver, context);\n }\n visitSafeKeyedRead(ast, context) {\n this.visit(ast.receiver, context);\n this.visit(ast.key, context);\n }\n visitCall(ast, context) {\n this.visit(ast.receiver, context);\n this.visitAll(ast.args, context);\n }\n visitSafeCall(ast, context) {\n this.visit(ast.receiver, context);\n this.visitAll(ast.args, context);\n }\n // This is not part of the AstVisitor interface, just a helper method\n visitAll(asts, context) {\n for (const ast of asts) {\n this.visit(ast, context);\n }\n }\n}\nclass AstTransformer {\n visitImplicitReceiver(ast, context) {\n return ast;\n }\n visitThisReceiver(ast, context) {\n return ast;\n }\n visitInterpolation(ast, context) {\n return new Interpolation$1(ast.span, ast.sourceSpan, ast.strings, this.visitAll(ast.expressions));\n }\n visitLiteralPrimitive(ast, context) {\n return new LiteralPrimitive(ast.span, ast.sourceSpan, ast.value);\n }\n visitPropertyRead(ast, context) {\n return new PropertyRead(ast.span, ast.sourceSpan, ast.nameSpan, ast.receiver.visit(this), ast.name);\n }\n visitPropertyWrite(ast, context) {\n return new PropertyWrite(ast.span, ast.sourceSpan, ast.nameSpan, ast.receiver.visit(this), ast.name, ast.value.visit(this));\n }\n visitSafePropertyRead(ast, context) {\n return new SafePropertyRead(ast.span, ast.sourceSpan, ast.nameSpan, ast.receiver.visit(this), ast.name);\n }\n visitLiteralArray(ast, context) {\n return new LiteralArray(ast.span, ast.sourceSpan, this.visitAll(ast.expressions));\n }\n visitLiteralMap(ast, context) {\n return new LiteralMap(ast.span, ast.sourceSpan, ast.keys, this.visitAll(ast.values));\n }\n visitUnary(ast, context) {\n switch (ast.operator) {\n case '+':\n return Unary.createPlus(ast.span, ast.sourceSpan, ast.expr.visit(this));\n case '-':\n return Unary.createMinus(ast.span, ast.sourceSpan, ast.expr.visit(this));\n default:\n throw new Error(`Unknown unary operator ${ast.operator}`);\n }\n }\n visitBinary(ast, context) {\n return new Binary(ast.span, ast.sourceSpan, ast.operation, ast.left.visit(this), ast.right.visit(this));\n }\n visitPrefixNot(ast, context) {\n return new PrefixNot(ast.span, ast.sourceSpan, ast.expression.visit(this));\n }\n visitNonNullAssert(ast, context) {\n return new NonNullAssert(ast.span, ast.sourceSpan, ast.expression.visit(this));\n }\n visitConditional(ast, context) {\n return new Conditional(ast.span, ast.sourceSpan, ast.condition.visit(this), ast.trueExp.visit(this), ast.falseExp.visit(this));\n }\n visitPipe(ast, context) {\n return new BindingPipe(ast.span, ast.sourceSpan, ast.exp.visit(this), ast.name, this.visitAll(ast.args), ast.nameSpan);\n }\n visitKeyedRead(ast, context) {\n return new KeyedRead(ast.span, ast.sourceSpan, ast.receiver.visit(this), ast.key.visit(this));\n }\n visitKeyedWrite(ast, context) {\n return new KeyedWrite(ast.span, ast.sourceSpan, ast.receiver.visit(this), ast.key.visit(this), ast.value.visit(this));\n }\n visitCall(ast, context) {\n return new Call(ast.span, ast.sourceSpan, ast.receiver.visit(this), this.visitAll(ast.args), ast.argumentSpan);\n }\n visitSafeCall(ast, context) {\n return new SafeCall(ast.span, ast.sourceSpan, ast.receiver.visit(this), this.visitAll(ast.args), ast.argumentSpan);\n }\n visitAll(asts) {\n const res = [];\n for (let i = 0; i < asts.length; ++i) {\n res[i] = asts[i].visit(this);\n }\n return res;\n }\n visitChain(ast, context) {\n return new Chain(ast.span, ast.sourceSpan, this.visitAll(ast.expressions));\n }\n visitSafeKeyedRead(ast, context) {\n return new SafeKeyedRead(ast.span, ast.sourceSpan, ast.receiver.visit(this), ast.key.visit(this));\n }\n}\n// A transformer that only creates new nodes if the transformer makes a change or\n// a change is made a child node.\nclass AstMemoryEfficientTransformer {\n visitImplicitReceiver(ast, context) {\n return ast;\n }\n visitThisReceiver(ast, context) {\n return ast;\n }\n visitInterpolation(ast, context) {\n const expressions = this.visitAll(ast.expressions);\n if (expressions !== ast.expressions)\n return new Interpolation$1(ast.span, ast.sourceSpan, ast.strings, expressions);\n return ast;\n }\n visitLiteralPrimitive(ast, context) {\n return ast;\n }\n visitPropertyRead(ast, context) {\n const receiver = ast.receiver.visit(this);\n if (receiver !== ast.receiver) {\n return new PropertyRead(ast.span, ast.sourceSpan, ast.nameSpan, receiver, ast.name);\n }\n return ast;\n }\n visitPropertyWrite(ast, context) {\n const receiver = ast.receiver.visit(this);\n const value = ast.value.visit(this);\n if (receiver !== ast.receiver || value !== ast.value) {\n return new PropertyWrite(ast.span, ast.sourceSpan, ast.nameSpan, receiver, ast.name, value);\n }\n return ast;\n }\n visitSafePropertyRead(ast, context) {\n const receiver = ast.receiver.visit(this);\n if (receiver !== ast.receiver) {\n return new SafePropertyRead(ast.span, ast.sourceSpan, ast.nameSpan, receiver, ast.name);\n }\n return ast;\n }\n visitLiteralArray(ast, context) {\n const expressions = this.visitAll(ast.expressions);\n if (expressions !== ast.expressions) {\n return new LiteralArray(ast.span, ast.sourceSpan, expressions);\n }\n return ast;\n }\n visitLiteralMap(ast, context) {\n const values = this.visitAll(ast.values);\n if (values !== ast.values) {\n return new LiteralMap(ast.span, ast.sourceSpan, ast.keys, values);\n }\n return ast;\n }\n visitUnary(ast, context) {\n const expr = ast.expr.visit(this);\n if (expr !== ast.expr) {\n switch (ast.operator) {\n case '+':\n return Unary.createPlus(ast.span, ast.sourceSpan, expr);\n case '-':\n return Unary.createMinus(ast.span, ast.sourceSpan, expr);\n default:\n throw new Error(`Unknown unary operator ${ast.operator}`);\n }\n }\n return ast;\n }\n visitBinary(ast, context) {\n const left = ast.left.visit(this);\n const right = ast.right.visit(this);\n if (left !== ast.left || right !== ast.right) {\n return new Binary(ast.span, ast.sourceSpan, ast.operation, left, right);\n }\n return ast;\n }\n visitPrefixNot(ast, context) {\n const expression = ast.expression.visit(this);\n if (expression !== ast.expression) {\n return new PrefixNot(ast.span, ast.sourceSpan, expression);\n }\n return ast;\n }\n visitNonNullAssert(ast, context) {\n const expression = ast.expression.visit(this);\n if (expression !== ast.expression) {\n return new NonNullAssert(ast.span, ast.sourceSpan, expression);\n }\n return ast;\n }\n visitConditional(ast, context) {\n const condition = ast.condition.visit(this);\n const trueExp = ast.trueExp.visit(this);\n const falseExp = ast.falseExp.visit(this);\n if (condition !== ast.condition || trueExp !== ast.trueExp || falseExp !== ast.falseExp) {\n return new Conditional(ast.span, ast.sourceSpan, condition, trueExp, falseExp);\n }\n return ast;\n }\n visitPipe(ast, context) {\n const exp = ast.exp.visit(this);\n const args = this.visitAll(ast.args);\n if (exp !== ast.exp || args !== ast.args) {\n return new BindingPipe(ast.span, ast.sourceSpan, exp, ast.name, args, ast.nameSpan);\n }\n return ast;\n }\n visitKeyedRead(ast, context) {\n const obj = ast.receiver.visit(this);\n const key = ast.key.visit(this);\n if (obj !== ast.receiver || key !== ast.key) {\n return new KeyedRead(ast.span, ast.sourceSpan, obj, key);\n }\n return ast;\n }\n visitKeyedWrite(ast, context) {\n const obj = ast.receiver.visit(this);\n const key = ast.key.visit(this);\n const value = ast.value.visit(this);\n if (obj !== ast.receiver || key !== ast.key || value !== ast.value) {\n return new KeyedWrite(ast.span, ast.sourceSpan, obj, key, value);\n }\n return ast;\n }\n visitAll(asts) {\n const res = [];\n let modified = false;\n for (let i = 0; i < asts.length; ++i) {\n const original = asts[i];\n const value = original.visit(this);\n res[i] = value;\n modified = modified || value !== original;\n }\n return modified ? res : asts;\n }\n visitChain(ast, context) {\n const expressions = this.visitAll(ast.expressions);\n if (expressions !== ast.expressions) {\n return new Chain(ast.span, ast.sourceSpan, expressions);\n }\n return ast;\n }\n visitCall(ast, context) {\n const receiver = ast.receiver.visit(this);\n const args = this.visitAll(ast.args);\n if (receiver !== ast.receiver || args !== ast.args) {\n return new Call(ast.span, ast.sourceSpan, receiver, args, ast.argumentSpan);\n }\n return ast;\n }\n visitSafeCall(ast, context) {\n const receiver = ast.receiver.visit(this);\n const args = this.visitAll(ast.args);\n if (receiver !== ast.receiver || args !== ast.args) {\n return new SafeCall(ast.span, ast.sourceSpan, receiver, args, ast.argumentSpan);\n }\n return ast;\n }\n visitSafeKeyedRead(ast, context) {\n const obj = ast.receiver.visit(this);\n const key = ast.key.visit(this);\n if (obj !== ast.receiver || key !== ast.key) {\n return new SafeKeyedRead(ast.span, ast.sourceSpan, obj, key);\n }\n return ast;\n }\n}\n// Bindings\nclass ParsedProperty {\n constructor(name, expression, type, sourceSpan, keySpan, valueSpan) {\n this.name = name;\n this.expression = expression;\n this.type = type;\n this.sourceSpan = sourceSpan;\n this.keySpan = keySpan;\n this.valueSpan = valueSpan;\n this.isLiteral = this.type === ParsedPropertyType.LITERAL_ATTR;\n this.isAnimation = this.type === ParsedPropertyType.ANIMATION;\n }\n}\nvar ParsedPropertyType;\n(function (ParsedPropertyType) {\n ParsedPropertyType[ParsedPropertyType[\"DEFAULT\"] = 0] = \"DEFAULT\";\n ParsedPropertyType[ParsedPropertyType[\"LITERAL_ATTR\"] = 1] = \"LITERAL_ATTR\";\n ParsedPropertyType[ParsedPropertyType[\"ANIMATION\"] = 2] = \"ANIMATION\";\n})(ParsedPropertyType || (ParsedPropertyType = {}));\nclass ParsedEvent {\n // Regular events have a target\n // Animation events have a phase\n constructor(name, targetOrPhase, type, handler, sourceSpan, handlerSpan, keySpan) {\n this.name = name;\n this.targetOrPhase = targetOrPhase;\n this.type = type;\n this.handler = handler;\n this.sourceSpan = sourceSpan;\n this.handlerSpan = handlerSpan;\n this.keySpan = keySpan;\n }\n}\n/**\n * ParsedVariable represents a variable declaration in a microsyntax expression.\n */\nclass ParsedVariable {\n constructor(name, value, sourceSpan, keySpan, valueSpan) {\n this.name = name;\n this.value = value;\n this.sourceSpan = sourceSpan;\n this.keySpan = keySpan;\n this.valueSpan = valueSpan;\n }\n}\nclass BoundElementProperty {\n constructor(name, type, securityContext, value, unit, sourceSpan, keySpan, valueSpan) {\n this.name = name;\n this.type = type;\n this.securityContext = securityContext;\n this.value = value;\n this.unit = unit;\n this.sourceSpan = sourceSpan;\n this.keySpan = keySpan;\n this.valueSpan = valueSpan;\n }\n}\n\nclass EventHandlerVars {\n static { this.event = variable('$event'); }\n}\n/**\n * Converts the given expression AST into an executable output AST, assuming the expression is\n * used in an action binding (e.g. an event handler).\n */\nfunction convertActionBinding(localResolver, implicitReceiver, action, bindingId, baseSourceSpan, implicitReceiverAccesses, globals) {\n if (!localResolver) {\n localResolver = new DefaultLocalResolver(globals);\n }\n const actionWithoutBuiltins = convertPropertyBindingBuiltins({\n createLiteralArrayConverter: (argCount) => {\n // Note: no caching for literal arrays in actions.\n return (args) => literalArr(args);\n },\n createLiteralMapConverter: (keys) => {\n // Note: no caching for literal maps in actions.\n return (values) => {\n const entries = keys.map((k, i) => ({\n key: k.key,\n value: values[i],\n quoted: k.quoted,\n }));\n return literalMap(entries);\n };\n },\n createPipeConverter: (name) => {\n throw new Error(`Illegal State: Actions are not allowed to contain pipes. Pipe: ${name}`);\n }\n }, action);\n const visitor = new _AstToIrVisitor(localResolver, implicitReceiver, bindingId, /* supportsInterpolation */ false, baseSourceSpan, implicitReceiverAccesses);\n const actionStmts = [];\n flattenStatements(actionWithoutBuiltins.visit(visitor, _Mode.Statement), actionStmts);\n prependTemporaryDecls(visitor.temporaryCount, bindingId, actionStmts);\n if (visitor.usesImplicitReceiver) {\n localResolver.notifyImplicitReceiverUse();\n }\n const lastIndex = actionStmts.length - 1;\n if (lastIndex >= 0) {\n const lastStatement = actionStmts[lastIndex];\n // Ensure that the value of the last expression statement is returned\n if (lastStatement instanceof ExpressionStatement) {\n actionStmts[lastIndex] = new ReturnStatement(lastStatement.expr);\n }\n }\n return actionStmts;\n}\nfunction convertPropertyBindingBuiltins(converterFactory, ast) {\n return convertBuiltins(converterFactory, ast);\n}\nclass ConvertPropertyBindingResult {\n constructor(stmts, currValExpr) {\n this.stmts = stmts;\n this.currValExpr = currValExpr;\n }\n}\n/**\n * Converts the given expression AST into an executable output AST, assuming the expression\n * is used in property binding. The expression has to be preprocessed via\n * `convertPropertyBindingBuiltins`.\n */\nfunction convertPropertyBinding(localResolver, implicitReceiver, expressionWithoutBuiltins, bindingId) {\n if (!localResolver) {\n localResolver = new DefaultLocalResolver();\n }\n const visitor = new _AstToIrVisitor(localResolver, implicitReceiver, bindingId, /* supportsInterpolation */ false);\n const outputExpr = expressionWithoutBuiltins.visit(visitor, _Mode.Expression);\n const stmts = getStatementsFromVisitor(visitor, bindingId);\n if (visitor.usesImplicitReceiver) {\n localResolver.notifyImplicitReceiverUse();\n }\n return new ConvertPropertyBindingResult(stmts, outputExpr);\n}\n/**\n * Given some expression, such as a binding or interpolation expression, and a context expression to\n * look values up on, visit each facet of the given expression resolving values from the context\n * expression such that a list of arguments can be derived from the found values that can be used as\n * arguments to an external update instruction.\n *\n * @param localResolver The resolver to use to look up expressions by name appropriately\n * @param contextVariableExpression The expression representing the context variable used to create\n * the final argument expressions\n * @param expressionWithArgumentsToExtract The expression to visit to figure out what values need to\n * be resolved and what arguments list to build.\n * @param bindingId A name prefix used to create temporary variable names if they're needed for the\n * arguments generated\n * @returns An array of expressions that can be passed as arguments to instruction expressions like\n * `o.importExpr(R3.propertyInterpolate).callFn(result)`\n */\nfunction convertUpdateArguments(localResolver, contextVariableExpression, expressionWithArgumentsToExtract, bindingId) {\n const visitor = new _AstToIrVisitor(localResolver, contextVariableExpression, bindingId, /* supportsInterpolation */ true);\n const outputExpr = visitor.visitInterpolation(expressionWithArgumentsToExtract, _Mode.Expression);\n if (visitor.usesImplicitReceiver) {\n localResolver.notifyImplicitReceiverUse();\n }\n const stmts = getStatementsFromVisitor(visitor, bindingId);\n const args = outputExpr.args;\n return { stmts, args };\n}\nfunction getStatementsFromVisitor(visitor, bindingId) {\n const stmts = [];\n for (let i = 0; i < visitor.temporaryCount; i++) {\n stmts.push(temporaryDeclaration(bindingId, i));\n }\n return stmts;\n}\nfunction convertBuiltins(converterFactory, ast) {\n const visitor = new _BuiltinAstConverter(converterFactory);\n return ast.visit(visitor);\n}\nfunction temporaryName(bindingId, temporaryNumber) {\n return `tmp_${bindingId}_${temporaryNumber}`;\n}\nfunction temporaryDeclaration(bindingId, temporaryNumber) {\n return new DeclareVarStmt(temporaryName(bindingId, temporaryNumber));\n}\nfunction prependTemporaryDecls(temporaryCount, bindingId, statements) {\n for (let i = temporaryCount - 1; i >= 0; i--) {\n statements.unshift(temporaryDeclaration(bindingId, i));\n }\n}\nvar _Mode;\n(function (_Mode) {\n _Mode[_Mode[\"Statement\"] = 0] = \"Statement\";\n _Mode[_Mode[\"Expression\"] = 1] = \"Expression\";\n})(_Mode || (_Mode = {}));\nfunction ensureStatementMode(mode, ast) {\n if (mode !== _Mode.Statement) {\n throw new Error(`Expected a statement, but saw ${ast}`);\n }\n}\nfunction ensureExpressionMode(mode, ast) {\n if (mode !== _Mode.Expression) {\n throw new Error(`Expected an expression, but saw ${ast}`);\n }\n}\nfunction convertToStatementIfNeeded(mode, expr) {\n if (mode === _Mode.Statement) {\n return expr.toStmt();\n }\n else {\n return expr;\n }\n}\nclass _BuiltinAstConverter extends AstTransformer {\n constructor(_converterFactory) {\n super();\n this._converterFactory = _converterFactory;\n }\n visitPipe(ast, context) {\n const args = [ast.exp, ...ast.args].map(ast => ast.visit(this, context));\n return new BuiltinFunctionCall(ast.span, ast.sourceSpan, args, this._converterFactory.createPipeConverter(ast.name, args.length));\n }\n visitLiteralArray(ast, context) {\n const args = ast.expressions.map(ast => ast.visit(this, context));\n return new BuiltinFunctionCall(ast.span, ast.sourceSpan, args, this._converterFactory.createLiteralArrayConverter(ast.expressions.length));\n }\n visitLiteralMap(ast, context) {\n const args = ast.values.map(ast => ast.visit(this, context));\n return new BuiltinFunctionCall(ast.span, ast.sourceSpan, args, this._converterFactory.createLiteralMapConverter(ast.keys));\n }\n}\nclass _AstToIrVisitor {\n constructor(_localResolver, _implicitReceiver, bindingId, supportsInterpolation, baseSourceSpan, implicitReceiverAccesses) {\n this._localResolver = _localResolver;\n this._implicitReceiver = _implicitReceiver;\n this.bindingId = bindingId;\n this.supportsInterpolation = supportsInterpolation;\n this.baseSourceSpan = baseSourceSpan;\n this.implicitReceiverAccesses = implicitReceiverAccesses;\n this._nodeMap = new Map();\n this._resultMap = new Map();\n this._currentTemporary = 0;\n this.temporaryCount = 0;\n this.usesImplicitReceiver = false;\n }\n visitUnary(ast, mode) {\n let op;\n switch (ast.operator) {\n case '+':\n op = UnaryOperator.Plus;\n break;\n case '-':\n op = UnaryOperator.Minus;\n break;\n default:\n throw new Error(`Unsupported operator ${ast.operator}`);\n }\n return convertToStatementIfNeeded(mode, new UnaryOperatorExpr(op, this._visit(ast.expr, _Mode.Expression), undefined, this.convertSourceSpan(ast.span)));\n }\n visitBinary(ast, mode) {\n let op;\n switch (ast.operation) {\n case '+':\n op = BinaryOperator.Plus;\n break;\n case '-':\n op = BinaryOperator.Minus;\n break;\n case '*':\n op = BinaryOperator.Multiply;\n break;\n case '/':\n op = BinaryOperator.Divide;\n break;\n case '%':\n op = BinaryOperator.Modulo;\n break;\n case '&&':\n op = BinaryOperator.And;\n break;\n case '||':\n op = BinaryOperator.Or;\n break;\n case '==':\n op = BinaryOperator.Equals;\n break;\n case '!=':\n op = BinaryOperator.NotEquals;\n break;\n case '===':\n op = BinaryOperator.Identical;\n break;\n case '!==':\n op = BinaryOperator.NotIdentical;\n break;\n case '<':\n op = BinaryOperator.Lower;\n break;\n case '>':\n op = BinaryOperator.Bigger;\n break;\n case '<=':\n op = BinaryOperator.LowerEquals;\n break;\n case '>=':\n op = BinaryOperator.BiggerEquals;\n break;\n case '??':\n return this.convertNullishCoalesce(ast, mode);\n default:\n throw new Error(`Unsupported operation ${ast.operation}`);\n }\n return convertToStatementIfNeeded(mode, new BinaryOperatorExpr(op, this._visit(ast.left, _Mode.Expression), this._visit(ast.right, _Mode.Expression), undefined, this.convertSourceSpan(ast.span)));\n }\n visitChain(ast, mode) {\n ensureStatementMode(mode, ast);\n return this.visitAll(ast.expressions, mode);\n }\n visitConditional(ast, mode) {\n const value = this._visit(ast.condition, _Mode.Expression);\n return convertToStatementIfNeeded(mode, value.conditional(this._visit(ast.trueExp, _Mode.Expression), this._visit(ast.falseExp, _Mode.Expression), this.convertSourceSpan(ast.span)));\n }\n visitPipe(ast, mode) {\n throw new Error(`Illegal state: Pipes should have been converted into functions. Pipe: ${ast.name}`);\n }\n visitImplicitReceiver(ast, mode) {\n ensureExpressionMode(mode, ast);\n this.usesImplicitReceiver = true;\n return this._implicitReceiver;\n }\n visitThisReceiver(ast, mode) {\n return this.visitImplicitReceiver(ast, mode);\n }\n visitInterpolation(ast, mode) {\n if (!this.supportsInterpolation) {\n throw new Error('Unexpected interpolation');\n }\n ensureExpressionMode(mode, ast);\n let args = [];\n for (let i = 0; i < ast.strings.length - 1; i++) {\n args.push(literal(ast.strings[i]));\n args.push(this._visit(ast.expressions[i], _Mode.Expression));\n }\n args.push(literal(ast.strings[ast.strings.length - 1]));\n // If we're dealing with an interpolation of 1 value with an empty prefix and suffix, reduce the\n // args returned to just the value, because we're going to pass it to a special instruction.\n const strings = ast.strings;\n if (strings.length === 2 && strings[0] === '' && strings[1] === '') {\n // Single argument interpolate instructions.\n args = [args[1]];\n }\n else if (ast.expressions.length >= 9) {\n // 9 or more arguments must be passed to the `interpolateV`-style instructions, which accept\n // an array of arguments\n args = [literalArr(args)];\n }\n return new InterpolationExpression(args);\n }\n visitKeyedRead(ast, mode) {\n const leftMostSafe = this.leftMostSafeNode(ast);\n if (leftMostSafe) {\n return this.convertSafeAccess(ast, leftMostSafe, mode);\n }\n else {\n return convertToStatementIfNeeded(mode, this._visit(ast.receiver, _Mode.Expression).key(this._visit(ast.key, _Mode.Expression)));\n }\n }\n visitKeyedWrite(ast, mode) {\n const obj = this._visit(ast.receiver, _Mode.Expression);\n const key = this._visit(ast.key, _Mode.Expression);\n const value = this._visit(ast.value, _Mode.Expression);\n if (obj === this._implicitReceiver) {\n this._localResolver.maybeRestoreView();\n }\n return convertToStatementIfNeeded(mode, obj.key(key).set(value));\n }\n visitLiteralArray(ast, mode) {\n throw new Error(`Illegal State: literal arrays should have been converted into functions`);\n }\n visitLiteralMap(ast, mode) {\n throw new Error(`Illegal State: literal maps should have been converted into functions`);\n }\n visitLiteralPrimitive(ast, mode) {\n // For literal values of null, undefined, true, or false allow type interference\n // to infer the type.\n const type = ast.value === null || ast.value === undefined || ast.value === true || ast.value === true ?\n INFERRED_TYPE :\n undefined;\n return convertToStatementIfNeeded(mode, literal(ast.value, type, this.convertSourceSpan(ast.span)));\n }\n _getLocal(name, receiver) {\n if (this._localResolver.globals?.has(name) && receiver instanceof ThisReceiver) {\n return null;\n }\n return this._localResolver.getLocal(name);\n }\n visitPrefixNot(ast, mode) {\n return convertToStatementIfNeeded(mode, not(this._visit(ast.expression, _Mode.Expression)));\n }\n visitNonNullAssert(ast, mode) {\n return convertToStatementIfNeeded(mode, this._visit(ast.expression, _Mode.Expression));\n }\n visitPropertyRead(ast, mode) {\n const leftMostSafe = this.leftMostSafeNode(ast);\n if (leftMostSafe) {\n return this.convertSafeAccess(ast, leftMostSafe, mode);\n }\n else {\n let result = null;\n const prevUsesImplicitReceiver = this.usesImplicitReceiver;\n const receiver = this._visit(ast.receiver, _Mode.Expression);\n if (receiver === this._implicitReceiver) {\n result = this._getLocal(ast.name, ast.receiver);\n if (result) {\n // Restore the previous \"usesImplicitReceiver\" state since the implicit\n // receiver has been replaced with a resolved local expression.\n this.usesImplicitReceiver = prevUsesImplicitReceiver;\n this.addImplicitReceiverAccess(ast.name);\n }\n }\n if (result == null) {\n result = receiver.prop(ast.name, this.convertSourceSpan(ast.span));\n }\n return convertToStatementIfNeeded(mode, result);\n }\n }\n visitPropertyWrite(ast, mode) {\n const receiver = this._visit(ast.receiver, _Mode.Expression);\n const prevUsesImplicitReceiver = this.usesImplicitReceiver;\n let varExpr = null;\n if (receiver === this._implicitReceiver) {\n const localExpr = this._getLocal(ast.name, ast.receiver);\n if (localExpr) {\n if (localExpr instanceof ReadPropExpr) {\n // If the local variable is a property read expression, it's a reference\n // to a 'context.property' value and will be used as the target of the\n // write expression.\n varExpr = localExpr;\n // Restore the previous \"usesImplicitReceiver\" state since the implicit\n // receiver has been replaced with a resolved local expression.\n this.usesImplicitReceiver = prevUsesImplicitReceiver;\n this.addImplicitReceiverAccess(ast.name);\n }\n else {\n // Otherwise it's an error.\n const receiver = ast.name;\n const value = (ast.value instanceof PropertyRead) ? ast.value.name : undefined;\n throw new Error(`Cannot assign value \"${value}\" to template variable \"${receiver}\". Template variables are read-only.`);\n }\n }\n }\n // If no local expression could be produced, use the original receiver's\n // property as the target.\n if (varExpr === null) {\n varExpr = receiver.prop(ast.name, this.convertSourceSpan(ast.span));\n }\n return convertToStatementIfNeeded(mode, varExpr.set(this._visit(ast.value, _Mode.Expression)));\n }\n visitSafePropertyRead(ast, mode) {\n return this.convertSafeAccess(ast, this.leftMostSafeNode(ast), mode);\n }\n visitSafeKeyedRead(ast, mode) {\n return this.convertSafeAccess(ast, this.leftMostSafeNode(ast), mode);\n }\n visitAll(asts, mode) {\n return asts.map(ast => this._visit(ast, mode));\n }\n visitCall(ast, mode) {\n const leftMostSafe = this.leftMostSafeNode(ast);\n if (leftMostSafe) {\n return this.convertSafeAccess(ast, leftMostSafe, mode);\n }\n const convertedArgs = this.visitAll(ast.args, _Mode.Expression);\n if (ast instanceof BuiltinFunctionCall) {\n return convertToStatementIfNeeded(mode, ast.converter(convertedArgs));\n }\n const receiver = ast.receiver;\n if (receiver instanceof PropertyRead &&\n receiver.receiver instanceof ImplicitReceiver &&\n !(receiver.receiver instanceof ThisReceiver) && receiver.name === '$any') {\n if (convertedArgs.length !== 1) {\n throw new Error(`Invalid call to $any, expected 1 argument but received ${convertedArgs.length || 'none'}`);\n }\n return convertToStatementIfNeeded(mode, convertedArgs[0]);\n }\n const call = this._visit(receiver, _Mode.Expression)\n .callFn(convertedArgs, this.convertSourceSpan(ast.span));\n return convertToStatementIfNeeded(mode, call);\n }\n visitSafeCall(ast, mode) {\n return this.convertSafeAccess(ast, this.leftMostSafeNode(ast), mode);\n }\n _visit(ast, mode) {\n const result = this._resultMap.get(ast);\n if (result)\n return result;\n return (this._nodeMap.get(ast) || ast).visit(this, mode);\n }\n convertSafeAccess(ast, leftMostSafe, mode) {\n // If the expression contains a safe access node on the left it needs to be converted to\n // an expression that guards the access to the member by checking the receiver for blank. As\n // execution proceeds from left to right, the left most part of the expression must be guarded\n // first but, because member access is left associative, the right side of the expression is at\n // the top of the AST. The desired result requires lifting a copy of the left part of the\n // expression up to test it for blank before generating the unguarded version.\n // Consider, for example the following expression: a?.b.c?.d.e\n // This results in the ast:\n // .\n // / \\\n // ?. e\n // / \\\n // . d\n // / \\\n // ?. c\n // / \\\n // a b\n // The following tree should be generated:\n //\n // /---- ? ----\\\n // / | \\\n // a /--- ? ---\\ null\n // / | \\\n // . . null\n // / \\ / \\\n // . c . e\n // / \\ / \\\n // a b . d\n // / \\\n // . c\n // / \\\n // a b\n //\n // Notice that the first guard condition is the left hand of the left most safe access node\n // which comes in as leftMostSafe to this routine.\n let guardedExpression = this._visit(leftMostSafe.receiver, _Mode.Expression);\n let temporary = undefined;\n if (this.needsTemporaryInSafeAccess(leftMostSafe.receiver)) {\n // If the expression has method calls or pipes then we need to save the result into a\n // temporary variable to avoid calling stateful or impure code more than once.\n temporary = this.allocateTemporary();\n // Preserve the result in the temporary variable\n guardedExpression = temporary.set(guardedExpression);\n // Ensure all further references to the guarded expression refer to the temporary instead.\n this._resultMap.set(leftMostSafe.receiver, temporary);\n }\n const condition = guardedExpression.isBlank();\n // Convert the ast to an unguarded access to the receiver's member. The map will substitute\n // leftMostNode with its unguarded version in the call to `this.visit()`.\n if (leftMostSafe instanceof SafeCall) {\n this._nodeMap.set(leftMostSafe, new Call(leftMostSafe.span, leftMostSafe.sourceSpan, leftMostSafe.receiver, leftMostSafe.args, leftMostSafe.argumentSpan));\n }\n else if (leftMostSafe instanceof SafeKeyedRead) {\n this._nodeMap.set(leftMostSafe, new KeyedRead(leftMostSafe.span, leftMostSafe.sourceSpan, leftMostSafe.receiver, leftMostSafe.key));\n }\n else {\n this._nodeMap.set(leftMostSafe, new PropertyRead(leftMostSafe.span, leftMostSafe.sourceSpan, leftMostSafe.nameSpan, leftMostSafe.receiver, leftMostSafe.name));\n }\n // Recursively convert the node now without the guarded member access.\n const access = this._visit(ast, _Mode.Expression);\n // Remove the mapping. This is not strictly required as the converter only traverses each node\n // once but is safer if the conversion is changed to traverse the nodes more than once.\n this._nodeMap.delete(leftMostSafe);\n // If we allocated a temporary, release it.\n if (temporary) {\n this.releaseTemporary(temporary);\n }\n // Produce the conditional\n return convertToStatementIfNeeded(mode, condition.conditional(NULL_EXPR, access));\n }\n convertNullishCoalesce(ast, mode) {\n const left = this._visit(ast.left, _Mode.Expression);\n const right = this._visit(ast.right, _Mode.Expression);\n const temporary = this.allocateTemporary();\n this.releaseTemporary(temporary);\n // Generate the following expression. It is identical to how TS\n // transpiles binary expressions with a nullish coalescing operator.\n // let temp;\n // (temp = a) !== null && temp !== undefined ? temp : b;\n return convertToStatementIfNeeded(mode, temporary.set(left)\n .notIdentical(NULL_EXPR)\n .and(temporary.notIdentical(literal(undefined)))\n .conditional(temporary, right));\n }\n // Given an expression of the form a?.b.c?.d.e then the left most safe node is\n // the (a?.b). The . and ?. are left associative thus can be rewritten as:\n // ((((a?.c).b).c)?.d).e. This returns the most deeply nested safe read or\n // safe method call as this needs to be transformed initially to:\n // a == null ? null : a.c.b.c?.d.e\n // then to:\n // a == null ? null : a.b.c == null ? null : a.b.c.d.e\n leftMostSafeNode(ast) {\n const visit = (visitor, ast) => {\n return (this._nodeMap.get(ast) || ast).visit(visitor);\n };\n return ast.visit({\n visitUnary(ast) {\n return null;\n },\n visitBinary(ast) {\n return null;\n },\n visitChain(ast) {\n return null;\n },\n visitConditional(ast) {\n return null;\n },\n visitCall(ast) {\n return visit(this, ast.receiver);\n },\n visitSafeCall(ast) {\n return visit(this, ast.receiver) || ast;\n },\n visitImplicitReceiver(ast) {\n return null;\n },\n visitThisReceiver(ast) {\n return null;\n },\n visitInterpolation(ast) {\n return null;\n },\n visitKeyedRead(ast) {\n return visit(this, ast.receiver);\n },\n visitKeyedWrite(ast) {\n return null;\n },\n visitLiteralArray(ast) {\n return null;\n },\n visitLiteralMap(ast) {\n return null;\n },\n visitLiteralPrimitive(ast) {\n return null;\n },\n visitPipe(ast) {\n return null;\n },\n visitPrefixNot(ast) {\n return null;\n },\n visitNonNullAssert(ast) {\n return visit(this, ast.expression);\n },\n visitPropertyRead(ast) {\n return visit(this, ast.receiver);\n },\n visitPropertyWrite(ast) {\n return null;\n },\n visitSafePropertyRead(ast) {\n return visit(this, ast.receiver) || ast;\n },\n visitSafeKeyedRead(ast) {\n return visit(this, ast.receiver) || ast;\n }\n });\n }\n // Returns true of the AST includes a method or a pipe indicating that, if the\n // expression is used as the target of a safe property or method access then\n // the expression should be stored into a temporary variable.\n needsTemporaryInSafeAccess(ast) {\n const visit = (visitor, ast) => {\n return ast && (this._nodeMap.get(ast) || ast).visit(visitor);\n };\n const visitSome = (visitor, ast) => {\n return ast.some(ast => visit(visitor, ast));\n };\n return ast.visit({\n visitUnary(ast) {\n return visit(this, ast.expr);\n },\n visitBinary(ast) {\n return visit(this, ast.left) || visit(this, ast.right);\n },\n visitChain(ast) {\n return false;\n },\n visitConditional(ast) {\n return visit(this, ast.condition) || visit(this, ast.trueExp) || visit(this, ast.falseExp);\n },\n visitCall(ast) {\n return true;\n },\n visitSafeCall(ast) {\n return true;\n },\n visitImplicitReceiver(ast) {\n return false;\n },\n visitThisReceiver(ast) {\n return false;\n },\n visitInterpolation(ast) {\n return visitSome(this, ast.expressions);\n },\n visitKeyedRead(ast) {\n return false;\n },\n visitKeyedWrite(ast) {\n return false;\n },\n visitLiteralArray(ast) {\n return true;\n },\n visitLiteralMap(ast) {\n return true;\n },\n visitLiteralPrimitive(ast) {\n return false;\n },\n visitPipe(ast) {\n return true;\n },\n visitPrefixNot(ast) {\n return visit(this, ast.expression);\n },\n visitNonNullAssert(ast) {\n return visit(this, ast.expression);\n },\n visitPropertyRead(ast) {\n return false;\n },\n visitPropertyWrite(ast) {\n return false;\n },\n visitSafePropertyRead(ast) {\n return false;\n },\n visitSafeKeyedRead(ast) {\n return false;\n }\n });\n }\n allocateTemporary() {\n const tempNumber = this._currentTemporary++;\n this.temporaryCount = Math.max(this._currentTemporary, this.temporaryCount);\n return new ReadVarExpr(temporaryName(this.bindingId, tempNumber));\n }\n releaseTemporary(temporary) {\n this._currentTemporary--;\n if (temporary.name != temporaryName(this.bindingId, this._currentTemporary)) {\n throw new Error(`Temporary ${temporary.name} released out of order`);\n }\n }\n /**\n * Creates an absolute `ParseSourceSpan` from the relative `ParseSpan`.\n *\n * `ParseSpan` objects are relative to the start of the expression.\n * This method converts these to full `ParseSourceSpan` objects that\n * show where the span is within the overall source file.\n *\n * @param span the relative span to convert.\n * @returns a `ParseSourceSpan` for the given span or null if no\n * `baseSourceSpan` was provided to this class.\n */\n convertSourceSpan(span) {\n if (this.baseSourceSpan) {\n const start = this.baseSourceSpan.start.moveBy(span.start);\n const end = this.baseSourceSpan.start.moveBy(span.end);\n const fullStart = this.baseSourceSpan.fullStart.moveBy(span.start);\n return new ParseSourceSpan(start, end, fullStart);\n }\n else {\n return null;\n }\n }\n /** Adds the name of an AST to the list of implicit receiver accesses. */\n addImplicitReceiverAccess(name) {\n if (this.implicitReceiverAccesses) {\n this.implicitReceiverAccesses.add(name);\n }\n }\n}\nfunction flattenStatements(arg, output) {\n if (Array.isArray(arg)) {\n arg.forEach((entry) => flattenStatements(entry, output));\n }\n else {\n output.push(arg);\n }\n}\nfunction unsupported() {\n throw new Error('Unsupported operation');\n}\nclass InterpolationExpression extends Expression {\n constructor(args) {\n super(null, null);\n this.args = args;\n this.isConstant = unsupported;\n this.isEquivalent = unsupported;\n this.visitExpression = unsupported;\n this.clone = unsupported;\n }\n}\nclass DefaultLocalResolver {\n constructor(globals) {\n this.globals = globals;\n }\n notifyImplicitReceiverUse() { }\n maybeRestoreView() { }\n getLocal(name) {\n if (name === EventHandlerVars.event.name) {\n return EventHandlerVars.event;\n }\n return null;\n }\n}\nclass BuiltinFunctionCall extends Call {\n constructor(span, sourceSpan, args, converter) {\n super(span, sourceSpan, new EmptyExpr$1(span, sourceSpan), args, null);\n this.converter = converter;\n }\n}\n\n// =================================================================================================\n// =================================================================================================\n// =========== S T O P - S T O P - S T O P - S T O P - S T O P - S T O P ===========\n// =================================================================================================\n// =================================================================================================\n//\n// DO NOT EDIT THIS LIST OF SECURITY SENSITIVE PROPERTIES WITHOUT A SECURITY REVIEW!\n// Reach out to mprobst for details.\n//\n// =================================================================================================\n/** Map from tagName|propertyName to SecurityContext. Properties applying to all tags use '*'. */\nlet _SECURITY_SCHEMA;\nfunction SECURITY_SCHEMA() {\n if (!_SECURITY_SCHEMA) {\n _SECURITY_SCHEMA = {};\n // Case is insignificant below, all element and attribute names are lower-cased for lookup.\n registerContext(SecurityContext.HTML, [\n 'iframe|srcdoc',\n '*|innerHTML',\n '*|outerHTML',\n ]);\n registerContext(SecurityContext.STYLE, ['*|style']);\n // NB: no SCRIPT contexts here, they are never allowed due to the parser stripping them.\n registerContext(SecurityContext.URL, [\n '*|formAction',\n 'area|href',\n 'area|ping',\n 'audio|src',\n 'a|href',\n 'a|ping',\n 'blockquote|cite',\n 'body|background',\n 'del|cite',\n 'form|action',\n 'img|src',\n 'input|src',\n 'ins|cite',\n 'q|cite',\n 'source|src',\n 'track|src',\n 'video|poster',\n 'video|src',\n ]);\n registerContext(SecurityContext.RESOURCE_URL, [\n 'applet|code',\n 'applet|codebase',\n 'base|href',\n 'embed|src',\n 'frame|src',\n 'head|profile',\n 'html|manifest',\n 'iframe|src',\n 'link|href',\n 'media|src',\n 'object|codebase',\n 'object|data',\n 'script|src',\n ]);\n }\n return _SECURITY_SCHEMA;\n}\nfunction registerContext(ctx, specs) {\n for (const spec of specs)\n _SECURITY_SCHEMA[spec.toLowerCase()] = ctx;\n}\n/**\n * The set of security-sensitive attributes of an `<iframe>` that *must* be\n * applied as a static attribute only. This ensures that all security-sensitive\n * attributes are taken into account while creating an instance of an `<iframe>`\n * at runtime.\n *\n * Note: avoid using this set directly, use the `isIframeSecuritySensitiveAttr` function\n * in the code instead.\n */\nconst IFRAME_SECURITY_SENSITIVE_ATTRS = new Set(['sandbox', 'allow', 'allowfullscreen', 'referrerpolicy', 'csp', 'fetchpriority']);\n/**\n * Checks whether a given attribute name might represent a security-sensitive\n * attribute of an <iframe>.\n */\nfunction isIframeSecuritySensitiveAttr(attrName) {\n // The `setAttribute` DOM API is case-insensitive, so we lowercase the value\n // before checking it against a known security-sensitive attributes.\n return IFRAME_SECURITY_SENSITIVE_ATTRS.has(attrName.toLowerCase());\n}\n\n/**\n * The following set contains all keywords that can be used in the animation css shorthand\n * property and is used during the scoping of keyframes to make sure such keywords\n * are not modified.\n */\nconst animationKeywords = new Set([\n // global values\n 'inherit', 'initial', 'revert', 'unset',\n // animation-direction\n 'alternate', 'alternate-reverse', 'normal', 'reverse',\n // animation-fill-mode\n 'backwards', 'both', 'forwards', 'none',\n // animation-play-state\n 'paused', 'running',\n // animation-timing-function\n 'ease', 'ease-in', 'ease-in-out', 'ease-out', 'linear', 'step-start', 'step-end',\n // `steps()` function\n 'end', 'jump-both', 'jump-end', 'jump-none', 'jump-start', 'start'\n]);\n/**\n * The following class has its origin from a port of shadowCSS from webcomponents.js to TypeScript.\n * It has since diverge in many ways to tailor Angular's needs.\n *\n * Source:\n * https://github.com/webcomponents/webcomponentsjs/blob/4efecd7e0e/src/ShadowCSS/ShadowCSS.js\n *\n * The original file level comment is reproduced below\n */\n/*\n This is a limited shim for ShadowDOM css styling.\n https://dvcs.w3.org/hg/webcomponents/raw-file/tip/spec/shadow/index.html#styles\n\n The intention here is to support only the styling features which can be\n relatively simply implemented. The goal is to allow users to avoid the\n most obvious pitfalls and do so without compromising performance significantly.\n For ShadowDOM styling that's not covered here, a set of best practices\n can be provided that should allow users to accomplish more complex styling.\n\n The following is a list of specific ShadowDOM styling features and a brief\n discussion of the approach used to shim.\n\n Shimmed features:\n\n * :host, :host-context: ShadowDOM allows styling of the shadowRoot's host\n element using the :host rule. To shim this feature, the :host styles are\n reformatted and prefixed with a given scope name and promoted to a\n document level stylesheet.\n For example, given a scope name of .foo, a rule like this:\n\n :host {\n background: red;\n }\n }\n\n becomes:\n\n .foo {\n background: red;\n }\n\n * encapsulation: Styles defined within ShadowDOM, apply only to\n dom inside the ShadowDOM.\n The selectors are scoped by adding an attribute selector suffix to each\n simple selector that contains the host element tag name. Each element\n in the element's ShadowDOM template is also given the scope attribute.\n Thus, these rules match only elements that have the scope attribute.\n For example, given a scope name of x-foo, a rule like this:\n\n div {\n font-weight: bold;\n }\n\n becomes:\n\n div[x-foo] {\n font-weight: bold;\n }\n\n Note that elements that are dynamically added to a scope must have the scope\n selector added to them manually.\n\n * upper/lower bound encapsulation: Styles which are defined outside a\n shadowRoot should not cross the ShadowDOM boundary and should not apply\n inside a shadowRoot.\n\n This styling behavior is not emulated. Some possible ways to do this that\n were rejected due to complexity and/or performance concerns include: (1) reset\n every possible property for every possible selector for a given scope name;\n (2) re-implement css in javascript.\n\n As an alternative, users should make sure to use selectors\n specific to the scope in which they are working.\n\n * ::distributed: This behavior is not emulated. It's often not necessary\n to style the contents of a specific insertion point and instead, descendants\n of the host element can be styled selectively. Users can also create an\n extra node around an insertion point and style that node's contents\n via descendent selectors. For example, with a shadowRoot like this:\n\n <style>\n ::content(div) {\n background: red;\n }\n </style>\n <content></content>\n\n could become:\n\n <style>\n / *@polyfill .content-container div * /\n ::content(div) {\n background: red;\n }\n </style>\n <div class=\"content-container\">\n <content></content>\n </div>\n\n Note the use of @polyfill in the comment above a ShadowDOM specific style\n declaration. This is a directive to the styling shim to use the selector\n in comments in lieu of the next selector when running under polyfill.\n*/\nclass ShadowCss {\n constructor() {\n /**\n * Regular expression used to extrapolate the possible keyframes from an\n * animation declaration (with possibly multiple animation definitions)\n *\n * The regular expression can be divided in three parts\n * - (^|\\s+)\n * simply captures how many (if any) leading whitespaces are present\n * - (?:(?:(['\"])((?:\\\\\\\\|\\\\\\2|(?!\\2).)+)\\2)|(-?[A-Za-z][\\w\\-]*))\n * captures two different possible keyframes, ones which are quoted or ones which are valid css\n * idents (custom properties excluded)\n * - (?=[,\\s;]|$)\n * simply matches the end of the possible keyframe, valid endings are: a comma, a space, a\n * semicolon or the end of the string\n */\n this._animationDeclarationKeyframesRe = /(^|\\s+)(?:(?:(['\"])((?:\\\\\\\\|\\\\\\2|(?!\\2).)+)\\2)|(-?[A-Za-z][\\w\\-]*))(?=[,\\s]|$)/g;\n }\n /*\n * Shim some cssText with the given selector. Returns cssText that can be included in the document\n *\n * The selector is the attribute added to all elements inside the host,\n * The hostSelector is the attribute added to the host itself.\n */\n shimCssText(cssText, selector, hostSelector = '') {\n // **NOTE**: Do not strip comments as this will cause component sourcemaps to break\n // due to shift in lines.\n // Collect comments and replace them with a placeholder, this is done to avoid complicating\n // the rule parsing RegExp and keep it safer.\n const comments = [];\n cssText = cssText.replace(_commentRe, (m) => {\n if (m.match(_commentWithHashRe)) {\n comments.push(m);\n }\n else {\n // Replace non hash comments with empty lines.\n // This is done so that we do not leak any senstive data in comments.\n const newLinesMatches = m.match(_newLinesRe);\n comments.push((newLinesMatches?.join('') ?? '') + '\\n');\n }\n return COMMENT_PLACEHOLDER;\n });\n cssText = this._insertDirectives(cssText);\n const scopedCssText = this._scopeCssText(cssText, selector, hostSelector);\n // Add back comments at the original position.\n let commentIdx = 0;\n return scopedCssText.replace(_commentWithHashPlaceHolderRe, () => comments[commentIdx++]);\n }\n _insertDirectives(cssText) {\n cssText = this._insertPolyfillDirectivesInCssText(cssText);\n return this._insertPolyfillRulesInCssText(cssText);\n }\n /**\n * Process styles to add scope to keyframes.\n *\n * Modify both the names of the keyframes defined in the component styles and also the css\n * animation rules using them.\n *\n * Animation rules using keyframes defined elsewhere are not modified to allow for globally\n * defined keyframes.\n *\n * For example, we convert this css:\n *\n * ```\n * .box {\n * animation: box-animation 1s forwards;\n * }\n *\n * @keyframes box-animation {\n * to {\n * background-color: green;\n * }\n * }\n * ```\n *\n * to this:\n *\n * ```\n * .box {\n * animation: scopeName_box-animation 1s forwards;\n * }\n *\n * @keyframes scopeName_box-animation {\n * to {\n * background-color: green;\n * }\n * }\n * ```\n *\n * @param cssText the component's css text that needs to be scoped.\n * @param scopeSelector the component's scope selector.\n *\n * @returns the scoped css text.\n */\n _scopeKeyframesRelatedCss(cssText, scopeSelector) {\n const unscopedKeyframesSet = new Set();\n const scopedKeyframesCssText = processRules(cssText, rule => this._scopeLocalKeyframeDeclarations(rule, scopeSelector, unscopedKeyframesSet));\n return processRules(scopedKeyframesCssText, rule => this._scopeAnimationRule(rule, scopeSelector, unscopedKeyframesSet));\n }\n /**\n * Scopes local keyframes names, returning the updated css rule and it also\n * adds the original keyframe name to a provided set to collect all keyframes names\n * so that it can later be used to scope the animation rules.\n *\n * For example, it takes a rule such as:\n *\n * ```\n * @keyframes box-animation {\n * to {\n * background-color: green;\n * }\n * }\n * ```\n *\n * and returns:\n *\n * ```\n * @keyframes scopeName_box-animation {\n * to {\n * background-color: green;\n * }\n * }\n * ```\n * and as a side effect it adds \"box-animation\" to the `unscopedKeyframesSet` set\n *\n * @param cssRule the css rule to process.\n * @param scopeSelector the component's scope selector.\n * @param unscopedKeyframesSet the set of unscoped keyframes names (which can be\n * modified as a side effect)\n *\n * @returns the css rule modified with the scoped keyframes name.\n */\n _scopeLocalKeyframeDeclarations(rule, scopeSelector, unscopedKeyframesSet) {\n return {\n ...rule,\n selector: rule.selector.replace(/(^@(?:-webkit-)?keyframes(?:\\s+))(['\"]?)(.+)\\2(\\s*)$/, (_, start, quote, keyframeName, endSpaces) => {\n unscopedKeyframesSet.add(unescapeQuotes(keyframeName, quote));\n return `${start}${quote}${scopeSelector}_${keyframeName}${quote}${endSpaces}`;\n }),\n };\n }\n /**\n * Function used to scope a keyframes name (obtained from an animation declaration)\n * using an existing set of unscopedKeyframes names to discern if the scoping needs to be\n * performed (keyframes names of keyframes not defined in the component's css need not to be\n * scoped).\n *\n * @param keyframe the keyframes name to check.\n * @param scopeSelector the component's scope selector.\n * @param unscopedKeyframesSet the set of unscoped keyframes names.\n *\n * @returns the scoped name of the keyframe, or the original name is the name need not to be\n * scoped.\n */\n _scopeAnimationKeyframe(keyframe, scopeSelector, unscopedKeyframesSet) {\n return keyframe.replace(/^(\\s*)(['\"]?)(.+?)\\2(\\s*)$/, (_, spaces1, quote, name, spaces2) => {\n name = `${unscopedKeyframesSet.has(unescapeQuotes(name, quote)) ? scopeSelector + '_' : ''}${name}`;\n return `${spaces1}${quote}${name}${quote}${spaces2}`;\n });\n }\n /**\n * Scope an animation rule so that the keyframes mentioned in such rule\n * are scoped if defined in the component's css and left untouched otherwise.\n *\n * It can scope values of both the 'animation' and 'animation-name' properties.\n *\n * @param rule css rule to scope.\n * @param scopeSelector the component's scope selector.\n * @param unscopedKeyframesSet the set of unscoped keyframes names.\n *\n * @returns the updated css rule.\n **/\n _scopeAnimationRule(rule, scopeSelector, unscopedKeyframesSet) {\n let content = rule.content.replace(/((?:^|\\s+|;)(?:-webkit-)?animation(?:\\s*):(?:\\s*))([^;]+)/g, (_, start, animationDeclarations) => start +\n animationDeclarations.replace(this._animationDeclarationKeyframesRe, (original, leadingSpaces, quote = '', quotedName, nonQuotedName) => {\n if (quotedName) {\n return `${leadingSpaces}${this._scopeAnimationKeyframe(`${quote}${quotedName}${quote}`, scopeSelector, unscopedKeyframesSet)}`;\n }\n else {\n return animationKeywords.has(nonQuotedName) ?\n original :\n `${leadingSpaces}${this._scopeAnimationKeyframe(nonQuotedName, scopeSelector, unscopedKeyframesSet)}`;\n }\n }));\n content = content.replace(/((?:^|\\s+|;)(?:-webkit-)?animation-name(?:\\s*):(?:\\s*))([^;]+)/g, (_match, start, commaSeparatedKeyframes) => `${start}${commaSeparatedKeyframes.split(',')\n .map((keyframe) => this._scopeAnimationKeyframe(keyframe, scopeSelector, unscopedKeyframesSet))\n .join(',')}`);\n return { ...rule, content };\n }\n /*\n * Process styles to convert native ShadowDOM rules that will trip\n * up the css parser; we rely on decorating the stylesheet with inert rules.\n *\n * For example, we convert this rule:\n *\n * polyfill-next-selector { content: ':host menu-item'; }\n * ::content menu-item {\n *\n * to this:\n *\n * scopeName menu-item {\n *\n **/\n _insertPolyfillDirectivesInCssText(cssText) {\n return cssText.replace(_cssContentNextSelectorRe, function (...m) {\n return m[2] + '{';\n });\n }\n /*\n * Process styles to add rules which will only apply under the polyfill\n *\n * For example, we convert this rule:\n *\n * polyfill-rule {\n * content: ':host menu-item';\n * ...\n * }\n *\n * to this:\n *\n * scopeName menu-item {...}\n *\n **/\n _insertPolyfillRulesInCssText(cssText) {\n return cssText.replace(_cssContentRuleRe, (...m) => {\n const rule = m[0].replace(m[1], '').replace(m[2], '');\n return m[4] + rule;\n });\n }\n /* Ensure styles are scoped. Pseudo-scoping takes a rule like:\n *\n * .foo {... }\n *\n * and converts this to\n *\n * scopeName .foo { ... }\n */\n _scopeCssText(cssText, scopeSelector, hostSelector) {\n const unscopedRules = this._extractUnscopedRulesFromCssText(cssText);\n // replace :host and :host-context -shadowcsshost and -shadowcsshost respectively\n cssText = this._insertPolyfillHostInCssText(cssText);\n cssText = this._convertColonHost(cssText);\n cssText = this._convertColonHostContext(cssText);\n cssText = this._convertShadowDOMSelectors(cssText);\n if (scopeSelector) {\n cssText = this._scopeKeyframesRelatedCss(cssText, scopeSelector);\n cssText = this._scopeSelectors(cssText, scopeSelector, hostSelector);\n }\n cssText = cssText + '\\n' + unscopedRules;\n return cssText.trim();\n }\n /*\n * Process styles to add rules which will only apply under the polyfill\n * and do not process via CSSOM. (CSSOM is destructive to rules on rare\n * occasions, e.g. -webkit-calc on Safari.)\n * For example, we convert this rule:\n *\n * @polyfill-unscoped-rule {\n * content: 'menu-item';\n * ... }\n *\n * to this:\n *\n * menu-item {...}\n *\n **/\n _extractUnscopedRulesFromCssText(cssText) {\n let r = '';\n let m;\n _cssContentUnscopedRuleRe.lastIndex = 0;\n while ((m = _cssContentUnscopedRuleRe.exec(cssText)) !== null) {\n const rule = m[0].replace(m[2], '').replace(m[1], m[4]);\n r += rule + '\\n\\n';\n }\n return r;\n }\n /*\n * convert a rule like :host(.foo) > .bar { }\n *\n * to\n *\n * .foo<scopeName> > .bar\n */\n _convertColonHost(cssText) {\n return cssText.replace(_cssColonHostRe, (_, hostSelectors, otherSelectors) => {\n if (hostSelectors) {\n const convertedSelectors = [];\n const hostSelectorArray = hostSelectors.split(',').map((p) => p.trim());\n for (const hostSelector of hostSelectorArray) {\n if (!hostSelector)\n break;\n const convertedSelector = _polyfillHostNoCombinator + hostSelector.replace(_polyfillHost, '') + otherSelectors;\n convertedSelectors.push(convertedSelector);\n }\n return convertedSelectors.join(',');\n }\n else {\n return _polyfillHostNoCombinator + otherSelectors;\n }\n });\n }\n /*\n * convert a rule like :host-context(.foo) > .bar { }\n *\n * to\n *\n * .foo<scopeName> > .bar, .foo <scopeName> > .bar { }\n *\n * and\n *\n * :host-context(.foo:host) .bar { ... }\n *\n * to\n *\n * .foo<scopeName> .bar { ... }\n */\n _convertColonHostContext(cssText) {\n return cssText.replace(_cssColonHostContextReGlobal, (selectorText) => {\n // We have captured a selector that contains a `:host-context` rule.\n // For backward compatibility `:host-context` may contain a comma separated list of selectors.\n // Each context selector group will contain a list of host-context selectors that must match\n // an ancestor of the host.\n // (Normally `contextSelectorGroups` will only contain a single array of context selectors.)\n const contextSelectorGroups = [[]];\n // There may be more than `:host-context` in this selector so `selectorText` could look like:\n // `:host-context(.one):host-context(.two)`.\n // Execute `_cssColonHostContextRe` over and over until we have extracted all the\n // `:host-context` selectors from this selector.\n let match;\n while ((match = _cssColonHostContextRe.exec(selectorText))) {\n // `match` = [':host-context(<selectors>)<rest>', <selectors>, <rest>]\n // The `<selectors>` could actually be a comma separated list: `:host-context(.one, .two)`.\n const newContextSelectors = (match[1] ?? '').trim().split(',').map((m) => m.trim()).filter((m) => m !== '');\n // We must duplicate the current selector group for each of these new selectors.\n // For example if the current groups are:\n // ```\n // [\n // ['a', 'b', 'c'],\n // ['x', 'y', 'z'],\n // ]\n // ```\n // And we have a new set of comma separated selectors: `:host-context(m,n)` then the new\n // groups are:\n // ```\n // [\n // ['a', 'b', 'c', 'm'],\n // ['x', 'y', 'z', 'm'],\n // ['a', 'b', 'c', 'n'],\n // ['x', 'y', 'z', 'n'],\n // ]\n // ```\n const contextSelectorGroupsLength = contextSelectorGroups.length;\n repeatGroups(contextSelectorGroups, newContextSelectors.length);\n for (let i = 0; i < newContextSelectors.length; i++) {\n for (let j = 0; j < contextSelectorGroupsLength; j++) {\n contextSelectorGroups[j + i * contextSelectorGroupsLength].push(newContextSelectors[i]);\n }\n }\n // Update the `selectorText` and see repeat to see if there are more `:host-context`s.\n selectorText = match[2];\n }\n // The context selectors now must be combined with each other to capture all the possible\n // selectors that `:host-context` can match. See `combineHostContextSelectors()` for more\n // info about how this is done.\n return contextSelectorGroups\n .map((contextSelectors) => combineHostContextSelectors(contextSelectors, selectorText))\n .join(', ');\n });\n }\n /*\n * Convert combinators like ::shadow and pseudo-elements like ::content\n * by replacing with space.\n */\n _convertShadowDOMSelectors(cssText) {\n return _shadowDOMSelectorsRe.reduce((result, pattern) => result.replace(pattern, ' '), cssText);\n }\n // change a selector like 'div' to 'name div'\n _scopeSelectors(cssText, scopeSelector, hostSelector) {\n return processRules(cssText, (rule) => {\n let selector = rule.selector;\n let content = rule.content;\n if (rule.selector[0] !== '@') {\n selector = this._scopeSelector(rule.selector, scopeSelector, hostSelector);\n }\n else if (rule.selector.startsWith('@media') || rule.selector.startsWith('@supports') ||\n rule.selector.startsWith('@document') || rule.selector.startsWith('@layer') ||\n rule.selector.startsWith('@container') || rule.selector.startsWith('@scope')) {\n content = this._scopeSelectors(rule.content, scopeSelector, hostSelector);\n }\n else if (rule.selector.startsWith('@font-face') || rule.selector.startsWith('@page')) {\n content = this._stripScopingSelectors(rule.content);\n }\n return new CssRule(selector, content);\n });\n }\n /**\n * Handle a css text that is within a rule that should not contain scope selectors by simply\n * removing them! An example of such a rule is `@font-face`.\n *\n * `@font-face` rules cannot contain nested selectors. Nor can they be nested under a selector.\n * Normally this would be a syntax error by the author of the styles. But in some rare cases, such\n * as importing styles from a library, and applying `:host ::ng-deep` to the imported styles, we\n * can end up with broken css if the imported styles happen to contain @font-face rules.\n *\n * For example:\n *\n * ```\n * :host ::ng-deep {\n * import 'some/lib/containing/font-face';\n * }\n *\n * Similar logic applies to `@page` rules which can contain a particular set of properties,\n * as well as some specific at-rules. Since they can't be encapsulated, we have to strip\n * any scoping selectors from them. For more information: https://www.w3.org/TR/css-page-3\n * ```\n */\n _stripScopingSelectors(cssText) {\n return processRules(cssText, (rule) => {\n const selector = rule.selector.replace(_shadowDeepSelectors, ' ')\n .replace(_polyfillHostNoCombinatorRe, ' ');\n return new CssRule(selector, rule.content);\n });\n }\n _scopeSelector(selector, scopeSelector, hostSelector) {\n return selector.split(',')\n .map((part) => part.trim().split(_shadowDeepSelectors))\n .map((deepParts) => {\n const [shallowPart, ...otherParts] = deepParts;\n const applyScope = (shallowPart) => {\n if (this._selectorNeedsScoping(shallowPart, scopeSelector)) {\n return this._applySelectorScope(shallowPart, scopeSelector, hostSelector);\n }\n else {\n return shallowPart;\n }\n };\n return [applyScope(shallowPart), ...otherParts].join(' ');\n })\n .join(', ');\n }\n _selectorNeedsScoping(selector, scopeSelector) {\n const re = this._makeScopeMatcher(scopeSelector);\n return !re.test(selector);\n }\n _makeScopeMatcher(scopeSelector) {\n const lre = /\\[/g;\n const rre = /\\]/g;\n scopeSelector = scopeSelector.replace(lre, '\\\\[').replace(rre, '\\\\]');\n return new RegExp('^(' + scopeSelector + ')' + _selectorReSuffix, 'm');\n }\n // scope via name and [is=name]\n _applySimpleSelectorScope(selector, scopeSelector, hostSelector) {\n // In Android browser, the lastIndex is not reset when the regex is used in String.replace()\n _polyfillHostRe.lastIndex = 0;\n if (_polyfillHostRe.test(selector)) {\n const replaceBy = `[${hostSelector}]`;\n return selector\n .replace(_polyfillHostNoCombinatorRe, (hnc, selector) => {\n return selector.replace(/([^:]*)(:*)(.*)/, (_, before, colon, after) => {\n return before + replaceBy + colon + after;\n });\n })\n .replace(_polyfillHostRe, replaceBy + ' ');\n }\n return scopeSelector + ' ' + selector;\n }\n // return a selector with [name] suffix on each simple selector\n // e.g. .foo.bar > .zot becomes .foo[name].bar[name] > .zot[name] /** @internal */\n _applySelectorScope(selector, scopeSelector, hostSelector) {\n const isRe = /\\[is=([^\\]]*)\\]/g;\n scopeSelector = scopeSelector.replace(isRe, (_, ...parts) => parts[0]);\n const attrName = '[' + scopeSelector + ']';\n const _scopeSelectorPart = (p) => {\n let scopedP = p.trim();\n if (!scopedP) {\n return '';\n }\n if (p.indexOf(_polyfillHostNoCombinator) > -1) {\n scopedP = this._applySimpleSelectorScope(p, scopeSelector, hostSelector);\n }\n else {\n // remove :host since it should be unnecessary\n const t = p.replace(_polyfillHostRe, '');\n if (t.length > 0) {\n const matches = t.match(/([^:]*)(:*)(.*)/);\n if (matches) {\n scopedP = matches[1] + attrName + matches[2] + matches[3];\n }\n }\n }\n return scopedP;\n };\n const safeContent = new SafeSelector(selector);\n selector = safeContent.content();\n let scopedSelector = '';\n let startIndex = 0;\n let res;\n const sep = /( |>|\\+|~(?!=))\\s*/g;\n // If a selector appears before :host it should not be shimmed as it\n // matches on ancestor elements and not on elements in the host's shadow\n // `:host-context(div)` is transformed to\n // `-shadowcsshost-no-combinatordiv, div -shadowcsshost-no-combinator`\n // the `div` is not part of the component in the 2nd selectors and should not be scoped.\n // Historically `component-tag:host` was matching the component so we also want to preserve\n // this behavior to avoid breaking legacy apps (it should not match).\n // The behavior should be:\n // - `tag:host` -> `tag[h]` (this is to avoid breaking legacy apps, should not match anything)\n // - `tag :host` -> `tag [h]` (`tag` is not scoped because it's considered part of a\n // `:host-context(tag)`)\n const hasHost = selector.indexOf(_polyfillHostNoCombinator) > -1;\n // Only scope parts after the first `-shadowcsshost-no-combinator` when it is present\n let shouldScope = !hasHost;\n while ((res = sep.exec(selector)) !== null) {\n const separator = res[1];\n const part = selector.slice(startIndex, res.index).trim();\n // A space following an escaped hex value and followed by another hex character\n // (ie: \".\\fc ber\" for \".über\") is not a separator between 2 selectors\n // also keep in mind that backslashes are replaced by a placeholder by SafeSelector\n // These escaped selectors happen for example when esbuild runs with optimization.minify.\n if (part.match(_placeholderRe) && selector[res.index + 1]?.match(/[a-fA-F\\d]/)) {\n continue;\n }\n shouldScope = shouldScope || part.indexOf(_polyfillHostNoCombinator) > -1;\n const scopedPart = shouldScope ? _scopeSelectorPart(part) : part;\n scopedSelector += `${scopedPart} ${separator} `;\n startIndex = sep.lastIndex;\n }\n const part = selector.substring(startIndex);\n shouldScope = shouldScope || part.indexOf(_polyfillHostNoCombinator) > -1;\n scopedSelector += shouldScope ? _scopeSelectorPart(part) : part;\n // replace the placeholders with their original values\n return safeContent.restore(scopedSelector);\n }\n _insertPolyfillHostInCssText(selector) {\n return selector.replace(_colonHostContextRe, _polyfillHostContext)\n .replace(_colonHostRe, _polyfillHost);\n }\n}\nclass SafeSelector {\n constructor(selector) {\n this.placeholders = [];\n this.index = 0;\n // Replaces attribute selectors with placeholders.\n // The WS in [attr=\"va lue\"] would otherwise be interpreted as a selector separator.\n selector = this._escapeRegexMatches(selector, /(\\[[^\\]]*\\])/g);\n // CSS allows for certain special characters to be used in selectors if they're escaped.\n // E.g. `.foo:blue` won't match a class called `foo:blue`, because the colon denotes a\n // pseudo-class, but writing `.foo\\:blue` will match, because the colon was escaped.\n // Replace all escape sequences (`\\` followed by a character) with a placeholder so\n // that our handling of pseudo-selectors doesn't mess with them.\n selector = this._escapeRegexMatches(selector, /(\\\\.)/g);\n // Replaces the expression in `:nth-child(2n + 1)` with a placeholder.\n // WS and \"+\" would otherwise be interpreted as selector separators.\n this._content = selector.replace(/(:nth-[-\\w]+)(\\([^)]+\\))/g, (_, pseudo, exp) => {\n const replaceBy = `__ph-${this.index}__`;\n this.placeholders.push(exp);\n this.index++;\n return pseudo + replaceBy;\n });\n }\n restore(content) {\n return content.replace(_placeholderRe, (_ph, index) => this.placeholders[+index]);\n }\n content() {\n return this._content;\n }\n /**\n * Replaces all of the substrings that match a regex within a\n * special string (e.g. `__ph-0__`, `__ph-1__`, etc).\n */\n _escapeRegexMatches(content, pattern) {\n return content.replace(pattern, (_, keep) => {\n const replaceBy = `__ph-${this.index}__`;\n this.placeholders.push(keep);\n this.index++;\n return replaceBy;\n });\n }\n}\nconst _cssContentNextSelectorRe = /polyfill-next-selector[^}]*content:[\\s]*?(['\"])(.*?)\\1[;\\s]*}([^{]*?){/gim;\nconst _cssContentRuleRe = /(polyfill-rule)[^}]*(content:[\\s]*(['\"])(.*?)\\3)[;\\s]*[^}]*}/gim;\nconst _cssContentUnscopedRuleRe = /(polyfill-unscoped-rule)[^}]*(content:[\\s]*(['\"])(.*?)\\3)[;\\s]*[^}]*}/gim;\nconst _polyfillHost = '-shadowcsshost';\n// note: :host-context pre-processed to -shadowcsshostcontext.\nconst _polyfillHostContext = '-shadowcsscontext';\nconst _parenSuffix = '(?:\\\\((' +\n '(?:\\\\([^)(]*\\\\)|[^)(]*)+?' +\n ')\\\\))?([^,{]*)';\nconst _cssColonHostRe = new RegExp(_polyfillHost + _parenSuffix, 'gim');\nconst _cssColonHostContextReGlobal = new RegExp(_polyfillHostContext + _parenSuffix, 'gim');\nconst _cssColonHostContextRe = new RegExp(_polyfillHostContext + _parenSuffix, 'im');\nconst _polyfillHostNoCombinator = _polyfillHost + '-no-combinator';\nconst _polyfillHostNoCombinatorRe = /-shadowcsshost-no-combinator([^\\s]*)/;\nconst _shadowDOMSelectorsRe = [\n /::shadow/g,\n /::content/g,\n // Deprecated selectors\n /\\/shadow-deep\\//g,\n /\\/shadow\\//g,\n];\n// The deep combinator is deprecated in the CSS spec\n// Support for `>>>`, `deep`, `::ng-deep` is then also deprecated and will be removed in the future.\n// see https://github.com/angular/angular/pull/17677\nconst _shadowDeepSelectors = /(?:>>>)|(?:\\/deep\\/)|(?:::ng-deep)/g;\nconst _selectorReSuffix = '([>\\\\s~+[.,{:][\\\\s\\\\S]*)?$';\nconst _polyfillHostRe = /-shadowcsshost/gim;\nconst _colonHostRe = /:host/gim;\nconst _colonHostContextRe = /:host-context/gim;\nconst _newLinesRe = /\\r?\\n/g;\nconst _commentRe = /\\/\\*[\\s\\S]*?\\*\\//g;\nconst _commentWithHashRe = /\\/\\*\\s*#\\s*source(Mapping)?URL=/g;\nconst COMMENT_PLACEHOLDER = '%COMMENT%';\nconst _commentWithHashPlaceHolderRe = new RegExp(COMMENT_PLACEHOLDER, 'g');\nconst _placeholderRe = /__ph-(\\d+)__/g;\nconst BLOCK_PLACEHOLDER = '%BLOCK%';\nconst _ruleRe = new RegExp(`(\\\\s*(?:${COMMENT_PLACEHOLDER}\\\\s*)*)([^;\\\\{\\\\}]+?)(\\\\s*)((?:{%BLOCK%}?\\\\s*;?)|(?:\\\\s*;))`, 'g');\nconst CONTENT_PAIRS = new Map([['{', '}']]);\nconst COMMA_IN_PLACEHOLDER = '%COMMA_IN_PLACEHOLDER%';\nconst SEMI_IN_PLACEHOLDER = '%SEMI_IN_PLACEHOLDER%';\nconst COLON_IN_PLACEHOLDER = '%COLON_IN_PLACEHOLDER%';\nconst _cssCommaInPlaceholderReGlobal = new RegExp(COMMA_IN_PLACEHOLDER, 'g');\nconst _cssSemiInPlaceholderReGlobal = new RegExp(SEMI_IN_PLACEHOLDER, 'g');\nconst _cssColonInPlaceholderReGlobal = new RegExp(COLON_IN_PLACEHOLDER, 'g');\nclass CssRule {\n constructor(selector, content) {\n this.selector = selector;\n this.content = content;\n }\n}\nfunction processRules(input, ruleCallback) {\n const escaped = escapeInStrings(input);\n const inputWithEscapedBlocks = escapeBlocks(escaped, CONTENT_PAIRS, BLOCK_PLACEHOLDER);\n let nextBlockIndex = 0;\n const escapedResult = inputWithEscapedBlocks.escapedString.replace(_ruleRe, (...m) => {\n const selector = m[2];\n let content = '';\n let suffix = m[4];\n let contentPrefix = '';\n if (suffix && suffix.startsWith('{' + BLOCK_PLACEHOLDER)) {\n content = inputWithEscapedBlocks.blocks[nextBlockIndex++];\n suffix = suffix.substring(BLOCK_PLACEHOLDER.length + 1);\n contentPrefix = '{';\n }\n const rule = ruleCallback(new CssRule(selector, content));\n return `${m[1]}${rule.selector}${m[3]}${contentPrefix}${rule.content}${suffix}`;\n });\n return unescapeInStrings(escapedResult);\n}\nclass StringWithEscapedBlocks {\n constructor(escapedString, blocks) {\n this.escapedString = escapedString;\n this.blocks = blocks;\n }\n}\nfunction escapeBlocks(input, charPairs, placeholder) {\n const resultParts = [];\n const escapedBlocks = [];\n let openCharCount = 0;\n let nonBlockStartIndex = 0;\n let blockStartIndex = -1;\n let openChar;\n let closeChar;\n for (let i = 0; i < input.length; i++) {\n const char = input[i];\n if (char === '\\\\') {\n i++;\n }\n else if (char === closeChar) {\n openCharCount--;\n if (openCharCount === 0) {\n escapedBlocks.push(input.substring(blockStartIndex, i));\n resultParts.push(placeholder);\n nonBlockStartIndex = i;\n blockStartIndex = -1;\n openChar = closeChar = undefined;\n }\n }\n else if (char === openChar) {\n openCharCount++;\n }\n else if (openCharCount === 0 && charPairs.has(char)) {\n openChar = char;\n closeChar = charPairs.get(char);\n openCharCount = 1;\n blockStartIndex = i + 1;\n resultParts.push(input.substring(nonBlockStartIndex, blockStartIndex));\n }\n }\n if (blockStartIndex !== -1) {\n escapedBlocks.push(input.substring(blockStartIndex));\n resultParts.push(placeholder);\n }\n else {\n resultParts.push(input.substring(nonBlockStartIndex));\n }\n return new StringWithEscapedBlocks(resultParts.join(''), escapedBlocks);\n}\n/**\n * Object containing as keys characters that should be substituted by placeholders\n * when found in strings during the css text parsing, and as values the respective\n * placeholders\n */\nconst ESCAPE_IN_STRING_MAP = {\n ';': SEMI_IN_PLACEHOLDER,\n ',': COMMA_IN_PLACEHOLDER,\n ':': COLON_IN_PLACEHOLDER\n};\n/**\n * Parse the provided css text and inside strings (meaning, inside pairs of unescaped single or\n * double quotes) replace specific characters with their respective placeholders as indicated\n * by the `ESCAPE_IN_STRING_MAP` map.\n *\n * For example convert the text\n * `animation: \"my-anim:at\\\"ion\" 1s;`\n * to\n * `animation: \"my-anim%COLON_IN_PLACEHOLDER%at\\\"ion\" 1s;`\n *\n * This is necessary in order to remove the meaning of some characters when found inside strings\n * (for example `;` indicates the end of a css declaration, `,` the sequence of values and `:` the\n * division between property and value during a declaration, none of these meanings apply when such\n * characters are within strings and so in order to prevent parsing issues they need to be replaced\n * with placeholder text for the duration of the css manipulation process).\n *\n * @param input the original css text.\n *\n * @returns the css text with specific characters in strings replaced by placeholders.\n **/\nfunction escapeInStrings(input) {\n let result = input;\n let currentQuoteChar = null;\n for (let i = 0; i < result.length; i++) {\n const char = result[i];\n if (char === '\\\\') {\n i++;\n }\n else {\n if (currentQuoteChar !== null) {\n // index i is inside a quoted sub-string\n if (char === currentQuoteChar) {\n currentQuoteChar = null;\n }\n else {\n const placeholder = ESCAPE_IN_STRING_MAP[char];\n if (placeholder) {\n result = `${result.substr(0, i)}${placeholder}${result.substr(i + 1)}`;\n i += placeholder.length - 1;\n }\n }\n }\n else if (char === '\\'' || char === '\"') {\n currentQuoteChar = char;\n }\n }\n }\n return result;\n}\n/**\n * Replace in a string all occurrences of keys in the `ESCAPE_IN_STRING_MAP` map with their\n * original representation, this is simply used to revert the changes applied by the\n * escapeInStrings function.\n *\n * For example it reverts the text:\n * `animation: \"my-anim%COLON_IN_PLACEHOLDER%at\\\"ion\" 1s;`\n * to it's original form of:\n * `animation: \"my-anim:at\\\"ion\" 1s;`\n *\n * Note: For the sake of simplicity this function does not check that the placeholders are\n * actually inside strings as it would anyway be extremely unlikely to find them outside of strings.\n *\n * @param input the css text containing the placeholders.\n *\n * @returns the css text without the placeholders.\n */\nfunction unescapeInStrings(input) {\n let result = input.replace(_cssCommaInPlaceholderReGlobal, ',');\n result = result.replace(_cssSemiInPlaceholderReGlobal, ';');\n result = result.replace(_cssColonInPlaceholderReGlobal, ':');\n return result;\n}\n/**\n * Unescape all quotes present in a string, but only if the string was actually already\n * quoted.\n *\n * This generates a \"canonical\" representation of strings which can be used to match strings\n * which would otherwise only differ because of differently escaped quotes.\n *\n * For example it converts the string (assumed to be quoted):\n * `this \\\\\"is\\\\\" a \\\\'\\\\\\\\'test`\n * to:\n * `this \"is\" a '\\\\\\\\'test`\n * (note that the latter backslashes are not removed as they are not actually escaping the single\n * quote)\n *\n *\n * @param input the string possibly containing escaped quotes.\n * @param isQuoted boolean indicating whether the string was quoted inside a bigger string (if not\n * then it means that it doesn't represent an inner string and thus no unescaping is required)\n *\n * @returns the string in the \"canonical\" representation without escaped quotes.\n */\nfunction unescapeQuotes(str, isQuoted) {\n return !isQuoted ? str : str.replace(/((?:^|[^\\\\])(?:\\\\\\\\)*)\\\\(?=['\"])/g, '$1');\n}\n/**\n * Combine the `contextSelectors` with the `hostMarker` and the `otherSelectors`\n * to create a selector that matches the same as `:host-context()`.\n *\n * Given a single context selector `A` we need to output selectors that match on the host and as an\n * ancestor of the host:\n *\n * ```\n * A <hostMarker>, A<hostMarker> {}\n * ```\n *\n * When there is more than one context selector we also have to create combinations of those\n * selectors with each other. For example if there are `A` and `B` selectors the output is:\n *\n * ```\n * AB<hostMarker>, AB <hostMarker>, A B<hostMarker>,\n * B A<hostMarker>, A B <hostMarker>, B A <hostMarker> {}\n * ```\n *\n * And so on...\n *\n * @param contextSelectors an array of context selectors that will be combined.\n * @param otherSelectors the rest of the selectors that are not context selectors.\n */\nfunction combineHostContextSelectors(contextSelectors, otherSelectors) {\n const hostMarker = _polyfillHostNoCombinator;\n _polyfillHostRe.lastIndex = 0; // reset the regex to ensure we get an accurate test\n const otherSelectorsHasHost = _polyfillHostRe.test(otherSelectors);\n // If there are no context selectors then just output a host marker\n if (contextSelectors.length === 0) {\n return hostMarker + otherSelectors;\n }\n const combined = [contextSelectors.pop() || ''];\n while (contextSelectors.length > 0) {\n const length = combined.length;\n const contextSelector = contextSelectors.pop();\n for (let i = 0; i < length; i++) {\n const previousSelectors = combined[i];\n // Add the new selector as a descendant of the previous selectors\n combined[length * 2 + i] = previousSelectors + ' ' + contextSelector;\n // Add the new selector as an ancestor of the previous selectors\n combined[length + i] = contextSelector + ' ' + previousSelectors;\n // Add the new selector to act on the same element as the previous selectors\n combined[i] = contextSelector + previousSelectors;\n }\n }\n // Finally connect the selector to the `hostMarker`s: either acting directly on the host\n // (A<hostMarker>) or as an ancestor (A <hostMarker>).\n return combined\n .map(s => otherSelectorsHasHost ?\n `${s}${otherSelectors}` :\n `${s}${hostMarker}${otherSelectors}, ${s} ${hostMarker}${otherSelectors}`)\n .join(',');\n}\n/**\n * Mutate the given `groups` array so that there are `multiples` clones of the original array\n * stored.\n *\n * For example `repeatGroups([a, b], 3)` will result in `[a, b, a, b, a, b]` - but importantly the\n * newly added groups will be clones of the original.\n *\n * @param groups An array of groups of strings that will be repeated. This array is mutated\n * in-place.\n * @param multiples The number of times the current groups should appear.\n */\nfunction repeatGroups(groups, multiples) {\n const length = groups.length;\n for (let i = 1; i < multiples; i++) {\n for (let j = 0; j < length; j++) {\n groups[j + (i * length)] = groups[j].slice(0);\n }\n }\n}\n\nvar TagContentType;\n(function (TagContentType) {\n TagContentType[TagContentType[\"RAW_TEXT\"] = 0] = \"RAW_TEXT\";\n TagContentType[TagContentType[\"ESCAPABLE_RAW_TEXT\"] = 1] = \"ESCAPABLE_RAW_TEXT\";\n TagContentType[TagContentType[\"PARSABLE_DATA\"] = 2] = \"PARSABLE_DATA\";\n})(TagContentType || (TagContentType = {}));\nfunction splitNsName(elementName) {\n if (elementName[0] != ':') {\n return [null, elementName];\n }\n const colonIndex = elementName.indexOf(':', 1);\n if (colonIndex === -1) {\n throw new Error(`Unsupported format \"${elementName}\" expecting \":namespace:name\"`);\n }\n return [elementName.slice(1, colonIndex), elementName.slice(colonIndex + 1)];\n}\n// `<ng-container>` tags work the same regardless the namespace\nfunction isNgContainer(tagName) {\n return splitNsName(tagName)[1] === 'ng-container';\n}\n// `<ng-content>` tags work the same regardless the namespace\nfunction isNgContent(tagName) {\n return splitNsName(tagName)[1] === 'ng-content';\n}\n// `<ng-template>` tags work the same regardless the namespace\nfunction isNgTemplate(tagName) {\n return splitNsName(tagName)[1] === 'ng-template';\n}\nfunction getNsPrefix(fullName) {\n return fullName === null ? null : splitNsName(fullName)[0];\n}\nfunction mergeNsAndName(prefix, localName) {\n return prefix ? `:${prefix}:${localName}` : localName;\n}\n\n/**\n * Enumeration of the types of attributes which can be applied to an element.\n */\nvar BindingKind;\n(function (BindingKind) {\n /**\n * Static attributes.\n */\n BindingKind[BindingKind[\"Attribute\"] = 0] = \"Attribute\";\n /**\n * Class bindings.\n */\n BindingKind[BindingKind[\"ClassName\"] = 1] = \"ClassName\";\n /**\n * Style bindings.\n */\n BindingKind[BindingKind[\"StyleProperty\"] = 2] = \"StyleProperty\";\n /**\n * Dynamic property bindings.\n */\n BindingKind[BindingKind[\"Property\"] = 3] = \"Property\";\n /**\n * Property or attribute bindings on a template.\n */\n BindingKind[BindingKind[\"Template\"] = 4] = \"Template\";\n /**\n * Internationalized attributes.\n */\n BindingKind[BindingKind[\"I18n\"] = 5] = \"I18n\";\n /**\n * TODO: Consider how Animations are handled, and if they should be a distinct BindingKind.\n */\n BindingKind[BindingKind[\"Animation\"] = 6] = \"Animation\";\n})(BindingKind || (BindingKind = {}));\nconst FLYWEIGHT_ARRAY = Object.freeze([]);\n/**\n * Container for all of the various kinds of attributes which are applied on an element.\n */\nclass ElementAttributes {\n constructor() {\n this.known = new Set();\n this.byKind = new Map;\n this.projectAs = null;\n }\n get attributes() {\n return this.byKind.get(BindingKind.Attribute) ?? FLYWEIGHT_ARRAY;\n }\n get classes() {\n return this.byKind.get(BindingKind.ClassName) ?? FLYWEIGHT_ARRAY;\n }\n get styles() {\n return this.byKind.get(BindingKind.StyleProperty) ?? FLYWEIGHT_ARRAY;\n }\n get bindings() {\n return this.byKind.get(BindingKind.Property) ?? FLYWEIGHT_ARRAY;\n }\n get template() {\n return this.byKind.get(BindingKind.Template) ?? FLYWEIGHT_ARRAY;\n }\n get i18n() {\n return this.byKind.get(BindingKind.I18n) ?? FLYWEIGHT_ARRAY;\n }\n add(kind, name, value) {\n if (this.known.has(name)) {\n return;\n }\n this.known.add(name);\n const array = this.arrayFor(kind);\n array.push(...getAttributeNameLiterals$1(name));\n if (kind === BindingKind.Attribute || kind === BindingKind.StyleProperty) {\n if (value === null) {\n throw Error('Attribute & style element attributes must have a value');\n }\n array.push(value);\n }\n }\n arrayFor(kind) {\n if (!this.byKind.has(kind)) {\n this.byKind.set(kind, []);\n }\n return this.byKind.get(kind);\n }\n}\nfunction getAttributeNameLiterals$1(name) {\n const [attributeNamespace, attributeName] = splitNsName(name);\n const nameLiteral = literal(attributeName);\n if (attributeNamespace) {\n return [\n literal(0 /* core.AttributeMarker.NamespaceURI */), literal(attributeNamespace), nameLiteral\n ];\n }\n return [nameLiteral];\n}\nfunction assertIsElementAttributes(attrs) {\n if (!(attrs instanceof ElementAttributes)) {\n throw new Error(`AssertionError: ElementAttributes has already been coalesced into the view constants`);\n }\n}\n\n/**\n * Distinguishes different kinds of IR operations.\n *\n * Includes both creation and update operations.\n */\nvar OpKind;\n(function (OpKind) {\n /**\n * A special operation type which is used to represent the beginning and end nodes of a linked\n * list of operations.\n */\n OpKind[OpKind[\"ListEnd\"] = 0] = \"ListEnd\";\n /**\n * An operation which wraps an output AST statement.\n */\n OpKind[OpKind[\"Statement\"] = 1] = \"Statement\";\n /**\n * An operation which declares and initializes a `SemanticVariable`.\n */\n OpKind[OpKind[\"Variable\"] = 2] = \"Variable\";\n /**\n * An operation to begin rendering of an element.\n */\n OpKind[OpKind[\"ElementStart\"] = 3] = \"ElementStart\";\n /**\n * An operation to render an element with no children.\n */\n OpKind[OpKind[\"Element\"] = 4] = \"Element\";\n /**\n * An operation which declares an embedded view.\n */\n OpKind[OpKind[\"Template\"] = 5] = \"Template\";\n /**\n * An operation to end rendering of an element previously started with `ElementStart`.\n */\n OpKind[OpKind[\"ElementEnd\"] = 6] = \"ElementEnd\";\n /**\n * An operation to begin an `ng-container`.\n */\n OpKind[OpKind[\"ContainerStart\"] = 7] = \"ContainerStart\";\n /**\n * An operation for an `ng-container` with no children.\n */\n OpKind[OpKind[\"Container\"] = 8] = \"Container\";\n /**\n * An operation to end an `ng-container`.\n */\n OpKind[OpKind[\"ContainerEnd\"] = 9] = \"ContainerEnd\";\n /**\n * An operation disable binding for subsequent elements, which are descendants of a non-bindable\n * node.\n */\n OpKind[OpKind[\"DisableBindings\"] = 10] = \"DisableBindings\";\n /**\n * An operation to re-enable binding, after it was previously disabled.\n */\n OpKind[OpKind[\"EnableBindings\"] = 11] = \"EnableBindings\";\n /**\n * An operation to render a text node.\n */\n OpKind[OpKind[\"Text\"] = 12] = \"Text\";\n /**\n * An operation declaring an event listener for an element.\n */\n OpKind[OpKind[\"Listener\"] = 13] = \"Listener\";\n /**\n * An operation to interpolate text into a text node.\n */\n OpKind[OpKind[\"InterpolateText\"] = 14] = \"InterpolateText\";\n /**\n * An intermediate binding op, that has not yet been processed into an individual property,\n * attribute, style, etc.\n */\n OpKind[OpKind[\"Binding\"] = 15] = \"Binding\";\n /**\n * An operation to bind an expression to a property of an element.\n */\n OpKind[OpKind[\"Property\"] = 16] = \"Property\";\n /**\n * An operation to bind an expression to a style property of an element.\n */\n OpKind[OpKind[\"StyleProp\"] = 17] = \"StyleProp\";\n /**\n * An operation to bind an expression to a class property of an element.\n */\n OpKind[OpKind[\"ClassProp\"] = 18] = \"ClassProp\";\n /**\n * An operation to bind an expression to the styles of an element.\n */\n OpKind[OpKind[\"StyleMap\"] = 19] = \"StyleMap\";\n /**\n * An operation to bind an expression to the classes of an element.\n */\n OpKind[OpKind[\"ClassMap\"] = 20] = \"ClassMap\";\n /**\n * An operation to advance the runtime's implicit slot context during the update phase of a view.\n */\n OpKind[OpKind[\"Advance\"] = 21] = \"Advance\";\n /**\n * An operation to instantiate a pipe.\n */\n OpKind[OpKind[\"Pipe\"] = 22] = \"Pipe\";\n /**\n * An operation to associate an attribute with an element.\n */\n OpKind[OpKind[\"Attribute\"] = 23] = \"Attribute\";\n /**\n * A host binding property.\n */\n OpKind[OpKind[\"HostProperty\"] = 24] = \"HostProperty\";\n /**\n * A namespace change, which causes the subsequent elements to be processed as either HTML or SVG.\n */\n OpKind[OpKind[\"Namespace\"] = 25] = \"Namespace\";\n // TODO: Add Host Listeners, and possibly other host ops also.\n})(OpKind || (OpKind = {}));\n/**\n * Distinguishes different kinds of IR expressions.\n */\nvar ExpressionKind;\n(function (ExpressionKind) {\n /**\n * Read of a variable in a lexical scope.\n */\n ExpressionKind[ExpressionKind[\"LexicalRead\"] = 0] = \"LexicalRead\";\n /**\n * A reference to the current view context.\n */\n ExpressionKind[ExpressionKind[\"Context\"] = 1] = \"Context\";\n /**\n * Read of a variable declared in a `VariableOp`.\n */\n ExpressionKind[ExpressionKind[\"ReadVariable\"] = 2] = \"ReadVariable\";\n /**\n * Runtime operation to navigate to the next view context in the view hierarchy.\n */\n ExpressionKind[ExpressionKind[\"NextContext\"] = 3] = \"NextContext\";\n /**\n * Runtime operation to retrieve the value of a local reference.\n */\n ExpressionKind[ExpressionKind[\"Reference\"] = 4] = \"Reference\";\n /**\n * Runtime operation to snapshot the current view context.\n */\n ExpressionKind[ExpressionKind[\"GetCurrentView\"] = 5] = \"GetCurrentView\";\n /**\n * Runtime operation to restore a snapshotted view.\n */\n ExpressionKind[ExpressionKind[\"RestoreView\"] = 6] = \"RestoreView\";\n /**\n * Runtime operation to reset the current view context after `RestoreView`.\n */\n ExpressionKind[ExpressionKind[\"ResetView\"] = 7] = \"ResetView\";\n /**\n * Defines and calls a function with change-detected arguments.\n */\n ExpressionKind[ExpressionKind[\"PureFunctionExpr\"] = 8] = \"PureFunctionExpr\";\n /**\n * Indicates a positional parameter to a pure function definition.\n */\n ExpressionKind[ExpressionKind[\"PureFunctionParameterExpr\"] = 9] = \"PureFunctionParameterExpr\";\n /**\n * Binding to a pipe transformation.\n */\n ExpressionKind[ExpressionKind[\"PipeBinding\"] = 10] = \"PipeBinding\";\n /**\n * Binding to a pipe transformation with a variable number of arguments.\n */\n ExpressionKind[ExpressionKind[\"PipeBindingVariadic\"] = 11] = \"PipeBindingVariadic\";\n /*\n * A safe property read requiring expansion into a null check.\n */\n ExpressionKind[ExpressionKind[\"SafePropertyRead\"] = 12] = \"SafePropertyRead\";\n /**\n * A safe keyed read requiring expansion into a null check.\n */\n ExpressionKind[ExpressionKind[\"SafeKeyedRead\"] = 13] = \"SafeKeyedRead\";\n /**\n * A safe function call requiring expansion into a null check.\n */\n ExpressionKind[ExpressionKind[\"SafeInvokeFunction\"] = 14] = \"SafeInvokeFunction\";\n /**\n * An intermediate expression that will be expanded from a safe read into an explicit ternary.\n */\n ExpressionKind[ExpressionKind[\"SafeTernaryExpr\"] = 15] = \"SafeTernaryExpr\";\n /**\n * An empty expression that will be stipped before generating the final output.\n */\n ExpressionKind[ExpressionKind[\"EmptyExpr\"] = 16] = \"EmptyExpr\";\n /*\n * An assignment to a temporary variable.\n */\n ExpressionKind[ExpressionKind[\"AssignTemporaryExpr\"] = 17] = \"AssignTemporaryExpr\";\n /**\n * A reference to a temporary variable.\n */\n ExpressionKind[ExpressionKind[\"ReadTemporaryExpr\"] = 18] = \"ReadTemporaryExpr\";\n /**\n * An expression representing a sanitizer function.\n */\n ExpressionKind[ExpressionKind[\"SanitizerExpr\"] = 19] = \"SanitizerExpr\";\n})(ExpressionKind || (ExpressionKind = {}));\n/**\n * Distinguishes between different kinds of `SemanticVariable`s.\n */\nvar SemanticVariableKind;\n(function (SemanticVariableKind) {\n /**\n * Represents the context of a particular view.\n */\n SemanticVariableKind[SemanticVariableKind[\"Context\"] = 0] = \"Context\";\n /**\n * Represents an identifier declared in the lexical scope of a view.\n */\n SemanticVariableKind[SemanticVariableKind[\"Identifier\"] = 1] = \"Identifier\";\n /**\n * Represents a saved state that can be used to restore a view in a listener handler function.\n */\n SemanticVariableKind[SemanticVariableKind[\"SavedView\"] = 2] = \"SavedView\";\n})(SemanticVariableKind || (SemanticVariableKind = {}));\n/**\n * Whether to compile in compatibilty mode. In compatibility mode, the template pipeline will\n * attempt to match the output of `TemplateDefinitionBuilder` as exactly as possible, at the cost of\n * producing quirky or larger code in some cases.\n */\nvar CompatibilityMode;\n(function (CompatibilityMode) {\n CompatibilityMode[CompatibilityMode[\"Normal\"] = 0] = \"Normal\";\n CompatibilityMode[CompatibilityMode[\"TemplateDefinitionBuilder\"] = 1] = \"TemplateDefinitionBuilder\";\n})(CompatibilityMode || (CompatibilityMode = {}));\n/**\n * Represents functions used to sanitize different pieces of a template.\n */\nvar SanitizerFn;\n(function (SanitizerFn) {\n SanitizerFn[SanitizerFn[\"Html\"] = 0] = \"Html\";\n SanitizerFn[SanitizerFn[\"Script\"] = 1] = \"Script\";\n SanitizerFn[SanitizerFn[\"Style\"] = 2] = \"Style\";\n SanitizerFn[SanitizerFn[\"Url\"] = 3] = \"Url\";\n SanitizerFn[SanitizerFn[\"ResourceUrl\"] = 4] = \"ResourceUrl\";\n SanitizerFn[SanitizerFn[\"IframeAttribute\"] = 5] = \"IframeAttribute\";\n})(SanitizerFn || (SanitizerFn = {}));\n\n/**\n * Marker symbol for `ConsumesSlotOpTrait`.\n */\nconst ConsumesSlot = Symbol('ConsumesSlot');\n/**\n * Marker symbol for `DependsOnSlotContextOpTrait`.\n */\nconst DependsOnSlotContext = Symbol('DependsOnSlotContext');\n/**\n * Marker symbol for `UsesSlotIndex` trait.\n */\nconst UsesSlotIndex = Symbol('UsesSlotIndex');\n/**\n * Marker symbol for `ConsumesVars` trait.\n */\nconst ConsumesVarsTrait = Symbol('ConsumesVars');\n/**\n * Marker symbol for `UsesVarOffset` trait.\n */\nconst UsesVarOffset = Symbol('UsesVarOffset');\n/**\n * Default values for most `ConsumesSlotOpTrait` fields (used with the spread operator to initialize\n * implementors of the trait).\n */\nconst TRAIT_CONSUMES_SLOT = {\n [ConsumesSlot]: true,\n slot: null,\n numSlotsUsed: 1,\n};\n/**\n * Default values for most `UsesSlotIndexTrait` fields (used with the spread operator to initialize\n * implementors of the trait).\n */\nconst TRAIT_USES_SLOT_INDEX = {\n [UsesSlotIndex]: true,\n slot: null,\n};\n/**\n * Default values for most `DependsOnSlotContextOpTrait` fields (used with the spread operator to\n * initialize implementors of the trait).\n */\nconst TRAIT_DEPENDS_ON_SLOT_CONTEXT = {\n [DependsOnSlotContext]: true,\n};\n/**\n * Default values for `UsesVars` fields (used with the spread operator to initialize\n * implementors of the trait).\n */\nconst TRAIT_CONSUMES_VARS = {\n [ConsumesVarsTrait]: true,\n};\n/**\n * Default values for `UsesVarOffset` fields (used with the spread operator to initialize\n * implementors of this trait).\n */\nconst TRAIT_USES_VAR_OFFSET = {\n [UsesVarOffset]: true,\n varOffset: null,\n};\n/**\n * Test whether an operation implements `ConsumesSlotOpTrait`.\n */\nfunction hasConsumesSlotTrait(op) {\n return op[ConsumesSlot] === true;\n}\n/**\n * Test whether an operation implements `DependsOnSlotContextOpTrait`.\n */\nfunction hasDependsOnSlotContextTrait(op) {\n return op[DependsOnSlotContext] === true;\n}\nfunction hasConsumesVarsTrait(value) {\n return value[ConsumesVarsTrait] === true;\n}\n/**\n * Test whether an expression implements `UsesVarOffsetTrait`.\n */\nfunction hasUsesVarOffsetTrait(expr) {\n return expr[UsesVarOffset] === true;\n}\nfunction hasUsesSlotIndexTrait(value) {\n return value[UsesSlotIndex] === true;\n}\n\n/**\n * Create a `StatementOp`.\n */\nfunction createStatementOp(statement) {\n return {\n kind: OpKind.Statement,\n statement,\n ...NEW_OP,\n };\n}\n/**\n * Create a `VariableOp`.\n */\nfunction createVariableOp(xref, variable, initializer) {\n return {\n kind: OpKind.Variable,\n xref,\n variable,\n initializer,\n ...NEW_OP,\n };\n}\n/**\n * Static structure shared by all operations.\n *\n * Used as a convenience via the spread operator (`...NEW_OP`) when creating new operations, and\n * ensures the fields are always in the same order.\n */\nconst NEW_OP = {\n debugListId: null,\n prev: null,\n next: null,\n};\n\n/**\n * Create an `InterpolationTextOp`.\n */\nfunction createInterpolateTextOp(xref, interpolation, sourceSpan) {\n return {\n kind: OpKind.InterpolateText,\n target: xref,\n interpolation,\n sourceSpan,\n ...TRAIT_DEPENDS_ON_SLOT_CONTEXT,\n ...TRAIT_CONSUMES_VARS,\n ...NEW_OP,\n };\n}\nclass Interpolation {\n constructor(strings, expressions) {\n this.strings = strings;\n this.expressions = expressions;\n }\n}\n/**\n * Create a `BindingOp`, not yet transformed into a particular type of binding.\n */\nfunction createBindingOp(target, kind, name, expression, unit, securityContext, isTemplate, sourceSpan) {\n return {\n kind: OpKind.Binding,\n bindingKind: kind,\n target,\n name,\n expression,\n unit,\n securityContext,\n isTemplate,\n sourceSpan,\n ...NEW_OP,\n };\n}\n/**\n * Create a `PropertyOp`.\n */\nfunction createPropertyOp(target, name, expression, isAnimationTrigger, securityContext, isTemplate, sourceSpan) {\n return {\n kind: OpKind.Property,\n target,\n name,\n expression,\n isAnimationTrigger,\n securityContext,\n sanitizer: null,\n isTemplate,\n sourceSpan,\n ...TRAIT_DEPENDS_ON_SLOT_CONTEXT,\n ...TRAIT_CONSUMES_VARS,\n ...NEW_OP,\n };\n}\n/** Create a `StylePropOp`. */\nfunction createStylePropOp(xref, name, expression, unit, sourceSpan) {\n return {\n kind: OpKind.StyleProp,\n target: xref,\n name,\n expression,\n unit,\n sourceSpan,\n ...TRAIT_DEPENDS_ON_SLOT_CONTEXT,\n ...TRAIT_CONSUMES_VARS,\n ...NEW_OP,\n };\n}\n/**\n * Create a `ClassPropOp`.\n */\nfunction createClassPropOp(xref, name, expression, sourceSpan) {\n return {\n kind: OpKind.ClassProp,\n target: xref,\n name,\n expression,\n sourceSpan,\n ...TRAIT_DEPENDS_ON_SLOT_CONTEXT,\n ...TRAIT_CONSUMES_VARS,\n ...NEW_OP,\n };\n}\n/** Create a `StyleMapOp`. */\nfunction createStyleMapOp(xref, expression, sourceSpan) {\n return {\n kind: OpKind.StyleMap,\n target: xref,\n expression,\n sourceSpan,\n ...TRAIT_DEPENDS_ON_SLOT_CONTEXT,\n ...TRAIT_CONSUMES_VARS,\n ...NEW_OP,\n };\n}\n/**\n * Create a `ClassMapOp`.\n */\nfunction createClassMapOp(xref, expression, sourceSpan) {\n return {\n kind: OpKind.ClassMap,\n target: xref,\n expression,\n sourceSpan,\n ...TRAIT_DEPENDS_ON_SLOT_CONTEXT,\n ...TRAIT_CONSUMES_VARS,\n ...NEW_OP,\n };\n}\n/**\n * Create an `AttributeOp`.\n */\nfunction createAttributeOp(target, name, expression, securityContext, isTemplate, sourceSpan) {\n return {\n kind: OpKind.Attribute,\n target,\n name,\n expression,\n securityContext,\n sanitizer: null,\n isTemplate,\n sourceSpan,\n ...TRAIT_DEPENDS_ON_SLOT_CONTEXT,\n ...TRAIT_CONSUMES_VARS,\n ...NEW_OP,\n };\n}\n/**\n * Create an `AdvanceOp`.\n */\nfunction createAdvanceOp(delta, sourceSpan) {\n return {\n kind: OpKind.Advance,\n delta,\n sourceSpan,\n ...NEW_OP,\n };\n}\n\nvar _a, _b, _c, _d, _e, _f, _g, _h, _j;\n/**\n * Check whether a given `o.Expression` is a logical IR expression type.\n */\nfunction isIrExpression(expr) {\n return expr instanceof ExpressionBase;\n}\n/**\n * Base type used for all logical IR expressions.\n */\nclass ExpressionBase extends Expression {\n constructor(sourceSpan = null) {\n super(null, sourceSpan);\n }\n}\n/**\n * Logical expression representing a lexical read of a variable name.\n */\nclass LexicalReadExpr extends ExpressionBase {\n constructor(name) {\n super();\n this.name = name;\n this.kind = ExpressionKind.LexicalRead;\n }\n visitExpression(visitor, context) { }\n isEquivalent() {\n return false;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions() { }\n clone() {\n return new LexicalReadExpr(this.name);\n }\n}\n/**\n * Runtime operation to retrieve the value of a local reference.\n */\nclass ReferenceExpr extends ExpressionBase {\n static { _a = UsesSlotIndex; }\n constructor(target, offset) {\n super();\n this.target = target;\n this.offset = offset;\n this.kind = ExpressionKind.Reference;\n this[_a] = true;\n this.slot = null;\n }\n visitExpression() { }\n isEquivalent(e) {\n return e instanceof ReferenceExpr && e.target === this.target;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions() { }\n clone() {\n const expr = new ReferenceExpr(this.target, this.offset);\n expr.slot = this.slot;\n return expr;\n }\n}\n/**\n * A reference to the current view context (usually the `ctx` variable in a template function).\n */\nclass ContextExpr extends ExpressionBase {\n constructor(view) {\n super();\n this.view = view;\n this.kind = ExpressionKind.Context;\n }\n visitExpression() { }\n isEquivalent(e) {\n return e instanceof ContextExpr && e.view === this.view;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions() { }\n clone() {\n return new ContextExpr(this.view);\n }\n}\n/**\n * Runtime operation to navigate to the next view context in the view hierarchy.\n */\nclass NextContextExpr extends ExpressionBase {\n constructor() {\n super();\n this.kind = ExpressionKind.NextContext;\n this.steps = 1;\n }\n visitExpression() { }\n isEquivalent(e) {\n return e instanceof NextContextExpr && e.steps === this.steps;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions() { }\n clone() {\n const expr = new NextContextExpr();\n expr.steps = this.steps;\n return expr;\n }\n}\n/**\n * Runtime operation to snapshot the current view context.\n *\n * The result of this operation can be stored in a variable and later used with the `RestoreView`\n * operation.\n */\nclass GetCurrentViewExpr extends ExpressionBase {\n constructor() {\n super();\n this.kind = ExpressionKind.GetCurrentView;\n }\n visitExpression() { }\n isEquivalent(e) {\n return e instanceof GetCurrentViewExpr;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions() { }\n clone() {\n return new GetCurrentViewExpr();\n }\n}\n/**\n * Runtime operation to restore a snapshotted view.\n */\nclass RestoreViewExpr extends ExpressionBase {\n constructor(view) {\n super();\n this.view = view;\n this.kind = ExpressionKind.RestoreView;\n }\n visitExpression(visitor, context) {\n if (typeof this.view !== 'number') {\n this.view.visitExpression(visitor, context);\n }\n }\n isEquivalent(e) {\n if (!(e instanceof RestoreViewExpr) || typeof e.view !== typeof this.view) {\n return false;\n }\n if (typeof this.view === 'number') {\n return this.view === e.view;\n }\n else {\n return this.view.isEquivalent(e.view);\n }\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions(transform, flags) {\n if (typeof this.view !== 'number') {\n this.view = transformExpressionsInExpression(this.view, transform, flags);\n }\n }\n clone() {\n return new RestoreViewExpr(this.view instanceof Expression ? this.view.clone() : this.view);\n }\n}\n/**\n * Runtime operation to reset the current view context after `RestoreView`.\n */\nclass ResetViewExpr extends ExpressionBase {\n constructor(expr) {\n super();\n this.expr = expr;\n this.kind = ExpressionKind.ResetView;\n }\n visitExpression(visitor, context) {\n this.expr.visitExpression(visitor, context);\n }\n isEquivalent(e) {\n return e instanceof ResetViewExpr && this.expr.isEquivalent(e.expr);\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions(transform, flags) {\n this.expr = transformExpressionsInExpression(this.expr, transform, flags);\n }\n clone() {\n return new ResetViewExpr(this.expr.clone());\n }\n}\n/**\n * Read of a variable declared as an `ir.VariableOp` and referenced through its `ir.XrefId`.\n */\nclass ReadVariableExpr extends ExpressionBase {\n constructor(xref) {\n super();\n this.xref = xref;\n this.kind = ExpressionKind.ReadVariable;\n this.name = null;\n }\n visitExpression() { }\n isEquivalent(other) {\n return other instanceof ReadVariableExpr && other.xref === this.xref;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions() { }\n clone() {\n const expr = new ReadVariableExpr(this.xref);\n expr.name = this.name;\n return expr;\n }\n}\nclass PureFunctionExpr extends ExpressionBase {\n static { _b = ConsumesVarsTrait, _c = UsesVarOffset; }\n constructor(expression, args) {\n super();\n this.kind = ExpressionKind.PureFunctionExpr;\n this[_b] = true;\n this[_c] = true;\n this.varOffset = null;\n /**\n * Once extracted to the `ConstantPool`, a reference to the function which defines the computation\n * of `body`.\n */\n this.fn = null;\n this.body = expression;\n this.args = args;\n }\n visitExpression(visitor, context) {\n this.body?.visitExpression(visitor, context);\n for (const arg of this.args) {\n arg.visitExpression(visitor, context);\n }\n }\n isEquivalent(other) {\n if (!(other instanceof PureFunctionExpr) || other.args.length !== this.args.length) {\n return false;\n }\n return other.body !== null && this.body !== null && other.body.isEquivalent(this.body) &&\n other.args.every((arg, idx) => arg.isEquivalent(this.args[idx]));\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions(transform, flags) {\n if (this.body !== null) {\n // TODO: figure out if this is the right flag to pass here.\n this.body = transformExpressionsInExpression(this.body, transform, flags | VisitorContextFlag.InChildOperation);\n }\n else if (this.fn !== null) {\n this.fn = transformExpressionsInExpression(this.fn, transform, flags);\n }\n for (let i = 0; i < this.args.length; i++) {\n this.args[i] = transformExpressionsInExpression(this.args[i], transform, flags);\n }\n }\n clone() {\n const expr = new PureFunctionExpr(this.body?.clone() ?? null, this.args.map(arg => arg.clone()));\n expr.fn = this.fn?.clone() ?? null;\n expr.varOffset = this.varOffset;\n return expr;\n }\n}\nclass PureFunctionParameterExpr extends ExpressionBase {\n constructor(index) {\n super();\n this.index = index;\n this.kind = ExpressionKind.PureFunctionParameterExpr;\n }\n visitExpression() { }\n isEquivalent(other) {\n return other instanceof PureFunctionParameterExpr && other.index === this.index;\n }\n isConstant() {\n return true;\n }\n transformInternalExpressions() { }\n clone() {\n return new PureFunctionParameterExpr(this.index);\n }\n}\nclass PipeBindingExpr extends ExpressionBase {\n static { _d = UsesSlotIndex, _e = ConsumesVarsTrait, _f = UsesVarOffset; }\n constructor(target, name, args) {\n super();\n this.target = target;\n this.name = name;\n this.args = args;\n this.kind = ExpressionKind.PipeBinding;\n this[_d] = true;\n this[_e] = true;\n this[_f] = true;\n this.slot = null;\n this.varOffset = null;\n }\n visitExpression(visitor, context) {\n for (const arg of this.args) {\n arg.visitExpression(visitor, context);\n }\n }\n isEquivalent() {\n return false;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions(transform, flags) {\n for (let idx = 0; idx < this.args.length; idx++) {\n this.args[idx] = transformExpressionsInExpression(this.args[idx], transform, flags);\n }\n }\n clone() {\n const r = new PipeBindingExpr(this.target, this.name, this.args.map(a => a.clone()));\n r.slot = this.slot;\n r.varOffset = this.varOffset;\n return r;\n }\n}\nclass PipeBindingVariadicExpr extends ExpressionBase {\n static { _g = UsesSlotIndex, _h = ConsumesVarsTrait, _j = UsesVarOffset; }\n constructor(target, name, args, numArgs) {\n super();\n this.target = target;\n this.name = name;\n this.args = args;\n this.numArgs = numArgs;\n this.kind = ExpressionKind.PipeBindingVariadic;\n this[_g] = true;\n this[_h] = true;\n this[_j] = true;\n this.slot = null;\n this.varOffset = null;\n }\n visitExpression(visitor, context) {\n this.args.visitExpression(visitor, context);\n }\n isEquivalent() {\n return false;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions(transform, flags) {\n this.args = transformExpressionsInExpression(this.args, transform, flags);\n }\n clone() {\n const r = new PipeBindingVariadicExpr(this.target, this.name, this.args.clone(), this.numArgs);\n r.slot = this.slot;\n r.varOffset = this.varOffset;\n return r;\n }\n}\nclass SafePropertyReadExpr extends ExpressionBase {\n constructor(receiver, name) {\n super();\n this.receiver = receiver;\n this.name = name;\n this.kind = ExpressionKind.SafePropertyRead;\n }\n // An alias for name, which allows other logic to handle property reads and keyed reads together.\n get index() {\n return this.name;\n }\n visitExpression(visitor, context) {\n this.receiver.visitExpression(visitor, context);\n }\n isEquivalent() {\n return false;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions(transform, flags) {\n this.receiver = transformExpressionsInExpression(this.receiver, transform, flags);\n }\n clone() {\n return new SafePropertyReadExpr(this.receiver.clone(), this.name);\n }\n}\nclass SafeKeyedReadExpr extends ExpressionBase {\n constructor(receiver, index) {\n super();\n this.receiver = receiver;\n this.index = index;\n this.kind = ExpressionKind.SafeKeyedRead;\n }\n visitExpression(visitor, context) {\n this.receiver.visitExpression(visitor, context);\n this.index.visitExpression(visitor, context);\n }\n isEquivalent() {\n return false;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions(transform, flags) {\n this.receiver = transformExpressionsInExpression(this.receiver, transform, flags);\n this.index = transformExpressionsInExpression(this.index, transform, flags);\n }\n clone() {\n return new SafeKeyedReadExpr(this.receiver.clone(), this.index.clone());\n }\n}\nclass SafeInvokeFunctionExpr extends ExpressionBase {\n constructor(receiver, args) {\n super();\n this.receiver = receiver;\n this.args = args;\n this.kind = ExpressionKind.SafeInvokeFunction;\n }\n visitExpression(visitor, context) {\n this.receiver.visitExpression(visitor, context);\n for (const a of this.args) {\n a.visitExpression(visitor, context);\n }\n }\n isEquivalent() {\n return false;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions(transform, flags) {\n this.receiver = transformExpressionsInExpression(this.receiver, transform, flags);\n for (let i = 0; i < this.args.length; i++) {\n this.args[i] = transformExpressionsInExpression(this.args[i], transform, flags);\n }\n }\n clone() {\n return new SafeInvokeFunctionExpr(this.receiver.clone(), this.args.map(a => a.clone()));\n }\n}\nclass SafeTernaryExpr extends ExpressionBase {\n constructor(guard, expr) {\n super();\n this.guard = guard;\n this.expr = expr;\n this.kind = ExpressionKind.SafeTernaryExpr;\n }\n visitExpression(visitor, context) {\n this.guard.visitExpression(visitor, context);\n this.expr.visitExpression(visitor, context);\n }\n isEquivalent() {\n return false;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions(transform, flags) {\n this.guard = transformExpressionsInExpression(this.guard, transform, flags);\n this.expr = transformExpressionsInExpression(this.expr, transform, flags);\n }\n clone() {\n return new SafeTernaryExpr(this.guard.clone(), this.expr.clone());\n }\n}\nclass EmptyExpr extends ExpressionBase {\n constructor() {\n super(...arguments);\n this.kind = ExpressionKind.EmptyExpr;\n }\n visitExpression(visitor, context) { }\n isEquivalent(e) {\n return e instanceof EmptyExpr;\n }\n isConstant() {\n return true;\n }\n clone() {\n return new EmptyExpr();\n }\n transformInternalExpressions() { }\n}\nclass AssignTemporaryExpr extends ExpressionBase {\n constructor(expr, xref) {\n super();\n this.expr = expr;\n this.xref = xref;\n this.kind = ExpressionKind.AssignTemporaryExpr;\n this.name = null;\n }\n visitExpression(visitor, context) {\n this.expr.visitExpression(visitor, context);\n }\n isEquivalent() {\n return false;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions(transform, flags) {\n this.expr = transformExpressionsInExpression(this.expr, transform, flags);\n }\n clone() {\n const a = new AssignTemporaryExpr(this.expr.clone(), this.xref);\n a.name = this.name;\n return a;\n }\n}\nclass ReadTemporaryExpr extends ExpressionBase {\n constructor(xref) {\n super();\n this.xref = xref;\n this.kind = ExpressionKind.ReadTemporaryExpr;\n this.name = null;\n }\n visitExpression(visitor, context) { }\n isEquivalent() {\n return this.xref === this.xref;\n }\n isConstant() {\n return false;\n }\n transformInternalExpressions(transform, flags) { }\n clone() {\n const r = new ReadTemporaryExpr(this.xref);\n r.name = this.name;\n return r;\n }\n}\nclass SanitizerExpr extends ExpressionBase {\n constructor(fn) {\n super();\n this.fn = fn;\n this.kind = ExpressionKind.SanitizerExpr;\n }\n visitExpression(visitor, context) { }\n isEquivalent(e) {\n return e instanceof SanitizerExpr && e.fn === this.fn;\n }\n isConstant() {\n return true;\n }\n clone() {\n return new SanitizerExpr(this.fn);\n }\n transformInternalExpressions() { }\n}\n/**\n * Visits all `Expression`s in the AST of `op` with the `visitor` function.\n */\nfunction visitExpressionsInOp(op, visitor) {\n transformExpressionsInOp(op, (expr, flags) => {\n visitor(expr, flags);\n return expr;\n }, VisitorContextFlag.None);\n}\nvar VisitorContextFlag;\n(function (VisitorContextFlag) {\n VisitorContextFlag[VisitorContextFlag[\"None\"] = 0] = \"None\";\n VisitorContextFlag[VisitorContextFlag[\"InChildOperation\"] = 1] = \"InChildOperation\";\n})(VisitorContextFlag || (VisitorContextFlag = {}));\nfunction transformExpressionsInInterpolation(interpolation, transform, flags) {\n for (let i = 0; i < interpolation.expressions.length; i++) {\n interpolation.expressions[i] =\n transformExpressionsInExpression(interpolation.expressions[i], transform, flags);\n }\n}\n/**\n * Transform all `Expression`s in the AST of `op` with the `transform` function.\n *\n * All such operations will be replaced with the result of applying `transform`, which may be an\n * identity transformation.\n */\nfunction transformExpressionsInOp(op, transform, flags) {\n switch (op.kind) {\n case OpKind.StyleProp:\n case OpKind.StyleMap:\n case OpKind.ClassProp:\n case OpKind.ClassMap:\n case OpKind.Binding:\n case OpKind.HostProperty:\n if (op.expression instanceof Interpolation) {\n transformExpressionsInInterpolation(op.expression, transform, flags);\n }\n else {\n op.expression = transformExpressionsInExpression(op.expression, transform, flags);\n }\n break;\n case OpKind.Property:\n case OpKind.Attribute:\n if (op.expression instanceof Interpolation) {\n transformExpressionsInInterpolation(op.expression, transform, flags);\n }\n else {\n op.expression = transformExpressionsInExpression(op.expression, transform, flags);\n }\n op.sanitizer =\n op.sanitizer && transformExpressionsInExpression(op.sanitizer, transform, flags);\n break;\n case OpKind.InterpolateText:\n transformExpressionsInInterpolation(op.interpolation, transform, flags);\n break;\n case OpKind.Statement:\n transformExpressionsInStatement(op.statement, transform, flags);\n break;\n case OpKind.Variable:\n op.initializer = transformExpressionsInExpression(op.initializer, transform, flags);\n break;\n case OpKind.Listener:\n for (const innerOp of op.handlerOps) {\n transformExpressionsInOp(innerOp, transform, flags | VisitorContextFlag.InChildOperation);\n }\n break;\n case OpKind.Element:\n case OpKind.ElementStart:\n case OpKind.ElementEnd:\n case OpKind.Container:\n case OpKind.ContainerStart:\n case OpKind.ContainerEnd:\n case OpKind.Template:\n case OpKind.DisableBindings:\n case OpKind.EnableBindings:\n case OpKind.Text:\n case OpKind.Pipe:\n case OpKind.Advance:\n case OpKind.Namespace:\n // These operations contain no expressions.\n break;\n default:\n throw new Error(`AssertionError: transformExpressionsInOp doesn't handle ${OpKind[op.kind]}`);\n }\n}\n/**\n * Transform all `Expression`s in the AST of `expr` with the `transform` function.\n *\n * All such operations will be replaced with the result of applying `transform`, which may be an\n * identity transformation.\n */\nfunction transformExpressionsInExpression(expr, transform, flags) {\n if (expr instanceof ExpressionBase) {\n expr.transformInternalExpressions(transform, flags);\n }\n else if (expr instanceof BinaryOperatorExpr) {\n expr.lhs = transformExpressionsInExpression(expr.lhs, transform, flags);\n expr.rhs = transformExpressionsInExpression(expr.rhs, transform, flags);\n }\n else if (expr instanceof ReadPropExpr) {\n expr.receiver = transformExpressionsInExpression(expr.receiver, transform, flags);\n }\n else if (expr instanceof ReadKeyExpr) {\n expr.receiver = transformExpressionsInExpression(expr.receiver, transform, flags);\n expr.index = transformExpressionsInExpression(expr.index, transform, flags);\n }\n else if (expr instanceof WritePropExpr) {\n expr.receiver = transformExpressionsInExpression(expr.receiver, transform, flags);\n expr.value = transformExpressionsInExpression(expr.value, transform, flags);\n }\n else if (expr instanceof WriteKeyExpr) {\n expr.receiver = transformExpressionsInExpression(expr.receiver, transform, flags);\n expr.index = transformExpressionsInExpression(expr.index, transform, flags);\n expr.value = transformExpressionsInExpression(expr.value, transform, flags);\n }\n else if (expr instanceof InvokeFunctionExpr) {\n expr.fn = transformExpressionsInExpression(expr.fn, transform, flags);\n for (let i = 0; i < expr.args.length; i++) {\n expr.args[i] = transformExpressionsInExpression(expr.args[i], transform, flags);\n }\n }\n else if (expr instanceof LiteralArrayExpr) {\n for (let i = 0; i < expr.entries.length; i++) {\n expr.entries[i] = transformExpressionsInExpression(expr.entries[i], transform, flags);\n }\n }\n else if (expr instanceof LiteralMapExpr) {\n for (let i = 0; i < expr.entries.length; i++) {\n expr.entries[i].value =\n transformExpressionsInExpression(expr.entries[i].value, transform, flags);\n }\n }\n else if (expr instanceof ConditionalExpr) {\n expr.condition = transformExpressionsInExpression(expr.condition, transform, flags);\n expr.trueCase = transformExpressionsInExpression(expr.trueCase, transform, flags);\n if (expr.falseCase !== null) {\n expr.falseCase = transformExpressionsInExpression(expr.falseCase, transform, flags);\n }\n }\n else if (expr instanceof ReadVarExpr || expr instanceof ExternalExpr ||\n expr instanceof LiteralExpr) {\n // No action for these types.\n }\n else {\n throw new Error(`Unhandled expression kind: ${expr.constructor.name}`);\n }\n return transform(expr, flags);\n}\n/**\n * Transform all `Expression`s in the AST of `stmt` with the `transform` function.\n *\n * All such operations will be replaced with the result of applying `transform`, which may be an\n * identity transformation.\n */\nfunction transformExpressionsInStatement(stmt, transform, flags) {\n if (stmt instanceof ExpressionStatement) {\n stmt.expr = transformExpressionsInExpression(stmt.expr, transform, flags);\n }\n else if (stmt instanceof ReturnStatement) {\n stmt.value = transformExpressionsInExpression(stmt.value, transform, flags);\n }\n else if (stmt instanceof DeclareVarStmt) {\n if (stmt.value !== undefined) {\n stmt.value = transformExpressionsInExpression(stmt.value, transform, flags);\n }\n }\n else {\n throw new Error(`Unhandled statement kind: ${stmt.constructor.name}`);\n }\n}\n\n/**\n * A linked list of `Op` nodes of a given subtype.\n *\n * @param OpT specific subtype of `Op` nodes which this list contains.\n */\nclass OpList {\n static { this.nextListId = 0; }\n constructor() {\n /**\n * Debug ID of this `OpList` instance.\n */\n this.debugListId = OpList.nextListId++;\n // OpList uses static head/tail nodes of a special `ListEnd` type.\n // This avoids the need for special casing of the first and last list\n // elements in all list operations.\n this.head = {\n kind: OpKind.ListEnd,\n next: null,\n prev: null,\n debugListId: this.debugListId,\n };\n this.tail = {\n kind: OpKind.ListEnd,\n next: null,\n prev: null,\n debugListId: this.debugListId,\n };\n // Link `head` and `tail` together at the start (list is empty).\n this.head.next = this.tail;\n this.tail.prev = this.head;\n }\n /**\n * Push a new operation to the tail of the list.\n */\n push(op) {\n OpList.assertIsNotEnd(op);\n OpList.assertIsUnowned(op);\n op.debugListId = this.debugListId;\n // The old \"previous\" node (which might be the head, if the list is empty).\n const oldLast = this.tail.prev;\n // Insert `op` following the old last node.\n op.prev = oldLast;\n oldLast.next = op;\n // Connect `op` with the list tail.\n op.next = this.tail;\n this.tail.prev = op;\n }\n /**\n * Prepend one or more nodes to the start of the list.\n */\n prepend(ops) {\n if (ops.length === 0) {\n return;\n }\n for (const op of ops) {\n OpList.assertIsNotEnd(op);\n OpList.assertIsUnowned(op);\n op.debugListId = this.debugListId;\n }\n const first = this.head.next;\n let prev = this.head;\n for (const op of ops) {\n prev.next = op;\n op.prev = prev;\n prev = op;\n }\n prev.next = first;\n first.prev = prev;\n }\n /**\n * `OpList` is iterable via the iteration protocol.\n *\n * It's safe to mutate the part of the list that has already been returned by the iterator, up to\n * and including the last operation returned. Mutations beyond that point _may_ be safe, but may\n * also corrupt the iteration position and should be avoided.\n */\n *[Symbol.iterator]() {\n let current = this.head.next;\n while (current !== this.tail) {\n // Guards against corruption of the iterator state by mutations to the tail of the list during\n // iteration.\n OpList.assertIsOwned(current, this.debugListId);\n const next = current.next;\n yield current;\n current = next;\n }\n }\n *reversed() {\n let current = this.tail.prev;\n while (current !== this.head) {\n OpList.assertIsOwned(current, this.debugListId);\n const prev = current.prev;\n yield current;\n current = prev;\n }\n }\n /**\n * Replace `oldOp` with `newOp` in the list.\n */\n static replace(oldOp, newOp) {\n OpList.assertIsNotEnd(oldOp);\n OpList.assertIsNotEnd(newOp);\n OpList.assertIsOwned(oldOp);\n OpList.assertIsUnowned(newOp);\n newOp.debugListId = oldOp.debugListId;\n if (oldOp.prev !== null) {\n oldOp.prev.next = newOp;\n newOp.prev = oldOp.prev;\n }\n if (oldOp.next !== null) {\n oldOp.next.prev = newOp;\n newOp.next = oldOp.next;\n }\n oldOp.debugListId = null;\n oldOp.prev = null;\n oldOp.next = null;\n }\n /**\n * Replace `oldOp` with some number of new operations in the list (which may include `oldOp`).\n */\n static replaceWithMany(oldOp, newOps) {\n if (newOps.length === 0) {\n // Replacing with an empty list -> pure removal.\n OpList.remove(oldOp);\n return;\n }\n OpList.assertIsNotEnd(oldOp);\n OpList.assertIsOwned(oldOp);\n const listId = oldOp.debugListId;\n oldOp.debugListId = null;\n for (const newOp of newOps) {\n OpList.assertIsNotEnd(newOp);\n // `newOp` might be `oldOp`, but at this point it's been marked as unowned.\n OpList.assertIsUnowned(newOp);\n }\n // It should be safe to reuse `oldOp` in the `newOps` list - maybe you want to sandwich an\n // operation between two new ops.\n const { prev: oldPrev, next: oldNext } = oldOp;\n oldOp.prev = null;\n oldOp.next = null;\n let prev = oldPrev;\n for (const newOp of newOps) {\n this.assertIsUnowned(newOp);\n newOp.debugListId = listId;\n prev.next = newOp;\n newOp.prev = prev;\n // This _should_ be the case, but set it just in case.\n newOp.next = null;\n prev = newOp;\n }\n // At the end of iteration, `prev` holds the last node in the list.\n const first = newOps[0];\n const last = prev;\n // Replace `oldOp` with the chain `first` -> `last`.\n if (oldPrev !== null) {\n oldPrev.next = first;\n first.prev = oldOp.prev;\n }\n if (oldNext !== null) {\n oldNext.prev = last;\n last.next = oldNext;\n }\n }\n /**\n * Remove the given node from the list which contains it.\n */\n static remove(op) {\n OpList.assertIsNotEnd(op);\n OpList.assertIsOwned(op);\n op.prev.next = op.next;\n op.next.prev = op.prev;\n // Break any link between the node and this list to safeguard against its usage in future\n // operations.\n op.debugListId = null;\n op.prev = null;\n op.next = null;\n }\n /**\n * Insert `op` before `target`.\n */\n static insertBefore(op, target) {\n OpList.assertIsOwned(target);\n if (target.prev === null) {\n throw new Error(`AssertionError: illegal operation on list start`);\n }\n OpList.assertIsNotEnd(op);\n OpList.assertIsUnowned(op);\n op.debugListId = target.debugListId;\n // Just in case.\n op.prev = null;\n target.prev.next = op;\n op.prev = target.prev;\n op.next = target;\n target.prev = op;\n }\n /**\n * Insert `op` after `target`.\n */\n static insertAfter(op, target) {\n OpList.assertIsOwned(target);\n if (target.next === null) {\n throw new Error(`AssertionError: illegal operation on list end`);\n }\n OpList.assertIsNotEnd(op);\n OpList.assertIsUnowned(op);\n op.debugListId = target.debugListId;\n target.next.prev = op;\n op.next = target.next;\n op.prev = target;\n target.next = op;\n }\n /**\n * Asserts that `op` does not currently belong to a list.\n */\n static assertIsUnowned(op) {\n if (op.debugListId !== null) {\n throw new Error(`AssertionError: illegal operation on owned node: ${OpKind[op.kind]}`);\n }\n }\n /**\n * Asserts that `op` currently belongs to a list. If `byList` is passed, `op` is asserted to\n * specifically belong to that list.\n */\n static assertIsOwned(op, byList) {\n if (op.debugListId === null) {\n throw new Error(`AssertionError: illegal operation on unowned node: ${OpKind[op.kind]}`);\n }\n else if (byList !== undefined && op.debugListId !== byList) {\n throw new Error(`AssertionError: node belongs to the wrong list (expected ${byList}, actual ${op.debugListId})`);\n }\n }\n /**\n * Asserts that `op` is not a special `ListEnd` node.\n */\n static assertIsNotEnd(op) {\n if (op.kind === OpKind.ListEnd) {\n throw new Error(`AssertionError: illegal operation on list head or tail`);\n }\n }\n}\n\n/**\n * The set of OpKinds that represent the creation of an element or container\n */\nconst elementContainerOpKinds = new Set([\n OpKind.Element, OpKind.ElementStart, OpKind.Container, OpKind.ContainerStart, OpKind.Template\n]);\n/**\n * Checks whether the given operation represents the creation of an element or container.\n */\nfunction isElementOrContainerOp(op) {\n return elementContainerOpKinds.has(op.kind);\n}\n/**\n * Create an `ElementStartOp`.\n */\nfunction createElementStartOp(tag, xref, namespace, sourceSpan) {\n return {\n kind: OpKind.ElementStart,\n xref,\n tag,\n attributes: new ElementAttributes(),\n localRefs: [],\n nonBindable: false,\n namespace,\n sourceSpan,\n ...TRAIT_CONSUMES_SLOT,\n ...NEW_OP,\n };\n}\n/**\n * Create a `TemplateOp`.\n */\nfunction createTemplateOp(xref, tag, namespace, sourceSpan) {\n return {\n kind: OpKind.Template,\n xref,\n attributes: new ElementAttributes(),\n tag,\n decls: null,\n vars: null,\n localRefs: [],\n nonBindable: false,\n namespace,\n sourceSpan,\n ...TRAIT_CONSUMES_SLOT,\n ...NEW_OP,\n };\n}\n/**\n * Create an `ElementEndOp`.\n */\nfunction createElementEndOp(xref, sourceSpan) {\n return {\n kind: OpKind.ElementEnd,\n xref,\n sourceSpan,\n ...NEW_OP,\n };\n}\nfunction createDisableBindingsOp(xref) {\n return {\n kind: OpKind.DisableBindings,\n xref,\n ...NEW_OP,\n };\n}\nfunction createEnableBindingsOp(xref) {\n return {\n kind: OpKind.EnableBindings,\n xref,\n ...NEW_OP,\n };\n}\n/**\n * Create a `TextOp`.\n */\nfunction createTextOp(xref, initialValue, sourceSpan) {\n return {\n kind: OpKind.Text,\n xref,\n initialValue,\n sourceSpan,\n ...TRAIT_CONSUMES_SLOT,\n ...NEW_OP,\n };\n}\n/**\n * Create a `ListenerOp`.\n */\nfunction createListenerOp(target, name, tag) {\n return {\n kind: OpKind.Listener,\n target,\n tag,\n name,\n handlerOps: new OpList(),\n handlerFnName: null,\n consumesDollarEvent: false,\n isAnimationListener: false,\n animationPhase: null,\n ...NEW_OP,\n ...TRAIT_USES_SLOT_INDEX,\n };\n}\n/**\n * Create a `ListenerOp` for an animation.\n */\nfunction createListenerOpForAnimation(target, name, animationPhase, tag) {\n return {\n kind: OpKind.Listener,\n target,\n tag,\n name,\n handlerOps: new OpList(),\n handlerFnName: null,\n consumesDollarEvent: false,\n isAnimationListener: true,\n animationPhase,\n ...NEW_OP,\n ...TRAIT_USES_SLOT_INDEX,\n };\n}\nfunction createPipeOp(xref, name) {\n return {\n kind: OpKind.Pipe,\n xref,\n name,\n ...NEW_OP,\n ...TRAIT_CONSUMES_SLOT,\n };\n}\n/**\n * Whether the active namespace is HTML, MathML, or SVG mode.\n */\nvar Namespace;\n(function (Namespace) {\n Namespace[Namespace[\"HTML\"] = 0] = \"HTML\";\n Namespace[Namespace[\"SVG\"] = 1] = \"SVG\";\n Namespace[Namespace[\"Math\"] = 2] = \"Math\";\n})(Namespace || (Namespace = {}));\nfunction createNamespaceOp(namespace) {\n return {\n kind: OpKind.Namespace,\n active: namespace,\n ...NEW_OP,\n };\n}\n\nfunction createHostPropertyOp(name, expression, sourceSpan) {\n return {\n kind: OpKind.HostProperty,\n name,\n expression,\n sourceSpan,\n ...TRAIT_CONSUMES_VARS,\n ...NEW_OP,\n };\n}\n\n/**\n * A compilation unit is compiled into a template function.\n * Some example units are views and host bindings.\n */\nclass CompilationUnit {\n constructor(xref) {\n this.xref = xref;\n /**\n * List of creation operations for this view.\n *\n * Creation operations may internally contain other operations, including update operations.\n */\n this.create = new OpList();\n /**\n * List of update operations for this view.\n */\n this.update = new OpList();\n /**\n * Name of the function which will be generated for this unit.\n *\n * May be `null` if not yet determined.\n */\n this.fnName = null;\n /**\n * Number of variable slots used within this view, or `null` if variables have not yet been\n * counted.\n */\n this.vars = null;\n }\n /**\n * Iterate over all `ir.Op`s within this view.\n *\n * Some operations may have child operations, which this iterator will visit.\n */\n *ops() {\n for (const op of this.create) {\n yield op;\n if (op.kind === OpKind.Listener) {\n for (const listenerOp of op.handlerOps) {\n yield listenerOp;\n }\n }\n }\n for (const op of this.update) {\n yield op;\n }\n }\n}\nclass HostBindingCompilationJob extends CompilationUnit {\n // TODO: Perhaps we should accept a reference to the enclosing component, and get the name from\n // there?\n constructor(componentName, pool, compatibility) {\n super(0);\n this.componentName = componentName;\n this.pool = pool;\n this.compatibility = compatibility;\n this.fnSuffix = 'HostBindings';\n this.units = [this];\n this.nextXrefId = 1;\n }\n get job() {\n return this;\n }\n get root() {\n return this;\n }\n allocateXrefId() {\n return this.nextXrefId++;\n }\n}\n/**\n * Compilation-in-progress of a whole component's template, including the main template and any\n * embedded views or host bindings.\n */\nclass ComponentCompilationJob {\n get units() {\n return this.views.values();\n }\n constructor(componentName, pool, compatibility) {\n this.componentName = componentName;\n this.pool = pool;\n this.compatibility = compatibility;\n this.fnSuffix = 'Template';\n /**\n * Tracks the next `ir.XrefId` which can be assigned as template structures are ingested.\n */\n this.nextXrefId = 0;\n /**\n * Map of view IDs to `ViewCompilation`s.\n */\n this.views = new Map();\n /**\n * Constant expressions used by operations within this component's compilation.\n *\n * This will eventually become the `consts` array in the component definition.\n */\n this.consts = [];\n // Allocate the root view.\n const root = new ViewCompilationUnit(this, this.allocateXrefId(), null);\n this.views.set(root.xref, root);\n this.root = root;\n }\n /**\n * Add a `ViewCompilation` for a new embedded view to this compilation.\n */\n allocateView(parent) {\n const view = new ViewCompilationUnit(this, this.allocateXrefId(), parent);\n this.views.set(view.xref, view);\n return view;\n }\n /**\n * Generate a new unique `ir.XrefId` in this job.\n */\n allocateXrefId() {\n return this.nextXrefId++;\n }\n /**\n * Add a constant `o.Expression` to the compilation and return its index in the `consts` array.\n */\n addConst(newConst) {\n for (let idx = 0; idx < this.consts.length; idx++) {\n if (this.consts[idx].isEquivalent(newConst)) {\n return idx;\n }\n }\n const idx = this.consts.length;\n this.consts.push(newConst);\n return idx;\n }\n}\n/**\n * Compilation-in-progress of an individual view within a template.\n */\nclass ViewCompilationUnit extends CompilationUnit {\n constructor(job, xref, parent) {\n super(xref);\n this.job = job;\n this.parent = parent;\n /**\n * Map of declared variables available within this view to the property on the context object\n * which they alias.\n */\n this.contextVariables = new Map();\n /**\n * Number of declaration slots used within this view, or `null` if slots have not yet been\n * allocated.\n */\n this.decls = null;\n }\n get compatibility() {\n return this.job.compatibility;\n }\n}\n\n/**\n * Counts the number of variable slots used within each view, and stores that on the view itself, as\n * well as propagates it to the `ir.TemplateOp` for embedded views.\n */\nfunction phaseVarCounting(job) {\n // First, count the vars used in each view, and update the view-level counter.\n for (const unit of job.units) {\n let varCount = 0;\n for (const op of unit.ops()) {\n if (hasConsumesVarsTrait(op)) {\n varCount += varsUsedByOp(op);\n }\n visitExpressionsInOp(op, expr => {\n if (!isIrExpression(expr)) {\n return;\n }\n // Some expressions require knowledge of the number of variable slots consumed.\n if (hasUsesVarOffsetTrait(expr)) {\n expr.varOffset = varCount;\n }\n if (hasConsumesVarsTrait(expr)) {\n varCount += varsUsedByIrExpression(expr);\n }\n });\n }\n unit.vars = varCount;\n }\n if (job instanceof ComponentCompilationJob) {\n // Add var counts for each view to the `ir.TemplateOp` which declares that view (if the view is\n // an embedded view).\n for (const view of job.views.values()) {\n for (const op of view.create) {\n if (op.kind !== OpKind.Template) {\n continue;\n }\n const childView = job.views.get(op.xref);\n op.vars = childView.vars;\n }\n }\n }\n}\n/**\n * Different operations that implement `ir.UsesVarsTrait` use different numbers of variables, so\n * count the variables used by any particular `op`.\n */\nfunction varsUsedByOp(op) {\n let slots;\n switch (op.kind) {\n case OpKind.Property:\n case OpKind.HostProperty:\n case OpKind.Attribute:\n // All of these bindings use 1 variable slot, plus 1 slot for every interpolated expression,\n // if any.\n slots = 1;\n if (op.expression instanceof Interpolation) {\n slots += op.expression.expressions.length;\n }\n return slots;\n case OpKind.StyleProp:\n case OpKind.ClassProp:\n case OpKind.StyleMap:\n case OpKind.ClassMap:\n // Style & class bindings use 2 variable slots, plus 1 slot for every interpolated expression,\n // if any.\n slots = 2;\n if (op.expression instanceof Interpolation) {\n slots += op.expression.expressions.length;\n }\n return slots;\n case OpKind.InterpolateText:\n // `ir.InterpolateTextOp`s use a variable slot for each dynamic expression.\n return op.interpolation.expressions.length;\n default:\n throw new Error(`Unhandled op: ${OpKind[op.kind]}`);\n }\n}\nfunction varsUsedByIrExpression(expr) {\n switch (expr.kind) {\n case ExpressionKind.PureFunctionExpr:\n return 1 + expr.args.length;\n case ExpressionKind.PipeBinding:\n return 1 + expr.args.length;\n case ExpressionKind.PipeBindingVariadic:\n return 1 + expr.numArgs;\n default:\n throw new Error(`AssertionError: unhandled ConsumesVarsTrait expression ${expr.constructor.name}`);\n }\n}\n\nfunction phaseAlignPipeVariadicVarOffset(cpl) {\n for (const view of cpl.views.values()) {\n for (const op of view.update) {\n visitExpressionsInOp(op, expr => {\n if (!(expr instanceof PipeBindingVariadicExpr)) {\n return expr;\n }\n if (!(expr.args instanceof PureFunctionExpr)) {\n return expr;\n }\n if (expr.varOffset === null || expr.args.varOffset === null) {\n throw new Error(`Must run after variable counting`);\n }\n // The structure of this variadic pipe expression is:\n // PipeBindingVariadic(#, Y, PureFunction(X, ...ARGS))\n // Where X and Y are the slot offsets for the variables used by these operations, and Y > X.\n // In `TemplateDefinitionBuilder` the PipeBindingVariadic variable slots are allocated\n // before the PureFunction slots, which is unusually out-of-order.\n //\n // To maintain identical output for the tests in question, we adjust the variable offsets of\n // these two calls to emulate TDB's behavior. This is not perfect, because the ARGS of the\n // PureFunction call may also allocate slots which by TDB's ordering would come after X, and\n // we don't account for that. Still, this should be enough to pass the existing pipe tests.\n // Put the PipeBindingVariadic vars where the PureFunction vars were previously allocated.\n expr.varOffset = expr.args.varOffset;\n // Put the PureFunction vars following the PipeBindingVariadic vars.\n expr.args.varOffset = expr.varOffset + varsUsedByIrExpression(expr);\n });\n }\n }\n}\n\n/**\n * Find any function calls to `$any`, excluding `this.$any`, and delete them.\n */\nfunction phaseFindAnyCasts(cpl) {\n for (const [_, view] of cpl.views) {\n for (const op of view.ops()) {\n transformExpressionsInOp(op, removeAnys, VisitorContextFlag.None);\n }\n }\n}\nfunction removeAnys(e) {\n if (e instanceof InvokeFunctionExpr && e.fn instanceof LexicalReadExpr &&\n e.fn.name === '$any') {\n if (e.args.length !== 1) {\n throw new Error('The $any builtin function expects exactly one argument.');\n }\n return e.args[0];\n }\n return e;\n}\n\n/**\n * Parses string representation of a style and converts it into object literal.\n *\n * @param value string representation of style as used in the `style` attribute in HTML.\n * Example: `color: red; height: auto`.\n * @returns An array of style property name and value pairs, e.g. `['color', 'red', 'height',\n * 'auto']`\n */\nfunction parse(value) {\n // we use a string array here instead of a string map\n // because a string-map is not guaranteed to retain the\n // order of the entries whereas a string array can be\n // constructed in a [key, value, key, value] format.\n const styles = [];\n let i = 0;\n let parenDepth = 0;\n let quote = 0 /* Char.QuoteNone */;\n let valueStart = 0;\n let propStart = 0;\n let currentProp = null;\n while (i < value.length) {\n const token = value.charCodeAt(i++);\n switch (token) {\n case 40 /* Char.OpenParen */:\n parenDepth++;\n break;\n case 41 /* Char.CloseParen */:\n parenDepth--;\n break;\n case 39 /* Char.QuoteSingle */:\n // valueStart needs to be there since prop values don't\n // have quotes in CSS\n if (quote === 0 /* Char.QuoteNone */) {\n quote = 39 /* Char.QuoteSingle */;\n }\n else if (quote === 39 /* Char.QuoteSingle */ && value.charCodeAt(i - 1) !== 92 /* Char.BackSlash */) {\n quote = 0 /* Char.QuoteNone */;\n }\n break;\n case 34 /* Char.QuoteDouble */:\n // same logic as above\n if (quote === 0 /* Char.QuoteNone */) {\n quote = 34 /* Char.QuoteDouble */;\n }\n else if (quote === 34 /* Char.QuoteDouble */ && value.charCodeAt(i - 1) !== 92 /* Char.BackSlash */) {\n quote = 0 /* Char.QuoteNone */;\n }\n break;\n case 58 /* Char.Colon */:\n if (!currentProp && parenDepth === 0 && quote === 0 /* Char.QuoteNone */) {\n currentProp = hyphenate$1(value.substring(propStart, i - 1).trim());\n valueStart = i;\n }\n break;\n case 59 /* Char.Semicolon */:\n if (currentProp && valueStart > 0 && parenDepth === 0 && quote === 0 /* Char.QuoteNone */) {\n const styleVal = value.substring(valueStart, i - 1).trim();\n styles.push(currentProp, styleVal);\n propStart = i;\n valueStart = 0;\n currentProp = null;\n }\n break;\n }\n }\n if (currentProp && valueStart) {\n const styleVal = value.slice(valueStart).trim();\n styles.push(currentProp, styleVal);\n }\n return styles;\n}\nfunction hyphenate$1(value) {\n return value\n .replace(/[a-z][A-Z]/g, v => {\n return v.charAt(0) + '-' + v.charAt(1);\n })\n .toLowerCase();\n}\n\n/**\n * Gets a map of all elements in the given view by their xref id.\n */\nfunction getElementsByXrefId(view) {\n const elements = new Map();\n for (const op of view.create) {\n if (!isElementOrContainerOp(op)) {\n continue;\n }\n elements.set(op.xref, op);\n }\n return elements;\n}\n\n/**\n * Find all attribute and binding ops, and collect them into the ElementAttribute structures.\n * In cases where no instruction needs to be generated for the attribute or binding, it is removed.\n */\nfunction phaseAttributeExtraction(cpl) {\n for (const [_, view] of cpl.views) {\n populateElementAttributes(view);\n }\n}\n/**\n * Looks up an element in the given map by xref ID.\n */\nfunction lookupElement$2(elements, xref) {\n const el = elements.get(xref);\n if (el === undefined) {\n throw new Error('All attributes should have an element-like target.');\n }\n return el;\n}\n/**\n * Populates the ElementAttributes map for the given view, and removes ops for any bindings that do\n * not need further processing.\n */\nfunction populateElementAttributes(view) {\n const elements = getElementsByXrefId(view);\n for (const op of view.ops()) {\n let ownerOp;\n switch (op.kind) {\n case OpKind.Attribute:\n extractAttributeOp(view, op, elements);\n break;\n case OpKind.Property:\n if (op.isAnimationTrigger) {\n continue; // Don't extract animation properties.\n }\n ownerOp = lookupElement$2(elements, op.target);\n assertIsElementAttributes(ownerOp.attributes);\n ownerOp.attributes.add(op.isTemplate ? BindingKind.Template : BindingKind.Property, op.name, null);\n break;\n case OpKind.StyleProp:\n case OpKind.ClassProp:\n ownerOp = lookupElement$2(elements, op.target);\n assertIsElementAttributes(ownerOp.attributes);\n // Empty StyleProperty and ClassName expressions are treated differently depending on\n // compatibility mode.\n if (view.compatibility === CompatibilityMode.TemplateDefinitionBuilder &&\n op.expression instanceof EmptyExpr) {\n // The old compiler treated empty style bindings as regular bindings for the purpose of\n // directive matching. That behavior is incorrect, but we emulate it in compatibility\n // mode.\n ownerOp.attributes.add(BindingKind.Property, op.name, null);\n }\n break;\n case OpKind.Listener:\n if (op.isAnimationListener) {\n continue; // Don't extract animation listeners.\n }\n ownerOp = lookupElement$2(elements, op.target);\n assertIsElementAttributes(ownerOp.attributes);\n ownerOp.attributes.add(BindingKind.Property, op.name, null);\n break;\n }\n }\n}\nfunction isStringLiteral(expr) {\n return expr instanceof LiteralExpr && typeof expr.value === 'string';\n}\nfunction extractAttributeOp(view, op, elements) {\n if (op.expression instanceof Interpolation) {\n return;\n }\n const ownerOp = lookupElement$2(elements, op.target);\n assertIsElementAttributes(ownerOp.attributes);\n if (op.name === 'style' && isStringLiteral(op.expression)) {\n // TemplateDefinitionBuilder did not extract style attributes that had a security context.\n if (view.compatibility === CompatibilityMode.TemplateDefinitionBuilder &&\n op.securityContext !== SecurityContext.NONE) {\n return;\n }\n // Extract style attributes.\n const parsedStyles = parse(op.expression.value);\n for (let i = 0; i < parsedStyles.length - 1; i += 2) {\n ownerOp.attributes.add(BindingKind.StyleProperty, parsedStyles[i], literal(parsedStyles[i + 1]));\n }\n OpList.remove(op);\n }\n else {\n // The old compiler only extracted string constants, so we emulate that behavior in\n // compaitiblity mode, otherwise we optimize more aggressively.\n let extractable = view.compatibility === CompatibilityMode.TemplateDefinitionBuilder ?\n (op.expression instanceof LiteralExpr && typeof op.expression.value === 'string') :\n op.expression.isConstant();\n // We don't need to generate instructions for attributes that can be extracted as consts.\n if (extractable) {\n ownerOp.attributes.add(op.isTemplate ? BindingKind.Template : BindingKind.Attribute, op.name, op.expression);\n OpList.remove(op);\n }\n }\n}\n\n/**\n * Looks up an element in the given map by xref ID.\n */\nfunction lookupElement$1(elements, xref) {\n const el = elements.get(xref);\n if (el === undefined) {\n throw new Error('All attributes should have an element-like target.');\n }\n return el;\n}\nfunction phaseBindingSpecialization(job) {\n const elements = new Map();\n for (const unit of job.units) {\n for (const op of unit.create) {\n if (!isElementOrContainerOp(op)) {\n continue;\n }\n elements.set(op.xref, op);\n }\n }\n for (const unit of job.units) {\n for (const op of unit.ops()) {\n if (op.kind !== OpKind.Binding) {\n continue;\n }\n switch (op.bindingKind) {\n case BindingKind.Attribute:\n if (op.name === 'ngNonBindable') {\n OpList.remove(op);\n const target = lookupElement$1(elements, op.target);\n target.nonBindable = true;\n }\n else {\n OpList.replace(op, createAttributeOp(op.target, op.name, op.expression, op.securityContext, op.isTemplate, op.sourceSpan));\n }\n break;\n case BindingKind.Property:\n case BindingKind.Animation:\n if (job instanceof HostBindingCompilationJob) {\n // TODO: host property animations\n OpList.replace(op, createHostPropertyOp(op.name, op.expression, op.sourceSpan));\n }\n else {\n OpList.replace(op, createPropertyOp(op.target, op.name, op.expression, op.bindingKind === BindingKind.Animation, op.securityContext, op.isTemplate, op.sourceSpan));\n }\n break;\n case BindingKind.I18n:\n case BindingKind.ClassName:\n case BindingKind.StyleProperty:\n throw new Error(`Unhandled binding of kind ${BindingKind[op.bindingKind]}`);\n }\n }\n }\n}\n\nconst CHAINABLE = new Set([\n Identifiers.elementStart,\n Identifiers.elementEnd,\n Identifiers.element,\n Identifiers.property,\n Identifiers.hostProperty,\n Identifiers.styleProp,\n Identifiers.attribute,\n Identifiers.stylePropInterpolate1,\n Identifiers.stylePropInterpolate2,\n Identifiers.stylePropInterpolate3,\n Identifiers.stylePropInterpolate4,\n Identifiers.stylePropInterpolate5,\n Identifiers.stylePropInterpolate6,\n Identifiers.stylePropInterpolate7,\n Identifiers.stylePropInterpolate8,\n Identifiers.stylePropInterpolateV,\n Identifiers.classProp,\n Identifiers.listener,\n Identifiers.elementContainerStart,\n Identifiers.elementContainerEnd,\n Identifiers.elementContainer,\n Identifiers.listener,\n]);\n/**\n * Post-process a reified view compilation and convert sequential calls to chainable instructions\n * into chain calls.\n *\n * For example, two `elementStart` operations in sequence:\n *\n * ```typescript\n * elementStart(0, 'div');\n * elementStart(1, 'span');\n * ```\n *\n * Can be called as a chain instead:\n *\n * ```typescript\n * elementStart(0, 'div')(1, 'span');\n * ```\n */\nfunction phaseChaining(job) {\n for (const unit of job.units) {\n chainOperationsInList(unit.create);\n chainOperationsInList(unit.update);\n }\n}\nfunction chainOperationsInList(opList) {\n let chain = null;\n for (const op of opList) {\n if (op.kind !== OpKind.Statement || !(op.statement instanceof ExpressionStatement)) {\n // This type of statement isn't chainable.\n chain = null;\n continue;\n }\n if (!(op.statement.expr instanceof InvokeFunctionExpr) ||\n !(op.statement.expr.fn instanceof ExternalExpr)) {\n // This is a statement, but not an instruction-type call, so not chainable.\n chain = null;\n continue;\n }\n const instruction = op.statement.expr.fn.value;\n if (!CHAINABLE.has(instruction)) {\n // This instruction isn't chainable.\n chain = null;\n continue;\n }\n // This instruction can be chained. It can either be added on to the previous chain (if\n // compatible) or it can be the start of a new chain.\n if (chain !== null && chain.instruction === instruction) {\n // This instruction can be added onto the previous chain.\n const expression = chain.expression.callFn(op.statement.expr.args, op.statement.expr.sourceSpan, op.statement.expr.pure);\n chain.expression = expression;\n chain.op.statement = expression.toStmt();\n OpList.remove(op);\n }\n else {\n // Leave this instruction alone for now, but consider it the start of a new chain.\n chain = {\n op,\n instruction,\n expression: op.statement.expr,\n };\n }\n }\n}\n\n/**\n * Converts the semantic attributes of element-like operations (elements, templates) into constant\n * array expressions, and lifts them into the overall component `consts`.\n */\nfunction phaseConstCollection(cpl) {\n for (const [_, view] of cpl.views) {\n for (const op of view.create) {\n if (op.kind !== OpKind.ElementStart && op.kind !== OpKind.Element &&\n op.kind !== OpKind.Template) {\n continue;\n }\n else if (!(op.attributes instanceof ElementAttributes)) {\n continue;\n }\n const attrArray = serializeAttributes(op.attributes);\n if (attrArray.entries.length > 0) {\n op.attributes = cpl.addConst(attrArray);\n }\n else {\n op.attributes = null;\n }\n }\n }\n}\nfunction serializeAttributes({ attributes, bindings, classes, i18n, projectAs, styles, template }) {\n const attrArray = [...attributes];\n if (projectAs !== null) {\n attrArray.push(literal(5 /* core.AttributeMarker.ProjectAs */), literal(projectAs));\n }\n if (classes.length > 0) {\n attrArray.push(literal(1 /* core.AttributeMarker.Classes */), ...classes);\n }\n if (styles.length > 0) {\n attrArray.push(literal(2 /* core.AttributeMarker.Styles */), ...styles);\n }\n if (bindings.length > 0) {\n attrArray.push(literal(3 /* core.AttributeMarker.Bindings */), ...bindings);\n }\n if (template.length > 0) {\n attrArray.push(literal(4 /* core.AttributeMarker.Template */), ...template);\n }\n if (i18n.length > 0) {\n attrArray.push(literal(6 /* core.AttributeMarker.I18n */), ...i18n);\n }\n return literalArr(attrArray);\n}\n\nconst REPLACEMENTS = new Map([\n [OpKind.ElementEnd, [OpKind.ElementStart, OpKind.Element]],\n [OpKind.ContainerEnd, [OpKind.ContainerStart, OpKind.Container]],\n]);\n/**\n * Replace sequences of mergable elements (e.g. `ElementStart` and `ElementEnd`) with a consolidated\n * element (e.g. `Element`).\n */\nfunction phaseEmptyElements(cpl) {\n for (const [_, view] of cpl.views) {\n for (const op of view.create) {\n const opReplacements = REPLACEMENTS.get(op.kind);\n if (opReplacements === undefined) {\n continue;\n }\n const [startKind, mergedKind] = opReplacements;\n if (op.prev !== null && op.prev.kind === startKind) {\n // Transmute the start instruction to the merged version. This is safe as they're designed\n // to be identical apart from the `kind`.\n op.prev.kind = mergedKind;\n // Remove the end instruction.\n OpList.remove(op);\n }\n }\n }\n}\n\n/**\n * Finds all unresolved safe read expressions, and converts them into the appropriate output AST\n * reads, guarded by null checks.\n */\nfunction phaseExpandSafeReads(job) {\n for (const unit of job.units) {\n for (const op of unit.ops()) {\n transformExpressionsInOp(op, e => safeTransform(e, { job }), VisitorContextFlag.None);\n transformExpressionsInOp(op, ternaryTransform, VisitorContextFlag.None);\n }\n }\n}\n// A lookup set of all the expression kinds that require a temporary variable to be generated.\nconst requiresTemporary = [\n InvokeFunctionExpr, LiteralArrayExpr, LiteralMapExpr, SafeInvokeFunctionExpr,\n PipeBindingExpr\n].map(e => e.constructor.name);\nfunction needsTemporaryInSafeAccess(e) {\n // TODO: We probably want to use an expression visitor to recursively visit all descendents.\n // However, that would potentially do a lot of extra work (because it cannot short circuit), so we\n // implement the logic ourselves for now.\n if (e instanceof UnaryOperatorExpr) {\n return needsTemporaryInSafeAccess(e.expr);\n }\n else if (e instanceof BinaryOperatorExpr) {\n return needsTemporaryInSafeAccess(e.lhs) || needsTemporaryInSafeAccess(e.rhs);\n }\n else if (e instanceof ConditionalExpr) {\n if (e.falseCase && needsTemporaryInSafeAccess(e.falseCase))\n return true;\n return needsTemporaryInSafeAccess(e.condition) || needsTemporaryInSafeAccess(e.trueCase);\n }\n else if (e instanceof NotExpr) {\n return needsTemporaryInSafeAccess(e.condition);\n }\n else if (e instanceof AssignTemporaryExpr) {\n return needsTemporaryInSafeAccess(e.expr);\n }\n else if (e instanceof ReadPropExpr) {\n return needsTemporaryInSafeAccess(e.receiver);\n }\n else if (e instanceof ReadKeyExpr) {\n return needsTemporaryInSafeAccess(e.receiver) || needsTemporaryInSafeAccess(e.index);\n }\n // TODO: Switch to a method which is exhaustive of newly added expression subtypes.\n return e instanceof InvokeFunctionExpr || e instanceof LiteralArrayExpr ||\n e instanceof LiteralMapExpr || e instanceof SafeInvokeFunctionExpr ||\n e instanceof PipeBindingExpr;\n}\nfunction temporariesIn(e) {\n const temporaries = new Set();\n // TODO: Although it's not currently supported by the transform helper, we should be able to\n // short-circuit exploring the tree to do less work. In particular, we don't have to penetrate\n // into the subexpressions of temporary assignments.\n transformExpressionsInExpression(e, e => {\n if (e instanceof AssignTemporaryExpr) {\n temporaries.add(e.xref);\n }\n return e;\n }, VisitorContextFlag.None);\n return temporaries;\n}\nfunction eliminateTemporaryAssignments(e, tmps, ctx) {\n // TODO: We can be more efficient than the transform helper here. We don't need to visit any\n // descendents of temporary assignments.\n transformExpressionsInExpression(e, e => {\n if (e instanceof AssignTemporaryExpr && tmps.has(e.xref)) {\n const read = new ReadTemporaryExpr(e.xref);\n // `TemplateDefinitionBuilder` has the (accidental?) behavior of generating assignments of\n // temporary variables to themselves. This happens because some subexpression that the\n // temporary refers to, possibly through nested temporaries, has a function call. We copy that\n // behavior here.\n return ctx.job.compatibility === CompatibilityMode.TemplateDefinitionBuilder ?\n new AssignTemporaryExpr(read, read.xref) :\n read;\n }\n return e;\n }, VisitorContextFlag.None);\n return e;\n}\n/**\n * Creates a safe ternary guarded by the input expression, and with a body generated by the provided\n * callback on the input expression. Generates a temporary variable assignment if needed, and\n * deduplicates nested temporary assignments if needed.\n */\nfunction safeTernaryWithTemporary(guard, body, ctx) {\n let result;\n if (needsTemporaryInSafeAccess(guard)) {\n const xref = ctx.job.allocateXrefId();\n result = [new AssignTemporaryExpr(guard, xref), new ReadTemporaryExpr(xref)];\n }\n else {\n result = [guard, guard.clone()];\n // Consider an expression like `a?.[b?.c()]?.d`. The `b?.c()` will be transformed first,\n // introducing a temporary assignment into the key. Then, as part of expanding the `?.d`. That\n // assignment will be duplicated into both the guard and expression sides. We de-duplicate it,\n // by transforming it from an assignment into a read on the expression side.\n eliminateTemporaryAssignments(result[1], temporariesIn(result[0]), ctx);\n }\n return new SafeTernaryExpr(result[0], body(result[1]));\n}\nfunction isSafeAccessExpression(e) {\n return e instanceof SafePropertyReadExpr || e instanceof SafeKeyedReadExpr ||\n e instanceof SafeInvokeFunctionExpr;\n}\nfunction isUnsafeAccessExpression(e) {\n return e instanceof ReadPropExpr || e instanceof ReadKeyExpr ||\n e instanceof InvokeFunctionExpr;\n}\nfunction isAccessExpression(e) {\n return isSafeAccessExpression(e) || isUnsafeAccessExpression(e);\n}\nfunction deepestSafeTernary(e) {\n if (isAccessExpression(e) && e.receiver instanceof SafeTernaryExpr) {\n let st = e.receiver;\n while (st.expr instanceof SafeTernaryExpr) {\n st = st.expr;\n }\n return st;\n }\n return null;\n}\n// TODO: When strict compatibility with TemplateDefinitionBuilder is not required, we can use `&&`\n// instead to save some code size.\nfunction safeTransform(e, ctx) {\n if (!isAccessExpression(e)) {\n return e;\n }\n const dst = deepestSafeTernary(e);\n if (dst) {\n if (e instanceof InvokeFunctionExpr) {\n dst.expr = dst.expr.callFn(e.args);\n return e.receiver;\n }\n if (e instanceof ReadPropExpr) {\n dst.expr = dst.expr.prop(e.name);\n return e.receiver;\n }\n if (e instanceof ReadKeyExpr) {\n dst.expr = dst.expr.key(e.index);\n return e.receiver;\n }\n if (e instanceof SafeInvokeFunctionExpr) {\n dst.expr = safeTernaryWithTemporary(dst.expr, (r) => r.callFn(e.args), ctx);\n return e.receiver;\n }\n if (e instanceof SafePropertyReadExpr) {\n dst.expr = safeTernaryWithTemporary(dst.expr, (r) => r.prop(e.name), ctx);\n return e.receiver;\n }\n if (e instanceof SafeKeyedReadExpr) {\n dst.expr = safeTernaryWithTemporary(dst.expr, (r) => r.key(e.index), ctx);\n return e.receiver;\n }\n }\n else {\n if (e instanceof SafeInvokeFunctionExpr) {\n return safeTernaryWithTemporary(e.receiver, (r) => r.callFn(e.args), ctx);\n }\n if (e instanceof SafePropertyReadExpr) {\n return safeTernaryWithTemporary(e.receiver, (r) => r.prop(e.name), ctx);\n }\n if (e instanceof SafeKeyedReadExpr) {\n return safeTernaryWithTemporary(e.receiver, (r) => r.key(e.index), ctx);\n }\n }\n return e;\n}\nfunction ternaryTransform(e) {\n if (!(e instanceof SafeTernaryExpr)) {\n return e;\n }\n return new ConditionalExpr(new BinaryOperatorExpr(BinaryOperator.Equals, e.guard, NULL_EXPR), NULL_EXPR, e.expr);\n}\n\n/**\n * Generate `ir.AdvanceOp`s in between `ir.UpdateOp`s that ensure the runtime's implicit slot\n * context will be advanced correctly.\n */\nfunction phaseGenerateAdvance(cpl) {\n for (const [_, view] of cpl.views) {\n // First build a map of all of the declarations in the view that have assigned slots.\n const slotMap = new Map();\n for (const op of view.create) {\n if (!hasConsumesSlotTrait(op)) {\n continue;\n }\n else if (op.slot === null) {\n throw new Error(`AssertionError: expected slots to have been allocated before generating advance() calls`);\n }\n slotMap.set(op.xref, op.slot);\n }\n // Next, step through the update operations and generate `ir.AdvanceOp`s as required to ensure\n // the runtime's implicit slot counter will be set to the correct slot before executing each\n // update operation which depends on it.\n //\n // To do that, we track what the runtime's slot counter will be through the update operations.\n let slotContext = 0;\n for (const op of view.update) {\n if (!hasDependsOnSlotContextTrait(op)) {\n // `op` doesn't depend on the slot counter, so it can be skipped.\n continue;\n }\n else if (!slotMap.has(op.target)) {\n // We expect ops that _do_ depend on the slot counter to point at declarations that exist in\n // the `slotMap`.\n throw new Error(`AssertionError: reference to unknown slot for var ${op.target}`);\n }\n const slot = slotMap.get(op.target);\n // Does the slot counter need to be adjusted?\n if (slotContext !== slot) {\n // If so, generate an `ir.AdvanceOp` to advance the counter.\n const delta = slot - slotContext;\n if (delta < 0) {\n throw new Error(`AssertionError: slot counter should never need to move backwards`);\n }\n OpList.insertBefore(createAdvanceOp(delta, op.sourceSpan), op);\n slotContext = slot;\n }\n }\n }\n}\n\n/**\n * Generate a preamble sequence for each view creation block and listener function which declares\n * any variables that be referenced in other operations in the block.\n *\n * Variables generated include:\n * * a saved view context to be used to restore the current view in event listeners.\n * * the context of the restored view within event listener handlers.\n * * context variables from the current view as well as all parent views (including the root\n * context if needed).\n * * local references from elements within the current view and any lexical parents.\n *\n * Variables are generated here unconditionally, and may optimized away in future operations if it\n * turns out their values (and any side effects) are unused.\n */\nfunction phaseGenerateVariables(cpl) {\n recursivelyProcessView(cpl.root, /* there is no parent scope for the root view */ null);\n}\n/**\n * Process the given `ViewCompilation` and generate preambles for it and any listeners that it\n * declares.\n *\n * @param `parentScope` a scope extracted from the parent view which captures any variables which\n * should be inherited by this view. `null` if the current view is the root view.\n */\nfunction recursivelyProcessView(view, parentScope) {\n // Extract a `Scope` from this view.\n const scope = getScopeForView(view, parentScope);\n for (const op of view.create) {\n switch (op.kind) {\n case OpKind.Template:\n // Descend into child embedded views.\n recursivelyProcessView(view.job.views.get(op.xref), scope);\n break;\n case OpKind.Listener:\n // Prepend variables to listener handler functions.\n op.handlerOps.prepend(generateVariablesInScopeForView(view, scope));\n break;\n }\n }\n // Prepend the declarations for all available variables in scope to the `update` block.\n const preambleOps = generateVariablesInScopeForView(view, scope);\n view.update.prepend(preambleOps);\n}\n/**\n * Process a view and generate a `Scope` representing the variables available for reference within\n * that view.\n */\nfunction getScopeForView(view, parent) {\n const scope = {\n view: view.xref,\n viewContextVariable: {\n kind: SemanticVariableKind.Context,\n name: null,\n view: view.xref,\n },\n contextVariables: new Map(),\n references: [],\n parent,\n };\n for (const identifier of view.contextVariables.keys()) {\n scope.contextVariables.set(identifier, {\n kind: SemanticVariableKind.Identifier,\n name: null,\n identifier,\n });\n }\n for (const op of view.create) {\n switch (op.kind) {\n case OpKind.Element:\n case OpKind.ElementStart:\n case OpKind.Template:\n if (!Array.isArray(op.localRefs)) {\n throw new Error(`AssertionError: expected localRefs to be an array`);\n }\n // Record available local references from this element.\n for (let offset = 0; offset < op.localRefs.length; offset++) {\n scope.references.push({\n name: op.localRefs[offset].name,\n targetId: op.xref,\n offset,\n variable: {\n kind: SemanticVariableKind.Identifier,\n name: null,\n identifier: op.localRefs[offset].name,\n },\n });\n }\n break;\n }\n }\n return scope;\n}\n/**\n * Generate declarations for all variables that are in scope for a given view.\n *\n * This is a recursive process, as views inherit variables available from their parent view, which\n * itself may have inherited variables, etc.\n */\nfunction generateVariablesInScopeForView(view, scope) {\n const newOps = [];\n if (scope.view !== view.xref) {\n // Before generating variables for a parent view, we need to switch to the context of the parent\n // view with a `nextContext` expression. This context switching operation itself declares a\n // variable, because the context of the view may be referenced directly.\n newOps.push(createVariableOp(view.job.allocateXrefId(), scope.viewContextVariable, new NextContextExpr()));\n }\n // Add variables for all context variables available in this scope's view.\n for (const [name, value] of view.job.views.get(scope.view).contextVariables) {\n newOps.push(createVariableOp(view.job.allocateXrefId(), scope.contextVariables.get(name), new ReadPropExpr(new ContextExpr(scope.view), value)));\n }\n // Add variables for all local references declared for elements in this scope.\n for (const ref of scope.references) {\n newOps.push(createVariableOp(view.job.allocateXrefId(), ref.variable, new ReferenceExpr(ref.targetId, ref.offset)));\n }\n if (scope.parent !== null) {\n // Recursively add variables from the parent scope.\n newOps.push(...generateVariablesInScopeForView(view, scope.parent));\n }\n return newOps;\n}\n\nconst STYLE_DOT = 'style.';\nconst CLASS_DOT = 'class.';\nfunction phaseHostStylePropertyParsing(job) {\n for (const op of job.update) {\n if (op.kind !== OpKind.Binding) {\n continue;\n }\n if (op.name.startsWith(STYLE_DOT)) {\n op.bindingKind = BindingKind.StyleProperty;\n op.name = op.name.substring(STYLE_DOT.length);\n if (isCssCustomProperty$1(op.name)) {\n op.name = hyphenate(op.name);\n }\n const { property, suffix } = parseProperty$1(op.name);\n op.name = property;\n op.unit = suffix;\n }\n else if (op.name.startsWith('style!')) {\n // TODO: do we only transform !important?\n op.name = 'style';\n }\n else if (op.name.startsWith(CLASS_DOT)) {\n op.bindingKind = BindingKind.ClassName;\n op.name = parseProperty$1(op.name.substring(CLASS_DOT.length)).property;\n }\n }\n}\n/**\n * Checks whether property name is a custom CSS property.\n * See: https://www.w3.org/TR/css-variables-1\n */\nfunction isCssCustomProperty$1(name) {\n return name.startsWith('--');\n}\nfunction hyphenate(value) {\n return value\n .replace(/[a-z][A-Z]/g, v => {\n return v.charAt(0) + '-' + v.charAt(1);\n })\n .toLowerCase();\n}\nfunction parseProperty$1(name) {\n const overrideIndex = name.indexOf('!important');\n if (overrideIndex !== -1) {\n name = overrideIndex > 0 ? name.substring(0, overrideIndex) : '';\n }\n let suffix = null;\n let property = name;\n const unitIndex = name.lastIndexOf('.');\n if (unitIndex > 0) {\n suffix = name.slice(unitIndex + 1);\n property = name.substring(0, unitIndex);\n }\n return { property, suffix };\n}\n\n/**\n * Lifts local reference declarations on element-like structures within each view into an entry in\n * the `consts` array for the whole component.\n */\nfunction phaseLocalRefs(cpl) {\n for (const view of cpl.views.values()) {\n for (const op of view.create) {\n switch (op.kind) {\n case OpKind.ElementStart:\n case OpKind.Element:\n case OpKind.Template:\n if (!Array.isArray(op.localRefs)) {\n throw new Error(`AssertionError: expected localRefs to be an array still`);\n }\n op.numSlotsUsed += op.localRefs.length;\n if (op.localRefs.length > 0) {\n const localRefs = serializeLocalRefs(op.localRefs);\n op.localRefs = cpl.addConst(localRefs);\n }\n else {\n op.localRefs = null;\n }\n break;\n }\n }\n }\n}\nfunction serializeLocalRefs(refs) {\n const constRefs = [];\n for (const ref of refs) {\n constRefs.push(literal(ref.name), literal(ref.target));\n }\n return literalArr(constRefs);\n}\n\n/**\n * Change namespaces between HTML, SVG and MathML, depending on the next element.\n */\nfunction phaseNamespace(job) {\n for (const [_, view] of job.views) {\n let activeNamespace = Namespace.HTML;\n for (const op of view.create) {\n if (op.kind !== OpKind.Element && op.kind !== OpKind.ElementStart) {\n continue;\n }\n if (op.namespace !== activeNamespace) {\n OpList.insertBefore(createNamespaceOp(op.namespace), op);\n activeNamespace = op.namespace;\n }\n }\n }\n}\n\nconst BINARY_OPERATORS = new Map([\n ['&&', BinaryOperator.And],\n ['>', BinaryOperator.Bigger],\n ['>=', BinaryOperator.BiggerEquals],\n ['&', BinaryOperator.BitwiseAnd],\n ['/', BinaryOperator.Divide],\n ['==', BinaryOperator.Equals],\n ['===', BinaryOperator.Identical],\n ['<', BinaryOperator.Lower],\n ['<=', BinaryOperator.LowerEquals],\n ['-', BinaryOperator.Minus],\n ['%', BinaryOperator.Modulo],\n ['*', BinaryOperator.Multiply],\n ['!=', BinaryOperator.NotEquals],\n ['!==', BinaryOperator.NotIdentical],\n ['??', BinaryOperator.NullishCoalesce],\n ['||', BinaryOperator.Or],\n ['+', BinaryOperator.Plus],\n]);\nconst NAMESPACES = new Map([['svg', Namespace.SVG], ['math', Namespace.Math]]);\nfunction namespaceForKey(namespacePrefixKey) {\n if (namespacePrefixKey === null) {\n return Namespace.HTML;\n }\n return NAMESPACES.get(namespacePrefixKey) ?? Namespace.HTML;\n}\nfunction keyForNamespace(namespace) {\n for (const [k, n] of NAMESPACES.entries()) {\n if (n === namespace) {\n return k;\n }\n }\n return null; // No namespace prefix for HTML\n}\nfunction prefixWithNamespace(strippedTag, namespace) {\n if (namespace === Namespace.HTML) {\n return strippedTag;\n }\n return `:${keyForNamespace(namespace)}:${strippedTag}`;\n}\n\n/**\n * Generate names for functions and variables across all views.\n *\n * This includes propagating those names into any `ir.ReadVariableExpr`s of those variables, so that\n * the reads can be emitted correctly.\n */\nfunction phaseNaming(cpl) {\n addNamesToView(cpl.root, cpl.componentName, { index: 0 }, cpl.compatibility === CompatibilityMode.TemplateDefinitionBuilder);\n}\nfunction addNamesToView(unit, baseName, state, compatibility) {\n if (unit.fnName === null) {\n unit.fnName = sanitizeIdentifier(`${baseName}_${unit.job.fnSuffix}`);\n }\n // Keep track of the names we assign to variables in the view. We'll need to propagate these\n // into reads of those variables afterwards.\n const varNames = new Map();\n for (const op of unit.ops()) {\n switch (op.kind) {\n case OpKind.Property:\n if (op.isAnimationTrigger) {\n op.name = '@' + op.name;\n }\n break;\n case OpKind.Listener:\n if (op.handlerFnName === null) {\n if (op.slot === null) {\n throw new Error(`Expected a slot to be assigned`);\n }\n const safeTagName = op.tag.replace('-', '_');\n if (op.isAnimationListener) {\n op.handlerFnName = sanitizeIdentifier(`${unit.fnName}_${safeTagName}_animation_${op.name}_${op.animationPhase}_${op.slot}_listener`);\n op.name = `@${op.name}.${op.animationPhase}`;\n }\n else {\n op.handlerFnName =\n sanitizeIdentifier(`${unit.fnName}_${safeTagName}_${op.name}_${op.slot}_listener`);\n }\n }\n break;\n case OpKind.Variable:\n varNames.set(op.xref, getVariableName(op.variable, state));\n break;\n case OpKind.Template:\n if (!(unit instanceof ViewCompilationUnit)) {\n throw new Error(`AssertionError: must be compiling a component`);\n }\n const childView = unit.job.views.get(op.xref);\n if (op.slot === null) {\n throw new Error(`Expected slot to be assigned`);\n }\n addNamesToView(childView, `${baseName}_${prefixWithNamespace(op.tag, op.namespace)}_${op.slot}`, state, compatibility);\n break;\n case OpKind.StyleProp:\n op.name = normalizeStylePropName(op.name);\n if (compatibility) {\n op.name = stripImportant(op.name);\n }\n break;\n case OpKind.ClassProp:\n if (compatibility) {\n op.name = stripImportant(op.name);\n }\n break;\n }\n }\n // Having named all variables declared in the view, now we can push those names into the\n // `ir.ReadVariableExpr` expressions which represent reads of those variables.\n for (const op of unit.ops()) {\n visitExpressionsInOp(op, expr => {\n if (!(expr instanceof ReadVariableExpr) || expr.name !== null) {\n return;\n }\n if (!varNames.has(expr.xref)) {\n throw new Error(`Variable ${expr.xref} not yet named`);\n }\n expr.name = varNames.get(expr.xref);\n });\n }\n}\nfunction getVariableName(variable, state) {\n if (variable.name === null) {\n switch (variable.kind) {\n case SemanticVariableKind.Context:\n variable.name = `ctx_r${state.index++}`;\n break;\n case SemanticVariableKind.Identifier:\n variable.name = `${variable.identifier}_${state.index++}`;\n break;\n default:\n variable.name = `_r${state.index++}`;\n break;\n }\n }\n return variable.name;\n}\n/**\n * Normalizes a style prop name by hyphenating it (unless its a CSS variable).\n */\nfunction normalizeStylePropName(name) {\n return name.startsWith('--') ? name : hyphenate$1(name);\n}\n/**\n * Strips `!important` out of the given style or class name.\n */\nfunction stripImportant(name) {\n const importantIndex = name.indexOf('!important');\n if (importantIndex > -1) {\n return name.substring(0, importantIndex);\n }\n return name;\n}\n\n/**\n * Merges logically sequential `NextContextExpr` operations.\n *\n * `NextContextExpr` can be referenced repeatedly, \"popping\" the runtime's context stack each time.\n * When two such expressions appear back-to-back, it's possible to merge them together into a single\n * `NextContextExpr` that steps multiple contexts. This merging is possible if all conditions are\n * met:\n *\n * * The result of the `NextContextExpr` that's folded into the subsequent one is not stored (that\n * is, the call is purely side-effectful).\n * * No operations in between them uses the implicit context.\n */\nfunction phaseMergeNextContext(cpl) {\n for (const view of cpl.views.values()) {\n for (const op of view.create) {\n if (op.kind === OpKind.Listener) {\n mergeNextContextsInOps(op.handlerOps);\n }\n }\n mergeNextContextsInOps(view.update);\n }\n}\nfunction mergeNextContextsInOps(ops) {\n for (const op of ops) {\n // Look for a candidate operation to maybe merge.\n if (op.kind !== OpKind.Statement || !(op.statement instanceof ExpressionStatement) ||\n !(op.statement.expr instanceof NextContextExpr)) {\n continue;\n }\n const mergeSteps = op.statement.expr.steps;\n // Try to merge this `ir.NextContextExpr`.\n let tryToMerge = true;\n for (let candidate = op.next; candidate.kind !== OpKind.ListEnd && tryToMerge; candidate = candidate.next) {\n visitExpressionsInOp(candidate, (expr, flags) => {\n if (!isIrExpression(expr)) {\n return expr;\n }\n if (!tryToMerge) {\n // Either we've already merged, or failed to merge.\n return;\n }\n if (flags & VisitorContextFlag.InChildOperation) {\n // We cannot merge into child operations.\n return;\n }\n switch (expr.kind) {\n case ExpressionKind.NextContext:\n // Merge the previous `ir.NextContextExpr` into this one.\n expr.steps += mergeSteps;\n OpList.remove(op);\n tryToMerge = false;\n break;\n case ExpressionKind.GetCurrentView:\n case ExpressionKind.Reference:\n // Can't merge past a dependency on the context.\n tryToMerge = false;\n break;\n }\n });\n }\n }\n}\n\nconst CONTAINER_TAG = 'ng-container';\n/**\n * Replace an `Element` or `ElementStart` whose tag is `ng-container` with a specific op.\n */\nfunction phaseNgContainer(cpl) {\n for (const [_, view] of cpl.views) {\n const updatedElementXrefs = new Set();\n for (const op of view.create) {\n if (op.kind === OpKind.ElementStart && op.tag === CONTAINER_TAG) {\n // Transmute the `ElementStart` instruction to `ContainerStart`.\n op.kind = OpKind.ContainerStart;\n updatedElementXrefs.add(op.xref);\n }\n if (op.kind === OpKind.ElementEnd && updatedElementXrefs.has(op.xref)) {\n // This `ElementEnd` is associated with an `ElementStart` we already transmuted.\n op.kind = OpKind.ContainerEnd;\n }\n }\n }\n}\n\n/**\n * Transforms special-case bindings with 'style' or 'class' in their names. Must run before the\n * main binding specialization pass.\n */\nfunction phaseNoListenersOnTemplates(job) {\n for (const unit of job.units) {\n let inTemplate = false;\n for (const op of unit.create) {\n switch (op.kind) {\n case OpKind.Template:\n inTemplate = true;\n break;\n case OpKind.ElementStart:\n case OpKind.Element:\n case OpKind.ContainerStart:\n case OpKind.Container:\n inTemplate = false;\n break;\n case OpKind.Listener:\n if (inTemplate) {\n OpList.remove(op);\n }\n break;\n }\n }\n }\n}\n\n/**\n * Looks up an element in the given map by xref ID.\n */\nfunction lookupElement(elements, xref) {\n const el = elements.get(xref);\n if (el === undefined) {\n throw new Error('All attributes should have an element-like target.');\n }\n return el;\n}\n/**\n * When a container is marked with `ngNonBindable`, the non-bindable characteristic also applies to\n * all descendants of that container. Therefore, we must emit `disableBindings` and `enableBindings`\n * instructions for every such container.\n */\nfunction phaseNonbindable(job) {\n const elements = new Map();\n for (const view of job.units) {\n for (const op of view.create) {\n if (!isElementOrContainerOp(op)) {\n continue;\n }\n elements.set(op.xref, op);\n }\n }\n for (const [_, view] of job.views) {\n for (const op of view.create) {\n if ((op.kind === OpKind.ElementStart || op.kind === OpKind.ContainerStart) &&\n op.nonBindable) {\n OpList.insertAfter(createDisableBindingsOp(op.xref), op);\n }\n if ((op.kind === OpKind.ElementEnd || op.kind === OpKind.ContainerEnd) &&\n lookupElement(elements, op.xref).nonBindable) {\n OpList.insertBefore(createEnableBindingsOp(op.xref), op);\n }\n }\n }\n}\n\nfunction phaseNullishCoalescing(job) {\n for (const unit of job.units) {\n for (const op of unit.ops()) {\n transformExpressionsInOp(op, expr => {\n if (!(expr instanceof BinaryOperatorExpr) ||\n expr.operator !== BinaryOperator.NullishCoalesce) {\n return expr;\n }\n const assignment = new AssignTemporaryExpr(expr.lhs.clone(), job.allocateXrefId());\n const read = new ReadTemporaryExpr(assignment.xref);\n // TODO: When not in compatibility mode for TemplateDefinitionBuilder, we can just emit\n // `t != null` instead of including an undefined check as well.\n return new ConditionalExpr(new BinaryOperatorExpr(BinaryOperator.And, new BinaryOperatorExpr(BinaryOperator.NotIdentical, assignment, NULL_EXPR), new BinaryOperatorExpr(BinaryOperator.NotIdentical, read, new LiteralExpr(undefined))), read.clone(), expr.rhs);\n }, VisitorContextFlag.None);\n }\n }\n}\n\nfunction phasePipeCreation(cpl) {\n for (const view of cpl.views.values()) {\n processPipeBindingsInView(view);\n }\n}\nfunction processPipeBindingsInView(view) {\n for (const updateOp of view.update) {\n visitExpressionsInOp(updateOp, (expr, flags) => {\n if (!isIrExpression(expr)) {\n return;\n }\n if (expr.kind !== ExpressionKind.PipeBinding) {\n return;\n }\n if (flags & VisitorContextFlag.InChildOperation) {\n throw new Error(`AssertionError: pipe bindings should not appear in child expressions`);\n }\n if (!hasDependsOnSlotContextTrait(updateOp)) {\n throw new Error(`AssertionError: pipe binding associated with non-slot operation ${OpKind[updateOp.kind]}`);\n }\n addPipeToCreationBlock(view, updateOp.target, expr);\n });\n }\n}\nfunction addPipeToCreationBlock(view, afterTargetXref, binding) {\n // Find the appropriate point to insert the Pipe creation operation.\n // We're looking for `afterTargetXref` (and also want to insert after any other pipe operations\n // which might be beyond it).\n for (let op = view.create.head.next; op.kind !== OpKind.ListEnd; op = op.next) {\n if (!hasConsumesSlotTrait(op)) {\n continue;\n }\n if (op.xref !== afterTargetXref) {\n continue;\n }\n // We've found a tentative insertion point; however, we also want to skip past any _other_ pipe\n // operations present.\n while (op.next.kind === OpKind.Pipe) {\n op = op.next;\n }\n const pipe = createPipeOp(binding.target, binding.name);\n OpList.insertBefore(pipe, op.next);\n // This completes adding the pipe to the creation block.\n return;\n }\n // At this point, we've failed to add the pipe to the creation block.\n throw new Error(`AssertionError: unable to find insertion point for pipe ${binding.name}`);\n}\n\nfunction phasePipeVariadic(cpl) {\n for (const view of cpl.views.values()) {\n for (const op of view.update) {\n transformExpressionsInOp(op, expr => {\n if (!(expr instanceof PipeBindingExpr)) {\n return expr;\n }\n // Pipes are variadic if they have more than 4 arguments.\n if (expr.args.length <= 4) {\n return expr;\n }\n return new PipeBindingVariadicExpr(expr.target, expr.name, literalArr(expr.args), expr.args.length);\n }, VisitorContextFlag.None);\n }\n }\n}\n\nfunction kindTest(kind) {\n return (op) => op.kind === kind;\n}\n/**\n * Defines the groups based on `OpKind` that ops will be divided into. Ops will be collected into\n * groups, then optionally transformed, before recombining the groups in the order defined here.\n */\nconst ORDERING = [\n { test: kindTest(OpKind.StyleMap), transform: keepLast },\n { test: kindTest(OpKind.ClassMap), transform: keepLast },\n { test: kindTest(OpKind.StyleProp) },\n { test: kindTest(OpKind.ClassProp) },\n {\n test: (op) => (op.kind === OpKind.Property || op.kind === OpKind.HostProperty) &&\n op.expression instanceof Interpolation\n },\n {\n test: (op) => (op.kind === OpKind.Property || op.kind === OpKind.HostProperty) &&\n !(op.expression instanceof Interpolation)\n },\n { test: kindTest(OpKind.Attribute) },\n];\n/**\n * The set of all op kinds we handle in the reordering phase.\n */\nconst handledOpKinds = new Set([\n OpKind.StyleMap,\n OpKind.ClassMap,\n OpKind.StyleProp,\n OpKind.ClassProp,\n OpKind.Property,\n OpKind.HostProperty,\n OpKind.Attribute,\n]);\n/**\n * Reorders property and attribute ops according to the following ordering:\n * 1. styleMap & styleMapInterpolate (drops all but the last op in the group)\n * 2. classMap & classMapInterpolate (drops all but the last op in the group)\n * 3. styleProp & stylePropInterpolate (ordering preserved within group)\n * 4. classProp (ordering preserved within group)\n * 5. propertyInterpolate (ordering preserved within group)\n * 6. property (ordering preserved within group)\n * 7. attribute & attributeInterpolate (ordering preserve within group)\n */\nfunction phasePropertyOrdering(cpl) {\n for (const unit of cpl.units) {\n let opsToOrder = [];\n for (const op of unit.update) {\n if (handledOpKinds.has(op.kind)) {\n // Pull out ops that need o be ordered.\n opsToOrder.push(op);\n OpList.remove(op);\n }\n else {\n // When we encounter an op that shouldn't be reordered, put the ones we've pulled so far\n // back in the correct order.\n for (const orderedOp of reorder(opsToOrder)) {\n OpList.insertBefore(orderedOp, op);\n }\n opsToOrder = [];\n }\n }\n // If we still have ops pulled at the end, put them back in the correct order.\n for (const orderedOp of reorder(opsToOrder)) {\n unit.update.push(orderedOp);\n }\n }\n}\n/**\n * Reorders the given list of ops according to the ordering defined by `ORDERING`.\n */\nfunction reorder(ops) {\n // Break the ops list into groups based on OpKind.\n const groups = Array.from(ORDERING, () => new Array());\n for (const op of ops) {\n const groupIndex = ORDERING.findIndex(o => o.test(op));\n groups[groupIndex].push(op);\n }\n // Reassemble the groups into a single list, in the correct order.\n return groups.flatMap((group, i) => {\n const transform = ORDERING[i].transform;\n return transform ? transform(group) : group;\n });\n}\n/**\n * Keeps only the last op in a list of ops.\n */\nfunction keepLast(ops) {\n return ops.slice(ops.length - 1);\n}\n\nfunction phasePureFunctionExtraction(job) {\n for (const view of job.units) {\n for (const op of view.ops()) {\n visitExpressionsInOp(op, expr => {\n if (!(expr instanceof PureFunctionExpr) || expr.body === null) {\n return;\n }\n const constantDef = new PureFunctionConstant(expr.args.length);\n expr.fn = job.pool.getSharedConstant(constantDef, expr.body);\n expr.body = null;\n });\n }\n }\n}\nclass PureFunctionConstant extends GenericKeyFn {\n constructor(numArgs) {\n super();\n this.numArgs = numArgs;\n }\n keyOf(expr) {\n if (expr instanceof PureFunctionParameterExpr) {\n return `param(${expr.index})`;\n }\n else {\n return super.keyOf(expr);\n }\n }\n toSharedConstantDeclaration(declName, keyExpr) {\n const fnParams = [];\n for (let idx = 0; idx < this.numArgs; idx++) {\n fnParams.push(new FnParam('_p' + idx));\n }\n // We will never visit `ir.PureFunctionParameterExpr`s that don't belong to us, because this\n // transform runs inside another visitor which will visit nested pure functions before this one.\n const returnExpr = transformExpressionsInExpression(keyExpr, expr => {\n if (!(expr instanceof PureFunctionParameterExpr)) {\n return expr;\n }\n return variable('_p' + expr.index);\n }, VisitorContextFlag.None);\n return new DeclareFunctionStmt(declName, fnParams, [new ReturnStatement(returnExpr)]);\n }\n}\n\nfunction phasePureLiteralStructures(job) {\n for (const view of job.units) {\n for (const op of view.update) {\n transformExpressionsInOp(op, (expr, flags) => {\n if (flags & VisitorContextFlag.InChildOperation) {\n return expr;\n }\n if (expr instanceof LiteralArrayExpr) {\n return transformLiteralArray(expr);\n }\n else if (expr instanceof LiteralMapExpr) {\n return transformLiteralMap(expr);\n }\n return expr;\n }, VisitorContextFlag.None);\n }\n }\n}\nfunction transformLiteralArray(expr) {\n const derivedEntries = [];\n const nonConstantArgs = [];\n for (const entry of expr.entries) {\n if (entry.isConstant()) {\n derivedEntries.push(entry);\n }\n else {\n const idx = nonConstantArgs.length;\n nonConstantArgs.push(entry);\n derivedEntries.push(new PureFunctionParameterExpr(idx));\n }\n }\n return new PureFunctionExpr(literalArr(derivedEntries), nonConstantArgs);\n}\nfunction transformLiteralMap(expr) {\n let derivedEntries = [];\n const nonConstantArgs = [];\n for (const entry of expr.entries) {\n if (entry.value.isConstant()) {\n derivedEntries.push(entry);\n }\n else {\n const idx = nonConstantArgs.length;\n nonConstantArgs.push(entry.value);\n derivedEntries.push(new LiteralMapEntry(entry.key, new PureFunctionParameterExpr(idx), entry.quoted));\n }\n }\n return new PureFunctionExpr(literalMap(derivedEntries), nonConstantArgs);\n}\n\n// This file contains helpers for generating calls to Ivy instructions. In particular, each\n// instruction type is represented as a function, which may select a specific instruction variant\n// depending on the exact arguments.\nfunction element(slot, tag, constIndex, localRefIndex, sourceSpan) {\n return elementOrContainerBase(Identifiers.element, slot, tag, constIndex, localRefIndex, sourceSpan);\n}\nfunction elementStart(slot, tag, constIndex, localRefIndex, sourceSpan) {\n return elementOrContainerBase(Identifiers.elementStart, slot, tag, constIndex, localRefIndex, sourceSpan);\n}\nfunction elementOrContainerBase(instruction, slot, tag, constIndex, localRefIndex, sourceSpan) {\n const args = [literal(slot)];\n if (tag !== null) {\n args.push(literal(tag));\n }\n if (localRefIndex !== null) {\n args.push(literal(constIndex), // might be null, but that's okay.\n literal(localRefIndex));\n }\n else if (constIndex !== null) {\n args.push(literal(constIndex));\n }\n return call(instruction, args, sourceSpan);\n}\nfunction elementEnd(sourceSpan) {\n return call(Identifiers.elementEnd, [], sourceSpan);\n}\nfunction elementContainerStart(slot, constIndex, localRefIndex, sourceSpan) {\n return elementOrContainerBase(Identifiers.elementContainerStart, slot, /* tag */ null, constIndex, localRefIndex, sourceSpan);\n}\nfunction elementContainer(slot, constIndex, localRefIndex, sourceSpan) {\n return elementOrContainerBase(Identifiers.elementContainer, slot, /* tag */ null, constIndex, localRefIndex, sourceSpan);\n}\nfunction elementContainerEnd() {\n return call(Identifiers.elementContainerEnd, [], null);\n}\nfunction template(slot, templateFnRef, decls, vars, tag, constIndex, sourceSpan) {\n return call(Identifiers.templateCreate, [\n literal(slot),\n templateFnRef,\n literal(decls),\n literal(vars),\n literal(tag),\n literal(constIndex),\n ], sourceSpan);\n}\nfunction disableBindings() {\n return call(Identifiers.disableBindings, [], null);\n}\nfunction enableBindings() {\n return call(Identifiers.enableBindings, [], null);\n}\nfunction listener(name, handlerFn) {\n return call(Identifiers.listener, [\n literal(name),\n handlerFn,\n ], null);\n}\nfunction pipe(slot, name) {\n return call(Identifiers.pipe, [\n literal(slot),\n literal(name),\n ], null);\n}\nfunction namespaceHTML() {\n return call(Identifiers.namespaceHTML, [], null);\n}\nfunction namespaceSVG() {\n return call(Identifiers.namespaceSVG, [], null);\n}\nfunction namespaceMath() {\n return call(Identifiers.namespaceMathML, [], null);\n}\nfunction advance(delta, sourceSpan) {\n return call(Identifiers.advance, [\n literal(delta),\n ], sourceSpan);\n}\nfunction reference(slot) {\n return importExpr(Identifiers.reference).callFn([\n literal(slot),\n ]);\n}\nfunction nextContext(steps) {\n return importExpr(Identifiers.nextContext).callFn(steps === 1 ? [] : [literal(steps)]);\n}\nfunction getCurrentView() {\n return importExpr(Identifiers.getCurrentView).callFn([]);\n}\nfunction restoreView(savedView) {\n return importExpr(Identifiers.restoreView).callFn([\n savedView,\n ]);\n}\nfunction resetView(returnValue) {\n return importExpr(Identifiers.resetView).callFn([\n returnValue,\n ]);\n}\nfunction text(slot, initialValue, sourceSpan) {\n const args = [literal(slot, null)];\n if (initialValue !== '') {\n args.push(literal(initialValue));\n }\n return call(Identifiers.text, args, sourceSpan);\n}\nfunction property(name, expression, sanitizer, sourceSpan) {\n const args = [literal(name), expression];\n if (sanitizer !== null) {\n args.push(sanitizer);\n }\n return call(Identifiers.property, args, sourceSpan);\n}\nfunction attribute(name, expression, sanitizer) {\n const args = [literal(name), expression];\n if (sanitizer !== null) {\n args.push(sanitizer);\n }\n return call(Identifiers.attribute, args, null);\n}\nfunction styleProp(name, expression, unit) {\n const args = [literal(name), expression];\n if (unit !== null) {\n args.push(literal(unit));\n }\n return call(Identifiers.styleProp, args, null);\n}\nfunction classProp(name, expression) {\n return call(Identifiers.classProp, [literal(name), expression], null);\n}\nfunction styleMap(expression) {\n return call(Identifiers.styleMap, [expression], null);\n}\nfunction classMap(expression) {\n return call(Identifiers.classMap, [expression], null);\n}\nconst PIPE_BINDINGS = [\n Identifiers.pipeBind1,\n Identifiers.pipeBind2,\n Identifiers.pipeBind3,\n Identifiers.pipeBind4,\n];\nfunction pipeBind(slot, varOffset, args) {\n if (args.length < 1 || args.length > PIPE_BINDINGS.length) {\n throw new Error(`pipeBind() argument count out of bounds`);\n }\n const instruction = PIPE_BINDINGS[args.length - 1];\n return importExpr(instruction).callFn([\n literal(slot),\n literal(varOffset),\n ...args,\n ]);\n}\nfunction pipeBindV(slot, varOffset, args) {\n return importExpr(Identifiers.pipeBindV).callFn([\n literal(slot),\n literal(varOffset),\n args,\n ]);\n}\nfunction textInterpolate(strings, expressions, sourceSpan) {\n if (strings.length < 1 || expressions.length !== strings.length - 1) {\n throw new Error(`AssertionError: expected specific shape of args for strings/expressions in interpolation`);\n }\n const interpolationArgs = [];\n if (expressions.length === 1 && strings[0] === '' && strings[1] === '') {\n interpolationArgs.push(expressions[0]);\n }\n else {\n let idx;\n for (idx = 0; idx < expressions.length; idx++) {\n interpolationArgs.push(literal(strings[idx]), expressions[idx]);\n }\n // idx points at the last string.\n interpolationArgs.push(literal(strings[idx]));\n }\n return callVariadicInstruction(TEXT_INTERPOLATE_CONFIG, [], interpolationArgs, [], sourceSpan);\n}\nfunction propertyInterpolate(name, strings, expressions, sanitizer, sourceSpan) {\n const interpolationArgs = collateInterpolationArgs(strings, expressions);\n const extraArgs = [];\n if (sanitizer !== null) {\n extraArgs.push(sanitizer);\n }\n return callVariadicInstruction(PROPERTY_INTERPOLATE_CONFIG, [literal(name)], interpolationArgs, extraArgs, sourceSpan);\n}\nfunction attributeInterpolate(name, strings, expressions, sanitizer) {\n const interpolationArgs = collateInterpolationArgs(strings, expressions);\n const extraArgs = [];\n if (sanitizer !== null) {\n extraArgs.push(sanitizer);\n }\n return callVariadicInstruction(ATTRIBUTE_INTERPOLATE_CONFIG, [literal(name)], interpolationArgs, extraArgs, null);\n}\nfunction stylePropInterpolate(name, strings, expressions, unit) {\n const interpolationArgs = collateInterpolationArgs(strings, expressions);\n const extraArgs = [];\n if (unit !== null) {\n extraArgs.push(literal(unit));\n }\n return callVariadicInstruction(STYLE_PROP_INTERPOLATE_CONFIG, [literal(name)], interpolationArgs, extraArgs, null);\n}\nfunction styleMapInterpolate(strings, expressions) {\n const interpolationArgs = collateInterpolationArgs(strings, expressions);\n return callVariadicInstruction(STYLE_MAP_INTERPOLATE_CONFIG, [], interpolationArgs, [], null);\n}\nfunction classMapInterpolate(strings, expressions) {\n const interpolationArgs = collateInterpolationArgs(strings, expressions);\n return callVariadicInstruction(CLASS_MAP_INTERPOLATE_CONFIG, [], interpolationArgs, [], null);\n}\nfunction hostProperty(name, expression) {\n return call(Identifiers.hostProperty, [literal(name), expression], null);\n}\nfunction pureFunction(varOffset, fn, args) {\n return callVariadicInstructionExpr(PURE_FUNCTION_CONFIG, [\n literal(varOffset),\n fn,\n ], args, [], null);\n}\n/**\n * Collates the string an expression arguments for an interpolation instruction.\n */\nfunction collateInterpolationArgs(strings, expressions) {\n if (strings.length < 1 || expressions.length !== strings.length - 1) {\n throw new Error(`AssertionError: expected specific shape of args for strings/expressions in interpolation`);\n }\n const interpolationArgs = [];\n if (expressions.length === 1 && strings[0] === '' && strings[1] === '') {\n interpolationArgs.push(expressions[0]);\n }\n else {\n let idx;\n for (idx = 0; idx < expressions.length; idx++) {\n interpolationArgs.push(literal(strings[idx]), expressions[idx]);\n }\n // idx points at the last string.\n interpolationArgs.push(literal(strings[idx]));\n }\n return interpolationArgs;\n}\nfunction call(instruction, args, sourceSpan) {\n const expr = importExpr(instruction).callFn(args, sourceSpan);\n return createStatementOp(new ExpressionStatement(expr, sourceSpan));\n}\n/**\n * `InterpolationConfig` for the `textInterpolate` instruction.\n */\nconst TEXT_INTERPOLATE_CONFIG = {\n constant: [\n Identifiers.textInterpolate,\n Identifiers.textInterpolate1,\n Identifiers.textInterpolate2,\n Identifiers.textInterpolate3,\n Identifiers.textInterpolate4,\n Identifiers.textInterpolate5,\n Identifiers.textInterpolate6,\n Identifiers.textInterpolate7,\n Identifiers.textInterpolate8,\n ],\n variable: Identifiers.textInterpolateV,\n mapping: n => {\n if (n % 2 === 0) {\n throw new Error(`Expected odd number of arguments`);\n }\n return (n - 1) / 2;\n },\n};\n/**\n * `InterpolationConfig` for the `propertyInterpolate` instruction.\n */\nconst PROPERTY_INTERPOLATE_CONFIG = {\n constant: [\n Identifiers.propertyInterpolate,\n Identifiers.propertyInterpolate1,\n Identifiers.propertyInterpolate2,\n Identifiers.propertyInterpolate3,\n Identifiers.propertyInterpolate4,\n Identifiers.propertyInterpolate5,\n Identifiers.propertyInterpolate6,\n Identifiers.propertyInterpolate7,\n Identifiers.propertyInterpolate8,\n ],\n variable: Identifiers.propertyInterpolateV,\n mapping: n => {\n if (n % 2 === 0) {\n throw new Error(`Expected odd number of arguments`);\n }\n return (n - 1) / 2;\n },\n};\n/**\n * `InterpolationConfig` for the `stylePropInterpolate` instruction.\n */\nconst STYLE_PROP_INTERPOLATE_CONFIG = {\n constant: [\n Identifiers.styleProp,\n Identifiers.stylePropInterpolate1,\n Identifiers.stylePropInterpolate2,\n Identifiers.stylePropInterpolate3,\n Identifiers.stylePropInterpolate4,\n Identifiers.stylePropInterpolate5,\n Identifiers.stylePropInterpolate6,\n Identifiers.stylePropInterpolate7,\n Identifiers.stylePropInterpolate8,\n ],\n variable: Identifiers.stylePropInterpolateV,\n mapping: n => {\n if (n % 2 === 0) {\n throw new Error(`Expected odd number of arguments`);\n }\n return (n - 1) / 2;\n },\n};\n/**\n * `InterpolationConfig` for the `attributeInterpolate` instruction.\n */\nconst ATTRIBUTE_INTERPOLATE_CONFIG = {\n constant: [\n Identifiers.attribute,\n Identifiers.attributeInterpolate1,\n Identifiers.attributeInterpolate2,\n Identifiers.attributeInterpolate3,\n Identifiers.attributeInterpolate4,\n Identifiers.attributeInterpolate5,\n Identifiers.attributeInterpolate6,\n Identifiers.attributeInterpolate7,\n Identifiers.attributeInterpolate8,\n ],\n variable: Identifiers.attributeInterpolateV,\n mapping: n => {\n if (n % 2 === 0) {\n throw new Error(`Expected odd number of arguments`);\n }\n return (n - 1) / 2;\n },\n};\n/**\n * `InterpolationConfig` for the `styleMapInterpolate` instruction.\n */\nconst STYLE_MAP_INTERPOLATE_CONFIG = {\n constant: [\n Identifiers.styleMap,\n Identifiers.styleMapInterpolate1,\n Identifiers.styleMapInterpolate2,\n Identifiers.styleMapInterpolate3,\n Identifiers.styleMapInterpolate4,\n Identifiers.styleMapInterpolate5,\n Identifiers.styleMapInterpolate6,\n Identifiers.styleMapInterpolate7,\n Identifiers.styleMapInterpolate8,\n ],\n variable: Identifiers.styleMapInterpolateV,\n mapping: n => {\n if (n % 2 === 0) {\n throw new Error(`Expected odd number of arguments`);\n }\n return (n - 1) / 2;\n },\n};\n/**\n * `InterpolationConfig` for the `classMapInterpolate` instruction.\n */\nconst CLASS_MAP_INTERPOLATE_CONFIG = {\n constant: [\n Identifiers.classMap,\n Identifiers.classMapInterpolate1,\n Identifiers.classMapInterpolate2,\n Identifiers.classMapInterpolate3,\n Identifiers.classMapInterpolate4,\n Identifiers.classMapInterpolate5,\n Identifiers.classMapInterpolate6,\n Identifiers.classMapInterpolate7,\n Identifiers.classMapInterpolate8,\n ],\n variable: Identifiers.classMapInterpolateV,\n mapping: n => {\n if (n % 2 === 0) {\n throw new Error(`Expected odd number of arguments`);\n }\n return (n - 1) / 2;\n },\n};\nconst PURE_FUNCTION_CONFIG = {\n constant: [\n Identifiers.pureFunction0,\n Identifiers.pureFunction1,\n Identifiers.pureFunction2,\n Identifiers.pureFunction3,\n Identifiers.pureFunction4,\n Identifiers.pureFunction5,\n Identifiers.pureFunction6,\n Identifiers.pureFunction7,\n Identifiers.pureFunction8,\n ],\n variable: Identifiers.pureFunctionV,\n mapping: n => n,\n};\nfunction callVariadicInstructionExpr(config, baseArgs, interpolationArgs, extraArgs, sourceSpan) {\n const n = config.mapping(interpolationArgs.length);\n if (n < config.constant.length) {\n // Constant calling pattern.\n return importExpr(config.constant[n])\n .callFn([...baseArgs, ...interpolationArgs, ...extraArgs], sourceSpan);\n }\n else if (config.variable !== null) {\n // Variable calling pattern.\n return importExpr(config.variable)\n .callFn([...baseArgs, literalArr(interpolationArgs), ...extraArgs], sourceSpan);\n }\n else {\n throw new Error(`AssertionError: unable to call variadic function`);\n }\n}\nfunction callVariadicInstruction(config, baseArgs, interpolationArgs, extraArgs, sourceSpan) {\n return createStatementOp(callVariadicInstructionExpr(config, baseArgs, interpolationArgs, extraArgs, sourceSpan)\n .toStmt());\n}\n\n/**\n * Map of sanitizers to their identifier.\n */\nconst sanitizerIdentifierMap = new Map([\n [SanitizerFn.Html, Identifiers.sanitizeHtml],\n [SanitizerFn.IframeAttribute, Identifiers.validateIframeAttribute],\n [SanitizerFn.ResourceUrl, Identifiers.sanitizeResourceUrl],\n [SanitizerFn.Script, Identifiers.sanitizeScript],\n [SanitizerFn.Style, Identifiers.sanitizeStyle], [SanitizerFn.Url, Identifiers.sanitizeUrl]\n]);\n/**\n * Compiles semantic operations across all views and generates output `o.Statement`s with actual\n * runtime calls in their place.\n *\n * Reification replaces semantic operations with selected Ivy instructions and other generated code\n * structures. After reification, the create/update operation lists of all views should only contain\n * `ir.StatementOp`s (which wrap generated `o.Statement`s).\n */\nfunction phaseReify(cpl) {\n for (const unit of cpl.units) {\n reifyCreateOperations(unit, unit.create);\n reifyUpdateOperations(unit, unit.update);\n }\n}\nfunction reifyCreateOperations(unit, ops) {\n for (const op of ops) {\n transformExpressionsInOp(op, reifyIrExpression, VisitorContextFlag.None);\n switch (op.kind) {\n case OpKind.Text:\n OpList.replace(op, text(op.slot, op.initialValue, op.sourceSpan));\n break;\n case OpKind.ElementStart:\n OpList.replace(op, elementStart(op.slot, op.tag, op.attributes, op.localRefs, op.sourceSpan));\n break;\n case OpKind.Element:\n OpList.replace(op, element(op.slot, op.tag, op.attributes, op.localRefs, op.sourceSpan));\n break;\n case OpKind.ElementEnd:\n OpList.replace(op, elementEnd(op.sourceSpan));\n break;\n case OpKind.ContainerStart:\n OpList.replace(op, elementContainerStart(op.slot, op.attributes, op.localRefs, op.sourceSpan));\n break;\n case OpKind.Container:\n OpList.replace(op, elementContainer(op.slot, op.attributes, op.localRefs, op.sourceSpan));\n break;\n case OpKind.ContainerEnd:\n OpList.replace(op, elementContainerEnd());\n break;\n case OpKind.Template:\n if (!(unit instanceof ViewCompilationUnit)) {\n throw new Error(`AssertionError: must be compiling a component`);\n }\n const childView = unit.job.views.get(op.xref);\n OpList.replace(op, template(op.slot, variable(childView.fnName), childView.decls, childView.vars, op.tag, op.attributes, op.sourceSpan));\n break;\n case OpKind.DisableBindings:\n OpList.replace(op, disableBindings());\n break;\n case OpKind.EnableBindings:\n OpList.replace(op, enableBindings());\n break;\n case OpKind.Pipe:\n OpList.replace(op, pipe(op.slot, op.name));\n break;\n case OpKind.Listener:\n const listenerFn = reifyListenerHandler(unit, op.handlerFnName, op.handlerOps, op.consumesDollarEvent);\n OpList.replace(op, listener(op.name, listenerFn));\n break;\n case OpKind.Variable:\n if (op.variable.name === null) {\n throw new Error(`AssertionError: unnamed variable ${op.xref}`);\n }\n OpList.replace(op, createStatementOp(new DeclareVarStmt(op.variable.name, op.initializer, undefined, StmtModifier.Final)));\n break;\n case OpKind.Namespace:\n switch (op.active) {\n case Namespace.HTML:\n OpList.replace(op, namespaceHTML());\n break;\n case Namespace.SVG:\n OpList.replace(op, namespaceSVG());\n break;\n case Namespace.Math:\n OpList.replace(op, namespaceMath());\n break;\n }\n break;\n case OpKind.Statement:\n // Pass statement operations directly through.\n break;\n default:\n throw new Error(`AssertionError: Unsupported reification of create op ${OpKind[op.kind]}`);\n }\n }\n}\nfunction reifyUpdateOperations(_unit, ops) {\n for (const op of ops) {\n transformExpressionsInOp(op, reifyIrExpression, VisitorContextFlag.None);\n switch (op.kind) {\n case OpKind.Advance:\n OpList.replace(op, advance(op.delta, op.sourceSpan));\n break;\n case OpKind.Property:\n if (op.expression instanceof Interpolation) {\n OpList.replace(op, propertyInterpolate(op.name, op.expression.strings, op.expression.expressions, op.sanitizer, op.sourceSpan));\n }\n else {\n OpList.replace(op, property(op.name, op.expression, op.sanitizer, op.sourceSpan));\n }\n break;\n case OpKind.StyleProp:\n if (op.expression instanceof Interpolation) {\n OpList.replace(op, stylePropInterpolate(op.name, op.expression.strings, op.expression.expressions, op.unit));\n }\n else {\n OpList.replace(op, styleProp(op.name, op.expression, op.unit));\n }\n break;\n case OpKind.ClassProp:\n OpList.replace(op, classProp(op.name, op.expression));\n break;\n case OpKind.StyleMap:\n if (op.expression instanceof Interpolation) {\n OpList.replace(op, styleMapInterpolate(op.expression.strings, op.expression.expressions));\n }\n else {\n OpList.replace(op, styleMap(op.expression));\n }\n break;\n case OpKind.ClassMap:\n if (op.expression instanceof Interpolation) {\n OpList.replace(op, classMapInterpolate(op.expression.strings, op.expression.expressions));\n }\n else {\n OpList.replace(op, classMap(op.expression));\n }\n break;\n case OpKind.InterpolateText:\n OpList.replace(op, textInterpolate(op.interpolation.strings, op.interpolation.expressions, op.sourceSpan));\n break;\n case OpKind.Attribute:\n if (op.expression instanceof Interpolation) {\n OpList.replace(op, attributeInterpolate(op.name, op.expression.strings, op.expression.expressions, op.sanitizer));\n }\n else {\n OpList.replace(op, attribute(op.name, op.expression, op.sanitizer));\n }\n break;\n case OpKind.HostProperty:\n if (op.expression instanceof Interpolation) {\n throw new Error('not yet handled');\n }\n else {\n OpList.replace(op, hostProperty(op.name, op.expression));\n }\n break;\n case OpKind.Variable:\n if (op.variable.name === null) {\n throw new Error(`AssertionError: unnamed variable ${op.xref}`);\n }\n OpList.replace(op, createStatementOp(new DeclareVarStmt(op.variable.name, op.initializer, undefined, StmtModifier.Final)));\n break;\n case OpKind.Statement:\n // Pass statement operations directly through.\n break;\n default:\n throw new Error(`AssertionError: Unsupported reification of update op ${OpKind[op.kind]}`);\n }\n }\n}\nfunction reifyIrExpression(expr) {\n if (!isIrExpression(expr)) {\n return expr;\n }\n switch (expr.kind) {\n case ExpressionKind.NextContext:\n return nextContext(expr.steps);\n case ExpressionKind.Reference:\n return reference(expr.slot + 1 + expr.offset);\n case ExpressionKind.LexicalRead:\n throw new Error(`AssertionError: unresolved LexicalRead of ${expr.name}`);\n case ExpressionKind.RestoreView:\n if (typeof expr.view === 'number') {\n throw new Error(`AssertionError: unresolved RestoreView`);\n }\n return restoreView(expr.view);\n case ExpressionKind.ResetView:\n return resetView(expr.expr);\n case ExpressionKind.GetCurrentView:\n return getCurrentView();\n case ExpressionKind.ReadVariable:\n if (expr.name === null) {\n throw new Error(`Read of unnamed variable ${expr.xref}`);\n }\n return variable(expr.name);\n case ExpressionKind.ReadTemporaryExpr:\n if (expr.name === null) {\n throw new Error(`Read of unnamed temporary ${expr.xref}`);\n }\n return variable(expr.name);\n case ExpressionKind.AssignTemporaryExpr:\n if (expr.name === null) {\n throw new Error(`Assign of unnamed temporary ${expr.xref}`);\n }\n return variable(expr.name).set(expr.expr);\n case ExpressionKind.PureFunctionExpr:\n if (expr.fn === null) {\n throw new Error(`AssertionError: expected PureFunctions to have been extracted`);\n }\n return pureFunction(expr.varOffset, expr.fn, expr.args);\n case ExpressionKind.PureFunctionParameterExpr:\n throw new Error(`AssertionError: expected PureFunctionParameterExpr to have been extracted`);\n case ExpressionKind.PipeBinding:\n return pipeBind(expr.slot, expr.varOffset, expr.args);\n case ExpressionKind.PipeBindingVariadic:\n return pipeBindV(expr.slot, expr.varOffset, expr.args);\n case ExpressionKind.SanitizerExpr:\n return importExpr(sanitizerIdentifierMap.get(expr.fn));\n default:\n throw new Error(`AssertionError: Unsupported reification of ir.Expression kind: ${ExpressionKind[expr.kind]}`);\n }\n}\n/**\n * Listeners get turned into a function expression, which may or may not have the `$event`\n * parameter defined.\n */\nfunction reifyListenerHandler(unit, name, handlerOps, consumesDollarEvent) {\n // First, reify all instruction calls within `handlerOps`.\n reifyUpdateOperations(unit, handlerOps);\n // Next, extract all the `o.Statement`s from the reified operations. We can expect that at this\n // point, all operations have been converted to statements.\n const handlerStmts = [];\n for (const op of handlerOps) {\n if (op.kind !== OpKind.Statement) {\n throw new Error(`AssertionError: expected reified statements, but found op ${OpKind[op.kind]}`);\n }\n handlerStmts.push(op.statement);\n }\n // If `$event` is referenced, we need to generate it as a parameter.\n const params = [];\n if (consumesDollarEvent) {\n // We need the `$event` parameter.\n params.push(new FnParam('$event'));\n }\n return fn(params, handlerStmts, undefined, undefined, name);\n}\n\nfunction phaseRemoveEmptyBindings(job) {\n for (const unit of job.units) {\n for (const op of unit.update) {\n switch (op.kind) {\n case OpKind.Attribute:\n case OpKind.Binding:\n case OpKind.ClassProp:\n case OpKind.ClassMap:\n case OpKind.Property:\n case OpKind.StyleProp:\n case OpKind.StyleMap:\n if (op.expression instanceof EmptyExpr) {\n OpList.remove(op);\n }\n break;\n }\n }\n }\n}\n\n/**\n * Resolves `ir.ContextExpr` expressions (which represent embedded view or component contexts) to\n * either the `ctx` parameter to component functions (for the current view context) or to variables\n * that store those contexts (for contexts accessed via the `nextContext()` instruction).\n */\nfunction phaseResolveContexts(cpl) {\n for (const unit of cpl.units) {\n processLexicalScope$1(unit, unit.create);\n processLexicalScope$1(unit, unit.update);\n }\n}\nfunction processLexicalScope$1(view, ops) {\n // Track the expressions used to access all available contexts within the current view, by the\n // view `ir.XrefId`.\n const scope = new Map();\n // The current view's context is accessible via the `ctx` parameter.\n scope.set(view.xref, variable('ctx'));\n for (const op of ops) {\n switch (op.kind) {\n case OpKind.Variable:\n switch (op.variable.kind) {\n case SemanticVariableKind.Context:\n scope.set(op.variable.view, new ReadVariableExpr(op.xref));\n break;\n }\n break;\n case OpKind.Listener:\n processLexicalScope$1(view, op.handlerOps);\n break;\n }\n }\n for (const op of ops) {\n transformExpressionsInOp(op, expr => {\n if (expr instanceof ContextExpr) {\n if (!scope.has(expr.view)) {\n throw new Error(`No context found for reference to view ${expr.view} from view ${view.xref}`);\n }\n return scope.get(expr.view);\n }\n else {\n return expr;\n }\n }, VisitorContextFlag.None);\n }\n}\n\n/**\n * Any variable inside a listener with the name `$event` will be transformed into a output lexical\n * read immediately, and does not participate in any of the normal logic for handling variables.\n */\nfunction phaseResolveDollarEvent(cpl) {\n for (const [_, view] of cpl.views) {\n resolveDollarEvent(view, view.create);\n resolveDollarEvent(view, view.update);\n }\n}\nfunction resolveDollarEvent(view, ops) {\n for (const op of ops) {\n if (op.kind === OpKind.Listener) {\n transformExpressionsInOp(op, (expr) => {\n if (expr instanceof LexicalReadExpr && expr.name === '$event') {\n op.consumesDollarEvent = true;\n return new ReadVarExpr(expr.name);\n }\n return expr;\n }, VisitorContextFlag.InChildOperation);\n }\n }\n}\n\n/**\n * Resolves lexical references in views (`ir.LexicalReadExpr`) to either a target variable or to\n * property reads on the top-level component context.\n *\n * Also matches `ir.RestoreViewExpr` expressions with the variables of their corresponding saved\n * views.\n */\nfunction phaseResolveNames(cpl) {\n for (const unit of cpl.units) {\n processLexicalScope(unit, unit.create, null);\n processLexicalScope(unit, unit.update, null);\n }\n}\nfunction processLexicalScope(unit, ops, savedView) {\n // Maps names defined in the lexical scope of this template to the `ir.XrefId`s of the variable\n // declarations which represent those values.\n //\n // Since variables are generated in each view for the entire lexical scope (including any\n // identifiers from parent templates) only local variables need be considered here.\n const scope = new Map();\n // First, step through the operations list and:\n // 1) build up the `scope` mapping\n // 2) recurse into any listener functions\n for (const op of ops) {\n switch (op.kind) {\n case OpKind.Variable:\n switch (op.variable.kind) {\n case SemanticVariableKind.Identifier:\n // This variable represents some kind of identifier which can be used in the template.\n if (scope.has(op.variable.identifier)) {\n continue;\n }\n scope.set(op.variable.identifier, op.xref);\n break;\n case SemanticVariableKind.SavedView:\n // This variable represents a snapshot of the current view context, and can be used to\n // restore that context within listener functions.\n savedView = {\n view: op.variable.view,\n variable: op.xref,\n };\n break;\n }\n break;\n case OpKind.Listener:\n // Listener functions have separate variable declarations, so process them as a separate\n // lexical scope.\n processLexicalScope(unit, op.handlerOps, savedView);\n break;\n }\n }\n // Next, use the `scope` mapping to match `ir.LexicalReadExpr` with defined names in the lexical\n // scope. Also, look for `ir.RestoreViewExpr`s and match them with the snapshotted view context\n // variable.\n for (const op of ops) {\n if (op.kind == OpKind.Listener) {\n // Listeners were already processed above with their own scopes.\n continue;\n }\n transformExpressionsInOp(op, (expr, flags) => {\n if (expr instanceof LexicalReadExpr) {\n // `expr` is a read of a name within the lexical scope of this view.\n // Either that name is defined within the current view, or it represents a property from the\n // main component context.\n if (scope.has(expr.name)) {\n // This was a defined variable in the current scope.\n return new ReadVariableExpr(scope.get(expr.name));\n }\n else {\n // Reading from the component context.\n return new ReadPropExpr(new ContextExpr(unit.job.root.xref), expr.name);\n }\n }\n else if (expr instanceof RestoreViewExpr && typeof expr.view === 'number') {\n // `ir.RestoreViewExpr` happens in listener functions and restores a saved view from the\n // parent creation list. We expect to find that we captured the `savedView` previously, and\n // that it matches the expected view to be restored.\n if (savedView === null || savedView.view !== expr.view) {\n throw new Error(`AssertionError: no saved view ${expr.view} from view ${unit.xref}`);\n }\n expr.view = new ReadVariableExpr(savedView.variable);\n return expr;\n }\n else {\n return expr;\n }\n }, VisitorContextFlag.None);\n }\n for (const op of ops) {\n visitExpressionsInOp(op, expr => {\n if (expr instanceof LexicalReadExpr) {\n throw new Error(`AssertionError: no lexical reads should remain, but found read of ${expr.name}`);\n }\n });\n }\n}\n\n/**\n * Mapping of security contexts to sanitizer function for that context.\n */\nconst sanitizers = new Map([\n [SecurityContext.HTML, SanitizerFn.Html], [SecurityContext.SCRIPT, SanitizerFn.Script],\n [SecurityContext.STYLE, SanitizerFn.Style], [SecurityContext.URL, SanitizerFn.Url],\n [SecurityContext.RESOURCE_URL, SanitizerFn.ResourceUrl]\n]);\n/**\n * Resolves sanitization functions for ops that need them.\n */\nfunction phaseResolveSanitizers(cpl) {\n for (const [_, view] of cpl.views) {\n const elements = getElementsByXrefId(view);\n let sanitizerFn;\n for (const op of view.update) {\n switch (op.kind) {\n case OpKind.Property:\n case OpKind.Attribute:\n sanitizerFn = sanitizers.get(op.securityContext) || null;\n op.sanitizer = sanitizerFn ? new SanitizerExpr(sanitizerFn) : null;\n // If there was no sanitization function found based on the security context of an\n // attribute/property, check whether this attribute/property is one of the\n // security-sensitive <iframe> attributes (and that the current element is actually an\n // <iframe>).\n if (op.sanitizer === null) {\n const ownerOp = elements.get(op.target);\n if (ownerOp === undefined) {\n throw Error('Property should have an element-like owner');\n }\n if (isIframeElement$1(ownerOp) && isIframeSecuritySensitiveAttr(op.name)) {\n op.sanitizer = new SanitizerExpr(SanitizerFn.IframeAttribute);\n }\n }\n break;\n }\n }\n }\n}\n/**\n * Checks whether the given op represents an iframe element.\n */\nfunction isIframeElement$1(op) {\n return (op.kind === OpKind.Element || op.kind === OpKind.ElementStart) &&\n op.tag.toLowerCase() === 'iframe';\n}\n\nfunction phaseSaveRestoreView(cpl) {\n for (const view of cpl.views.values()) {\n view.create.prepend([\n createVariableOp(view.job.allocateXrefId(), {\n kind: SemanticVariableKind.SavedView,\n name: null,\n view: view.xref,\n }, new GetCurrentViewExpr()),\n ]);\n for (const op of view.create) {\n if (op.kind !== OpKind.Listener) {\n continue;\n }\n // Embedded views always need the save/restore view operation.\n let needsRestoreView = view !== cpl.root;\n if (!needsRestoreView) {\n for (const handlerOp of op.handlerOps) {\n visitExpressionsInOp(handlerOp, expr => {\n if (expr instanceof ReferenceExpr) {\n // Listeners that reference() a local ref need the save/restore view operation.\n needsRestoreView = true;\n }\n });\n }\n }\n if (needsRestoreView) {\n addSaveRestoreViewOperationToListener(view, op);\n }\n }\n }\n}\nfunction addSaveRestoreViewOperationToListener(view, op) {\n op.handlerOps.prepend([\n createVariableOp(view.job.allocateXrefId(), {\n kind: SemanticVariableKind.Context,\n name: null,\n view: view.xref,\n }, new RestoreViewExpr(view.xref)),\n ]);\n // The \"restore view\" operation in listeners requires a call to `resetView` to reset the\n // context prior to returning from the listener operation. Find any `return` statements in\n // the listener body and wrap them in a call to reset the view.\n for (const handlerOp of op.handlerOps) {\n if (handlerOp.kind === OpKind.Statement &&\n handlerOp.statement instanceof ReturnStatement) {\n handlerOp.statement.value = new ResetViewExpr(handlerOp.statement.value);\n }\n }\n}\n\n/**\n * Assign data slots for all operations which implement `ConsumesSlotOpTrait`, and propagate the\n * assigned data slots of those operations to any expressions which reference them via\n * `UsesSlotIndexTrait`.\n *\n * This phase is also responsible for counting the number of slots used for each view (its `decls`)\n * and propagating that number into the `Template` operations which declare embedded views.\n */\nfunction phaseSlotAllocation(cpl) {\n // Map of all declarations in all views within the component which require an assigned slot index.\n // This map needs to be global (across all views within the component) since it's possible to\n // reference a slot from one view from an expression within another (e.g. local references work\n // this way).\n const slotMap = new Map();\n // Process all views in the component and assign slot indexes.\n for (const [_, view] of cpl.views) {\n // Slot indices start at 0 for each view (and are not unique between views).\n let slotCount = 0;\n for (const op of view.create) {\n // Only consider declarations which consume data slots.\n if (!hasConsumesSlotTrait(op)) {\n continue;\n }\n // Assign slots to this declaration starting at the current `slotCount`.\n op.slot = slotCount;\n // And track its assigned slot in the `slotMap`.\n slotMap.set(op.xref, op.slot);\n // Each declaration may use more than 1 slot, so increment `slotCount` to reserve the number\n // of slots required.\n slotCount += op.numSlotsUsed;\n }\n // Record the total number of slots used on the view itself. This will later be propagated into\n // `ir.TemplateOp`s which declare those views (except for the root view).\n view.decls = slotCount;\n }\n // After slot assignment, `slotMap` now contains slot assignments for every declaration in the\n // whole template, across all views. Next, look for expressions which implement\n // `UsesSlotIndexExprTrait` and propagate the assigned slot indexes into them.\n // Additionally, this second scan allows us to find `ir.TemplateOp`s which declare views and\n // propagate the number of slots used for each view into the operation which declares it.\n for (const [_, view] of cpl.views) {\n for (const op of view.ops()) {\n if (op.kind === OpKind.Template) {\n // Record the number of slots used by the view this `ir.TemplateOp` declares in the\n // operation itself, so it can be emitted later.\n const childView = cpl.views.get(op.xref);\n op.decls = childView.decls;\n }\n if (hasUsesSlotIndexTrait(op) && op.slot === null) {\n if (!slotMap.has(op.target)) {\n // We do expect to find a slot allocated for everything which might be referenced.\n throw new Error(`AssertionError: no slot allocated for ${OpKind[op.kind]} target ${op.target}`);\n }\n op.slot = slotMap.get(op.target);\n }\n // Process all `ir.Expression`s within this view, and look for `usesSlotIndexExprTrait`.\n visitExpressionsInOp(op, expr => {\n if (!isIrExpression(expr)) {\n return;\n }\n if (!hasUsesSlotIndexTrait(expr) || expr.slot !== null) {\n return;\n }\n // The `UsesSlotIndexExprTrait` indicates that this expression references something declared\n // in this component template by its slot index. Use the `target` `ir.XrefId` to find the\n // allocated slot for that declaration in `slotMap`.\n if (!slotMap.has(expr.target)) {\n // We do expect to find a slot allocated for everything which might be referenced.\n throw new Error(`AssertionError: no slot allocated for ${expr.constructor.name} target ${expr.target}`);\n }\n // Record the allocated slot on the expression.\n expr.slot = slotMap.get(expr.target);\n });\n }\n }\n}\n\n/**\n * Transforms special-case bindings with 'style' or 'class' in their names. Must run before the\n * main binding specialization pass.\n */\nfunction phaseStyleBindingSpecialization(cpl) {\n for (const unit of cpl.units) {\n for (const op of unit.update) {\n if (op.kind !== OpKind.Binding) {\n continue;\n }\n switch (op.bindingKind) {\n case BindingKind.ClassName:\n if (op.expression instanceof Interpolation) {\n throw new Error(`Unexpected interpolation in ClassName binding`);\n }\n OpList.replace(op, createClassPropOp(op.target, op.name, op.expression, op.sourceSpan));\n break;\n case BindingKind.StyleProperty:\n OpList.replace(op, createStylePropOp(op.target, op.name, op.expression, op.unit, op.sourceSpan));\n break;\n case BindingKind.Property:\n case BindingKind.Template:\n if (op.name === 'style') {\n OpList.replace(op, createStyleMapOp(op.target, op.expression, op.sourceSpan));\n }\n else if (op.name === 'class') {\n OpList.replace(op, createClassMapOp(op.target, op.expression, op.sourceSpan));\n }\n break;\n }\n }\n }\n}\n\n/**\n * Find all assignments and usages of temporary variables, which are linked to each other with cross\n * references. Generate names for each cross-reference, and add a `DeclareVarStmt` to initialize\n * them at the beginning of the update block.\n *\n * TODO: Sometimes, it will be possible to reuse names across different subexpressions. For example,\n * in the double keyed read `a?.[f()]?.[f()]`, the two function calls have non-overlapping scopes.\n * Implement an algorithm for reuse.\n */\nfunction phaseTemporaryVariables(cpl) {\n for (const unit of cpl.units) {\n let opCount = 0;\n let generatedStatements = [];\n for (const op of unit.ops()) {\n // Identify the final time each temp var is read.\n const finalReads = new Map();\n visitExpressionsInOp(op, expr => {\n if (expr instanceof ReadTemporaryExpr) {\n finalReads.set(expr.xref, expr);\n }\n });\n // Name the temp vars, accounting for the fact that a name can be reused after it has been\n // read for the final time.\n let count = 0;\n const assigned = new Set();\n const released = new Set();\n const defs = new Map();\n visitExpressionsInOp(op, expr => {\n if (expr instanceof AssignTemporaryExpr) {\n if (!assigned.has(expr.xref)) {\n assigned.add(expr.xref);\n // TODO: Exactly replicate the naming scheme used by `TemplateDefinitionBuilder`.\n // It seems to rely on an expression index instead of an op index.\n defs.set(expr.xref, `tmp_${opCount}_${count++}`);\n }\n assignName(defs, expr);\n }\n else if (expr instanceof ReadTemporaryExpr) {\n if (finalReads.get(expr.xref) === expr) {\n released.add(expr.xref);\n count--;\n }\n assignName(defs, expr);\n }\n });\n // Add declarations for the temp vars.\n generatedStatements.push(...Array.from(new Set(defs.values()))\n .map(name => createStatementOp(new DeclareVarStmt(name))));\n opCount++;\n }\n unit.update.prepend(generatedStatements);\n }\n}\n/**\n * Assigns a name to the temporary variable in the given temporary variable expression.\n */\nfunction assignName(names, expr) {\n const name = names.get(expr.xref);\n if (name === undefined) {\n throw new Error(`Found xref with unassigned name: ${expr.xref}`);\n }\n expr.name = name;\n}\n\n/**\n * Optimize variables declared and used in the IR.\n *\n * Variables are eagerly generated by pipeline stages for all possible values that could be\n * referenced. This stage processes the list of declared variables and all variable usages,\n * and optimizes where possible. It performs 3 main optimizations:\n *\n * * It transforms variable declarations to side effectful expressions when the\n * variable is not used, but its initializer has global effects which other\n * operations rely upon.\n * * It removes variable declarations if those variables are not referenced and\n * either they do not have global effects, or nothing relies on them.\n * * It inlines variable declarations when those variables are only used once\n * and the inlining is semantically safe.\n *\n * To guarantee correctness, analysis of \"fences\" in the instruction lists is used to determine\n * which optimizations are safe to perform.\n */\nfunction phaseVariableOptimization(job) {\n for (const unit of job.units) {\n optimizeVariablesInOpList(unit.create, job.compatibility);\n optimizeVariablesInOpList(unit.update, job.compatibility);\n for (const op of unit.create) {\n if (op.kind === OpKind.Listener) {\n optimizeVariablesInOpList(op.handlerOps, job.compatibility);\n }\n }\n }\n}\n/**\n * A [fence](https://en.wikipedia.org/wiki/Memory_barrier) flag for an expression which indicates\n * how that expression can be optimized in relation to other expressions or instructions.\n *\n * `Fence`s are a bitfield, so multiple flags may be set on a single expression.\n */\nvar Fence;\n(function (Fence) {\n /**\n * Empty flag (no fence exists).\n */\n Fence[Fence[\"None\"] = 0] = \"None\";\n /**\n * A context read fence, meaning that the expression in question reads from the \"current view\"\n * context of the runtime.\n */\n Fence[Fence[\"ViewContextRead\"] = 1] = \"ViewContextRead\";\n /**\n * A context write fence, meaning that the expression in question writes to the \"current view\"\n * context of the runtime.\n *\n * Note that all `ContextWrite` fences are implicitly `ContextRead` fences as operations which\n * change the view context do so based on the current one.\n */\n Fence[Fence[\"ViewContextWrite\"] = 3] = \"ViewContextWrite\";\n /**\n * Indicates that a call is required for its side-effects, even if nothing reads its result.\n *\n * This is also true of `ViewContextWrite` operations **if** they are followed by a\n * `ViewContextRead`.\n */\n Fence[Fence[\"SideEffectful\"] = 4] = \"SideEffectful\";\n})(Fence || (Fence = {}));\n/**\n * Process a list of operations and optimize variables within that list.\n */\nfunction optimizeVariablesInOpList(ops, compatibility) {\n const varDecls = new Map();\n const varUsages = new Map();\n // Track variables that are used outside of the immediate operation list. For example, within\n // `ListenerOp` handler operations of listeners in the current operation list.\n const varRemoteUsages = new Set();\n const opMap = new Map();\n // First, extract information about variables declared or used within the whole list.\n for (const op of ops) {\n if (op.kind === OpKind.Variable) {\n if (varDecls.has(op.xref) || varUsages.has(op.xref)) {\n throw new Error(`Should not see two declarations of the same variable: ${op.xref}`);\n }\n varDecls.set(op.xref, op);\n varUsages.set(op.xref, 0);\n }\n opMap.set(op, collectOpInfo(op));\n countVariableUsages(op, varUsages, varRemoteUsages);\n }\n // The next step is to remove any variable declarations for variables that aren't used. The\n // variable initializer expressions may be side-effectful, so they may need to be retained as\n // expression statements.\n // Track whether we've seen an operation which reads from the view context yet. This is used to\n // determine whether a write to the view context in a variable initializer can be observed.\n let contextIsUsed = false;\n // Note that iteration through the list happens in reverse, which guarantees that we'll process\n // all reads of a variable prior to processing its declaration.\n for (const op of ops.reversed()) {\n const opInfo = opMap.get(op);\n if (op.kind === OpKind.Variable && varUsages.get(op.xref) === 0) {\n // This variable is unused and can be removed. We might need to keep the initializer around,\n // though, if something depends on it running.\n if ((contextIsUsed && opInfo.fences & Fence.ViewContextWrite) ||\n (opInfo.fences & Fence.SideEffectful)) {\n // This variable initializer has a side effect which must be retained. Either:\n // * it writes to the view context, and we know there is a future operation which depends\n // on that write, or\n // * it's an operation which is inherently side-effectful.\n // We can't remove the initializer, but we can remove the variable declaration itself and\n // replace it with a side-effectful statement.\n const stmtOp = createStatementOp(op.initializer.toStmt());\n opMap.set(stmtOp, opInfo);\n OpList.replace(op, stmtOp);\n }\n else {\n // It's safe to delete this entire variable declaration as nothing depends on it, even\n // side-effectfully. Note that doing this might make other variables unused. Since we're\n // iterating in reverse order, we should always be processing usages before declarations\n // and therefore by the time we get to a declaration, all removable usages will have been\n // removed.\n uncountVariableUsages(op, varUsages);\n OpList.remove(op);\n }\n opMap.delete(op);\n varDecls.delete(op.xref);\n varUsages.delete(op.xref);\n continue;\n }\n // Does this operation depend on the view context?\n if (opInfo.fences & Fence.ViewContextRead) {\n contextIsUsed = true;\n }\n }\n // Next, inline any remaining variables with exactly one usage.\n const toInline = [];\n for (const [id, count] of varUsages) {\n // We can inline variables that:\n // - are used once\n // - are not used remotely\n if (count !== 1) {\n // We can't inline this variable as it's used more than once.\n continue;\n }\n if (varRemoteUsages.has(id)) {\n // This variable is used once, but across an operation boundary, so it can't be inlined.\n continue;\n }\n toInline.push(id);\n }\n let candidate;\n while (candidate = toInline.pop()) {\n // We will attempt to inline this variable. If inlining fails (due to fences for example),\n // no future operation will make inlining legal.\n const decl = varDecls.get(candidate);\n const varInfo = opMap.get(decl);\n // Scan operations following the variable declaration and look for the point where that variable\n // is used. There should only be one usage given the precondition above.\n for (let targetOp = decl.next; targetOp.kind !== OpKind.ListEnd; targetOp = targetOp.next) {\n const opInfo = opMap.get(targetOp);\n // Is the variable used in this operation?\n if (opInfo.variablesUsed.has(candidate)) {\n if (compatibility === CompatibilityMode.TemplateDefinitionBuilder &&\n !allowConservativeInlining(decl, targetOp)) {\n // We're in conservative mode, and this variable is not eligible for inlining into the\n // target operation in this mode.\n break;\n }\n // Yes, try to inline it. Inlining may not be successful if fences in this operation before\n // the variable's usage cannot be safely crossed.\n if (tryInlineVariableInitializer(candidate, decl.initializer, targetOp, varInfo.fences)) {\n // Inlining was successful! Update the tracking structures to reflect the inlined\n // variable.\n opInfo.variablesUsed.delete(candidate);\n // Add all variables used in the variable's initializer to its new usage site.\n for (const id of varInfo.variablesUsed) {\n opInfo.variablesUsed.add(id);\n }\n // Merge fences in the variable's initializer into its new usage site.\n opInfo.fences |= varInfo.fences;\n // Delete tracking info related to the declaration.\n varDecls.delete(candidate);\n varUsages.delete(candidate);\n opMap.delete(decl);\n // And finally, delete the original declaration from the operation list.\n OpList.remove(decl);\n }\n // Whether inlining succeeded or failed, we're done processing this variable.\n break;\n }\n // If the variable is not used in this operation, then we'd need to inline across it. Check if\n // that's safe to do.\n if (!safeToInlinePastFences(opInfo.fences, varInfo.fences)) {\n // We can't safely inline this variable beyond this operation, so don't proceed with\n // inlining this variable.\n break;\n }\n }\n }\n}\n/**\n * Given an `ir.Expression`, returns the `Fence` flags for that expression type.\n */\nfunction fencesForIrExpression(expr) {\n switch (expr.kind) {\n case ExpressionKind.NextContext:\n return Fence.ViewContextWrite;\n case ExpressionKind.RestoreView:\n return Fence.ViewContextWrite | Fence.SideEffectful;\n case ExpressionKind.Reference:\n return Fence.ViewContextRead;\n default:\n return Fence.None;\n }\n}\n/**\n * Build the `OpInfo` structure for the given `op`. This performs two operations:\n *\n * * It tracks which variables are used in the operation's expressions.\n * * It rolls up fence flags for expressions within the operation.\n */\nfunction collectOpInfo(op) {\n let fences = Fence.None;\n const variablesUsed = new Set();\n visitExpressionsInOp(op, expr => {\n if (!isIrExpression(expr)) {\n return;\n }\n switch (expr.kind) {\n case ExpressionKind.ReadVariable:\n variablesUsed.add(expr.xref);\n break;\n default:\n fences |= fencesForIrExpression(expr);\n }\n });\n return { fences, variablesUsed };\n}\n/**\n * Count the number of usages of each variable, being careful to track whether those usages are\n * local or remote.\n */\nfunction countVariableUsages(op, varUsages, varRemoteUsage) {\n visitExpressionsInOp(op, (expr, flags) => {\n if (!isIrExpression(expr)) {\n return;\n }\n if (expr.kind !== ExpressionKind.ReadVariable) {\n return;\n }\n const count = varUsages.get(expr.xref);\n if (count === undefined) {\n // This variable is declared outside the current scope of optimization.\n return;\n }\n varUsages.set(expr.xref, count + 1);\n if (flags & VisitorContextFlag.InChildOperation) {\n varRemoteUsage.add(expr.xref);\n }\n });\n}\n/**\n * Remove usages of a variable in `op` from the `varUsages` tracking.\n */\nfunction uncountVariableUsages(op, varUsages) {\n visitExpressionsInOp(op, expr => {\n if (!isIrExpression(expr)) {\n return;\n }\n if (expr.kind !== ExpressionKind.ReadVariable) {\n return;\n }\n const count = varUsages.get(expr.xref);\n if (count === undefined) {\n // This variable is declared outside the current scope of optimization.\n return;\n }\n else if (count === 0) {\n throw new Error(`Inaccurate variable count: ${expr.xref} - found another read but count is already 0`);\n }\n varUsages.set(expr.xref, count - 1);\n });\n}\n/**\n * Checks whether it's safe to inline a variable across a particular operation.\n *\n * @param fences the fences of the operation which the inlining will cross\n * @param declFences the fences of the variable being inlined.\n */\nfunction safeToInlinePastFences(fences, declFences) {\n if (fences & Fence.ViewContextWrite) {\n // It's not safe to inline context reads across context writes.\n if (declFences & Fence.ViewContextRead) {\n return false;\n }\n }\n else if (fences & Fence.ViewContextRead) {\n // It's not safe to inline context writes across context reads.\n if (declFences & Fence.ViewContextWrite) {\n return false;\n }\n }\n return true;\n}\n/**\n * Attempt to inline the initializer of a variable into a target operation's expressions.\n *\n * This may or may not be safe to do. For example, the variable could be read following the\n * execution of an expression with fences that don't permit the variable to be inlined across them.\n */\nfunction tryInlineVariableInitializer(id, initializer, target, declFences) {\n // We use `ir.transformExpressionsInOp` to walk the expressions and inline the variable if\n // possible. Since this operation is callback-based, once inlining succeeds or fails we can't\n // \"stop\" the expression processing, and have to keep track of whether inlining has succeeded or\n // is no longer allowed.\n let inlined = false;\n let inliningAllowed = true;\n transformExpressionsInOp(target, (expr, flags) => {\n if (!isIrExpression(expr)) {\n return expr;\n }\n if (inlined || !inliningAllowed) {\n // Either the inlining has already succeeded, or we've passed a fence that disallows inlining\n // at this point, so don't try.\n return expr;\n }\n else if ((flags & VisitorContextFlag.InChildOperation) && (declFences & Fence.ViewContextRead)) {\n // We cannot inline variables that are sensitive to the current context across operation\n // boundaries.\n return expr;\n }\n switch (expr.kind) {\n case ExpressionKind.ReadVariable:\n if (expr.xref === id) {\n // This is the usage site of the variable. Since nothing has disallowed inlining, it's\n // safe to inline the initializer here.\n inlined = true;\n return initializer;\n }\n break;\n default:\n // For other types of `ir.Expression`s, whether inlining is allowed depends on their fences.\n const exprFences = fencesForIrExpression(expr);\n inliningAllowed = inliningAllowed && safeToInlinePastFences(exprFences, declFences);\n break;\n }\n return expr;\n }, VisitorContextFlag.None);\n return inlined;\n}\n/**\n * Determines whether inlining of `decl` should be allowed in \"conservative\" mode.\n *\n * In conservative mode, inlining behavior is limited to those operations which the\n * `TemplateDefinitionBuilder` supported, with the goal of producing equivalent output.\n */\nfunction allowConservativeInlining(decl, target) {\n // TODO(alxhub): understand exactly how TemplateDefinitionBuilder approaches inlining, and record\n // that behavior here.\n switch (decl.variable.kind) {\n case SemanticVariableKind.Identifier:\n return false;\n case SemanticVariableKind.Context:\n // Context can only be inlined into other variables.\n return target.kind === OpKind.Variable;\n default:\n return true;\n }\n}\n\n/**\n * Run all transformation phases in the correct order against a `ComponentCompilation`. After this\n * processing, the compilation should be in a state where it can be emitted.\n */\nfunction transformTemplate(job) {\n phaseNamespace(job);\n phaseStyleBindingSpecialization(job);\n phaseBindingSpecialization(job);\n phaseAttributeExtraction(job);\n phaseRemoveEmptyBindings(job);\n phaseNoListenersOnTemplates(job);\n phasePipeCreation(job);\n phasePipeVariadic(job);\n phasePureLiteralStructures(job);\n phaseGenerateVariables(job);\n phaseSaveRestoreView(job);\n phaseFindAnyCasts(job);\n phaseResolveDollarEvent(job);\n phaseResolveNames(job);\n phaseResolveContexts(job);\n phaseResolveSanitizers(job);\n phaseLocalRefs(job);\n phaseConstCollection(job);\n phaseNullishCoalescing(job);\n phaseExpandSafeReads(job);\n phaseTemporaryVariables(job);\n phaseSlotAllocation(job);\n phaseVarCounting(job);\n phaseGenerateAdvance(job);\n phaseVariableOptimization(job);\n phaseNaming(job);\n phaseMergeNextContext(job);\n phaseNgContainer(job);\n phaseEmptyElements(job);\n phaseNonbindable(job);\n phasePureFunctionExtraction(job);\n phaseAlignPipeVariadicVarOffset(job);\n phasePropertyOrdering(job);\n phaseReify(job);\n phaseChaining(job);\n}\n/**\n * Run all transformation phases in the correct order against a `HostBindingCompilationJob`. After\n * this processing, the compilation should be in a state where it can be emitted.\n */\nfunction transformHostBinding(job) {\n phaseHostStylePropertyParsing(job);\n phaseStyleBindingSpecialization(job);\n phaseBindingSpecialization(job);\n phasePureLiteralStructures(job);\n phaseNullishCoalescing(job);\n phaseExpandSafeReads(job);\n phaseTemporaryVariables(job);\n phaseVarCounting(job);\n phaseVariableOptimization(job);\n phaseResolveNames(job);\n phaseResolveContexts(job);\n // TODO: Figure out how to make this work for host bindings.\n // phaseResolveSanitizers(job);\n phaseNaming(job);\n phasePureFunctionExtraction(job);\n phasePropertyOrdering(job);\n phaseReify(job);\n phaseChaining(job);\n}\n/**\n * Compile all views in the given `ComponentCompilation` into the final template function, which may\n * reference constants defined in a `ConstantPool`.\n */\nfunction emitTemplateFn(tpl, pool) {\n const rootFn = emitView(tpl.root);\n emitChildViews(tpl.root, pool);\n return rootFn;\n}\nfunction emitChildViews(parent, pool) {\n for (const view of parent.job.views.values()) {\n if (view.parent !== parent.xref) {\n continue;\n }\n // Child views are emitted depth-first.\n emitChildViews(view, pool);\n const viewFn = emitView(view);\n pool.statements.push(viewFn.toDeclStmt(viewFn.name));\n }\n}\n/**\n * Emit a template function for an individual `ViewCompilation` (which may be either the root view\n * or an embedded view).\n */\nfunction emitView(view) {\n if (view.fnName === null) {\n throw new Error(`AssertionError: view ${view.xref} is unnamed`);\n }\n const createStatements = [];\n for (const op of view.create) {\n if (op.kind !== OpKind.Statement) {\n throw new Error(`AssertionError: expected all create ops to have been compiled, but got ${OpKind[op.kind]}`);\n }\n createStatements.push(op.statement);\n }\n const updateStatements = [];\n for (const op of view.update) {\n if (op.kind !== OpKind.Statement) {\n throw new Error(`AssertionError: expected all update ops to have been compiled, but got ${OpKind[op.kind]}`);\n }\n updateStatements.push(op.statement);\n }\n const createCond = maybeGenerateRfBlock(1, createStatements);\n const updateCond = maybeGenerateRfBlock(2, updateStatements);\n return fn([\n new FnParam('rf'),\n new FnParam('ctx'),\n ], [\n ...createCond,\n ...updateCond,\n ], \n /* type */ undefined, /* sourceSpan */ undefined, view.fnName);\n}\nfunction maybeGenerateRfBlock(flag, statements) {\n if (statements.length === 0) {\n return [];\n }\n return [\n ifStmt(new BinaryOperatorExpr(BinaryOperator.BitwiseAnd, variable('rf'), literal(flag)), statements),\n ];\n}\nfunction emitHostBindingFunction(job) {\n if (job.fnName === null) {\n throw new Error(`AssertionError: host binding function is unnamed`);\n }\n const createStatements = [];\n for (const op of job.create) {\n if (op.kind !== OpKind.Statement) {\n throw new Error(`AssertionError: expected all create ops to have been compiled, but got ${OpKind[op.kind]}`);\n }\n createStatements.push(op.statement);\n }\n const updateStatements = [];\n for (const op of job.update) {\n if (op.kind !== OpKind.Statement) {\n throw new Error(`AssertionError: expected all update ops to have been compiled, but got ${OpKind[op.kind]}`);\n }\n updateStatements.push(op.statement);\n }\n if (createStatements.length === 0 && updateStatements.length === 0) {\n return null;\n }\n const createCond = maybeGenerateRfBlock(1, createStatements);\n const updateCond = maybeGenerateRfBlock(2, updateStatements);\n return fn([\n new FnParam('rf'),\n new FnParam('ctx'),\n ], [\n ...createCond,\n ...updateCond,\n ], \n /* type */ undefined, /* sourceSpan */ undefined, job.fnName);\n}\n\nconst compatibilityMode = CompatibilityMode.TemplateDefinitionBuilder;\n/**\n * Process a template AST and convert it into a `ComponentCompilation` in the intermediate\n * representation.\n */\nfunction ingestComponent(componentName, template, constantPool) {\n const cpl = new ComponentCompilationJob(componentName, constantPool, compatibilityMode);\n ingestNodes(cpl.root, template);\n return cpl;\n}\n/**\n * Process a host binding AST and convert it into a `HostBindingCompilationJob` in the intermediate\n * representation.\n */\nfunction ingestHostBinding(input, bindingParser, constantPool) {\n const job = new HostBindingCompilationJob(input.componentName, constantPool, compatibilityMode);\n for (const property of input.properties ?? []) {\n ingestHostProperty(job, property);\n }\n for (const event of input.events ?? []) {\n ingestHostEvent(job, event);\n }\n return job;\n}\n// TODO: We should refactor the parser to use the same types and structures for host bindings as\n// with ordinary components. This would allow us to share a lot more ingestion code.\nfunction ingestHostProperty(job, property) {\n let expression;\n const ast = property.expression.ast;\n if (ast instanceof Interpolation$1) {\n expression =\n new Interpolation(ast.strings, ast.expressions.map(expr => convertAst(expr, job)));\n }\n else {\n expression = convertAst(ast, job);\n }\n let bindingKind = BindingKind.Property;\n // TODO: this should really be handled in the parser.\n if (property.name.startsWith('attr.')) {\n property.name = property.name.substring('attr.'.length);\n bindingKind = BindingKind.Attribute;\n }\n job.update.push(createBindingOp(job.root.xref, bindingKind, property.name, expression, null, SecurityContext\n .NONE /* TODO: what should we pass as security context? Passing NONE for now. */, false, property.sourceSpan));\n}\nfunction ingestHostEvent(job, event) { }\n/**\n * Ingest the nodes of a template AST into the given `ViewCompilation`.\n */\nfunction ingestNodes(view, template) {\n for (const node of template) {\n if (node instanceof Element$1) {\n ingestElement(view, node);\n }\n else if (node instanceof Template) {\n ingestTemplate(view, node);\n }\n else if (node instanceof Text$3) {\n ingestText(view, node);\n }\n else if (node instanceof BoundText) {\n ingestBoundText(view, node);\n }\n else {\n throw new Error(`Unsupported template node: ${node.constructor.name}`);\n }\n }\n}\n/**\n * Ingest an element AST from the template into the given `ViewCompilation`.\n */\nfunction ingestElement(view, element) {\n const staticAttributes = {};\n for (const attr of element.attributes) {\n staticAttributes[attr.name] = attr.value;\n }\n const id = view.job.allocateXrefId();\n const [namespaceKey, elementName] = splitNsName(element.name);\n const startOp = createElementStartOp(elementName, id, namespaceForKey(namespaceKey), element.startSourceSpan);\n view.create.push(startOp);\n ingestBindings(view, startOp, element);\n ingestReferences(startOp, element);\n ingestNodes(view, element.children);\n view.create.push(createElementEndOp(id, element.endSourceSpan));\n}\n/**\n * Ingest an `ng-template` node from the AST into the given `ViewCompilation`.\n */\nfunction ingestTemplate(view, tmpl) {\n const childView = view.job.allocateView(view.xref);\n let tagNameWithoutNamespace = tmpl.tagName;\n let namespacePrefix = '';\n if (tmpl.tagName) {\n [namespacePrefix, tagNameWithoutNamespace] = splitNsName(tmpl.tagName);\n }\n // TODO: validate the fallback tag name here.\n const tplOp = createTemplateOp(childView.xref, tagNameWithoutNamespace ?? 'ng-template', namespaceForKey(namespacePrefix), tmpl.startSourceSpan);\n view.create.push(tplOp);\n ingestBindings(view, tplOp, tmpl);\n ingestReferences(tplOp, tmpl);\n ingestNodes(childView, tmpl.children);\n for (const { name, value } of tmpl.variables) {\n childView.contextVariables.set(name, value);\n }\n}\n/**\n * Ingest a literal text node from the AST into the given `ViewCompilation`.\n */\nfunction ingestText(view, text) {\n view.create.push(createTextOp(view.job.allocateXrefId(), text.value, text.sourceSpan));\n}\n/**\n * Ingest an interpolated text node from the AST into the given `ViewCompilation`.\n */\nfunction ingestBoundText(view, text) {\n let value = text.value;\n if (value instanceof ASTWithSource) {\n value = value.ast;\n }\n if (!(value instanceof Interpolation$1)) {\n throw new Error(`AssertionError: expected Interpolation for BoundText node, got ${value.constructor.name}`);\n }\n const textXref = view.job.allocateXrefId();\n view.create.push(createTextOp(textXref, '', text.sourceSpan));\n view.update.push(createInterpolateTextOp(textXref, new Interpolation(value.strings, value.expressions.map(expr => convertAst(expr, view.job))), text.sourceSpan));\n}\n/**\n * Convert a template AST expression into an output AST expression.\n */\nfunction convertAst(ast, cpl) {\n if (ast instanceof ASTWithSource) {\n return convertAst(ast.ast, cpl);\n }\n else if (ast instanceof PropertyRead) {\n if (ast.receiver instanceof ImplicitReceiver && !(ast.receiver instanceof ThisReceiver)) {\n return new LexicalReadExpr(ast.name);\n }\n else {\n return new ReadPropExpr(convertAst(ast.receiver, cpl), ast.name);\n }\n }\n else if (ast instanceof PropertyWrite) {\n return new WritePropExpr(convertAst(ast.receiver, cpl), ast.name, convertAst(ast.value, cpl));\n }\n else if (ast instanceof KeyedWrite) {\n return new WriteKeyExpr(convertAst(ast.receiver, cpl), convertAst(ast.key, cpl), convertAst(ast.value, cpl));\n }\n else if (ast instanceof Call) {\n if (ast.receiver instanceof ImplicitReceiver) {\n throw new Error(`Unexpected ImplicitReceiver`);\n }\n else {\n return new InvokeFunctionExpr(convertAst(ast.receiver, cpl), ast.args.map(arg => convertAst(arg, cpl)));\n }\n }\n else if (ast instanceof LiteralPrimitive) {\n return literal(ast.value);\n }\n else if (ast instanceof Binary) {\n const operator = BINARY_OPERATORS.get(ast.operation);\n if (operator === undefined) {\n throw new Error(`AssertionError: unknown binary operator ${ast.operation}`);\n }\n return new BinaryOperatorExpr(operator, convertAst(ast.left, cpl), convertAst(ast.right, cpl));\n }\n else if (ast instanceof ThisReceiver) {\n return new ContextExpr(cpl.root.xref);\n }\n else if (ast instanceof KeyedRead) {\n return new ReadKeyExpr(convertAst(ast.receiver, cpl), convertAst(ast.key, cpl));\n }\n else if (ast instanceof Chain) {\n throw new Error(`AssertionError: Chain in unknown context`);\n }\n else if (ast instanceof LiteralMap) {\n const entries = ast.keys.map((key, idx) => {\n const value = ast.values[idx];\n return new LiteralMapEntry(key.key, convertAst(value, cpl), key.quoted);\n });\n return new LiteralMapExpr(entries);\n }\n else if (ast instanceof LiteralArray) {\n return new LiteralArrayExpr(ast.expressions.map(expr => convertAst(expr, cpl)));\n }\n else if (ast instanceof Conditional) {\n return new ConditionalExpr(convertAst(ast.condition, cpl), convertAst(ast.trueExp, cpl), convertAst(ast.falseExp, cpl));\n }\n else if (ast instanceof NonNullAssert) {\n // A non-null assertion shouldn't impact generated instructions, so we can just drop it.\n return convertAst(ast.expression, cpl);\n }\n else if (ast instanceof BindingPipe) {\n return new PipeBindingExpr(cpl.allocateXrefId(), ast.name, [\n convertAst(ast.exp, cpl),\n ...ast.args.map(arg => convertAst(arg, cpl)),\n ]);\n }\n else if (ast instanceof SafeKeyedRead) {\n return new SafeKeyedReadExpr(convertAst(ast.receiver, cpl), convertAst(ast.key, cpl));\n }\n else if (ast instanceof SafePropertyRead) {\n return new SafePropertyReadExpr(convertAst(ast.receiver, cpl), ast.name);\n }\n else if (ast instanceof SafeCall) {\n return new SafeInvokeFunctionExpr(convertAst(ast.receiver, cpl), ast.args.map(a => convertAst(a, cpl)));\n }\n else if (ast instanceof EmptyExpr$1) {\n return new EmptyExpr();\n }\n else {\n throw new Error(`Unhandled expression type: ${ast.constructor.name}`);\n }\n}\n/**\n * Process all of the bindings on an element-like structure in the template AST and convert them\n * to their IR representation.\n */\nfunction ingestBindings(view, op, element) {\n if (element instanceof Template) {\n for (const attr of element.templateAttrs) {\n if (attr instanceof TextAttribute) {\n ingestBinding(view, op.xref, attr.name, literal(attr.value), 1 /* e.BindingType.Attribute */, null, SecurityContext.NONE, attr.sourceSpan, true);\n }\n else {\n ingestBinding(view, op.xref, attr.name, attr.value, attr.type, attr.unit, attr.securityContext, attr.sourceSpan, true);\n }\n }\n }\n for (const attr of element.attributes) {\n // This is only attribute TextLiteral bindings, such as `attr.foo=\"bar\"`. This can never be\n // `[attr.foo]=\"bar\"` or `attr.foo=\"{{bar}}\"`, both of which will be handled as inputs with\n // `BindingType.Attribute`.\n ingestBinding(view, op.xref, attr.name, literal(attr.value), 1 /* e.BindingType.Attribute */, null, SecurityContext.NONE, attr.sourceSpan, false);\n }\n for (const input of element.inputs) {\n ingestBinding(view, op.xref, input.name, input.value, input.type, input.unit, input.securityContext, input.sourceSpan, false);\n }\n for (const output of element.outputs) {\n let listenerOp;\n if (output.type === 1 /* e.ParsedEventType.Animation */) {\n if (output.phase === null) {\n throw Error('Animation listener should have a phase');\n }\n listenerOp = createListenerOpForAnimation(op.xref, output.name, output.phase, op.tag);\n }\n else {\n listenerOp = createListenerOp(op.xref, output.name, op.tag);\n }\n // if output.handler is a chain, then push each statement from the chain separately, and\n // return the last one?\n let inputExprs;\n let handler = output.handler;\n if (handler instanceof ASTWithSource) {\n handler = handler.ast;\n }\n if (handler instanceof Chain) {\n inputExprs = handler.expressions;\n }\n else {\n inputExprs = [handler];\n }\n if (inputExprs.length === 0) {\n throw new Error('Expected listener to have non-empty expression list.');\n }\n const expressions = inputExprs.map(expr => convertAst(expr, view.job));\n const returnExpr = expressions.pop();\n for (const expr of expressions) {\n const stmtOp = createStatementOp(new ExpressionStatement(expr));\n listenerOp.handlerOps.push(stmtOp);\n }\n listenerOp.handlerOps.push(createStatementOp(new ReturnStatement(returnExpr)));\n view.create.push(listenerOp);\n }\n}\nconst BINDING_KINDS = new Map([\n [0 /* e.BindingType.Property */, BindingKind.Property],\n [1 /* e.BindingType.Attribute */, BindingKind.Attribute],\n [2 /* e.BindingType.Class */, BindingKind.ClassName],\n [3 /* e.BindingType.Style */, BindingKind.StyleProperty],\n [4 /* e.BindingType.Animation */, BindingKind.Animation],\n]);\nfunction ingestBinding(view, xref, name, value, type, unit, securityContext, sourceSpan, isTemplateBinding) {\n if (value instanceof ASTWithSource) {\n value = value.ast;\n }\n let expression;\n if (value instanceof Interpolation$1) {\n expression = new Interpolation(value.strings, value.expressions.map(expr => convertAst(expr, view.job)));\n }\n else if (value instanceof AST) {\n expression = convertAst(value, view.job);\n }\n else {\n expression = value;\n }\n const kind = BINDING_KINDS.get(type);\n view.update.push(createBindingOp(xref, kind, name, expression, unit, securityContext, isTemplateBinding, sourceSpan));\n}\n/**\n * Process all of the local references on an element-like structure in the template AST and\n * convert them to their IR representation.\n */\nfunction ingestReferences(op, element) {\n assertIsArray(op.localRefs);\n for (const { name, value } of element.references) {\n op.localRefs.push({\n name,\n target: value,\n });\n }\n}\n/**\n * Assert that the given value is an array.\n */\nfunction assertIsArray(value) {\n if (!Array.isArray(value)) {\n throw new Error(`AssertionError: expected an array`);\n }\n}\n\nconst USE_TEMPLATE_PIPELINE = false;\n\nconst IMPORTANT_FLAG = '!important';\n/**\n * Minimum amount of binding slots required in the runtime for style/class bindings.\n *\n * Styling in Angular uses up two slots in the runtime LView/TData data structures to\n * record binding data, property information and metadata.\n *\n * When a binding is registered it will place the following information in the `LView`:\n *\n * slot 1) binding value\n * slot 2) cached value (all other values collected before it in string form)\n *\n * When a binding is registered it will place the following information in the `TData`:\n *\n * slot 1) prop name\n * slot 2) binding index that points to the previous style/class binding (and some extra config\n * values)\n *\n * Let's imagine we have a binding that looks like so:\n *\n * ```\n * <div [style.width]=\"x\" [style.height]=\"y\">\n * ```\n *\n * Our `LView` and `TData` data-structures look like so:\n *\n * ```typescript\n * LView = [\n * // ...\n * x, // value of x\n * \"width: x\",\n *\n * y, // value of y\n * \"width: x; height: y\",\n * // ...\n * ];\n *\n * TData = [\n * // ...\n * \"width\", // binding slot 20\n * 0,\n *\n * \"height\",\n * 20,\n * // ...\n * ];\n * ```\n *\n * */\nconst MIN_STYLING_BINDING_SLOTS_REQUIRED = 2;\n/**\n * Produces creation/update instructions for all styling bindings (class and style)\n *\n * It also produces the creation instruction to register all initial styling values\n * (which are all the static class=\"...\" and style=\"...\" attribute values that exist\n * on an element within a template).\n *\n * The builder class below handles producing instructions for the following cases:\n *\n * - Static style/class attributes (style=\"...\" and class=\"...\")\n * - Dynamic style/class map bindings ([style]=\"map\" and [class]=\"map|string\")\n * - Dynamic style/class property bindings ([style.prop]=\"exp\" and [class.name]=\"exp\")\n *\n * Due to the complex relationship of all of these cases, the instructions generated\n * for these attributes/properties/bindings must be done so in the correct order. The\n * order which these must be generated is as follows:\n *\n * if (createMode) {\n * styling(...)\n * }\n * if (updateMode) {\n * styleMap(...)\n * classMap(...)\n * styleProp(...)\n * classProp(...)\n * }\n *\n * The creation/update methods within the builder class produce these instructions.\n */\nclass StylingBuilder {\n constructor(_directiveExpr) {\n this._directiveExpr = _directiveExpr;\n /** Whether or not there are any static styling values present */\n this._hasInitialValues = false;\n /**\n * Whether or not there are any styling bindings present\n * (i.e. `[style]`, `[class]`, `[style.prop]` or `[class.name]`)\n */\n this.hasBindings = false;\n this.hasBindingsWithPipes = false;\n /** the input for [class] (if it exists) */\n this._classMapInput = null;\n /** the input for [style] (if it exists) */\n this._styleMapInput = null;\n /** an array of each [style.prop] input */\n this._singleStyleInputs = null;\n /** an array of each [class.name] input */\n this._singleClassInputs = null;\n this._lastStylingInput = null;\n this._firstStylingInput = null;\n // maps are used instead of hash maps because a Map will\n // retain the ordering of the keys\n /**\n * Represents the location of each style binding in the template\n * (e.g. `<div [style.width]=\"w\" [style.height]=\"h\">` implies\n * that `width=0` and `height=1`)\n */\n this._stylesIndex = new Map();\n /**\n * Represents the location of each class binding in the template\n * (e.g. `<div [class.big]=\"b\" [class.hidden]=\"h\">` implies\n * that `big=0` and `hidden=1`)\n */\n this._classesIndex = new Map();\n this._initialStyleValues = [];\n this._initialClassValues = [];\n }\n /**\n * Registers a given input to the styling builder to be later used when producing AOT code.\n *\n * The code below will only accept the input if it is somehow tied to styling (whether it be\n * style/class bindings or static style/class attributes).\n */\n registerBoundInput(input) {\n // [attr.style] or [attr.class] are skipped in the code below,\n // they should not be treated as styling-based bindings since\n // they are intended to be written directly to the attr and\n // will therefore skip all style/class resolution that is present\n // with style=\"\", [style]=\"\" and [style.prop]=\"\", class=\"\",\n // [class.prop]=\"\". [class]=\"\" assignments\n let binding = null;\n let name = input.name;\n switch (input.type) {\n case 0 /* BindingType.Property */:\n binding = this.registerInputBasedOnName(name, input.value, input.sourceSpan);\n break;\n case 3 /* BindingType.Style */:\n binding = this.registerStyleInput(name, false, input.value, input.sourceSpan, input.unit);\n break;\n case 2 /* BindingType.Class */:\n binding = this.registerClassInput(name, false, input.value, input.sourceSpan);\n break;\n }\n return binding ? true : false;\n }\n registerInputBasedOnName(name, expression, sourceSpan) {\n let binding = null;\n const prefix = name.substring(0, 6);\n const isStyle = name === 'style' || prefix === 'style.' || prefix === 'style!';\n const isClass = !isStyle && (name === 'class' || prefix === 'class.' || prefix === 'class!');\n if (isStyle || isClass) {\n const isMapBased = name.charAt(5) !== '.'; // style.prop or class.prop makes this a no\n const property = name.slice(isMapBased ? 5 : 6); // the dot explains why there's a +1\n if (isStyle) {\n binding = this.registerStyleInput(property, isMapBased, expression, sourceSpan);\n }\n else {\n binding = this.registerClassInput(property, isMapBased, expression, sourceSpan);\n }\n }\n return binding;\n }\n registerStyleInput(name, isMapBased, value, sourceSpan, suffix) {\n if (isEmptyExpression(value)) {\n return null;\n }\n // CSS custom properties are case-sensitive so we shouldn't normalize them.\n // See: https://www.w3.org/TR/css-variables-1/#defining-variables\n if (!isCssCustomProperty(name)) {\n name = hyphenate$1(name);\n }\n const { property, hasOverrideFlag, suffix: bindingSuffix } = parseProperty(name);\n suffix = typeof suffix === 'string' && suffix.length !== 0 ? suffix : bindingSuffix;\n const entry = { name: property, suffix: suffix, value, sourceSpan, hasOverrideFlag };\n if (isMapBased) {\n this._styleMapInput = entry;\n }\n else {\n (this._singleStyleInputs = this._singleStyleInputs || []).push(entry);\n registerIntoMap(this._stylesIndex, property);\n }\n this._lastStylingInput = entry;\n this._firstStylingInput = this._firstStylingInput || entry;\n this._checkForPipes(value);\n this.hasBindings = true;\n return entry;\n }\n registerClassInput(name, isMapBased, value, sourceSpan) {\n if (isEmptyExpression(value)) {\n return null;\n }\n const { property, hasOverrideFlag } = parseProperty(name);\n const entry = { name: property, value, sourceSpan, hasOverrideFlag, suffix: null };\n if (isMapBased) {\n this._classMapInput = entry;\n }\n else {\n (this._singleClassInputs = this._singleClassInputs || []).push(entry);\n registerIntoMap(this._classesIndex, property);\n }\n this._lastStylingInput = entry;\n this._firstStylingInput = this._firstStylingInput || entry;\n this._checkForPipes(value);\n this.hasBindings = true;\n return entry;\n }\n _checkForPipes(value) {\n if ((value instanceof ASTWithSource) && (value.ast instanceof BindingPipe)) {\n this.hasBindingsWithPipes = true;\n }\n }\n /**\n * Registers the element's static style string value to the builder.\n *\n * @param value the style string (e.g. `width:100px; height:200px;`)\n */\n registerStyleAttr(value) {\n this._initialStyleValues = parse(value);\n this._hasInitialValues = true;\n }\n /**\n * Registers the element's static class string value to the builder.\n *\n * @param value the className string (e.g. `disabled gold zoom`)\n */\n registerClassAttr(value) {\n this._initialClassValues = value.trim().split(/\\s+/g);\n this._hasInitialValues = true;\n }\n /**\n * Appends all styling-related expressions to the provided attrs array.\n *\n * @param attrs an existing array where each of the styling expressions\n * will be inserted into.\n */\n populateInitialStylingAttrs(attrs) {\n // [CLASS_MARKER, 'foo', 'bar', 'baz' ...]\n if (this._initialClassValues.length) {\n attrs.push(literal(1 /* AttributeMarker.Classes */));\n for (let i = 0; i < this._initialClassValues.length; i++) {\n attrs.push(literal(this._initialClassValues[i]));\n }\n }\n // [STYLE_MARKER, 'width', '200px', 'height', '100px', ...]\n if (this._initialStyleValues.length) {\n attrs.push(literal(2 /* AttributeMarker.Styles */));\n for (let i = 0; i < this._initialStyleValues.length; i += 2) {\n attrs.push(literal(this._initialStyleValues[i]), literal(this._initialStyleValues[i + 1]));\n }\n }\n }\n /**\n * Builds an instruction with all the expressions and parameters for `elementHostAttrs`.\n *\n * The instruction generation code below is used for producing the AOT statement code which is\n * responsible for registering initial styles (within a directive hostBindings' creation block),\n * as well as any of the provided attribute values, to the directive host element.\n */\n assignHostAttrs(attrs, definitionMap) {\n if (this._directiveExpr && (attrs.length || this._hasInitialValues)) {\n this.populateInitialStylingAttrs(attrs);\n definitionMap.set('hostAttrs', literalArr(attrs));\n }\n }\n /**\n * Builds an instruction with all the expressions and parameters for `classMap`.\n *\n * The instruction data will contain all expressions for `classMap` to function\n * which includes the `[class]` expression params.\n */\n buildClassMapInstruction(valueConverter) {\n if (this._classMapInput) {\n return this._buildMapBasedInstruction(valueConverter, true, this._classMapInput);\n }\n return null;\n }\n /**\n * Builds an instruction with all the expressions and parameters for `styleMap`.\n *\n * The instruction data will contain all expressions for `styleMap` to function\n * which includes the `[style]` expression params.\n */\n buildStyleMapInstruction(valueConverter) {\n if (this._styleMapInput) {\n return this._buildMapBasedInstruction(valueConverter, false, this._styleMapInput);\n }\n return null;\n }\n _buildMapBasedInstruction(valueConverter, isClassBased, stylingInput) {\n // each styling binding value is stored in the LView\n // map-based bindings allocate two slots: one for the\n // previous binding value and another for the previous\n // className or style attribute value.\n let totalBindingSlotsRequired = MIN_STYLING_BINDING_SLOTS_REQUIRED;\n // these values must be outside of the update block so that they can\n // be evaluated (the AST visit call) during creation time so that any\n // pipes can be picked up in time before the template is built\n const mapValue = stylingInput.value.visit(valueConverter);\n let reference;\n if (mapValue instanceof Interpolation$1) {\n totalBindingSlotsRequired += mapValue.expressions.length;\n reference = isClassBased ? getClassMapInterpolationExpression(mapValue) :\n getStyleMapInterpolationExpression(mapValue);\n }\n else {\n reference = isClassBased ? Identifiers.classMap : Identifiers.styleMap;\n }\n return {\n reference,\n calls: [{\n supportsInterpolation: true,\n sourceSpan: stylingInput.sourceSpan,\n allocateBindingSlots: totalBindingSlotsRequired,\n params: (convertFn) => {\n const convertResult = convertFn(mapValue);\n const params = Array.isArray(convertResult) ? convertResult : [convertResult];\n return params;\n }\n }]\n };\n }\n _buildSingleInputs(reference, inputs, valueConverter, getInterpolationExpressionFn, isClassBased) {\n const instructions = [];\n inputs.forEach(input => {\n const previousInstruction = instructions[instructions.length - 1];\n const value = input.value.visit(valueConverter);\n let referenceForCall = reference;\n // each styling binding value is stored in the LView\n // but there are two values stored for each binding:\n // 1) the value itself\n // 2) an intermediate value (concatenation of style up to this point).\n // We need to store the intermediate value so that we don't allocate\n // the strings on each CD.\n let totalBindingSlotsRequired = MIN_STYLING_BINDING_SLOTS_REQUIRED;\n if (value instanceof Interpolation$1) {\n totalBindingSlotsRequired += value.expressions.length;\n if (getInterpolationExpressionFn) {\n referenceForCall = getInterpolationExpressionFn(value);\n }\n }\n const call = {\n sourceSpan: input.sourceSpan,\n allocateBindingSlots: totalBindingSlotsRequired,\n supportsInterpolation: !!getInterpolationExpressionFn,\n params: (convertFn) => {\n // params => stylingProp(propName, value, suffix)\n const params = [];\n params.push(literal(input.name));\n const convertResult = convertFn(value);\n if (Array.isArray(convertResult)) {\n params.push(...convertResult);\n }\n else {\n params.push(convertResult);\n }\n // [style.prop] bindings may use suffix values (e.g. px, em, etc...), therefore,\n // if that is detected then we need to pass that in as an optional param.\n if (!isClassBased && input.suffix !== null) {\n params.push(literal(input.suffix));\n }\n return params;\n }\n };\n // If we ended up generating a call to the same instruction as the previous styling property\n // we can chain the calls together safely to save some bytes, otherwise we have to generate\n // a separate instruction call. This is primarily a concern with interpolation instructions\n // where we may start off with one `reference`, but end up using another based on the\n // number of interpolations.\n if (previousInstruction && previousInstruction.reference === referenceForCall) {\n previousInstruction.calls.push(call);\n }\n else {\n instructions.push({ reference: referenceForCall, calls: [call] });\n }\n });\n return instructions;\n }\n _buildClassInputs(valueConverter) {\n if (this._singleClassInputs) {\n return this._buildSingleInputs(Identifiers.classProp, this._singleClassInputs, valueConverter, null, true);\n }\n return [];\n }\n _buildStyleInputs(valueConverter) {\n if (this._singleStyleInputs) {\n return this._buildSingleInputs(Identifiers.styleProp, this._singleStyleInputs, valueConverter, getStylePropInterpolationExpression, false);\n }\n return [];\n }\n /**\n * Constructs all instructions which contain the expressions that will be placed\n * into the update block of a template function or a directive hostBindings function.\n */\n buildUpdateLevelInstructions(valueConverter) {\n const instructions = [];\n if (this.hasBindings) {\n const styleMapInstruction = this.buildStyleMapInstruction(valueConverter);\n if (styleMapInstruction) {\n instructions.push(styleMapInstruction);\n }\n const classMapInstruction = this.buildClassMapInstruction(valueConverter);\n if (classMapInstruction) {\n instructions.push(classMapInstruction);\n }\n instructions.push(...this._buildStyleInputs(valueConverter));\n instructions.push(...this._buildClassInputs(valueConverter));\n }\n return instructions;\n }\n}\nfunction registerIntoMap(map, key) {\n if (!map.has(key)) {\n map.set(key, map.size);\n }\n}\nfunction parseProperty(name) {\n let hasOverrideFlag = false;\n const overrideIndex = name.indexOf(IMPORTANT_FLAG);\n if (overrideIndex !== -1) {\n name = overrideIndex > 0 ? name.substring(0, overrideIndex) : '';\n hasOverrideFlag = true;\n }\n let suffix = null;\n let property = name;\n const unitIndex = name.lastIndexOf('.');\n if (unitIndex > 0) {\n suffix = name.slice(unitIndex + 1);\n property = name.substring(0, unitIndex);\n }\n return { property, suffix, hasOverrideFlag };\n}\n/**\n * Gets the instruction to generate for an interpolated class map.\n * @param interpolation An Interpolation AST\n */\nfunction getClassMapInterpolationExpression(interpolation) {\n switch (getInterpolationArgsLength(interpolation)) {\n case 1:\n return Identifiers.classMap;\n case 3:\n return Identifiers.classMapInterpolate1;\n case 5:\n return Identifiers.classMapInterpolate2;\n case 7:\n return Identifiers.classMapInterpolate3;\n case 9:\n return Identifiers.classMapInterpolate4;\n case 11:\n return Identifiers.classMapInterpolate5;\n case 13:\n return Identifiers.classMapInterpolate6;\n case 15:\n return Identifiers.classMapInterpolate7;\n case 17:\n return Identifiers.classMapInterpolate8;\n default:\n return Identifiers.classMapInterpolateV;\n }\n}\n/**\n * Gets the instruction to generate for an interpolated style map.\n * @param interpolation An Interpolation AST\n */\nfunction getStyleMapInterpolationExpression(interpolation) {\n switch (getInterpolationArgsLength(interpolation)) {\n case 1:\n return Identifiers.styleMap;\n case 3:\n return Identifiers.styleMapInterpolate1;\n case 5:\n return Identifiers.styleMapInterpolate2;\n case 7:\n return Identifiers.styleMapInterpolate3;\n case 9:\n return Identifiers.styleMapInterpolate4;\n case 11:\n return Identifiers.styleMapInterpolate5;\n case 13:\n return Identifiers.styleMapInterpolate6;\n case 15:\n return Identifiers.styleMapInterpolate7;\n case 17:\n return Identifiers.styleMapInterpolate8;\n default:\n return Identifiers.styleMapInterpolateV;\n }\n}\n/**\n * Gets the instruction to generate for an interpolated style prop.\n * @param interpolation An Interpolation AST\n */\nfunction getStylePropInterpolationExpression(interpolation) {\n switch (getInterpolationArgsLength(interpolation)) {\n case 1:\n return Identifiers.styleProp;\n case 3:\n return Identifiers.stylePropInterpolate1;\n case 5:\n return Identifiers.stylePropInterpolate2;\n case 7:\n return Identifiers.stylePropInterpolate3;\n case 9:\n return Identifiers.stylePropInterpolate4;\n case 11:\n return Identifiers.stylePropInterpolate5;\n case 13:\n return Identifiers.stylePropInterpolate6;\n case 15:\n return Identifiers.stylePropInterpolate7;\n case 17:\n return Identifiers.stylePropInterpolate8;\n default:\n return Identifiers.stylePropInterpolateV;\n }\n}\n/**\n * Checks whether property name is a custom CSS property.\n * See: https://www.w3.org/TR/css-variables-1\n */\nfunction isCssCustomProperty(name) {\n return name.startsWith('--');\n}\nfunction isEmptyExpression(ast) {\n if (ast instanceof ASTWithSource) {\n ast = ast.ast;\n }\n return ast instanceof EmptyExpr$1;\n}\n\nvar TokenType;\n(function (TokenType) {\n TokenType[TokenType[\"Character\"] = 0] = \"Character\";\n TokenType[TokenType[\"Identifier\"] = 1] = \"Identifier\";\n TokenType[TokenType[\"PrivateIdentifier\"] = 2] = \"PrivateIdentifier\";\n TokenType[TokenType[\"Keyword\"] = 3] = \"Keyword\";\n TokenType[TokenType[\"String\"] = 4] = \"String\";\n TokenType[TokenType[\"Operator\"] = 5] = \"Operator\";\n TokenType[TokenType[\"Number\"] = 6] = \"Number\";\n TokenType[TokenType[\"Error\"] = 7] = \"Error\";\n})(TokenType || (TokenType = {}));\nconst KEYWORDS = ['var', 'let', 'as', 'null', 'undefined', 'true', 'false', 'if', 'else', 'this'];\nclass Lexer {\n tokenize(text) {\n const scanner = new _Scanner(text);\n const tokens = [];\n let token = scanner.scanToken();\n while (token != null) {\n tokens.push(token);\n token = scanner.scanToken();\n }\n return tokens;\n }\n}\nclass Token {\n constructor(index, end, type, numValue, strValue) {\n this.index = index;\n this.end = end;\n this.type = type;\n this.numValue = numValue;\n this.strValue = strValue;\n }\n isCharacter(code) {\n return this.type == TokenType.Character && this.numValue == code;\n }\n isNumber() {\n return this.type == TokenType.Number;\n }\n isString() {\n return this.type == TokenType.String;\n }\n isOperator(operator) {\n return this.type == TokenType.Operator && this.strValue == operator;\n }\n isIdentifier() {\n return this.type == TokenType.Identifier;\n }\n isPrivateIdentifier() {\n return this.type == TokenType.PrivateIdentifier;\n }\n isKeyword() {\n return this.type == TokenType.Keyword;\n }\n isKeywordLet() {\n return this.type == TokenType.Keyword && this.strValue == 'let';\n }\n isKeywordAs() {\n return this.type == TokenType.Keyword && this.strValue == 'as';\n }\n isKeywordNull() {\n return this.type == TokenType.Keyword && this.strValue == 'null';\n }\n isKeywordUndefined() {\n return this.type == TokenType.Keyword && this.strValue == 'undefined';\n }\n isKeywordTrue() {\n return this.type == TokenType.Keyword && this.strValue == 'true';\n }\n isKeywordFalse() {\n return this.type == TokenType.Keyword && this.strValue == 'false';\n }\n isKeywordThis() {\n return this.type == TokenType.Keyword && this.strValue == 'this';\n }\n isError() {\n return this.type == TokenType.Error;\n }\n toNumber() {\n return this.type == TokenType.Number ? this.numValue : -1;\n }\n toString() {\n switch (this.type) {\n case TokenType.Character:\n case TokenType.Identifier:\n case TokenType.Keyword:\n case TokenType.Operator:\n case TokenType.PrivateIdentifier:\n case TokenType.String:\n case TokenType.Error:\n return this.strValue;\n case TokenType.Number:\n return this.numValue.toString();\n default:\n return null;\n }\n }\n}\nfunction newCharacterToken(index, end, code) {\n return new Token(index, end, TokenType.Character, code, String.fromCharCode(code));\n}\nfunction newIdentifierToken(index, end, text) {\n return new Token(index, end, TokenType.Identifier, 0, text);\n}\nfunction newPrivateIdentifierToken(index, end, text) {\n return new Token(index, end, TokenType.PrivateIdentifier, 0, text);\n}\nfunction newKeywordToken(index, end, text) {\n return new Token(index, end, TokenType.Keyword, 0, text);\n}\nfunction newOperatorToken(index, end, text) {\n return new Token(index, end, TokenType.Operator, 0, text);\n}\nfunction newStringToken(index, end, text) {\n return new Token(index, end, TokenType.String, 0, text);\n}\nfunction newNumberToken(index, end, n) {\n return new Token(index, end, TokenType.Number, n, '');\n}\nfunction newErrorToken(index, end, message) {\n return new Token(index, end, TokenType.Error, 0, message);\n}\nconst EOF = new Token(-1, -1, TokenType.Character, 0, '');\nclass _Scanner {\n constructor(input) {\n this.input = input;\n this.peek = 0;\n this.index = -1;\n this.length = input.length;\n this.advance();\n }\n advance() {\n this.peek = ++this.index >= this.length ? $EOF : this.input.charCodeAt(this.index);\n }\n scanToken() {\n const input = this.input, length = this.length;\n let peek = this.peek, index = this.index;\n // Skip whitespace.\n while (peek <= $SPACE) {\n if (++index >= length) {\n peek = $EOF;\n break;\n }\n else {\n peek = input.charCodeAt(index);\n }\n }\n this.peek = peek;\n this.index = index;\n if (index >= length) {\n return null;\n }\n // Handle identifiers and numbers.\n if (isIdentifierStart(peek))\n return this.scanIdentifier();\n if (isDigit(peek))\n return this.scanNumber(index);\n const start = index;\n switch (peek) {\n case $PERIOD:\n this.advance();\n return isDigit(this.peek) ? this.scanNumber(start) :\n newCharacterToken(start, this.index, $PERIOD);\n case $LPAREN:\n case $RPAREN:\n case $LBRACE:\n case $RBRACE:\n case $LBRACKET:\n case $RBRACKET:\n case $COMMA:\n case $COLON:\n case $SEMICOLON:\n return this.scanCharacter(start, peek);\n case $SQ:\n case $DQ:\n return this.scanString();\n case $HASH:\n return this.scanPrivateIdentifier();\n case $PLUS:\n case $MINUS:\n case $STAR:\n case $SLASH:\n case $PERCENT:\n case $CARET:\n return this.scanOperator(start, String.fromCharCode(peek));\n case $QUESTION:\n return this.scanQuestion(start);\n case $LT:\n case $GT:\n return this.scanComplexOperator(start, String.fromCharCode(peek), $EQ, '=');\n case $BANG:\n case $EQ:\n return this.scanComplexOperator(start, String.fromCharCode(peek), $EQ, '=', $EQ, '=');\n case $AMPERSAND:\n return this.scanComplexOperator(start, '&', $AMPERSAND, '&');\n case $BAR:\n return this.scanComplexOperator(start, '|', $BAR, '|');\n case $NBSP:\n while (isWhitespace(this.peek))\n this.advance();\n return this.scanToken();\n }\n this.advance();\n return this.error(`Unexpected character [${String.fromCharCode(peek)}]`, 0);\n }\n scanCharacter(start, code) {\n this.advance();\n return newCharacterToken(start, this.index, code);\n }\n scanOperator(start, str) {\n this.advance();\n return newOperatorToken(start, this.index, str);\n }\n /**\n * Tokenize a 2/3 char long operator\n *\n * @param start start index in the expression\n * @param one first symbol (always part of the operator)\n * @param twoCode code point for the second symbol\n * @param two second symbol (part of the operator when the second code point matches)\n * @param threeCode code point for the third symbol\n * @param three third symbol (part of the operator when provided and matches source expression)\n */\n scanComplexOperator(start, one, twoCode, two, threeCode, three) {\n this.advance();\n let str = one;\n if (this.peek == twoCode) {\n this.advance();\n str += two;\n }\n if (threeCode != null && this.peek == threeCode) {\n this.advance();\n str += three;\n }\n return newOperatorToken(start, this.index, str);\n }\n scanIdentifier() {\n const start = this.index;\n this.advance();\n while (isIdentifierPart(this.peek))\n this.advance();\n const str = this.input.substring(start, this.index);\n return KEYWORDS.indexOf(str) > -1 ? newKeywordToken(start, this.index, str) :\n newIdentifierToken(start, this.index, str);\n }\n /** Scans an ECMAScript private identifier. */\n scanPrivateIdentifier() {\n const start = this.index;\n this.advance();\n if (!isIdentifierStart(this.peek)) {\n return this.error('Invalid character [#]', -1);\n }\n while (isIdentifierPart(this.peek))\n this.advance();\n const identifierName = this.input.substring(start, this.index);\n return newPrivateIdentifierToken(start, this.index, identifierName);\n }\n scanNumber(start) {\n let simple = (this.index === start);\n let hasSeparators = false;\n this.advance(); // Skip initial digit.\n while (true) {\n if (isDigit(this.peek)) {\n // Do nothing.\n }\n else if (this.peek === $_) {\n // Separators are only valid when they're surrounded by digits. E.g. `1_0_1` is\n // valid while `_101` and `101_` are not. The separator can't be next to the decimal\n // point or another separator either. Note that it's unlikely that we'll hit a case where\n // the underscore is at the start, because that's a valid identifier and it will be picked\n // up earlier in the parsing. We validate for it anyway just in case.\n if (!isDigit(this.input.charCodeAt(this.index - 1)) ||\n !isDigit(this.input.charCodeAt(this.index + 1))) {\n return this.error('Invalid numeric separator', 0);\n }\n hasSeparators = true;\n }\n else if (this.peek === $PERIOD) {\n simple = false;\n }\n else if (isExponentStart(this.peek)) {\n this.advance();\n if (isExponentSign(this.peek))\n this.advance();\n if (!isDigit(this.peek))\n return this.error('Invalid exponent', -1);\n simple = false;\n }\n else {\n break;\n }\n this.advance();\n }\n let str = this.input.substring(start, this.index);\n if (hasSeparators) {\n str = str.replace(/_/g, '');\n }\n const value = simple ? parseIntAutoRadix(str) : parseFloat(str);\n return newNumberToken(start, this.index, value);\n }\n scanString() {\n const start = this.index;\n const quote = this.peek;\n this.advance(); // Skip initial quote.\n let buffer = '';\n let marker = this.index;\n const input = this.input;\n while (this.peek != quote) {\n if (this.peek == $BACKSLASH) {\n buffer += input.substring(marker, this.index);\n let unescapedCode;\n this.advance(); // mutates this.peek\n // @ts-expect-error see microsoft/TypeScript#9998\n if (this.peek == $u) {\n // 4 character hex code for unicode character.\n const hex = input.substring(this.index + 1, this.index + 5);\n if (/^[0-9a-f]+$/i.test(hex)) {\n unescapedCode = parseInt(hex, 16);\n }\n else {\n return this.error(`Invalid unicode escape [\\\\u${hex}]`, 0);\n }\n for (let i = 0; i < 5; i++) {\n this.advance();\n }\n }\n else {\n unescapedCode = unescape(this.peek);\n this.advance();\n }\n buffer += String.fromCharCode(unescapedCode);\n marker = this.index;\n }\n else if (this.peek == $EOF) {\n return this.error('Unterminated quote', 0);\n }\n else {\n this.advance();\n }\n }\n const last = input.substring(marker, this.index);\n this.advance(); // Skip terminating quote.\n return newStringToken(start, this.index, buffer + last);\n }\n scanQuestion(start) {\n this.advance();\n let str = '?';\n // Either `a ?? b` or 'a?.b'.\n if (this.peek === $QUESTION || this.peek === $PERIOD) {\n str += this.peek === $PERIOD ? '.' : '?';\n this.advance();\n }\n return newOperatorToken(start, this.index, str);\n }\n error(message, offset) {\n const position = this.index + offset;\n return newErrorToken(position, this.index, `Lexer Error: ${message} at column ${position} in expression [${this.input}]`);\n }\n}\nfunction isIdentifierStart(code) {\n return ($a <= code && code <= $z) || ($A <= code && code <= $Z) ||\n (code == $_) || (code == $$);\n}\nfunction isIdentifier(input) {\n if (input.length == 0)\n return false;\n const scanner = new _Scanner(input);\n if (!isIdentifierStart(scanner.peek))\n return false;\n scanner.advance();\n while (scanner.peek !== $EOF) {\n if (!isIdentifierPart(scanner.peek))\n return false;\n scanner.advance();\n }\n return true;\n}\nfunction isIdentifierPart(code) {\n return isAsciiLetter(code) || isDigit(code) || (code == $_) ||\n (code == $$);\n}\nfunction isExponentStart(code) {\n return code == $e || code == $E;\n}\nfunction isExponentSign(code) {\n return code == $MINUS || code == $PLUS;\n}\nfunction unescape(code) {\n switch (code) {\n case $n:\n return $LF;\n case $f:\n return $FF;\n case $r:\n return $CR;\n case $t:\n return $TAB;\n case $v:\n return $VTAB;\n default:\n return code;\n }\n}\nfunction parseIntAutoRadix(text) {\n const result = parseInt(text);\n if (isNaN(result)) {\n throw new Error('Invalid integer literal when parsing ' + text);\n }\n return result;\n}\n\nclass SplitInterpolation {\n constructor(strings, expressions, offsets) {\n this.strings = strings;\n this.expressions = expressions;\n this.offsets = offsets;\n }\n}\nclass TemplateBindingParseResult {\n constructor(templateBindings, warnings, errors) {\n this.templateBindings = templateBindings;\n this.warnings = warnings;\n this.errors = errors;\n }\n}\nclass Parser$1 {\n constructor(_lexer) {\n this._lexer = _lexer;\n this.errors = [];\n }\n parseAction(input, isAssignmentEvent, location, absoluteOffset, interpolationConfig = DEFAULT_INTERPOLATION_CONFIG) {\n this._checkNoInterpolation(input, location, interpolationConfig);\n const sourceToLex = this._stripComments(input);\n const tokens = this._lexer.tokenize(sourceToLex);\n let flags = 1 /* ParseFlags.Action */;\n if (isAssignmentEvent) {\n flags |= 2 /* ParseFlags.AssignmentEvent */;\n }\n const ast = new _ParseAST(input, location, absoluteOffset, tokens, flags, this.errors, 0).parseChain();\n return new ASTWithSource(ast, input, location, absoluteOffset, this.errors);\n }\n parseBinding(input, location, absoluteOffset, interpolationConfig = DEFAULT_INTERPOLATION_CONFIG) {\n const ast = this._parseBindingAst(input, location, absoluteOffset, interpolationConfig);\n return new ASTWithSource(ast, input, location, absoluteOffset, this.errors);\n }\n checkSimpleExpression(ast) {\n const checker = new SimpleExpressionChecker();\n ast.visit(checker);\n return checker.errors;\n }\n // Host bindings parsed here\n parseSimpleBinding(input, location, absoluteOffset, interpolationConfig = DEFAULT_INTERPOLATION_CONFIG) {\n const ast = this._parseBindingAst(input, location, absoluteOffset, interpolationConfig);\n const errors = this.checkSimpleExpression(ast);\n if (errors.length > 0) {\n this._reportError(`Host binding expression cannot contain ${errors.join(' ')}`, input, location);\n }\n return new ASTWithSource(ast, input, location, absoluteOffset, this.errors);\n }\n _reportError(message, input, errLocation, ctxLocation) {\n this.errors.push(new ParserError(message, input, errLocation, ctxLocation));\n }\n _parseBindingAst(input, location, absoluteOffset, interpolationConfig) {\n this._checkNoInterpolation(input, location, interpolationConfig);\n const sourceToLex = this._stripComments(input);\n const tokens = this._lexer.tokenize(sourceToLex);\n return new _ParseAST(input, location, absoluteOffset, tokens, 0 /* ParseFlags.None */, this.errors, 0)\n .parseChain();\n }\n /**\n * Parse microsyntax template expression and return a list of bindings or\n * parsing errors in case the given expression is invalid.\n *\n * For example,\n * ```\n * <div *ngFor=\"let item of items\">\n * ^ ^ absoluteValueOffset for `templateValue`\n * absoluteKeyOffset for `templateKey`\n * ```\n * contains three bindings:\n * 1. ngFor -> null\n * 2. item -> NgForOfContext.$implicit\n * 3. ngForOf -> items\n *\n * This is apparent from the de-sugared template:\n * ```\n * <ng-template ngFor let-item [ngForOf]=\"items\">\n * ```\n *\n * @param templateKey name of directive, without the * prefix. For example: ngIf, ngFor\n * @param templateValue RHS of the microsyntax attribute\n * @param templateUrl template filename if it's external, component filename if it's inline\n * @param absoluteKeyOffset start of the `templateKey`\n * @param absoluteValueOffset start of the `templateValue`\n */\n parseTemplateBindings(templateKey, templateValue, templateUrl, absoluteKeyOffset, absoluteValueOffset) {\n const tokens = this._lexer.tokenize(templateValue);\n const parser = new _ParseAST(templateValue, templateUrl, absoluteValueOffset, tokens, 0 /* ParseFlags.None */, this.errors, 0 /* relative offset */);\n return parser.parseTemplateBindings({\n source: templateKey,\n span: new AbsoluteSourceSpan(absoluteKeyOffset, absoluteKeyOffset + templateKey.length),\n });\n }\n parseInterpolation(input, location, absoluteOffset, interpolatedTokens, interpolationConfig = DEFAULT_INTERPOLATION_CONFIG) {\n const { strings, expressions, offsets } = this.splitInterpolation(input, location, interpolatedTokens, interpolationConfig);\n if (expressions.length === 0)\n return null;\n const expressionNodes = [];\n for (let i = 0; i < expressions.length; ++i) {\n const expressionText = expressions[i].text;\n const sourceToLex = this._stripComments(expressionText);\n const tokens = this._lexer.tokenize(sourceToLex);\n const ast = new _ParseAST(input, location, absoluteOffset, tokens, 0 /* ParseFlags.None */, this.errors, offsets[i])\n .parseChain();\n expressionNodes.push(ast);\n }\n return this.createInterpolationAst(strings.map(s => s.text), expressionNodes, input, location, absoluteOffset);\n }\n /**\n * Similar to `parseInterpolation`, but treats the provided string as a single expression\n * element that would normally appear within the interpolation prefix and suffix (`{{` and `}}`).\n * This is used for parsing the switch expression in ICUs.\n */\n parseInterpolationExpression(expression, location, absoluteOffset) {\n const sourceToLex = this._stripComments(expression);\n const tokens = this._lexer.tokenize(sourceToLex);\n const ast = new _ParseAST(expression, location, absoluteOffset, tokens, 0 /* ParseFlags.None */, this.errors, 0)\n .parseChain();\n const strings = ['', '']; // The prefix and suffix strings are both empty\n return this.createInterpolationAst(strings, [ast], expression, location, absoluteOffset);\n }\n createInterpolationAst(strings, expressions, input, location, absoluteOffset) {\n const span = new ParseSpan(0, input.length);\n const interpolation = new Interpolation$1(span, span.toAbsolute(absoluteOffset), strings, expressions);\n return new ASTWithSource(interpolation, input, location, absoluteOffset, this.errors);\n }\n /**\n * Splits a string of text into \"raw\" text segments and expressions present in interpolations in\n * the string.\n * Returns `null` if there are no interpolations, otherwise a\n * `SplitInterpolation` with splits that look like\n * <raw text> <expression> <raw text> ... <raw text> <expression> <raw text>\n */\n splitInterpolation(input, location, interpolatedTokens, interpolationConfig = DEFAULT_INTERPOLATION_CONFIG) {\n const strings = [];\n const expressions = [];\n const offsets = [];\n const inputToTemplateIndexMap = interpolatedTokens ? getIndexMapForOriginalTemplate(interpolatedTokens) : null;\n let i = 0;\n let atInterpolation = false;\n let extendLastString = false;\n let { start: interpStart, end: interpEnd } = interpolationConfig;\n while (i < input.length) {\n if (!atInterpolation) {\n // parse until starting {{\n const start = i;\n i = input.indexOf(interpStart, i);\n if (i === -1) {\n i = input.length;\n }\n const text = input.substring(start, i);\n strings.push({ text, start, end: i });\n atInterpolation = true;\n }\n else {\n // parse from starting {{ to ending }} while ignoring content inside quotes.\n const fullStart = i;\n const exprStart = fullStart + interpStart.length;\n const exprEnd = this._getInterpolationEndIndex(input, interpEnd, exprStart);\n if (exprEnd === -1) {\n // Could not find the end of the interpolation; do not parse an expression.\n // Instead we should extend the content on the last raw string.\n atInterpolation = false;\n extendLastString = true;\n break;\n }\n const fullEnd = exprEnd + interpEnd.length;\n const text = input.substring(exprStart, exprEnd);\n if (text.trim().length === 0) {\n this._reportError('Blank expressions are not allowed in interpolated strings', input, `at column ${i} in`, location);\n }\n expressions.push({ text, start: fullStart, end: fullEnd });\n const startInOriginalTemplate = inputToTemplateIndexMap?.get(fullStart) ?? fullStart;\n const offset = startInOriginalTemplate + interpStart.length;\n offsets.push(offset);\n i = fullEnd;\n atInterpolation = false;\n }\n }\n if (!atInterpolation) {\n // If we are now at a text section, add the remaining content as a raw string.\n if (extendLastString) {\n const piece = strings[strings.length - 1];\n piece.text += input.substring(i);\n piece.end = input.length;\n }\n else {\n strings.push({ text: input.substring(i), start: i, end: input.length });\n }\n }\n return new SplitInterpolation(strings, expressions, offsets);\n }\n wrapLiteralPrimitive(input, location, absoluteOffset) {\n const span = new ParseSpan(0, input == null ? 0 : input.length);\n return new ASTWithSource(new LiteralPrimitive(span, span.toAbsolute(absoluteOffset), input), input, location, absoluteOffset, this.errors);\n }\n _stripComments(input) {\n const i = this._commentStart(input);\n return i != null ? input.substring(0, i) : input;\n }\n _commentStart(input) {\n let outerQuote = null;\n for (let i = 0; i < input.length - 1; i++) {\n const char = input.charCodeAt(i);\n const nextChar = input.charCodeAt(i + 1);\n if (char === $SLASH && nextChar == $SLASH && outerQuote == null)\n return i;\n if (outerQuote === char) {\n outerQuote = null;\n }\n else if (outerQuote == null && isQuote(char)) {\n outerQuote = char;\n }\n }\n return null;\n }\n _checkNoInterpolation(input, location, { start, end }) {\n let startIndex = -1;\n let endIndex = -1;\n for (const charIndex of this._forEachUnquotedChar(input, 0)) {\n if (startIndex === -1) {\n if (input.startsWith(start)) {\n startIndex = charIndex;\n }\n }\n else {\n endIndex = this._getInterpolationEndIndex(input, end, charIndex);\n if (endIndex > -1) {\n break;\n }\n }\n }\n if (startIndex > -1 && endIndex > -1) {\n this._reportError(`Got interpolation (${start}${end}) where expression was expected`, input, `at column ${startIndex} in`, location);\n }\n }\n /**\n * Finds the index of the end of an interpolation expression\n * while ignoring comments and quoted content.\n */\n _getInterpolationEndIndex(input, expressionEnd, start) {\n for (const charIndex of this._forEachUnquotedChar(input, start)) {\n if (input.startsWith(expressionEnd, charIndex)) {\n return charIndex;\n }\n // Nothing else in the expression matters after we've\n // hit a comment so look directly for the end token.\n if (input.startsWith('//', charIndex)) {\n return input.indexOf(expressionEnd, charIndex);\n }\n }\n return -1;\n }\n /**\n * Generator used to iterate over the character indexes of a string that are outside of quotes.\n * @param input String to loop through.\n * @param start Index within the string at which to start.\n */\n *_forEachUnquotedChar(input, start) {\n let currentQuote = null;\n let escapeCount = 0;\n for (let i = start; i < input.length; i++) {\n const char = input[i];\n // Skip the characters inside quotes. Note that we only care about the outer-most\n // quotes matching up and we need to account for escape characters.\n if (isQuote(input.charCodeAt(i)) && (currentQuote === null || currentQuote === char) &&\n escapeCount % 2 === 0) {\n currentQuote = currentQuote === null ? char : null;\n }\n else if (currentQuote === null) {\n yield i;\n }\n escapeCount = char === '\\\\' ? escapeCount + 1 : 0;\n }\n }\n}\n/** Describes a stateful context an expression parser is in. */\nvar ParseContextFlags;\n(function (ParseContextFlags) {\n ParseContextFlags[ParseContextFlags[\"None\"] = 0] = \"None\";\n /**\n * A Writable context is one in which a value may be written to an lvalue.\n * For example, after we see a property access, we may expect a write to the\n * property via the \"=\" operator.\n * prop\n * ^ possible \"=\" after\n */\n ParseContextFlags[ParseContextFlags[\"Writable\"] = 1] = \"Writable\";\n})(ParseContextFlags || (ParseContextFlags = {}));\nclass _ParseAST {\n constructor(input, location, absoluteOffset, tokens, parseFlags, errors, offset) {\n this.input = input;\n this.location = location;\n this.absoluteOffset = absoluteOffset;\n this.tokens = tokens;\n this.parseFlags = parseFlags;\n this.errors = errors;\n this.offset = offset;\n this.rparensExpected = 0;\n this.rbracketsExpected = 0;\n this.rbracesExpected = 0;\n this.context = ParseContextFlags.None;\n // Cache of expression start and input indeces to the absolute source span they map to, used to\n // prevent creating superfluous source spans in `sourceSpan`.\n // A serial of the expression start and input index is used for mapping because both are stateful\n // and may change for subsequent expressions visited by the parser.\n this.sourceSpanCache = new Map();\n this.index = 0;\n }\n peek(offset) {\n const i = this.index + offset;\n return i < this.tokens.length ? this.tokens[i] : EOF;\n }\n get next() {\n return this.peek(0);\n }\n /** Whether all the parser input has been processed. */\n get atEOF() {\n return this.index >= this.tokens.length;\n }\n /**\n * Index of the next token to be processed, or the end of the last token if all have been\n * processed.\n */\n get inputIndex() {\n return this.atEOF ? this.currentEndIndex : this.next.index + this.offset;\n }\n /**\n * End index of the last processed token, or the start of the first token if none have been\n * processed.\n */\n get currentEndIndex() {\n if (this.index > 0) {\n const curToken = this.peek(-1);\n return curToken.end + this.offset;\n }\n // No tokens have been processed yet; return the next token's start or the length of the input\n // if there is no token.\n if (this.tokens.length === 0) {\n return this.input.length + this.offset;\n }\n return this.next.index + this.offset;\n }\n /**\n * Returns the absolute offset of the start of the current token.\n */\n get currentAbsoluteOffset() {\n return this.absoluteOffset + this.inputIndex;\n }\n /**\n * Retrieve a `ParseSpan` from `start` to the current position (or to `artificialEndIndex` if\n * provided).\n *\n * @param start Position from which the `ParseSpan` will start.\n * @param artificialEndIndex Optional ending index to be used if provided (and if greater than the\n * natural ending index)\n */\n span(start, artificialEndIndex) {\n let endIndex = this.currentEndIndex;\n if (artificialEndIndex !== undefined && artificialEndIndex > this.currentEndIndex) {\n endIndex = artificialEndIndex;\n }\n // In some unusual parsing scenarios (like when certain tokens are missing and an `EmptyExpr` is\n // being created), the current token may already be advanced beyond the `currentEndIndex`. This\n // appears to be a deep-seated parser bug.\n //\n // As a workaround for now, swap the start and end indices to ensure a valid `ParseSpan`.\n // TODO(alxhub): fix the bug upstream in the parser state, and remove this workaround.\n if (start > endIndex) {\n const tmp = endIndex;\n endIndex = start;\n start = tmp;\n }\n return new ParseSpan(start, endIndex);\n }\n sourceSpan(start, artificialEndIndex) {\n const serial = `${start}@${this.inputIndex}:${artificialEndIndex}`;\n if (!this.sourceSpanCache.has(serial)) {\n this.sourceSpanCache.set(serial, this.span(start, artificialEndIndex).toAbsolute(this.absoluteOffset));\n }\n return this.sourceSpanCache.get(serial);\n }\n advance() {\n this.index++;\n }\n /**\n * Executes a callback in the provided context.\n */\n withContext(context, cb) {\n this.context |= context;\n const ret = cb();\n this.context ^= context;\n return ret;\n }\n consumeOptionalCharacter(code) {\n if (this.next.isCharacter(code)) {\n this.advance();\n return true;\n }\n else {\n return false;\n }\n }\n peekKeywordLet() {\n return this.next.isKeywordLet();\n }\n peekKeywordAs() {\n return this.next.isKeywordAs();\n }\n /**\n * Consumes an expected character, otherwise emits an error about the missing expected character\n * and skips over the token stream until reaching a recoverable point.\n *\n * See `this.error` and `this.skip` for more details.\n */\n expectCharacter(code) {\n if (this.consumeOptionalCharacter(code))\n return;\n this.error(`Missing expected ${String.fromCharCode(code)}`);\n }\n consumeOptionalOperator(op) {\n if (this.next.isOperator(op)) {\n this.advance();\n return true;\n }\n else {\n return false;\n }\n }\n expectOperator(operator) {\n if (this.consumeOptionalOperator(operator))\n return;\n this.error(`Missing expected operator ${operator}`);\n }\n prettyPrintToken(tok) {\n return tok === EOF ? 'end of input' : `token ${tok}`;\n }\n expectIdentifierOrKeyword() {\n const n = this.next;\n if (!n.isIdentifier() && !n.isKeyword()) {\n if (n.isPrivateIdentifier()) {\n this._reportErrorForPrivateIdentifier(n, 'expected identifier or keyword');\n }\n else {\n this.error(`Unexpected ${this.prettyPrintToken(n)}, expected identifier or keyword`);\n }\n return null;\n }\n this.advance();\n return n.toString();\n }\n expectIdentifierOrKeywordOrString() {\n const n = this.next;\n if (!n.isIdentifier() && !n.isKeyword() && !n.isString()) {\n if (n.isPrivateIdentifier()) {\n this._reportErrorForPrivateIdentifier(n, 'expected identifier, keyword or string');\n }\n else {\n this.error(`Unexpected ${this.prettyPrintToken(n)}, expected identifier, keyword, or string`);\n }\n return '';\n }\n this.advance();\n return n.toString();\n }\n parseChain() {\n const exprs = [];\n const start = this.inputIndex;\n while (this.index < this.tokens.length) {\n const expr = this.parsePipe();\n exprs.push(expr);\n if (this.consumeOptionalCharacter($SEMICOLON)) {\n if (!(this.parseFlags & 1 /* ParseFlags.Action */)) {\n this.error('Binding expression cannot contain chained expression');\n }\n while (this.consumeOptionalCharacter($SEMICOLON)) {\n } // read all semicolons\n }\n else if (this.index < this.tokens.length) {\n const errorIndex = this.index;\n this.error(`Unexpected token '${this.next}'`);\n // The `error` call above will skip ahead to the next recovery point in an attempt to\n // recover part of the expression, but that might be the token we started from which will\n // lead to an infinite loop. If that's the case, break the loop assuming that we can't\n // parse further.\n if (this.index === errorIndex) {\n break;\n }\n }\n }\n if (exprs.length === 0) {\n // We have no expressions so create an empty expression that spans the entire input length\n const artificialStart = this.offset;\n const artificialEnd = this.offset + this.input.length;\n return new EmptyExpr$1(this.span(artificialStart, artificialEnd), this.sourceSpan(artificialStart, artificialEnd));\n }\n if (exprs.length == 1)\n return exprs[0];\n return new Chain(this.span(start), this.sourceSpan(start), exprs);\n }\n parsePipe() {\n const start = this.inputIndex;\n let result = this.parseExpression();\n if (this.consumeOptionalOperator('|')) {\n if (this.parseFlags & 1 /* ParseFlags.Action */) {\n this.error('Cannot have a pipe in an action expression');\n }\n do {\n const nameStart = this.inputIndex;\n let nameId = this.expectIdentifierOrKeyword();\n let nameSpan;\n let fullSpanEnd = undefined;\n if (nameId !== null) {\n nameSpan = this.sourceSpan(nameStart);\n }\n else {\n // No valid identifier was found, so we'll assume an empty pipe name ('').\n nameId = '';\n // However, there may have been whitespace present between the pipe character and the next\n // token in the sequence (or the end of input). We want to track this whitespace so that\n // the `BindingPipe` we produce covers not just the pipe character, but any trailing\n // whitespace beyond it. Another way of thinking about this is that the zero-length name\n // is assumed to be at the end of any whitespace beyond the pipe character.\n //\n // Therefore, we push the end of the `ParseSpan` for this pipe all the way up to the\n // beginning of the next token, or until the end of input if the next token is EOF.\n fullSpanEnd = this.next.index !== -1 ? this.next.index : this.input.length + this.offset;\n // The `nameSpan` for an empty pipe name is zero-length at the end of any whitespace\n // beyond the pipe character.\n nameSpan = new ParseSpan(fullSpanEnd, fullSpanEnd).toAbsolute(this.absoluteOffset);\n }\n const args = [];\n while (this.consumeOptionalCharacter($COLON)) {\n args.push(this.parseExpression());\n // If there are additional expressions beyond the name, then the artificial end for the\n // name is no longer relevant.\n }\n result = new BindingPipe(this.span(start), this.sourceSpan(start, fullSpanEnd), result, nameId, args, nameSpan);\n } while (this.consumeOptionalOperator('|'));\n }\n return result;\n }\n parseExpression() {\n return this.parseConditional();\n }\n parseConditional() {\n const start = this.inputIndex;\n const result = this.parseLogicalOr();\n if (this.consumeOptionalOperator('?')) {\n const yes = this.parsePipe();\n let no;\n if (!this.consumeOptionalCharacter($COLON)) {\n const end = this.inputIndex;\n const expression = this.input.substring(start, end);\n this.error(`Conditional expression ${expression} requires all 3 expressions`);\n no = new EmptyExpr$1(this.span(start), this.sourceSpan(start));\n }\n else {\n no = this.parsePipe();\n }\n return new Conditional(this.span(start), this.sourceSpan(start), result, yes, no);\n }\n else {\n return result;\n }\n }\n parseLogicalOr() {\n // '||'\n const start = this.inputIndex;\n let result = this.parseLogicalAnd();\n while (this.consumeOptionalOperator('||')) {\n const right = this.parseLogicalAnd();\n result = new Binary(this.span(start), this.sourceSpan(start), '||', result, right);\n }\n return result;\n }\n parseLogicalAnd() {\n // '&&'\n const start = this.inputIndex;\n let result = this.parseNullishCoalescing();\n while (this.consumeOptionalOperator('&&')) {\n const right = this.parseNullishCoalescing();\n result = new Binary(this.span(start), this.sourceSpan(start), '&&', result, right);\n }\n return result;\n }\n parseNullishCoalescing() {\n // '??'\n const start = this.inputIndex;\n let result = this.parseEquality();\n while (this.consumeOptionalOperator('??')) {\n const right = this.parseEquality();\n result = new Binary(this.span(start), this.sourceSpan(start), '??', result, right);\n }\n return result;\n }\n parseEquality() {\n // '==','!=','===','!=='\n const start = this.inputIndex;\n let result = this.parseRelational();\n while (this.next.type == TokenType.Operator) {\n const operator = this.next.strValue;\n switch (operator) {\n case '==':\n case '===':\n case '!=':\n case '!==':\n this.advance();\n const right = this.parseRelational();\n result = new Binary(this.span(start), this.sourceSpan(start), operator, result, right);\n continue;\n }\n break;\n }\n return result;\n }\n parseRelational() {\n // '<', '>', '<=', '>='\n const start = this.inputIndex;\n let result = this.parseAdditive();\n while (this.next.type == TokenType.Operator) {\n const operator = this.next.strValue;\n switch (operator) {\n case '<':\n case '>':\n case '<=':\n case '>=':\n this.advance();\n const right = this.parseAdditive();\n result = new Binary(this.span(start), this.sourceSpan(start), operator, result, right);\n continue;\n }\n break;\n }\n return result;\n }\n parseAdditive() {\n // '+', '-'\n const start = this.inputIndex;\n let result = this.parseMultiplicative();\n while (this.next.type == TokenType.Operator) {\n const operator = this.next.strValue;\n switch (operator) {\n case '+':\n case '-':\n this.advance();\n let right = this.parseMultiplicative();\n result = new Binary(this.span(start), this.sourceSpan(start), operator, result, right);\n continue;\n }\n break;\n }\n return result;\n }\n parseMultiplicative() {\n // '*', '%', '/'\n const start = this.inputIndex;\n let result = this.parsePrefix();\n while (this.next.type == TokenType.Operator) {\n const operator = this.next.strValue;\n switch (operator) {\n case '*':\n case '%':\n case '/':\n this.advance();\n let right = this.parsePrefix();\n result = new Binary(this.span(start), this.sourceSpan(start), operator, result, right);\n continue;\n }\n break;\n }\n return result;\n }\n parsePrefix() {\n if (this.next.type == TokenType.Operator) {\n const start = this.inputIndex;\n const operator = this.next.strValue;\n let result;\n switch (operator) {\n case '+':\n this.advance();\n result = this.parsePrefix();\n return Unary.createPlus(this.span(start), this.sourceSpan(start), result);\n case '-':\n this.advance();\n result = this.parsePrefix();\n return Unary.createMinus(this.span(start), this.sourceSpan(start), result);\n case '!':\n this.advance();\n result = this.parsePrefix();\n return new PrefixNot(this.span(start), this.sourceSpan(start), result);\n }\n }\n return this.parseCallChain();\n }\n parseCallChain() {\n const start = this.inputIndex;\n let result = this.parsePrimary();\n while (true) {\n if (this.consumeOptionalCharacter($PERIOD)) {\n result = this.parseAccessMember(result, start, false);\n }\n else if (this.consumeOptionalOperator('?.')) {\n if (this.consumeOptionalCharacter($LPAREN)) {\n result = this.parseCall(result, start, true);\n }\n else {\n result = this.consumeOptionalCharacter($LBRACKET) ?\n this.parseKeyedReadOrWrite(result, start, true) :\n this.parseAccessMember(result, start, true);\n }\n }\n else if (this.consumeOptionalCharacter($LBRACKET)) {\n result = this.parseKeyedReadOrWrite(result, start, false);\n }\n else if (this.consumeOptionalCharacter($LPAREN)) {\n result = this.parseCall(result, start, false);\n }\n else if (this.consumeOptionalOperator('!')) {\n result = new NonNullAssert(this.span(start), this.sourceSpan(start), result);\n }\n else {\n return result;\n }\n }\n }\n parsePrimary() {\n const start = this.inputIndex;\n if (this.consumeOptionalCharacter($LPAREN)) {\n this.rparensExpected++;\n const result = this.parsePipe();\n this.rparensExpected--;\n this.expectCharacter($RPAREN);\n return result;\n }\n else if (this.next.isKeywordNull()) {\n this.advance();\n return new LiteralPrimitive(this.span(start), this.sourceSpan(start), null);\n }\n else if (this.next.isKeywordUndefined()) {\n this.advance();\n return new LiteralPrimitive(this.span(start), this.sourceSpan(start), void 0);\n }\n else if (this.next.isKeywordTrue()) {\n this.advance();\n return new LiteralPrimitive(this.span(start), this.sourceSpan(start), true);\n }\n else if (this.next.isKeywordFalse()) {\n this.advance();\n return new LiteralPrimitive(this.span(start), this.sourceSpan(start), false);\n }\n else if (this.next.isKeywordThis()) {\n this.advance();\n return new ThisReceiver(this.span(start), this.sourceSpan(start));\n }\n else if (this.consumeOptionalCharacter($LBRACKET)) {\n this.rbracketsExpected++;\n const elements = this.parseExpressionList($RBRACKET);\n this.rbracketsExpected--;\n this.expectCharacter($RBRACKET);\n return new LiteralArray(this.span(start), this.sourceSpan(start), elements);\n }\n else if (this.next.isCharacter($LBRACE)) {\n return this.parseLiteralMap();\n }\n else if (this.next.isIdentifier()) {\n return this.parseAccessMember(new ImplicitReceiver(this.span(start), this.sourceSpan(start)), start, false);\n }\n else if (this.next.isNumber()) {\n const value = this.next.toNumber();\n this.advance();\n return new LiteralPrimitive(this.span(start), this.sourceSpan(start), value);\n }\n else if (this.next.isString()) {\n const literalValue = this.next.toString();\n this.advance();\n return new LiteralPrimitive(this.span(start), this.sourceSpan(start), literalValue);\n }\n else if (this.next.isPrivateIdentifier()) {\n this._reportErrorForPrivateIdentifier(this.next, null);\n return new EmptyExpr$1(this.span(start), this.sourceSpan(start));\n }\n else if (this.index >= this.tokens.length) {\n this.error(`Unexpected end of expression: ${this.input}`);\n return new EmptyExpr$1(this.span(start), this.sourceSpan(start));\n }\n else {\n this.error(`Unexpected token ${this.next}`);\n return new EmptyExpr$1(this.span(start), this.sourceSpan(start));\n }\n }\n parseExpressionList(terminator) {\n const result = [];\n do {\n if (!this.next.isCharacter(terminator)) {\n result.push(this.parsePipe());\n }\n else {\n break;\n }\n } while (this.consumeOptionalCharacter($COMMA));\n return result;\n }\n parseLiteralMap() {\n const keys = [];\n const values = [];\n const start = this.inputIndex;\n this.expectCharacter($LBRACE);\n if (!this.consumeOptionalCharacter($RBRACE)) {\n this.rbracesExpected++;\n do {\n const keyStart = this.inputIndex;\n const quoted = this.next.isString();\n const key = this.expectIdentifierOrKeywordOrString();\n keys.push({ key, quoted });\n // Properties with quoted keys can't use the shorthand syntax.\n if (quoted) {\n this.expectCharacter($COLON);\n values.push(this.parsePipe());\n }\n else if (this.consumeOptionalCharacter($COLON)) {\n values.push(this.parsePipe());\n }\n else {\n const span = this.span(keyStart);\n const sourceSpan = this.sourceSpan(keyStart);\n values.push(new PropertyRead(span, sourceSpan, sourceSpan, new ImplicitReceiver(span, sourceSpan), key));\n }\n } while (this.consumeOptionalCharacter($COMMA) &&\n !this.next.isCharacter($RBRACE));\n this.rbracesExpected--;\n this.expectCharacter($RBRACE);\n }\n return new LiteralMap(this.span(start), this.sourceSpan(start), keys, values);\n }\n parseAccessMember(readReceiver, start, isSafe) {\n const nameStart = this.inputIndex;\n const id = this.withContext(ParseContextFlags.Writable, () => {\n const id = this.expectIdentifierOrKeyword() ?? '';\n if (id.length === 0) {\n this.error(`Expected identifier for property access`, readReceiver.span.end);\n }\n return id;\n });\n const nameSpan = this.sourceSpan(nameStart);\n let receiver;\n if (isSafe) {\n if (this.consumeOptionalAssignment()) {\n this.error('The \\'?.\\' operator cannot be used in the assignment');\n receiver = new EmptyExpr$1(this.span(start), this.sourceSpan(start));\n }\n else {\n receiver = new SafePropertyRead(this.span(start), this.sourceSpan(start), nameSpan, readReceiver, id);\n }\n }\n else {\n if (this.consumeOptionalAssignment()) {\n if (!(this.parseFlags & 1 /* ParseFlags.Action */)) {\n this.error('Bindings cannot contain assignments');\n return new EmptyExpr$1(this.span(start), this.sourceSpan(start));\n }\n const value = this.parseConditional();\n receiver = new PropertyWrite(this.span(start), this.sourceSpan(start), nameSpan, readReceiver, id, value);\n }\n else {\n receiver =\n new PropertyRead(this.span(start), this.sourceSpan(start), nameSpan, readReceiver, id);\n }\n }\n return receiver;\n }\n parseCall(receiver, start, isSafe) {\n const argumentStart = this.inputIndex;\n this.rparensExpected++;\n const args = this.parseCallArguments();\n const argumentSpan = this.span(argumentStart, this.inputIndex).toAbsolute(this.absoluteOffset);\n this.expectCharacter($RPAREN);\n this.rparensExpected--;\n const span = this.span(start);\n const sourceSpan = this.sourceSpan(start);\n return isSafe ? new SafeCall(span, sourceSpan, receiver, args, argumentSpan) :\n new Call(span, sourceSpan, receiver, args, argumentSpan);\n }\n consumeOptionalAssignment() {\n // When parsing assignment events (originating from two-way-binding aka banana-in-a-box syntax),\n // it is valid for the primary expression to be terminated by the non-null operator. This\n // primary expression is substituted as LHS of the assignment operator to achieve\n // two-way-binding, such that the LHS could be the non-null operator. The grammar doesn't\n // naturally allow for this syntax, so assignment events are parsed specially.\n if ((this.parseFlags & 2 /* ParseFlags.AssignmentEvent */) && this.next.isOperator('!') &&\n this.peek(1).isOperator('=')) {\n // First skip over the ! operator.\n this.advance();\n // Then skip over the = operator, to fully consume the optional assignment operator.\n this.advance();\n return true;\n }\n return this.consumeOptionalOperator('=');\n }\n parseCallArguments() {\n if (this.next.isCharacter($RPAREN))\n return [];\n const positionals = [];\n do {\n positionals.push(this.parsePipe());\n } while (this.consumeOptionalCharacter($COMMA));\n return positionals;\n }\n /**\n * Parses an identifier, a keyword, a string with an optional `-` in between,\n * and returns the string along with its absolute source span.\n */\n expectTemplateBindingKey() {\n let result = '';\n let operatorFound = false;\n const start = this.currentAbsoluteOffset;\n do {\n result += this.expectIdentifierOrKeywordOrString();\n operatorFound = this.consumeOptionalOperator('-');\n if (operatorFound) {\n result += '-';\n }\n } while (operatorFound);\n return {\n source: result,\n span: new AbsoluteSourceSpan(start, start + result.length),\n };\n }\n /**\n * Parse microsyntax template expression and return a list of bindings or\n * parsing errors in case the given expression is invalid.\n *\n * For example,\n * ```\n * <div *ngFor=\"let item of items; index as i; trackBy: func\">\n * ```\n * contains five bindings:\n * 1. ngFor -> null\n * 2. item -> NgForOfContext.$implicit\n * 3. ngForOf -> items\n * 4. i -> NgForOfContext.index\n * 5. ngForTrackBy -> func\n *\n * For a full description of the microsyntax grammar, see\n * https://gist.github.com/mhevery/d3530294cff2e4a1b3fe15ff75d08855\n *\n * @param templateKey name of the microsyntax directive, like ngIf, ngFor,\n * without the *, along with its absolute span.\n */\n parseTemplateBindings(templateKey) {\n const bindings = [];\n // The first binding is for the template key itself\n // In *ngFor=\"let item of items\", key = \"ngFor\", value = null\n // In *ngIf=\"cond | pipe\", key = \"ngIf\", value = \"cond | pipe\"\n bindings.push(...this.parseDirectiveKeywordBindings(templateKey));\n while (this.index < this.tokens.length) {\n // If it starts with 'let', then this must be variable declaration\n const letBinding = this.parseLetBinding();\n if (letBinding) {\n bindings.push(letBinding);\n }\n else {\n // Two possible cases here, either `value \"as\" key` or\n // \"directive-keyword expression\". We don't know which case, but both\n // \"value\" and \"directive-keyword\" are template binding key, so consume\n // the key first.\n const key = this.expectTemplateBindingKey();\n // Peek at the next token, if it is \"as\" then this must be variable\n // declaration.\n const binding = this.parseAsBinding(key);\n if (binding) {\n bindings.push(binding);\n }\n else {\n // Otherwise the key must be a directive keyword, like \"of\". Transform\n // the key to actual key. Eg. of -> ngForOf, trackBy -> ngForTrackBy\n key.source =\n templateKey.source + key.source.charAt(0).toUpperCase() + key.source.substring(1);\n bindings.push(...this.parseDirectiveKeywordBindings(key));\n }\n }\n this.consumeStatementTerminator();\n }\n return new TemplateBindingParseResult(bindings, [] /* warnings */, this.errors);\n }\n parseKeyedReadOrWrite(receiver, start, isSafe) {\n return this.withContext(ParseContextFlags.Writable, () => {\n this.rbracketsExpected++;\n const key = this.parsePipe();\n if (key instanceof EmptyExpr$1) {\n this.error(`Key access cannot be empty`);\n }\n this.rbracketsExpected--;\n this.expectCharacter($RBRACKET);\n if (this.consumeOptionalOperator('=')) {\n if (isSafe) {\n this.error('The \\'?.\\' operator cannot be used in the assignment');\n }\n else {\n const value = this.parseConditional();\n return new KeyedWrite(this.span(start), this.sourceSpan(start), receiver, key, value);\n }\n }\n else {\n return isSafe ? new SafeKeyedRead(this.span(start), this.sourceSpan(start), receiver, key) :\n new KeyedRead(this.span(start), this.sourceSpan(start), receiver, key);\n }\n return new EmptyExpr$1(this.span(start), this.sourceSpan(start));\n });\n }\n /**\n * Parse a directive keyword, followed by a mandatory expression.\n * For example, \"of items\", \"trackBy: func\".\n * The bindings are: ngForOf -> items, ngForTrackBy -> func\n * There could be an optional \"as\" binding that follows the expression.\n * For example,\n * ```\n * *ngFor=\"let item of items | slice:0:1 as collection\".\n * ^^ ^^^^^^^^^^^^^^^^^ ^^^^^^^^^^^^^\n * keyword bound target optional 'as' binding\n * ```\n *\n * @param key binding key, for example, ngFor, ngIf, ngForOf, along with its\n * absolute span.\n */\n parseDirectiveKeywordBindings(key) {\n const bindings = [];\n this.consumeOptionalCharacter($COLON); // trackBy: trackByFunction\n const value = this.getDirectiveBoundTarget();\n let spanEnd = this.currentAbsoluteOffset;\n // The binding could optionally be followed by \"as\". For example,\n // *ngIf=\"cond | pipe as x\". In this case, the key in the \"as\" binding\n // is \"x\" and the value is the template key itself (\"ngIf\"). Note that the\n // 'key' in the current context now becomes the \"value\" in the next binding.\n const asBinding = this.parseAsBinding(key);\n if (!asBinding) {\n this.consumeStatementTerminator();\n spanEnd = this.currentAbsoluteOffset;\n }\n const sourceSpan = new AbsoluteSourceSpan(key.span.start, spanEnd);\n bindings.push(new ExpressionBinding(sourceSpan, key, value));\n if (asBinding) {\n bindings.push(asBinding);\n }\n return bindings;\n }\n /**\n * Return the expression AST for the bound target of a directive keyword\n * binding. For example,\n * ```\n * *ngIf=\"condition | pipe\"\n * ^^^^^^^^^^^^^^^^ bound target for \"ngIf\"\n * *ngFor=\"let item of items\"\n * ^^^^^ bound target for \"ngForOf\"\n * ```\n */\n getDirectiveBoundTarget() {\n if (this.next === EOF || this.peekKeywordAs() || this.peekKeywordLet()) {\n return null;\n }\n const ast = this.parsePipe(); // example: \"condition | async\"\n const { start, end } = ast.span;\n const value = this.input.substring(start, end);\n return new ASTWithSource(ast, value, this.location, this.absoluteOffset + start, this.errors);\n }\n /**\n * Return the binding for a variable declared using `as`. Note that the order\n * of the key-value pair in this declaration is reversed. For example,\n * ```\n * *ngFor=\"let item of items; index as i\"\n * ^^^^^ ^\n * value key\n * ```\n *\n * @param value name of the value in the declaration, \"ngIf\" in the example\n * above, along with its absolute span.\n */\n parseAsBinding(value) {\n if (!this.peekKeywordAs()) {\n return null;\n }\n this.advance(); // consume the 'as' keyword\n const key = this.expectTemplateBindingKey();\n this.consumeStatementTerminator();\n const sourceSpan = new AbsoluteSourceSpan(value.span.start, this.currentAbsoluteOffset);\n return new VariableBinding(sourceSpan, key, value);\n }\n /**\n * Return the binding for a variable declared using `let`. For example,\n * ```\n * *ngFor=\"let item of items; let i=index;\"\n * ^^^^^^^^ ^^^^^^^^^^^\n * ```\n * In the first binding, `item` is bound to `NgForOfContext.$implicit`.\n * In the second binding, `i` is bound to `NgForOfContext.index`.\n */\n parseLetBinding() {\n if (!this.peekKeywordLet()) {\n return null;\n }\n const spanStart = this.currentAbsoluteOffset;\n this.advance(); // consume the 'let' keyword\n const key = this.expectTemplateBindingKey();\n let value = null;\n if (this.consumeOptionalOperator('=')) {\n value = this.expectTemplateBindingKey();\n }\n this.consumeStatementTerminator();\n const sourceSpan = new AbsoluteSourceSpan(spanStart, this.currentAbsoluteOffset);\n return new VariableBinding(sourceSpan, key, value);\n }\n /**\n * Consume the optional statement terminator: semicolon or comma.\n */\n consumeStatementTerminator() {\n this.consumeOptionalCharacter($SEMICOLON) || this.consumeOptionalCharacter($COMMA);\n }\n /**\n * Records an error and skips over the token stream until reaching a recoverable point. See\n * `this.skip` for more details on token skipping.\n */\n error(message, index = null) {\n this.errors.push(new ParserError(message, this.input, this.locationText(index), this.location));\n this.skip();\n }\n locationText(index = null) {\n if (index == null)\n index = this.index;\n return (index < this.tokens.length) ? `at column ${this.tokens[index].index + 1} in` :\n `at the end of the expression`;\n }\n /**\n * Records an error for an unexpected private identifier being discovered.\n * @param token Token representing a private identifier.\n * @param extraMessage Optional additional message being appended to the error.\n */\n _reportErrorForPrivateIdentifier(token, extraMessage) {\n let errorMessage = `Private identifiers are not supported. Unexpected private identifier: ${token}`;\n if (extraMessage !== null) {\n errorMessage += `, ${extraMessage}`;\n }\n this.error(errorMessage);\n }\n /**\n * Error recovery should skip tokens until it encounters a recovery point.\n *\n * The following are treated as unconditional recovery points:\n * - end of input\n * - ';' (parseChain() is always the root production, and it expects a ';')\n * - '|' (since pipes may be chained and each pipe expression may be treated independently)\n *\n * The following are conditional recovery points:\n * - ')', '}', ']' if one of calling productions is expecting one of these symbols\n * - This allows skip() to recover from errors such as '(a.) + 1' allowing more of the AST to\n * be retained (it doesn't skip any tokens as the ')' is retained because of the '(' begins\n * an '(' <expr> ')' production).\n * The recovery points of grouping symbols must be conditional as they must be skipped if\n * none of the calling productions are not expecting the closing token else we will never\n * make progress in the case of an extraneous group closing symbol (such as a stray ')').\n * That is, we skip a closing symbol if we are not in a grouping production.\n * - '=' in a `Writable` context\n * - In this context, we are able to recover after seeing the `=` operator, which\n * signals the presence of an independent rvalue expression following the `=` operator.\n *\n * If a production expects one of these token it increments the corresponding nesting count,\n * and then decrements it just prior to checking if the token is in the input.\n */\n skip() {\n let n = this.next;\n while (this.index < this.tokens.length && !n.isCharacter($SEMICOLON) &&\n !n.isOperator('|') && (this.rparensExpected <= 0 || !n.isCharacter($RPAREN)) &&\n (this.rbracesExpected <= 0 || !n.isCharacter($RBRACE)) &&\n (this.rbracketsExpected <= 0 || !n.isCharacter($RBRACKET)) &&\n (!(this.context & ParseContextFlags.Writable) || !n.isOperator('='))) {\n if (this.next.isError()) {\n this.errors.push(new ParserError(this.next.toString(), this.input, this.locationText(), this.location));\n }\n this.advance();\n n = this.next;\n }\n }\n}\nclass SimpleExpressionChecker extends RecursiveAstVisitor {\n constructor() {\n super(...arguments);\n this.errors = [];\n }\n visitPipe() {\n this.errors.push('pipes');\n }\n}\n/**\n * Computes the real offset in the original template for indexes in an interpolation.\n *\n * Because templates can have encoded HTML entities and the input passed to the parser at this stage\n * of the compiler is the _decoded_ value, we need to compute the real offset using the original\n * encoded values in the interpolated tokens. Note that this is only a special case handling for\n * `MlParserTokenType.ENCODED_ENTITY` token types. All other interpolated tokens are expected to\n * have parts which exactly match the input string for parsing the interpolation.\n *\n * @param interpolatedTokens The tokens for the interpolated value.\n *\n * @returns A map of index locations in the decoded template to indexes in the original template\n */\nfunction getIndexMapForOriginalTemplate(interpolatedTokens) {\n let offsetMap = new Map();\n let consumedInOriginalTemplate = 0;\n let consumedInInput = 0;\n let tokenIndex = 0;\n while (tokenIndex < interpolatedTokens.length) {\n const currentToken = interpolatedTokens[tokenIndex];\n if (currentToken.type === 9 /* MlParserTokenType.ENCODED_ENTITY */) {\n const [decoded, encoded] = currentToken.parts;\n consumedInOriginalTemplate += encoded.length;\n consumedInInput += decoded.length;\n }\n else {\n const lengthOfParts = currentToken.parts.reduce((sum, current) => sum + current.length, 0);\n consumedInInput += lengthOfParts;\n consumedInOriginalTemplate += lengthOfParts;\n }\n offsetMap.set(consumedInInput, consumedInOriginalTemplate);\n tokenIndex++;\n }\n return offsetMap;\n}\n\nclass NodeWithI18n {\n constructor(sourceSpan, i18n) {\n this.sourceSpan = sourceSpan;\n this.i18n = i18n;\n }\n}\nclass Text extends NodeWithI18n {\n constructor(value, sourceSpan, tokens, i18n) {\n super(sourceSpan, i18n);\n this.value = value;\n this.tokens = tokens;\n }\n visit(visitor, context) {\n return visitor.visitText(this, context);\n }\n}\nclass Expansion extends NodeWithI18n {\n constructor(switchValue, type, cases, sourceSpan, switchValueSourceSpan, i18n) {\n super(sourceSpan, i18n);\n this.switchValue = switchValue;\n this.type = type;\n this.cases = cases;\n this.switchValueSourceSpan = switchValueSourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitExpansion(this, context);\n }\n}\nclass ExpansionCase {\n constructor(value, expression, sourceSpan, valueSourceSpan, expSourceSpan) {\n this.value = value;\n this.expression = expression;\n this.sourceSpan = sourceSpan;\n this.valueSourceSpan = valueSourceSpan;\n this.expSourceSpan = expSourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitExpansionCase(this, context);\n }\n}\nclass Attribute extends NodeWithI18n {\n constructor(name, value, sourceSpan, keySpan, valueSpan, valueTokens, i18n) {\n super(sourceSpan, i18n);\n this.name = name;\n this.value = value;\n this.keySpan = keySpan;\n this.valueSpan = valueSpan;\n this.valueTokens = valueTokens;\n }\n visit(visitor, context) {\n return visitor.visitAttribute(this, context);\n }\n}\nclass Element extends NodeWithI18n {\n constructor(name, attrs, children, sourceSpan, startSourceSpan, endSourceSpan = null, i18n) {\n super(sourceSpan, i18n);\n this.name = name;\n this.attrs = attrs;\n this.children = children;\n this.startSourceSpan = startSourceSpan;\n this.endSourceSpan = endSourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitElement(this, context);\n }\n}\nclass Comment {\n constructor(value, sourceSpan) {\n this.value = value;\n this.sourceSpan = sourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitComment(this, context);\n }\n}\nclass BlockGroup {\n constructor(blocks, sourceSpan, startSourceSpan, endSourceSpan = null) {\n this.blocks = blocks;\n this.sourceSpan = sourceSpan;\n this.startSourceSpan = startSourceSpan;\n this.endSourceSpan = endSourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitBlockGroup(this, context);\n }\n}\nclass Block {\n constructor(name, parameters, children, sourceSpan, startSourceSpan, endSourceSpan = null) {\n this.name = name;\n this.parameters = parameters;\n this.children = children;\n this.sourceSpan = sourceSpan;\n this.startSourceSpan = startSourceSpan;\n this.endSourceSpan = endSourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitBlock(this, context);\n }\n}\nclass BlockParameter {\n constructor(expression, sourceSpan) {\n this.expression = expression;\n this.sourceSpan = sourceSpan;\n }\n visit(visitor, context) {\n return visitor.visitBlockParameter(this, context);\n }\n}\nfunction visitAll(visitor, nodes, context = null) {\n const result = [];\n const visit = visitor.visit ?\n (ast) => visitor.visit(ast, context) || ast.visit(visitor, context) :\n (ast) => ast.visit(visitor, context);\n nodes.forEach(ast => {\n const astResult = visit(ast);\n if (astResult) {\n result.push(astResult);\n }\n });\n return result;\n}\nclass RecursiveVisitor {\n constructor() { }\n visitElement(ast, context) {\n this.visitChildren(context, visit => {\n visit(ast.attrs);\n visit(ast.children);\n });\n }\n visitAttribute(ast, context) { }\n visitText(ast, context) { }\n visitComment(ast, context) { }\n visitExpansion(ast, context) {\n return this.visitChildren(context, visit => {\n visit(ast.cases);\n });\n }\n visitExpansionCase(ast, context) { }\n visitBlockGroup(ast, context) {\n this.visitChildren(context, visit => {\n visit(ast.blocks);\n });\n }\n visitBlock(block, context) {\n this.visitChildren(context, visit => {\n visit(block.parameters);\n visit(block.children);\n });\n }\n visitBlockParameter(ast, context) { }\n visitChildren(context, cb) {\n let results = [];\n let t = this;\n function visit(children) {\n if (children)\n results.push(visitAll(t, children, context));\n }\n cb(visit);\n return Array.prototype.concat.apply([], results);\n }\n}\n\nclass ElementSchemaRegistry {\n}\n\nconst BOOLEAN = 'boolean';\nconst NUMBER = 'number';\nconst STRING = 'string';\nconst OBJECT = 'object';\n/**\n * This array represents the DOM schema. It encodes inheritance, properties, and events.\n *\n * ## Overview\n *\n * Each line represents one kind of element. The `element_inheritance` and properties are joined\n * using `element_inheritance|properties` syntax.\n *\n * ## Element Inheritance\n *\n * The `element_inheritance` can be further subdivided as `element1,element2,...^parentElement`.\n * Here the individual elements are separated by `,` (commas). Every element in the list\n * has identical properties.\n *\n * An `element` may inherit additional properties from `parentElement` If no `^parentElement` is\n * specified then `\"\"` (blank) element is assumed.\n *\n * NOTE: The blank element inherits from root `[Element]` element, the super element of all\n * elements.\n *\n * NOTE an element prefix such as `:svg:` has no special meaning to the schema.\n *\n * ## Properties\n *\n * Each element has a set of properties separated by `,` (commas). Each property can be prefixed\n * by a special character designating its type:\n *\n * - (no prefix): property is a string.\n * - `*`: property represents an event.\n * - `!`: property is a boolean.\n * - `#`: property is a number.\n * - `%`: property is an object.\n *\n * ## Query\n *\n * The class creates an internal squas representation which allows to easily answer the query of\n * if a given property exist on a given element.\n *\n * NOTE: We don't yet support querying for types or events.\n * NOTE: This schema is auto extracted from `schema_extractor.ts` located in the test folder,\n * see dom_element_schema_registry_spec.ts\n */\n// =================================================================================================\n// =================================================================================================\n// =========== S T O P - S T O P - S T O P - S T O P - S T O P - S T O P ===========\n// =================================================================================================\n// =================================================================================================\n//\n// DO NOT EDIT THIS DOM SCHEMA WITHOUT A SECURITY REVIEW!\n//\n// Newly added properties must be security reviewed and assigned an appropriate SecurityContext in\n// dom_security_schema.ts. Reach out to mprobst & rjamet for details.\n//\n// =================================================================================================\nconst SCHEMA = [\n '[Element]|textContent,%ariaAtomic,%ariaAutoComplete,%ariaBusy,%ariaChecked,%ariaColCount,%ariaColIndex,%ariaColSpan,%ariaCurrent,%ariaDescription,%ariaDisabled,%ariaExpanded,%ariaHasPopup,%ariaHidden,%ariaKeyShortcuts,%ariaLabel,%ariaLevel,%ariaLive,%ariaModal,%ariaMultiLine,%ariaMultiSelectable,%ariaOrientation,%ariaPlaceholder,%ariaPosInSet,%ariaPressed,%ariaReadOnly,%ariaRelevant,%ariaRequired,%ariaRoleDescription,%ariaRowCount,%ariaRowIndex,%ariaRowSpan,%ariaSelected,%ariaSetSize,%ariaSort,%ariaValueMax,%ariaValueMin,%ariaValueNow,%ariaValueText,%classList,className,elementTiming,id,innerHTML,*beforecopy,*beforecut,*beforepaste,*fullscreenchange,*fullscreenerror,*search,*webkitfullscreenchange,*webkitfullscreenerror,outerHTML,%part,#scrollLeft,#scrollTop,slot' +\n /* added manually to avoid breaking changes */\n ',*message,*mozfullscreenchange,*mozfullscreenerror,*mozpointerlockchange,*mozpointerlockerror,*webglcontextcreationerror,*webglcontextlost,*webglcontextrestored',\n '[HTMLElement]^[Element]|accessKey,autocapitalize,!autofocus,contentEditable,dir,!draggable,enterKeyHint,!hidden,innerText,inputMode,lang,nonce,*abort,*animationend,*animationiteration,*animationstart,*auxclick,*beforexrselect,*blur,*cancel,*canplay,*canplaythrough,*change,*click,*close,*contextmenu,*copy,*cuechange,*cut,*dblclick,*drag,*dragend,*dragenter,*dragleave,*dragover,*dragstart,*drop,*durationchange,*emptied,*ended,*error,*focus,*formdata,*gotpointercapture,*input,*invalid,*keydown,*keypress,*keyup,*load,*loadeddata,*loadedmetadata,*loadstart,*lostpointercapture,*mousedown,*mouseenter,*mouseleave,*mousemove,*mouseout,*mouseover,*mouseup,*mousewheel,*paste,*pause,*play,*playing,*pointercancel,*pointerdown,*pointerenter,*pointerleave,*pointermove,*pointerout,*pointerover,*pointerrawupdate,*pointerup,*progress,*ratechange,*reset,*resize,*scroll,*securitypolicyviolation,*seeked,*seeking,*select,*selectionchange,*selectstart,*slotchange,*stalled,*submit,*suspend,*timeupdate,*toggle,*transitioncancel,*transitionend,*transitionrun,*transitionstart,*volumechange,*waiting,*webkitanimationend,*webkitanimationiteration,*webkitanimationstart,*webkittransitionend,*wheel,outerText,!spellcheck,%style,#tabIndex,title,!translate,virtualKeyboardPolicy',\n 'abbr,address,article,aside,b,bdi,bdo,cite,content,code,dd,dfn,dt,em,figcaption,figure,footer,header,hgroup,i,kbd,main,mark,nav,noscript,rb,rp,rt,rtc,ruby,s,samp,section,small,strong,sub,sup,u,var,wbr^[HTMLElement]|accessKey,autocapitalize,!autofocus,contentEditable,dir,!draggable,enterKeyHint,!hidden,innerText,inputMode,lang,nonce,*abort,*animationend,*animationiteration,*animationstart,*auxclick,*beforexrselect,*blur,*cancel,*canplay,*canplaythrough,*change,*click,*close,*contextmenu,*copy,*cuechange,*cut,*dblclick,*drag,*dragend,*dragenter,*dragleave,*dragover,*dragstart,*drop,*durationchange,*emptied,*ended,*error,*focus,*formdata,*gotpointercapture,*input,*invalid,*keydown,*keypress,*keyup,*load,*loadeddata,*loadedmetadata,*loadstart,*lostpointercapture,*mousedown,*mouseenter,*mouseleave,*mousemove,*mouseout,*mouseover,*mouseup,*mousewheel,*paste,*pause,*play,*playing,*pointercancel,*pointerdown,*pointerenter,*pointerleave,*pointermove,*pointerout,*pointerover,*pointerrawupdate,*pointerup,*progress,*ratechange,*reset,*resize,*scroll,*securitypolicyviolation,*seeked,*seeking,*select,*selectionchange,*selectstart,*slotchange,*stalled,*submit,*suspend,*timeupdate,*toggle,*transitioncancel,*transitionend,*transitionrun,*transitionstart,*volumechange,*waiting,*webkitanimationend,*webkitanimationiteration,*webkitanimationstart,*webkittransitionend,*wheel,outerText,!spellcheck,%style,#tabIndex,title,!translate,virtualKeyboardPolicy',\n 'media^[HTMLElement]|!autoplay,!controls,%controlsList,%crossOrigin,#currentTime,!defaultMuted,#defaultPlaybackRate,!disableRemotePlayback,!loop,!muted,*encrypted,*waitingforkey,#playbackRate,preload,!preservesPitch,src,%srcObject,#volume',\n ':svg:^[HTMLElement]|!autofocus,nonce,*abort,*animationend,*animationiteration,*animationstart,*auxclick,*beforexrselect,*blur,*cancel,*canplay,*canplaythrough,*change,*click,*close,*contextmenu,*copy,*cuechange,*cut,*dblclick,*drag,*dragend,*dragenter,*dragleave,*dragover,*dragstart,*drop,*durationchange,*emptied,*ended,*error,*focus,*formdata,*gotpointercapture,*input,*invalid,*keydown,*keypress,*keyup,*load,*loadeddata,*loadedmetadata,*loadstart,*lostpointercapture,*mousedown,*mouseenter,*mouseleave,*mousemove,*mouseout,*mouseover,*mouseup,*mousewheel,*paste,*pause,*play,*playing,*pointercancel,*pointerdown,*pointerenter,*pointerleave,*pointermove,*pointerout,*pointerover,*pointerrawupdate,*pointerup,*progress,*ratechange,*reset,*resize,*scroll,*securitypolicyviolation,*seeked,*seeking,*select,*selectionchange,*selectstart,*slotchange,*stalled,*submit,*suspend,*timeupdate,*toggle,*transitioncancel,*transitionend,*transitionrun,*transitionstart,*volumechange,*waiting,*webkitanimationend,*webkitanimationiteration,*webkitanimationstart,*webkittransitionend,*wheel,%style,#tabIndex',\n ':svg:graphics^:svg:|',\n ':svg:animation^:svg:|*begin,*end,*repeat',\n ':svg:geometry^:svg:|',\n ':svg:componentTransferFunction^:svg:|',\n ':svg:gradient^:svg:|',\n ':svg:textContent^:svg:graphics|',\n ':svg:textPositioning^:svg:textContent|',\n 'a^[HTMLElement]|charset,coords,download,hash,host,hostname,href,hreflang,name,password,pathname,ping,port,protocol,referrerPolicy,rel,%relList,rev,search,shape,target,text,type,username',\n 'area^[HTMLElement]|alt,coords,download,hash,host,hostname,href,!noHref,password,pathname,ping,port,protocol,referrerPolicy,rel,%relList,search,shape,target,username',\n 'audio^media|',\n 'br^[HTMLElement]|clear',\n 'base^[HTMLElement]|href,target',\n 'body^[HTMLElement]|aLink,background,bgColor,link,*afterprint,*beforeprint,*beforeunload,*blur,*error,*focus,*hashchange,*languagechange,*load,*message,*messageerror,*offline,*online,*pagehide,*pageshow,*popstate,*rejectionhandled,*resize,*scroll,*storage,*unhandledrejection,*unload,text,vLink',\n 'button^[HTMLElement]|!disabled,formAction,formEnctype,formMethod,!formNoValidate,formTarget,name,type,value',\n 'canvas^[HTMLElement]|#height,#width',\n 'content^[HTMLElement]|select',\n 'dl^[HTMLElement]|!compact',\n 'data^[HTMLElement]|value',\n 'datalist^[HTMLElement]|',\n 'details^[HTMLElement]|!open',\n 'dialog^[HTMLElement]|!open,returnValue',\n 'dir^[HTMLElement]|!compact',\n 'div^[HTMLElement]|align',\n 'embed^[HTMLElement]|align,height,name,src,type,width',\n 'fieldset^[HTMLElement]|!disabled,name',\n 'font^[HTMLElement]|color,face,size',\n 'form^[HTMLElement]|acceptCharset,action,autocomplete,encoding,enctype,method,name,!noValidate,target',\n 'frame^[HTMLElement]|frameBorder,longDesc,marginHeight,marginWidth,name,!noResize,scrolling,src',\n 'frameset^[HTMLElement]|cols,*afterprint,*beforeprint,*beforeunload,*blur,*error,*focus,*hashchange,*languagechange,*load,*message,*messageerror,*offline,*online,*pagehide,*pageshow,*popstate,*rejectionhandled,*resize,*scroll,*storage,*unhandledrejection,*unload,rows',\n 'hr^[HTMLElement]|align,color,!noShade,size,width',\n 'head^[HTMLElement]|',\n 'h1,h2,h3,h4,h5,h6^[HTMLElement]|align',\n 'html^[HTMLElement]|version',\n 'iframe^[HTMLElement]|align,allow,!allowFullscreen,!allowPaymentRequest,csp,frameBorder,height,loading,longDesc,marginHeight,marginWidth,name,referrerPolicy,%sandbox,scrolling,src,srcdoc,width',\n 'img^[HTMLElement]|align,alt,border,%crossOrigin,decoding,#height,#hspace,!isMap,loading,longDesc,lowsrc,name,referrerPolicy,sizes,src,srcset,useMap,#vspace,#width',\n 'input^[HTMLElement]|accept,align,alt,autocomplete,!checked,!defaultChecked,defaultValue,dirName,!disabled,%files,formAction,formEnctype,formMethod,!formNoValidate,formTarget,#height,!incremental,!indeterminate,max,#maxLength,min,#minLength,!multiple,name,pattern,placeholder,!readOnly,!required,selectionDirection,#selectionEnd,#selectionStart,#size,src,step,type,useMap,value,%valueAsDate,#valueAsNumber,#width',\n 'li^[HTMLElement]|type,#value',\n 'label^[HTMLElement]|htmlFor',\n 'legend^[HTMLElement]|align',\n 'link^[HTMLElement]|as,charset,%crossOrigin,!disabled,href,hreflang,imageSizes,imageSrcset,integrity,media,referrerPolicy,rel,%relList,rev,%sizes,target,type',\n 'map^[HTMLElement]|name',\n 'marquee^[HTMLElement]|behavior,bgColor,direction,height,#hspace,#loop,#scrollAmount,#scrollDelay,!trueSpeed,#vspace,width',\n 'menu^[HTMLElement]|!compact',\n 'meta^[HTMLElement]|content,httpEquiv,media,name,scheme',\n 'meter^[HTMLElement]|#high,#low,#max,#min,#optimum,#value',\n 'ins,del^[HTMLElement]|cite,dateTime',\n 'ol^[HTMLElement]|!compact,!reversed,#start,type',\n 'object^[HTMLElement]|align,archive,border,code,codeBase,codeType,data,!declare,height,#hspace,name,standby,type,useMap,#vspace,width',\n 'optgroup^[HTMLElement]|!disabled,label',\n 'option^[HTMLElement]|!defaultSelected,!disabled,label,!selected,text,value',\n 'output^[HTMLElement]|defaultValue,%htmlFor,name,value',\n 'p^[HTMLElement]|align',\n 'param^[HTMLElement]|name,type,value,valueType',\n 'picture^[HTMLElement]|',\n 'pre^[HTMLElement]|#width',\n 'progress^[HTMLElement]|#max,#value',\n 'q,blockquote,cite^[HTMLElement]|',\n 'script^[HTMLElement]|!async,charset,%crossOrigin,!defer,event,htmlFor,integrity,!noModule,%referrerPolicy,src,text,type',\n 'select^[HTMLElement]|autocomplete,!disabled,#length,!multiple,name,!required,#selectedIndex,#size,value',\n 'slot^[HTMLElement]|name',\n 'source^[HTMLElement]|#height,media,sizes,src,srcset,type,#width',\n 'span^[HTMLElement]|',\n 'style^[HTMLElement]|!disabled,media,type',\n 'caption^[HTMLElement]|align',\n 'th,td^[HTMLElement]|abbr,align,axis,bgColor,ch,chOff,#colSpan,headers,height,!noWrap,#rowSpan,scope,vAlign,width',\n 'col,colgroup^[HTMLElement]|align,ch,chOff,#span,vAlign,width',\n 'table^[HTMLElement]|align,bgColor,border,%caption,cellPadding,cellSpacing,frame,rules,summary,%tFoot,%tHead,width',\n 'tr^[HTMLElement]|align,bgColor,ch,chOff,vAlign',\n 'tfoot,thead,tbody^[HTMLElement]|align,ch,chOff,vAlign',\n 'template^[HTMLElement]|',\n 'textarea^[HTMLElement]|autocomplete,#cols,defaultValue,dirName,!disabled,#maxLength,#minLength,name,placeholder,!readOnly,!required,#rows,selectionDirection,#selectionEnd,#selectionStart,value,wrap',\n 'time^[HTMLElement]|dateTime',\n 'title^[HTMLElement]|text',\n 'track^[HTMLElement]|!default,kind,label,src,srclang',\n 'ul^[HTMLElement]|!compact,type',\n 'unknown^[HTMLElement]|',\n 'video^media|!disablePictureInPicture,#height,*enterpictureinpicture,*leavepictureinpicture,!playsInline,poster,#width',\n ':svg:a^:svg:graphics|',\n ':svg:animate^:svg:animation|',\n ':svg:animateMotion^:svg:animation|',\n ':svg:animateTransform^:svg:animation|',\n ':svg:circle^:svg:geometry|',\n ':svg:clipPath^:svg:graphics|',\n ':svg:defs^:svg:graphics|',\n ':svg:desc^:svg:|',\n ':svg:discard^:svg:|',\n ':svg:ellipse^:svg:geometry|',\n ':svg:feBlend^:svg:|',\n ':svg:feColorMatrix^:svg:|',\n ':svg:feComponentTransfer^:svg:|',\n ':svg:feComposite^:svg:|',\n ':svg:feConvolveMatrix^:svg:|',\n ':svg:feDiffuseLighting^:svg:|',\n ':svg:feDisplacementMap^:svg:|',\n ':svg:feDistantLight^:svg:|',\n ':svg:feDropShadow^:svg:|',\n ':svg:feFlood^:svg:|',\n ':svg:feFuncA^:svg:componentTransferFunction|',\n ':svg:feFuncB^:svg:componentTransferFunction|',\n ':svg:feFuncG^:svg:componentTransferFunction|',\n ':svg:feFuncR^:svg:componentTransferFunction|',\n ':svg:feGaussianBlur^:svg:|',\n ':svg:feImage^:svg:|',\n ':svg:feMerge^:svg:|',\n ':svg:feMergeNode^:svg:|',\n ':svg:feMorphology^:svg:|',\n ':svg:feOffset^:svg:|',\n ':svg:fePointLight^:svg:|',\n ':svg:feSpecularLighting^:svg:|',\n ':svg:feSpotLight^:svg:|',\n ':svg:feTile^:svg:|',\n ':svg:feTurbulence^:svg:|',\n ':svg:filter^:svg:|',\n ':svg:foreignObject^:svg:graphics|',\n ':svg:g^:svg:graphics|',\n ':svg:image^:svg:graphics|decoding',\n ':svg:line^:svg:geometry|',\n ':svg:linearGradient^:svg:gradient|',\n ':svg:mpath^:svg:|',\n ':svg:marker^:svg:|',\n ':svg:mask^:svg:|',\n ':svg:metadata^:svg:|',\n ':svg:path^:svg:geometry|',\n ':svg:pattern^:svg:|',\n ':svg:polygon^:svg:geometry|',\n ':svg:polyline^:svg:geometry|',\n ':svg:radialGradient^:svg:gradient|',\n ':svg:rect^:svg:geometry|',\n ':svg:svg^:svg:graphics|#currentScale,#zoomAndPan',\n ':svg:script^:svg:|type',\n ':svg:set^:svg:animation|',\n ':svg:stop^:svg:|',\n ':svg:style^:svg:|!disabled,media,title,type',\n ':svg:switch^:svg:graphics|',\n ':svg:symbol^:svg:|',\n ':svg:tspan^:svg:textPositioning|',\n ':svg:text^:svg:textPositioning|',\n ':svg:textPath^:svg:textContent|',\n ':svg:title^:svg:|',\n ':svg:use^:svg:graphics|',\n ':svg:view^:svg:|#zoomAndPan',\n 'data^[HTMLElement]|value',\n 'keygen^[HTMLElement]|!autofocus,challenge,!disabled,form,keytype,name',\n 'menuitem^[HTMLElement]|type,label,icon,!disabled,!checked,radiogroup,!default',\n 'summary^[HTMLElement]|',\n 'time^[HTMLElement]|dateTime',\n ':svg:cursor^:svg:|',\n];\nconst _ATTR_TO_PROP = new Map(Object.entries({\n 'class': 'className',\n 'for': 'htmlFor',\n 'formaction': 'formAction',\n 'innerHtml': 'innerHTML',\n 'readonly': 'readOnly',\n 'tabindex': 'tabIndex',\n}));\n// Invert _ATTR_TO_PROP.\nconst _PROP_TO_ATTR = Array.from(_ATTR_TO_PROP).reduce((inverted, [propertyName, attributeName]) => {\n inverted.set(propertyName, attributeName);\n return inverted;\n}, new Map());\nclass DomElementSchemaRegistry extends ElementSchemaRegistry {\n constructor() {\n super();\n this._schema = new Map();\n // We don't allow binding to events for security reasons. Allowing event bindings would almost\n // certainly introduce bad XSS vulnerabilities. Instead, we store events in a separate schema.\n this._eventSchema = new Map;\n SCHEMA.forEach(encodedType => {\n const type = new Map();\n const events = new Set();\n const [strType, strProperties] = encodedType.split('|');\n const properties = strProperties.split(',');\n const [typeNames, superName] = strType.split('^');\n typeNames.split(',').forEach(tag => {\n this._schema.set(tag.toLowerCase(), type);\n this._eventSchema.set(tag.toLowerCase(), events);\n });\n const superType = superName && this._schema.get(superName.toLowerCase());\n if (superType) {\n for (const [prop, value] of superType) {\n type.set(prop, value);\n }\n for (const superEvent of this._eventSchema.get(superName.toLowerCase())) {\n events.add(superEvent);\n }\n }\n properties.forEach((property) => {\n if (property.length > 0) {\n switch (property[0]) {\n case '*':\n events.add(property.substring(1));\n break;\n case '!':\n type.set(property.substring(1), BOOLEAN);\n break;\n case '#':\n type.set(property.substring(1), NUMBER);\n break;\n case '%':\n type.set(property.substring(1), OBJECT);\n break;\n default:\n type.set(property, STRING);\n }\n }\n });\n });\n }\n hasProperty(tagName, propName, schemaMetas) {\n if (schemaMetas.some((schema) => schema.name === NO_ERRORS_SCHEMA.name)) {\n return true;\n }\n if (tagName.indexOf('-') > -1) {\n if (isNgContainer(tagName) || isNgContent(tagName)) {\n return false;\n }\n if (schemaMetas.some((schema) => schema.name === CUSTOM_ELEMENTS_SCHEMA.name)) {\n // Can't tell now as we don't know which properties a custom element will get\n // once it is instantiated\n return true;\n }\n }\n const elementProperties = this._schema.get(tagName.toLowerCase()) || this._schema.get('unknown');\n return elementProperties.has(propName);\n }\n hasElement(tagName, schemaMetas) {\n if (schemaMetas.some((schema) => schema.name === NO_ERRORS_SCHEMA.name)) {\n return true;\n }\n if (tagName.indexOf('-') > -1) {\n if (isNgContainer(tagName) || isNgContent(tagName)) {\n return true;\n }\n if (schemaMetas.some((schema) => schema.name === CUSTOM_ELEMENTS_SCHEMA.name)) {\n // Allow any custom elements\n return true;\n }\n }\n return this._schema.has(tagName.toLowerCase());\n }\n /**\n * securityContext returns the security context for the given property on the given DOM tag.\n *\n * Tag and property name are statically known and cannot change at runtime, i.e. it is not\n * possible to bind a value into a changing attribute or tag name.\n *\n * The filtering is based on a list of allowed tags|attributes. All attributes in the schema\n * above are assumed to have the 'NONE' security context, i.e. that they are safe inert\n * string values. Only specific well known attack vectors are assigned their appropriate context.\n */\n securityContext(tagName, propName, isAttribute) {\n if (isAttribute) {\n // NB: For security purposes, use the mapped property name, not the attribute name.\n propName = this.getMappedPropName(propName);\n }\n // Make sure comparisons are case insensitive, so that case differences between attribute and\n // property names do not have a security impact.\n tagName = tagName.toLowerCase();\n propName = propName.toLowerCase();\n let ctx = SECURITY_SCHEMA()[tagName + '|' + propName];\n if (ctx) {\n return ctx;\n }\n ctx = SECURITY_SCHEMA()['*|' + propName];\n return ctx ? ctx : SecurityContext.NONE;\n }\n getMappedPropName(propName) {\n return _ATTR_TO_PROP.get(propName) ?? propName;\n }\n getDefaultComponentElementName() {\n return 'ng-component';\n }\n validateProperty(name) {\n if (name.toLowerCase().startsWith('on')) {\n const msg = `Binding to event property '${name}' is disallowed for security reasons, ` +\n `please use (${name.slice(2)})=...` +\n `\\nIf '${name}' is a directive input, make sure the directive is imported by the` +\n ` current module.`;\n return { error: true, msg: msg };\n }\n else {\n return { error: false };\n }\n }\n validateAttribute(name) {\n if (name.toLowerCase().startsWith('on')) {\n const msg = `Binding to event attribute '${name}' is disallowed for security reasons, ` +\n `please use (${name.slice(2)})=...`;\n return { error: true, msg: msg };\n }\n else {\n return { error: false };\n }\n }\n allKnownElementNames() {\n return Array.from(this._schema.keys());\n }\n allKnownAttributesOfElement(tagName) {\n const elementProperties = this._schema.get(tagName.toLowerCase()) || this._schema.get('unknown');\n // Convert properties to attributes.\n return Array.from(elementProperties.keys()).map(prop => _PROP_TO_ATTR.get(prop) ?? prop);\n }\n allKnownEventsOfElement(tagName) {\n return Array.from(this._eventSchema.get(tagName.toLowerCase()) ?? []);\n }\n normalizeAnimationStyleProperty(propName) {\n return dashCaseToCamelCase(propName);\n }\n normalizeAnimationStyleValue(camelCaseProp, userProvidedProp, val) {\n let unit = '';\n const strVal = val.toString().trim();\n let errorMsg = null;\n if (_isPixelDimensionStyle(camelCaseProp) && val !== 0 && val !== '0') {\n if (typeof val === 'number') {\n unit = 'px';\n }\n else {\n const valAndSuffixMatch = val.match(/^[+-]?[\\d\\.]+([a-z]*)$/);\n if (valAndSuffixMatch && valAndSuffixMatch[1].length == 0) {\n errorMsg = `Please provide a CSS unit value for ${userProvidedProp}:${val}`;\n }\n }\n }\n return { error: errorMsg, value: strVal + unit };\n }\n}\nfunction _isPixelDimensionStyle(prop) {\n switch (prop) {\n case 'width':\n case 'height':\n case 'minWidth':\n case 'minHeight':\n case 'maxWidth':\n case 'maxHeight':\n case 'left':\n case 'top':\n case 'bottom':\n case 'right':\n case 'fontSize':\n case 'outlineWidth':\n case 'outlineOffset':\n case 'paddingTop':\n case 'paddingLeft':\n case 'paddingBottom':\n case 'paddingRight':\n case 'marginTop':\n case 'marginLeft':\n case 'marginBottom':\n case 'marginRight':\n case 'borderRadius':\n case 'borderWidth':\n case 'borderTopWidth':\n case 'borderLeftWidth':\n case 'borderRightWidth':\n case 'borderBottomWidth':\n case 'textIndent':\n return true;\n default:\n return false;\n }\n}\n\nclass HtmlTagDefinition {\n constructor({ closedByChildren, implicitNamespacePrefix, contentType = TagContentType.PARSABLE_DATA, closedByParent = false, isVoid = false, ignoreFirstLf = false, preventNamespaceInheritance = false, canSelfClose = false, } = {}) {\n this.closedByChildren = {};\n this.closedByParent = false;\n if (closedByChildren && closedByChildren.length > 0) {\n closedByChildren.forEach(tagName => this.closedByChildren[tagName] = true);\n }\n this.isVoid = isVoid;\n this.closedByParent = closedByParent || isVoid;\n this.implicitNamespacePrefix = implicitNamespacePrefix || null;\n this.contentType = contentType;\n this.ignoreFirstLf = ignoreFirstLf;\n this.preventNamespaceInheritance = preventNamespaceInheritance;\n this.canSelfClose = canSelfClose ?? isVoid;\n }\n isClosedByChild(name) {\n return this.isVoid || name.toLowerCase() in this.closedByChildren;\n }\n getContentType(prefix) {\n if (typeof this.contentType === 'object') {\n const overrideType = prefix === undefined ? undefined : this.contentType[prefix];\n return overrideType ?? this.contentType.default;\n }\n return this.contentType;\n }\n}\nlet DEFAULT_TAG_DEFINITION;\n// see https://www.w3.org/TR/html51/syntax.html#optional-tags\n// This implementation does not fully conform to the HTML5 spec.\nlet TAG_DEFINITIONS;\nfunction getHtmlTagDefinition(tagName) {\n if (!TAG_DEFINITIONS) {\n DEFAULT_TAG_DEFINITION = new HtmlTagDefinition({ canSelfClose: true });\n TAG_DEFINITIONS = {\n 'base': new HtmlTagDefinition({ isVoid: true }),\n 'meta': new HtmlTagDefinition({ isVoid: true }),\n 'area': new HtmlTagDefinition({ isVoid: true }),\n 'embed': new HtmlTagDefinition({ isVoid: true }),\n 'link': new HtmlTagDefinition({ isVoid: true }),\n 'img': new HtmlTagDefinition({ isVoid: true }),\n 'input': new HtmlTagDefinition({ isVoid: true }),\n 'param': new HtmlTagDefinition({ isVoid: true }),\n 'hr': new HtmlTagDefinition({ isVoid: true }),\n 'br': new HtmlTagDefinition({ isVoid: true }),\n 'source': new HtmlTagDefinition({ isVoid: true }),\n 'track': new HtmlTagDefinition({ isVoid: true }),\n 'wbr': new HtmlTagDefinition({ isVoid: true }),\n 'p': new HtmlTagDefinition({\n closedByChildren: [\n 'address', 'article', 'aside', 'blockquote', 'div', 'dl', 'fieldset',\n 'footer', 'form', 'h1', 'h2', 'h3', 'h4', 'h5',\n 'h6', 'header', 'hgroup', 'hr', 'main', 'nav', 'ol',\n 'p', 'pre', 'section', 'table', 'ul'\n ],\n closedByParent: true\n }),\n 'thead': new HtmlTagDefinition({ closedByChildren: ['tbody', 'tfoot'] }),\n 'tbody': new HtmlTagDefinition({ closedByChildren: ['tbody', 'tfoot'], closedByParent: true }),\n 'tfoot': new HtmlTagDefinition({ closedByChildren: ['tbody'], closedByParent: true }),\n 'tr': new HtmlTagDefinition({ closedByChildren: ['tr'], closedByParent: true }),\n 'td': new HtmlTagDefinition({ closedByChildren: ['td', 'th'], closedByParent: true }),\n 'th': new HtmlTagDefinition({ closedByChildren: ['td', 'th'], closedByParent: true }),\n 'col': new HtmlTagDefinition({ isVoid: true }),\n 'svg': new HtmlTagDefinition({ implicitNamespacePrefix: 'svg' }),\n 'foreignObject': new HtmlTagDefinition({\n // Usually the implicit namespace here would be redundant since it will be inherited from\n // the parent `svg`, but we have to do it for `foreignObject`, because the way the parser\n // works is that the parent node of an end tag is its own start tag which means that\n // the `preventNamespaceInheritance` on `foreignObject` would have it default to the\n // implicit namespace which is `html`, unless specified otherwise.\n implicitNamespacePrefix: 'svg',\n // We want to prevent children of foreignObject from inheriting its namespace, because\n // the point of the element is to allow nodes from other namespaces to be inserted.\n preventNamespaceInheritance: true,\n }),\n 'math': new HtmlTagDefinition({ implicitNamespacePrefix: 'math' }),\n 'li': new HtmlTagDefinition({ closedByChildren: ['li'], closedByParent: true }),\n 'dt': new HtmlTagDefinition({ closedByChildren: ['dt', 'dd'] }),\n 'dd': new HtmlTagDefinition({ closedByChildren: ['dt', 'dd'], closedByParent: true }),\n 'rb': new HtmlTagDefinition({ closedByChildren: ['rb', 'rt', 'rtc', 'rp'], closedByParent: true }),\n 'rt': new HtmlTagDefinition({ closedByChildren: ['rb', 'rt', 'rtc', 'rp'], closedByParent: true }),\n 'rtc': new HtmlTagDefinition({ closedByChildren: ['rb', 'rtc', 'rp'], closedByParent: true }),\n 'rp': new HtmlTagDefinition({ closedByChildren: ['rb', 'rt', 'rtc', 'rp'], closedByParent: true }),\n 'optgroup': new HtmlTagDefinition({ closedByChildren: ['optgroup'], closedByParent: true }),\n 'option': new HtmlTagDefinition({ closedByChildren: ['option', 'optgroup'], closedByParent: true }),\n 'pre': new HtmlTagDefinition({ ignoreFirstLf: true }),\n 'listing': new HtmlTagDefinition({ ignoreFirstLf: true }),\n 'style': new HtmlTagDefinition({ contentType: TagContentType.RAW_TEXT }),\n 'script': new HtmlTagDefinition({ contentType: TagContentType.RAW_TEXT }),\n 'title': new HtmlTagDefinition({\n // The browser supports two separate `title` tags which have to use\n // a different content type: `HTMLTitleElement` and `SVGTitleElement`\n contentType: { default: TagContentType.ESCAPABLE_RAW_TEXT, svg: TagContentType.PARSABLE_DATA }\n }),\n 'textarea': new HtmlTagDefinition({ contentType: TagContentType.ESCAPABLE_RAW_TEXT, ignoreFirstLf: true }),\n };\n new DomElementSchemaRegistry().allKnownElementNames().forEach(knownTagName => {\n if (!TAG_DEFINITIONS.hasOwnProperty(knownTagName) && getNsPrefix(knownTagName) === null) {\n TAG_DEFINITIONS[knownTagName] = new HtmlTagDefinition({ canSelfClose: false });\n }\n });\n }\n // We have to make both a case-sensitive and a case-insensitive lookup, because\n // HTML tag names are case insensitive, whereas some SVG tags are case sensitive.\n return TAG_DEFINITIONS[tagName] ?? TAG_DEFINITIONS[tagName.toLowerCase()] ??\n DEFAULT_TAG_DEFINITION;\n}\n\n// Mapping between all HTML entity names and their unicode representation.\n// Generated from https://html.spec.whatwg.org/multipage/entities.json by stripping\n// the `&` and `;` from the keys and removing the duplicates.\n// see https://www.w3.org/TR/html51/syntax.html#named-character-references\nconst NAMED_ENTITIES = {\n 'AElig': '\\u00C6',\n 'AMP': '\\u0026',\n 'amp': '\\u0026',\n 'Aacute': '\\u00C1',\n 'Abreve': '\\u0102',\n 'Acirc': '\\u00C2',\n 'Acy': '\\u0410',\n 'Afr': '\\uD835\\uDD04',\n 'Agrave': '\\u00C0',\n 'Alpha': '\\u0391',\n 'Amacr': '\\u0100',\n 'And': '\\u2A53',\n 'Aogon': '\\u0104',\n 'Aopf': '\\uD835\\uDD38',\n 'ApplyFunction': '\\u2061',\n 'af': '\\u2061',\n 'Aring': '\\u00C5',\n 'angst': '\\u00C5',\n 'Ascr': '\\uD835\\uDC9C',\n 'Assign': '\\u2254',\n 'colone': '\\u2254',\n 'coloneq': '\\u2254',\n 'Atilde': '\\u00C3',\n 'Auml': '\\u00C4',\n 'Backslash': '\\u2216',\n 'setminus': '\\u2216',\n 'setmn': '\\u2216',\n 'smallsetminus': '\\u2216',\n 'ssetmn': '\\u2216',\n 'Barv': '\\u2AE7',\n 'Barwed': '\\u2306',\n 'doublebarwedge': '\\u2306',\n 'Bcy': '\\u0411',\n 'Because': '\\u2235',\n 'becaus': '\\u2235',\n 'because': '\\u2235',\n 'Bernoullis': '\\u212C',\n 'Bscr': '\\u212C',\n 'bernou': '\\u212C',\n 'Beta': '\\u0392',\n 'Bfr': '\\uD835\\uDD05',\n 'Bopf': '\\uD835\\uDD39',\n 'Breve': '\\u02D8',\n 'breve': '\\u02D8',\n 'Bumpeq': '\\u224E',\n 'HumpDownHump': '\\u224E',\n 'bump': '\\u224E',\n 'CHcy': '\\u0427',\n 'COPY': '\\u00A9',\n 'copy': '\\u00A9',\n 'Cacute': '\\u0106',\n 'Cap': '\\u22D2',\n 'CapitalDifferentialD': '\\u2145',\n 'DD': '\\u2145',\n 'Cayleys': '\\u212D',\n 'Cfr': '\\u212D',\n 'Ccaron': '\\u010C',\n 'Ccedil': '\\u00C7',\n 'Ccirc': '\\u0108',\n 'Cconint': '\\u2230',\n 'Cdot': '\\u010A',\n 'Cedilla': '\\u00B8',\n 'cedil': '\\u00B8',\n 'CenterDot': '\\u00B7',\n 'centerdot': '\\u00B7',\n 'middot': '\\u00B7',\n 'Chi': '\\u03A7',\n 'CircleDot': '\\u2299',\n 'odot': '\\u2299',\n 'CircleMinus': '\\u2296',\n 'ominus': '\\u2296',\n 'CirclePlus': '\\u2295',\n 'oplus': '\\u2295',\n 'CircleTimes': '\\u2297',\n 'otimes': '\\u2297',\n 'ClockwiseContourIntegral': '\\u2232',\n 'cwconint': '\\u2232',\n 'CloseCurlyDoubleQuote': '\\u201D',\n 'rdquo': '\\u201D',\n 'rdquor': '\\u201D',\n 'CloseCurlyQuote': '\\u2019',\n 'rsquo': '\\u2019',\n 'rsquor': '\\u2019',\n 'Colon': '\\u2237',\n 'Proportion': '\\u2237',\n 'Colone': '\\u2A74',\n 'Congruent': '\\u2261',\n 'equiv': '\\u2261',\n 'Conint': '\\u222F',\n 'DoubleContourIntegral': '\\u222F',\n 'ContourIntegral': '\\u222E',\n 'conint': '\\u222E',\n 'oint': '\\u222E',\n 'Copf': '\\u2102',\n 'complexes': '\\u2102',\n 'Coproduct': '\\u2210',\n 'coprod': '\\u2210',\n 'CounterClockwiseContourIntegral': '\\u2233',\n 'awconint': '\\u2233',\n 'Cross': '\\u2A2F',\n 'Cscr': '\\uD835\\uDC9E',\n 'Cup': '\\u22D3',\n 'CupCap': '\\u224D',\n 'asympeq': '\\u224D',\n 'DDotrahd': '\\u2911',\n 'DJcy': '\\u0402',\n 'DScy': '\\u0405',\n 'DZcy': '\\u040F',\n 'Dagger': '\\u2021',\n 'ddagger': '\\u2021',\n 'Darr': '\\u21A1',\n 'Dashv': '\\u2AE4',\n 'DoubleLeftTee': '\\u2AE4',\n 'Dcaron': '\\u010E',\n 'Dcy': '\\u0414',\n 'Del': '\\u2207',\n 'nabla': '\\u2207',\n 'Delta': '\\u0394',\n 'Dfr': '\\uD835\\uDD07',\n 'DiacriticalAcute': '\\u00B4',\n 'acute': '\\u00B4',\n 'DiacriticalDot': '\\u02D9',\n 'dot': '\\u02D9',\n 'DiacriticalDoubleAcute': '\\u02DD',\n 'dblac': '\\u02DD',\n 'DiacriticalGrave': '\\u0060',\n 'grave': '\\u0060',\n 'DiacriticalTilde': '\\u02DC',\n 'tilde': '\\u02DC',\n 'Diamond': '\\u22C4',\n 'diam': '\\u22C4',\n 'diamond': '\\u22C4',\n 'DifferentialD': '\\u2146',\n 'dd': '\\u2146',\n 'Dopf': '\\uD835\\uDD3B',\n 'Dot': '\\u00A8',\n 'DoubleDot': '\\u00A8',\n 'die': '\\u00A8',\n 'uml': '\\u00A8',\n 'DotDot': '\\u20DC',\n 'DotEqual': '\\u2250',\n 'doteq': '\\u2250',\n 'esdot': '\\u2250',\n 'DoubleDownArrow': '\\u21D3',\n 'Downarrow': '\\u21D3',\n 'dArr': '\\u21D3',\n 'DoubleLeftArrow': '\\u21D0',\n 'Leftarrow': '\\u21D0',\n 'lArr': '\\u21D0',\n 'DoubleLeftRightArrow': '\\u21D4',\n 'Leftrightarrow': '\\u21D4',\n 'hArr': '\\u21D4',\n 'iff': '\\u21D4',\n 'DoubleLongLeftArrow': '\\u27F8',\n 'Longleftarrow': '\\u27F8',\n 'xlArr': '\\u27F8',\n 'DoubleLongLeftRightArrow': '\\u27FA',\n 'Longleftrightarrow': '\\u27FA',\n 'xhArr': '\\u27FA',\n 'DoubleLongRightArrow': '\\u27F9',\n 'Longrightarrow': '\\u27F9',\n 'xrArr': '\\u27F9',\n 'DoubleRightArrow': '\\u21D2',\n 'Implies': '\\u21D2',\n 'Rightarrow': '\\u21D2',\n 'rArr': '\\u21D2',\n 'DoubleRightTee': '\\u22A8',\n 'vDash': '\\u22A8',\n 'DoubleUpArrow': '\\u21D1',\n 'Uparrow': '\\u21D1',\n 'uArr': '\\u21D1',\n 'DoubleUpDownArrow': '\\u21D5',\n 'Updownarrow': '\\u21D5',\n 'vArr': '\\u21D5',\n 'DoubleVerticalBar': '\\u2225',\n 'par': '\\u2225',\n 'parallel': '\\u2225',\n 'shortparallel': '\\u2225',\n 'spar': '\\u2225',\n 'DownArrow': '\\u2193',\n 'ShortDownArrow': '\\u2193',\n 'darr': '\\u2193',\n 'downarrow': '\\u2193',\n 'DownArrowBar': '\\u2913',\n 'DownArrowUpArrow': '\\u21F5',\n 'duarr': '\\u21F5',\n 'DownBreve': '\\u0311',\n 'DownLeftRightVector': '\\u2950',\n 'DownLeftTeeVector': '\\u295E',\n 'DownLeftVector': '\\u21BD',\n 'leftharpoondown': '\\u21BD',\n 'lhard': '\\u21BD',\n 'DownLeftVectorBar': '\\u2956',\n 'DownRightTeeVector': '\\u295F',\n 'DownRightVector': '\\u21C1',\n 'rhard': '\\u21C1',\n 'rightharpoondown': '\\u21C1',\n 'DownRightVectorBar': '\\u2957',\n 'DownTee': '\\u22A4',\n 'top': '\\u22A4',\n 'DownTeeArrow': '\\u21A7',\n 'mapstodown': '\\u21A7',\n 'Dscr': '\\uD835\\uDC9F',\n 'Dstrok': '\\u0110',\n 'ENG': '\\u014A',\n 'ETH': '\\u00D0',\n 'Eacute': '\\u00C9',\n 'Ecaron': '\\u011A',\n 'Ecirc': '\\u00CA',\n 'Ecy': '\\u042D',\n 'Edot': '\\u0116',\n 'Efr': '\\uD835\\uDD08',\n 'Egrave': '\\u00C8',\n 'Element': '\\u2208',\n 'in': '\\u2208',\n 'isin': '\\u2208',\n 'isinv': '\\u2208',\n 'Emacr': '\\u0112',\n 'EmptySmallSquare': '\\u25FB',\n 'EmptyVerySmallSquare': '\\u25AB',\n 'Eogon': '\\u0118',\n 'Eopf': '\\uD835\\uDD3C',\n 'Epsilon': '\\u0395',\n 'Equal': '\\u2A75',\n 'EqualTilde': '\\u2242',\n 'eqsim': '\\u2242',\n 'esim': '\\u2242',\n 'Equilibrium': '\\u21CC',\n 'rightleftharpoons': '\\u21CC',\n 'rlhar': '\\u21CC',\n 'Escr': '\\u2130',\n 'expectation': '\\u2130',\n 'Esim': '\\u2A73',\n 'Eta': '\\u0397',\n 'Euml': '\\u00CB',\n 'Exists': '\\u2203',\n 'exist': '\\u2203',\n 'ExponentialE': '\\u2147',\n 'ee': '\\u2147',\n 'exponentiale': '\\u2147',\n 'Fcy': '\\u0424',\n 'Ffr': '\\uD835\\uDD09',\n 'FilledSmallSquare': '\\u25FC',\n 'FilledVerySmallSquare': '\\u25AA',\n 'blacksquare': '\\u25AA',\n 'squarf': '\\u25AA',\n 'squf': '\\u25AA',\n 'Fopf': '\\uD835\\uDD3D',\n 'ForAll': '\\u2200',\n 'forall': '\\u2200',\n 'Fouriertrf': '\\u2131',\n 'Fscr': '\\u2131',\n 'GJcy': '\\u0403',\n 'GT': '\\u003E',\n 'gt': '\\u003E',\n 'Gamma': '\\u0393',\n 'Gammad': '\\u03DC',\n 'Gbreve': '\\u011E',\n 'Gcedil': '\\u0122',\n 'Gcirc': '\\u011C',\n 'Gcy': '\\u0413',\n 'Gdot': '\\u0120',\n 'Gfr': '\\uD835\\uDD0A',\n 'Gg': '\\u22D9',\n 'ggg': '\\u22D9',\n 'Gopf': '\\uD835\\uDD3E',\n 'GreaterEqual': '\\u2265',\n 'ge': '\\u2265',\n 'geq': '\\u2265',\n 'GreaterEqualLess': '\\u22DB',\n 'gel': '\\u22DB',\n 'gtreqless': '\\u22DB',\n 'GreaterFullEqual': '\\u2267',\n 'gE': '\\u2267',\n 'geqq': '\\u2267',\n 'GreaterGreater': '\\u2AA2',\n 'GreaterLess': '\\u2277',\n 'gl': '\\u2277',\n 'gtrless': '\\u2277',\n 'GreaterSlantEqual': '\\u2A7E',\n 'geqslant': '\\u2A7E',\n 'ges': '\\u2A7E',\n 'GreaterTilde': '\\u2273',\n 'gsim': '\\u2273',\n 'gtrsim': '\\u2273',\n 'Gscr': '\\uD835\\uDCA2',\n 'Gt': '\\u226B',\n 'NestedGreaterGreater': '\\u226B',\n 'gg': '\\u226B',\n 'HARDcy': '\\u042A',\n 'Hacek': '\\u02C7',\n 'caron': '\\u02C7',\n 'Hat': '\\u005E',\n 'Hcirc': '\\u0124',\n 'Hfr': '\\u210C',\n 'Poincareplane': '\\u210C',\n 'HilbertSpace': '\\u210B',\n 'Hscr': '\\u210B',\n 'hamilt': '\\u210B',\n 'Hopf': '\\u210D',\n 'quaternions': '\\u210D',\n 'HorizontalLine': '\\u2500',\n 'boxh': '\\u2500',\n 'Hstrok': '\\u0126',\n 'HumpEqual': '\\u224F',\n 'bumpe': '\\u224F',\n 'bumpeq': '\\u224F',\n 'IEcy': '\\u0415',\n 'IJlig': '\\u0132',\n 'IOcy': '\\u0401',\n 'Iacute': '\\u00CD',\n 'Icirc': '\\u00CE',\n 'Icy': '\\u0418',\n 'Idot': '\\u0130',\n 'Ifr': '\\u2111',\n 'Im': '\\u2111',\n 'image': '\\u2111',\n 'imagpart': '\\u2111',\n 'Igrave': '\\u00CC',\n 'Imacr': '\\u012A',\n 'ImaginaryI': '\\u2148',\n 'ii': '\\u2148',\n 'Int': '\\u222C',\n 'Integral': '\\u222B',\n 'int': '\\u222B',\n 'Intersection': '\\u22C2',\n 'bigcap': '\\u22C2',\n 'xcap': '\\u22C2',\n 'InvisibleComma': '\\u2063',\n 'ic': '\\u2063',\n 'InvisibleTimes': '\\u2062',\n 'it': '\\u2062',\n 'Iogon': '\\u012E',\n 'Iopf': '\\uD835\\uDD40',\n 'Iota': '\\u0399',\n 'Iscr': '\\u2110',\n 'imagline': '\\u2110',\n 'Itilde': '\\u0128',\n 'Iukcy': '\\u0406',\n 'Iuml': '\\u00CF',\n 'Jcirc': '\\u0134',\n 'Jcy': '\\u0419',\n 'Jfr': '\\uD835\\uDD0D',\n 'Jopf': '\\uD835\\uDD41',\n 'Jscr': '\\uD835\\uDCA5',\n 'Jsercy': '\\u0408',\n 'Jukcy': '\\u0404',\n 'KHcy': '\\u0425',\n 'KJcy': '\\u040C',\n 'Kappa': '\\u039A',\n 'Kcedil': '\\u0136',\n 'Kcy': '\\u041A',\n 'Kfr': '\\uD835\\uDD0E',\n 'Kopf': '\\uD835\\uDD42',\n 'Kscr': '\\uD835\\uDCA6',\n 'LJcy': '\\u0409',\n 'LT': '\\u003C',\n 'lt': '\\u003C',\n 'Lacute': '\\u0139',\n 'Lambda': '\\u039B',\n 'Lang': '\\u27EA',\n 'Laplacetrf': '\\u2112',\n 'Lscr': '\\u2112',\n 'lagran': '\\u2112',\n 'Larr': '\\u219E',\n 'twoheadleftarrow': '\\u219E',\n 'Lcaron': '\\u013D',\n 'Lcedil': '\\u013B',\n 'Lcy': '\\u041B',\n 'LeftAngleBracket': '\\u27E8',\n 'lang': '\\u27E8',\n 'langle': '\\u27E8',\n 'LeftArrow': '\\u2190',\n 'ShortLeftArrow': '\\u2190',\n 'larr': '\\u2190',\n 'leftarrow': '\\u2190',\n 'slarr': '\\u2190',\n 'LeftArrowBar': '\\u21E4',\n 'larrb': '\\u21E4',\n 'LeftArrowRightArrow': '\\u21C6',\n 'leftrightarrows': '\\u21C6',\n 'lrarr': '\\u21C6',\n 'LeftCeiling': '\\u2308',\n 'lceil': '\\u2308',\n 'LeftDoubleBracket': '\\u27E6',\n 'lobrk': '\\u27E6',\n 'LeftDownTeeVector': '\\u2961',\n 'LeftDownVector': '\\u21C3',\n 'dharl': '\\u21C3',\n 'downharpoonleft': '\\u21C3',\n 'LeftDownVectorBar': '\\u2959',\n 'LeftFloor': '\\u230A',\n 'lfloor': '\\u230A',\n 'LeftRightArrow': '\\u2194',\n 'harr': '\\u2194',\n 'leftrightarrow': '\\u2194',\n 'LeftRightVector': '\\u294E',\n 'LeftTee': '\\u22A3',\n 'dashv': '\\u22A3',\n 'LeftTeeArrow': '\\u21A4',\n 'mapstoleft': '\\u21A4',\n 'LeftTeeVector': '\\u295A',\n 'LeftTriangle': '\\u22B2',\n 'vartriangleleft': '\\u22B2',\n 'vltri': '\\u22B2',\n 'LeftTriangleBar': '\\u29CF',\n 'LeftTriangleEqual': '\\u22B4',\n 'ltrie': '\\u22B4',\n 'trianglelefteq': '\\u22B4',\n 'LeftUpDownVector': '\\u2951',\n 'LeftUpTeeVector': '\\u2960',\n 'LeftUpVector': '\\u21BF',\n 'uharl': '\\u21BF',\n 'upharpoonleft': '\\u21BF',\n 'LeftUpVectorBar': '\\u2958',\n 'LeftVector': '\\u21BC',\n 'leftharpoonup': '\\u21BC',\n 'lharu': '\\u21BC',\n 'LeftVectorBar': '\\u2952',\n 'LessEqualGreater': '\\u22DA',\n 'leg': '\\u22DA',\n 'lesseqgtr': '\\u22DA',\n 'LessFullEqual': '\\u2266',\n 'lE': '\\u2266',\n 'leqq': '\\u2266',\n 'LessGreater': '\\u2276',\n 'lessgtr': '\\u2276',\n 'lg': '\\u2276',\n 'LessLess': '\\u2AA1',\n 'LessSlantEqual': '\\u2A7D',\n 'leqslant': '\\u2A7D',\n 'les': '\\u2A7D',\n 'LessTilde': '\\u2272',\n 'lesssim': '\\u2272',\n 'lsim': '\\u2272',\n 'Lfr': '\\uD835\\uDD0F',\n 'Ll': '\\u22D8',\n 'Lleftarrow': '\\u21DA',\n 'lAarr': '\\u21DA',\n 'Lmidot': '\\u013F',\n 'LongLeftArrow': '\\u27F5',\n 'longleftarrow': '\\u27F5',\n 'xlarr': '\\u27F5',\n 'LongLeftRightArrow': '\\u27F7',\n 'longleftrightarrow': '\\u27F7',\n 'xharr': '\\u27F7',\n 'LongRightArrow': '\\u27F6',\n 'longrightarrow': '\\u27F6',\n 'xrarr': '\\u27F6',\n 'Lopf': '\\uD835\\uDD43',\n 'LowerLeftArrow': '\\u2199',\n 'swarr': '\\u2199',\n 'swarrow': '\\u2199',\n 'LowerRightArrow': '\\u2198',\n 'searr': '\\u2198',\n 'searrow': '\\u2198',\n 'Lsh': '\\u21B0',\n 'lsh': '\\u21B0',\n 'Lstrok': '\\u0141',\n 'Lt': '\\u226A',\n 'NestedLessLess': '\\u226A',\n 'll': '\\u226A',\n 'Map': '\\u2905',\n 'Mcy': '\\u041C',\n 'MediumSpace': '\\u205F',\n 'Mellintrf': '\\u2133',\n 'Mscr': '\\u2133',\n 'phmmat': '\\u2133',\n 'Mfr': '\\uD835\\uDD10',\n 'MinusPlus': '\\u2213',\n 'mnplus': '\\u2213',\n 'mp': '\\u2213',\n 'Mopf': '\\uD835\\uDD44',\n 'Mu': '\\u039C',\n 'NJcy': '\\u040A',\n 'Nacute': '\\u0143',\n 'Ncaron': '\\u0147',\n 'Ncedil': '\\u0145',\n 'Ncy': '\\u041D',\n 'NegativeMediumSpace': '\\u200B',\n 'NegativeThickSpace': '\\u200B',\n 'NegativeThinSpace': '\\u200B',\n 'NegativeVeryThinSpace': '\\u200B',\n 'ZeroWidthSpace': '\\u200B',\n 'NewLine': '\\u000A',\n 'Nfr': '\\uD835\\uDD11',\n 'NoBreak': '\\u2060',\n 'NonBreakingSpace': '\\u00A0',\n 'nbsp': '\\u00A0',\n 'Nopf': '\\u2115',\n 'naturals': '\\u2115',\n 'Not': '\\u2AEC',\n 'NotCongruent': '\\u2262',\n 'nequiv': '\\u2262',\n 'NotCupCap': '\\u226D',\n 'NotDoubleVerticalBar': '\\u2226',\n 'npar': '\\u2226',\n 'nparallel': '\\u2226',\n 'nshortparallel': '\\u2226',\n 'nspar': '\\u2226',\n 'NotElement': '\\u2209',\n 'notin': '\\u2209',\n 'notinva': '\\u2209',\n 'NotEqual': '\\u2260',\n 'ne': '\\u2260',\n 'NotEqualTilde': '\\u2242\\u0338',\n 'nesim': '\\u2242\\u0338',\n 'NotExists': '\\u2204',\n 'nexist': '\\u2204',\n 'nexists': '\\u2204',\n 'NotGreater': '\\u226F',\n 'ngt': '\\u226F',\n 'ngtr': '\\u226F',\n 'NotGreaterEqual': '\\u2271',\n 'nge': '\\u2271',\n 'ngeq': '\\u2271',\n 'NotGreaterFullEqual': '\\u2267\\u0338',\n 'ngE': '\\u2267\\u0338',\n 'ngeqq': '\\u2267\\u0338',\n 'NotGreaterGreater': '\\u226B\\u0338',\n 'nGtv': '\\u226B\\u0338',\n 'NotGreaterLess': '\\u2279',\n 'ntgl': '\\u2279',\n 'NotGreaterSlantEqual': '\\u2A7E\\u0338',\n 'ngeqslant': '\\u2A7E\\u0338',\n 'nges': '\\u2A7E\\u0338',\n 'NotGreaterTilde': '\\u2275',\n 'ngsim': '\\u2275',\n 'NotHumpDownHump': '\\u224E\\u0338',\n 'nbump': '\\u224E\\u0338',\n 'NotHumpEqual': '\\u224F\\u0338',\n 'nbumpe': '\\u224F\\u0338',\n 'NotLeftTriangle': '\\u22EA',\n 'nltri': '\\u22EA',\n 'ntriangleleft': '\\u22EA',\n 'NotLeftTriangleBar': '\\u29CF\\u0338',\n 'NotLeftTriangleEqual': '\\u22EC',\n 'nltrie': '\\u22EC',\n 'ntrianglelefteq': '\\u22EC',\n 'NotLess': '\\u226E',\n 'nless': '\\u226E',\n 'nlt': '\\u226E',\n 'NotLessEqual': '\\u2270',\n 'nle': '\\u2270',\n 'nleq': '\\u2270',\n 'NotLessGreater': '\\u2278',\n 'ntlg': '\\u2278',\n 'NotLessLess': '\\u226A\\u0338',\n 'nLtv': '\\u226A\\u0338',\n 'NotLessSlantEqual': '\\u2A7D\\u0338',\n 'nleqslant': '\\u2A7D\\u0338',\n 'nles': '\\u2A7D\\u0338',\n 'NotLessTilde': '\\u2274',\n 'nlsim': '\\u2274',\n 'NotNestedGreaterGreater': '\\u2AA2\\u0338',\n 'NotNestedLessLess': '\\u2AA1\\u0338',\n 'NotPrecedes': '\\u2280',\n 'npr': '\\u2280',\n 'nprec': '\\u2280',\n 'NotPrecedesEqual': '\\u2AAF\\u0338',\n 'npre': '\\u2AAF\\u0338',\n 'npreceq': '\\u2AAF\\u0338',\n 'NotPrecedesSlantEqual': '\\u22E0',\n 'nprcue': '\\u22E0',\n 'NotReverseElement': '\\u220C',\n 'notni': '\\u220C',\n 'notniva': '\\u220C',\n 'NotRightTriangle': '\\u22EB',\n 'nrtri': '\\u22EB',\n 'ntriangleright': '\\u22EB',\n 'NotRightTriangleBar': '\\u29D0\\u0338',\n 'NotRightTriangleEqual': '\\u22ED',\n 'nrtrie': '\\u22ED',\n 'ntrianglerighteq': '\\u22ED',\n 'NotSquareSubset': '\\u228F\\u0338',\n 'NotSquareSubsetEqual': '\\u22E2',\n 'nsqsube': '\\u22E2',\n 'NotSquareSuperset': '\\u2290\\u0338',\n 'NotSquareSupersetEqual': '\\u22E3',\n 'nsqsupe': '\\u22E3',\n 'NotSubset': '\\u2282\\u20D2',\n 'nsubset': '\\u2282\\u20D2',\n 'vnsub': '\\u2282\\u20D2',\n 'NotSubsetEqual': '\\u2288',\n 'nsube': '\\u2288',\n 'nsubseteq': '\\u2288',\n 'NotSucceeds': '\\u2281',\n 'nsc': '\\u2281',\n 'nsucc': '\\u2281',\n 'NotSucceedsEqual': '\\u2AB0\\u0338',\n 'nsce': '\\u2AB0\\u0338',\n 'nsucceq': '\\u2AB0\\u0338',\n 'NotSucceedsSlantEqual': '\\u22E1',\n 'nsccue': '\\u22E1',\n 'NotSucceedsTilde': '\\u227F\\u0338',\n 'NotSuperset': '\\u2283\\u20D2',\n 'nsupset': '\\u2283\\u20D2',\n 'vnsup': '\\u2283\\u20D2',\n 'NotSupersetEqual': '\\u2289',\n 'nsupe': '\\u2289',\n 'nsupseteq': '\\u2289',\n 'NotTilde': '\\u2241',\n 'nsim': '\\u2241',\n 'NotTildeEqual': '\\u2244',\n 'nsime': '\\u2244',\n 'nsimeq': '\\u2244',\n 'NotTildeFullEqual': '\\u2247',\n 'ncong': '\\u2247',\n 'NotTildeTilde': '\\u2249',\n 'nap': '\\u2249',\n 'napprox': '\\u2249',\n 'NotVerticalBar': '\\u2224',\n 'nmid': '\\u2224',\n 'nshortmid': '\\u2224',\n 'nsmid': '\\u2224',\n 'Nscr': '\\uD835\\uDCA9',\n 'Ntilde': '\\u00D1',\n 'Nu': '\\u039D',\n 'OElig': '\\u0152',\n 'Oacute': '\\u00D3',\n 'Ocirc': '\\u00D4',\n 'Ocy': '\\u041E',\n 'Odblac': '\\u0150',\n 'Ofr': '\\uD835\\uDD12',\n 'Ograve': '\\u00D2',\n 'Omacr': '\\u014C',\n 'Omega': '\\u03A9',\n 'ohm': '\\u03A9',\n 'Omicron': '\\u039F',\n 'Oopf': '\\uD835\\uDD46',\n 'OpenCurlyDoubleQuote': '\\u201C',\n 'ldquo': '\\u201C',\n 'OpenCurlyQuote': '\\u2018',\n 'lsquo': '\\u2018',\n 'Or': '\\u2A54',\n 'Oscr': '\\uD835\\uDCAA',\n 'Oslash': '\\u00D8',\n 'Otilde': '\\u00D5',\n 'Otimes': '\\u2A37',\n 'Ouml': '\\u00D6',\n 'OverBar': '\\u203E',\n 'oline': '\\u203E',\n 'OverBrace': '\\u23DE',\n 'OverBracket': '\\u23B4',\n 'tbrk': '\\u23B4',\n 'OverParenthesis': '\\u23DC',\n 'PartialD': '\\u2202',\n 'part': '\\u2202',\n 'Pcy': '\\u041F',\n 'Pfr': '\\uD835\\uDD13',\n 'Phi': '\\u03A6',\n 'Pi': '\\u03A0',\n 'PlusMinus': '\\u00B1',\n 'plusmn': '\\u00B1',\n 'pm': '\\u00B1',\n 'Popf': '\\u2119',\n 'primes': '\\u2119',\n 'Pr': '\\u2ABB',\n 'Precedes': '\\u227A',\n 'pr': '\\u227A',\n 'prec': '\\u227A',\n 'PrecedesEqual': '\\u2AAF',\n 'pre': '\\u2AAF',\n 'preceq': '\\u2AAF',\n 'PrecedesSlantEqual': '\\u227C',\n 'prcue': '\\u227C',\n 'preccurlyeq': '\\u227C',\n 'PrecedesTilde': '\\u227E',\n 'precsim': '\\u227E',\n 'prsim': '\\u227E',\n 'Prime': '\\u2033',\n 'Product': '\\u220F',\n 'prod': '\\u220F',\n 'Proportional': '\\u221D',\n 'prop': '\\u221D',\n 'propto': '\\u221D',\n 'varpropto': '\\u221D',\n 'vprop': '\\u221D',\n 'Pscr': '\\uD835\\uDCAB',\n 'Psi': '\\u03A8',\n 'QUOT': '\\u0022',\n 'quot': '\\u0022',\n 'Qfr': '\\uD835\\uDD14',\n 'Qopf': '\\u211A',\n 'rationals': '\\u211A',\n 'Qscr': '\\uD835\\uDCAC',\n 'RBarr': '\\u2910',\n 'drbkarow': '\\u2910',\n 'REG': '\\u00AE',\n 'circledR': '\\u00AE',\n 'reg': '\\u00AE',\n 'Racute': '\\u0154',\n 'Rang': '\\u27EB',\n 'Rarr': '\\u21A0',\n 'twoheadrightarrow': '\\u21A0',\n 'Rarrtl': '\\u2916',\n 'Rcaron': '\\u0158',\n 'Rcedil': '\\u0156',\n 'Rcy': '\\u0420',\n 'Re': '\\u211C',\n 'Rfr': '\\u211C',\n 'real': '\\u211C',\n 'realpart': '\\u211C',\n 'ReverseElement': '\\u220B',\n 'SuchThat': '\\u220B',\n 'ni': '\\u220B',\n 'niv': '\\u220B',\n 'ReverseEquilibrium': '\\u21CB',\n 'leftrightharpoons': '\\u21CB',\n 'lrhar': '\\u21CB',\n 'ReverseUpEquilibrium': '\\u296F',\n 'duhar': '\\u296F',\n 'Rho': '\\u03A1',\n 'RightAngleBracket': '\\u27E9',\n 'rang': '\\u27E9',\n 'rangle': '\\u27E9',\n 'RightArrow': '\\u2192',\n 'ShortRightArrow': '\\u2192',\n 'rarr': '\\u2192',\n 'rightarrow': '\\u2192',\n 'srarr': '\\u2192',\n 'RightArrowBar': '\\u21E5',\n 'rarrb': '\\u21E5',\n 'RightArrowLeftArrow': '\\u21C4',\n 'rightleftarrows': '\\u21C4',\n 'rlarr': '\\u21C4',\n 'RightCeiling': '\\u2309',\n 'rceil': '\\u2309',\n 'RightDoubleBracket': '\\u27E7',\n 'robrk': '\\u27E7',\n 'RightDownTeeVector': '\\u295D',\n 'RightDownVector': '\\u21C2',\n 'dharr': '\\u21C2',\n 'downharpoonright': '\\u21C2',\n 'RightDownVectorBar': '\\u2955',\n 'RightFloor': '\\u230B',\n 'rfloor': '\\u230B',\n 'RightTee': '\\u22A2',\n 'vdash': '\\u22A2',\n 'RightTeeArrow': '\\u21A6',\n 'map': '\\u21A6',\n 'mapsto': '\\u21A6',\n 'RightTeeVector': '\\u295B',\n 'RightTriangle': '\\u22B3',\n 'vartriangleright': '\\u22B3',\n 'vrtri': '\\u22B3',\n 'RightTriangleBar': '\\u29D0',\n 'RightTriangleEqual': '\\u22B5',\n 'rtrie': '\\u22B5',\n 'trianglerighteq': '\\u22B5',\n 'RightUpDownVector': '\\u294F',\n 'RightUpTeeVector': '\\u295C',\n 'RightUpVector': '\\u21BE',\n 'uharr': '\\u21BE',\n 'upharpoonright': '\\u21BE',\n 'RightUpVectorBar': '\\u2954',\n 'RightVector': '\\u21C0',\n 'rharu': '\\u21C0',\n 'rightharpoonup': '\\u21C0',\n 'RightVectorBar': '\\u2953',\n 'Ropf': '\\u211D',\n 'reals': '\\u211D',\n 'RoundImplies': '\\u2970',\n 'Rrightarrow': '\\u21DB',\n 'rAarr': '\\u21DB',\n 'Rscr': '\\u211B',\n 'realine': '\\u211B',\n 'Rsh': '\\u21B1',\n 'rsh': '\\u21B1',\n 'RuleDelayed': '\\u29F4',\n 'SHCHcy': '\\u0429',\n 'SHcy': '\\u0428',\n 'SOFTcy': '\\u042C',\n 'Sacute': '\\u015A',\n 'Sc': '\\u2ABC',\n 'Scaron': '\\u0160',\n 'Scedil': '\\u015E',\n 'Scirc': '\\u015C',\n 'Scy': '\\u0421',\n 'Sfr': '\\uD835\\uDD16',\n 'ShortUpArrow': '\\u2191',\n 'UpArrow': '\\u2191',\n 'uarr': '\\u2191',\n 'uparrow': '\\u2191',\n 'Sigma': '\\u03A3',\n 'SmallCircle': '\\u2218',\n 'compfn': '\\u2218',\n 'Sopf': '\\uD835\\uDD4A',\n 'Sqrt': '\\u221A',\n 'radic': '\\u221A',\n 'Square': '\\u25A1',\n 'squ': '\\u25A1',\n 'square': '\\u25A1',\n 'SquareIntersection': '\\u2293',\n 'sqcap': '\\u2293',\n 'SquareSubset': '\\u228F',\n 'sqsub': '\\u228F',\n 'sqsubset': '\\u228F',\n 'SquareSubsetEqual': '\\u2291',\n 'sqsube': '\\u2291',\n 'sqsubseteq': '\\u2291',\n 'SquareSuperset': '\\u2290',\n 'sqsup': '\\u2290',\n 'sqsupset': '\\u2290',\n 'SquareSupersetEqual': '\\u2292',\n 'sqsupe': '\\u2292',\n 'sqsupseteq': '\\u2292',\n 'SquareUnion': '\\u2294',\n 'sqcup': '\\u2294',\n 'Sscr': '\\uD835\\uDCAE',\n 'Star': '\\u22C6',\n 'sstarf': '\\u22C6',\n 'Sub': '\\u22D0',\n 'Subset': '\\u22D0',\n 'SubsetEqual': '\\u2286',\n 'sube': '\\u2286',\n 'subseteq': '\\u2286',\n 'Succeeds': '\\u227B',\n 'sc': '\\u227B',\n 'succ': '\\u227B',\n 'SucceedsEqual': '\\u2AB0',\n 'sce': '\\u2AB0',\n 'succeq': '\\u2AB0',\n 'SucceedsSlantEqual': '\\u227D',\n 'sccue': '\\u227D',\n 'succcurlyeq': '\\u227D',\n 'SucceedsTilde': '\\u227F',\n 'scsim': '\\u227F',\n 'succsim': '\\u227F',\n 'Sum': '\\u2211',\n 'sum': '\\u2211',\n 'Sup': '\\u22D1',\n 'Supset': '\\u22D1',\n 'Superset': '\\u2283',\n 'sup': '\\u2283',\n 'supset': '\\u2283',\n 'SupersetEqual': '\\u2287',\n 'supe': '\\u2287',\n 'supseteq': '\\u2287',\n 'THORN': '\\u00DE',\n 'TRADE': '\\u2122',\n 'trade': '\\u2122',\n 'TSHcy': '\\u040B',\n 'TScy': '\\u0426',\n 'Tab': '\\u0009',\n 'Tau': '\\u03A4',\n 'Tcaron': '\\u0164',\n 'Tcedil': '\\u0162',\n 'Tcy': '\\u0422',\n 'Tfr': '\\uD835\\uDD17',\n 'Therefore': '\\u2234',\n 'there4': '\\u2234',\n 'therefore': '\\u2234',\n 'Theta': '\\u0398',\n 'ThickSpace': '\\u205F\\u200A',\n 'ThinSpace': '\\u2009',\n 'thinsp': '\\u2009',\n 'Tilde': '\\u223C',\n 'sim': '\\u223C',\n 'thicksim': '\\u223C',\n 'thksim': '\\u223C',\n 'TildeEqual': '\\u2243',\n 'sime': '\\u2243',\n 'simeq': '\\u2243',\n 'TildeFullEqual': '\\u2245',\n 'cong': '\\u2245',\n 'TildeTilde': '\\u2248',\n 'ap': '\\u2248',\n 'approx': '\\u2248',\n 'asymp': '\\u2248',\n 'thickapprox': '\\u2248',\n 'thkap': '\\u2248',\n 'Topf': '\\uD835\\uDD4B',\n 'TripleDot': '\\u20DB',\n 'tdot': '\\u20DB',\n 'Tscr': '\\uD835\\uDCAF',\n 'Tstrok': '\\u0166',\n 'Uacute': '\\u00DA',\n 'Uarr': '\\u219F',\n 'Uarrocir': '\\u2949',\n 'Ubrcy': '\\u040E',\n 'Ubreve': '\\u016C',\n 'Ucirc': '\\u00DB',\n 'Ucy': '\\u0423',\n 'Udblac': '\\u0170',\n 'Ufr': '\\uD835\\uDD18',\n 'Ugrave': '\\u00D9',\n 'Umacr': '\\u016A',\n 'UnderBar': '\\u005F',\n 'lowbar': '\\u005F',\n 'UnderBrace': '\\u23DF',\n 'UnderBracket': '\\u23B5',\n 'bbrk': '\\u23B5',\n 'UnderParenthesis': '\\u23DD',\n 'Union': '\\u22C3',\n 'bigcup': '\\u22C3',\n 'xcup': '\\u22C3',\n 'UnionPlus': '\\u228E',\n 'uplus': '\\u228E',\n 'Uogon': '\\u0172',\n 'Uopf': '\\uD835\\uDD4C',\n 'UpArrowBar': '\\u2912',\n 'UpArrowDownArrow': '\\u21C5',\n 'udarr': '\\u21C5',\n 'UpDownArrow': '\\u2195',\n 'updownarrow': '\\u2195',\n 'varr': '\\u2195',\n 'UpEquilibrium': '\\u296E',\n 'udhar': '\\u296E',\n 'UpTee': '\\u22A5',\n 'bot': '\\u22A5',\n 'bottom': '\\u22A5',\n 'perp': '\\u22A5',\n 'UpTeeArrow': '\\u21A5',\n 'mapstoup': '\\u21A5',\n 'UpperLeftArrow': '\\u2196',\n 'nwarr': '\\u2196',\n 'nwarrow': '\\u2196',\n 'UpperRightArrow': '\\u2197',\n 'nearr': '\\u2197',\n 'nearrow': '\\u2197',\n 'Upsi': '\\u03D2',\n 'upsih': '\\u03D2',\n 'Upsilon': '\\u03A5',\n 'Uring': '\\u016E',\n 'Uscr': '\\uD835\\uDCB0',\n 'Utilde': '\\u0168',\n 'Uuml': '\\u00DC',\n 'VDash': '\\u22AB',\n 'Vbar': '\\u2AEB',\n 'Vcy': '\\u0412',\n 'Vdash': '\\u22A9',\n 'Vdashl': '\\u2AE6',\n 'Vee': '\\u22C1',\n 'bigvee': '\\u22C1',\n 'xvee': '\\u22C1',\n 'Verbar': '\\u2016',\n 'Vert': '\\u2016',\n 'VerticalBar': '\\u2223',\n 'mid': '\\u2223',\n 'shortmid': '\\u2223',\n 'smid': '\\u2223',\n 'VerticalLine': '\\u007C',\n 'verbar': '\\u007C',\n 'vert': '\\u007C',\n 'VerticalSeparator': '\\u2758',\n 'VerticalTilde': '\\u2240',\n 'wr': '\\u2240',\n 'wreath': '\\u2240',\n 'VeryThinSpace': '\\u200A',\n 'hairsp': '\\u200A',\n 'Vfr': '\\uD835\\uDD19',\n 'Vopf': '\\uD835\\uDD4D',\n 'Vscr': '\\uD835\\uDCB1',\n 'Vvdash': '\\u22AA',\n 'Wcirc': '\\u0174',\n 'Wedge': '\\u22C0',\n 'bigwedge': '\\u22C0',\n 'xwedge': '\\u22C0',\n 'Wfr': '\\uD835\\uDD1A',\n 'Wopf': '\\uD835\\uDD4E',\n 'Wscr': '\\uD835\\uDCB2',\n 'Xfr': '\\uD835\\uDD1B',\n 'Xi': '\\u039E',\n 'Xopf': '\\uD835\\uDD4F',\n 'Xscr': '\\uD835\\uDCB3',\n 'YAcy': '\\u042F',\n 'YIcy': '\\u0407',\n 'YUcy': '\\u042E',\n 'Yacute': '\\u00DD',\n 'Ycirc': '\\u0176',\n 'Ycy': '\\u042B',\n 'Yfr': '\\uD835\\uDD1C',\n 'Yopf': '\\uD835\\uDD50',\n 'Yscr': '\\uD835\\uDCB4',\n 'Yuml': '\\u0178',\n 'ZHcy': '\\u0416',\n 'Zacute': '\\u0179',\n 'Zcaron': '\\u017D',\n 'Zcy': '\\u0417',\n 'Zdot': '\\u017B',\n 'Zeta': '\\u0396',\n 'Zfr': '\\u2128',\n 'zeetrf': '\\u2128',\n 'Zopf': '\\u2124',\n 'integers': '\\u2124',\n 'Zscr': '\\uD835\\uDCB5',\n 'aacute': '\\u00E1',\n 'abreve': '\\u0103',\n 'ac': '\\u223E',\n 'mstpos': '\\u223E',\n 'acE': '\\u223E\\u0333',\n 'acd': '\\u223F',\n 'acirc': '\\u00E2',\n 'acy': '\\u0430',\n 'aelig': '\\u00E6',\n 'afr': '\\uD835\\uDD1E',\n 'agrave': '\\u00E0',\n 'alefsym': '\\u2135',\n 'aleph': '\\u2135',\n 'alpha': '\\u03B1',\n 'amacr': '\\u0101',\n 'amalg': '\\u2A3F',\n 'and': '\\u2227',\n 'wedge': '\\u2227',\n 'andand': '\\u2A55',\n 'andd': '\\u2A5C',\n 'andslope': '\\u2A58',\n 'andv': '\\u2A5A',\n 'ang': '\\u2220',\n 'angle': '\\u2220',\n 'ange': '\\u29A4',\n 'angmsd': '\\u2221',\n 'measuredangle': '\\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 'angzarr': '\\u237C',\n 'aogon': '\\u0105',\n 'aopf': '\\uD835\\uDD52',\n 'apE': '\\u2A70',\n 'apacir': '\\u2A6F',\n 'ape': '\\u224A',\n 'approxeq': '\\u224A',\n 'apid': '\\u224B',\n 'apos': '\\u0027',\n 'aring': '\\u00E5',\n 'ascr': '\\uD835\\uDCB6',\n 'ast': '\\u002A',\n 'midast': '\\u002A',\n 'atilde': '\\u00E3',\n 'auml': '\\u00E4',\n 'awint': '\\u2A11',\n 'bNot': '\\u2AED',\n 'backcong': '\\u224C',\n 'bcong': '\\u224C',\n 'backepsilon': '\\u03F6',\n 'bepsi': '\\u03F6',\n 'backprime': '\\u2035',\n 'bprime': '\\u2035',\n 'backsim': '\\u223D',\n 'bsim': '\\u223D',\n 'backsimeq': '\\u22CD',\n 'bsime': '\\u22CD',\n 'barvee': '\\u22BD',\n 'barwed': '\\u2305',\n 'barwedge': '\\u2305',\n 'bbrktbrk': '\\u23B6',\n 'bcy': '\\u0431',\n 'bdquo': '\\u201E',\n 'ldquor': '\\u201E',\n 'bemptyv': '\\u29B0',\n 'beta': '\\u03B2',\n 'beth': '\\u2136',\n 'between': '\\u226C',\n 'twixt': '\\u226C',\n 'bfr': '\\uD835\\uDD1F',\n 'bigcirc': '\\u25EF',\n 'xcirc': '\\u25EF',\n 'bigodot': '\\u2A00',\n 'xodot': '\\u2A00',\n 'bigoplus': '\\u2A01',\n 'xoplus': '\\u2A01',\n 'bigotimes': '\\u2A02',\n 'xotime': '\\u2A02',\n 'bigsqcup': '\\u2A06',\n 'xsqcup': '\\u2A06',\n 'bigstar': '\\u2605',\n 'starf': '\\u2605',\n 'bigtriangledown': '\\u25BD',\n 'xdtri': '\\u25BD',\n 'bigtriangleup': '\\u25B3',\n 'xutri': '\\u25B3',\n 'biguplus': '\\u2A04',\n 'xuplus': '\\u2A04',\n 'bkarow': '\\u290D',\n 'rbarr': '\\u290D',\n 'blacklozenge': '\\u29EB',\n 'lozf': '\\u29EB',\n 'blacktriangle': '\\u25B4',\n 'utrif': '\\u25B4',\n 'blacktriangledown': '\\u25BE',\n 'dtrif': '\\u25BE',\n 'blacktriangleleft': '\\u25C2',\n 'ltrif': '\\u25C2',\n 'blacktriangleright': '\\u25B8',\n 'rtrif': '\\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': '\\u2310',\n 'bopf': '\\uD835\\uDD53',\n 'bowtie': '\\u22C8',\n 'boxDL': '\\u2557',\n 'boxDR': '\\u2554',\n 'boxDl': '\\u2556',\n 'boxDr': '\\u2553',\n 'boxH': '\\u2550',\n 'boxHD': '\\u2566',\n 'boxHU': '\\u2569',\n 'boxHd': '\\u2564',\n 'boxHu': '\\u2567',\n 'boxUL': '\\u255D',\n 'boxUR': '\\u255A',\n 'boxUl': '\\u255C',\n 'boxUr': '\\u2559',\n 'boxV': '\\u2551',\n 'boxVH': '\\u256C',\n 'boxVL': '\\u2563',\n 'boxVR': '\\u2560',\n 'boxVh': '\\u256B',\n 'boxVl': '\\u2562',\n 'boxVr': '\\u255F',\n 'boxbox': '\\u29C9',\n 'boxdL': '\\u2555',\n 'boxdR': '\\u2552',\n 'boxdl': '\\u2510',\n 'boxdr': '\\u250C',\n 'boxhD': '\\u2565',\n 'boxhU': '\\u2568',\n 'boxhd': '\\u252C',\n 'boxhu': '\\u2534',\n 'boxminus': '\\u229F',\n 'minusb': '\\u229F',\n 'boxplus': '\\u229E',\n 'plusb': '\\u229E',\n 'boxtimes': '\\u22A0',\n 'timesb': '\\u22A0',\n 'boxuL': '\\u255B',\n 'boxuR': '\\u2558',\n 'boxul': '\\u2518',\n 'boxur': '\\u2514',\n 'boxv': '\\u2502',\n 'boxvH': '\\u256A',\n 'boxvL': '\\u2561',\n 'boxvR': '\\u255E',\n 'boxvh': '\\u253C',\n 'boxvl': '\\u2524',\n 'boxvr': '\\u251C',\n 'brvbar': '\\u00A6',\n 'bscr': '\\uD835\\uDCB7',\n 'bsemi': '\\u204F',\n 'bsol': '\\u005C',\n 'bsolb': '\\u29C5',\n 'bsolhsub': '\\u27C8',\n 'bull': '\\u2022',\n 'bullet': '\\u2022',\n 'bumpE': '\\u2AAE',\n 'cacute': '\\u0107',\n 'cap': '\\u2229',\n 'capand': '\\u2A44',\n 'capbrcup': '\\u2A49',\n 'capcap': '\\u2A4B',\n 'capcup': '\\u2A47',\n 'capdot': '\\u2A40',\n 'caps': '\\u2229\\uFE00',\n 'caret': '\\u2041',\n 'ccaps': '\\u2A4D',\n 'ccaron': '\\u010D',\n 'ccedil': '\\u00E7',\n 'ccirc': '\\u0109',\n 'ccups': '\\u2A4C',\n 'ccupssm': '\\u2A50',\n 'cdot': '\\u010B',\n 'cemptyv': '\\u29B2',\n 'cent': '\\u00A2',\n 'cfr': '\\uD835\\uDD20',\n 'chcy': '\\u0447',\n 'check': '\\u2713',\n 'checkmark': '\\u2713',\n 'chi': '\\u03C7',\n 'cir': '\\u25CB',\n 'cirE': '\\u29C3',\n 'circ': '\\u02C6',\n 'circeq': '\\u2257',\n 'cire': '\\u2257',\n 'circlearrowleft': '\\u21BA',\n 'olarr': '\\u21BA',\n 'circlearrowright': '\\u21BB',\n 'orarr': '\\u21BB',\n 'circledS': '\\u24C8',\n 'oS': '\\u24C8',\n 'circledast': '\\u229B',\n 'oast': '\\u229B',\n 'circledcirc': '\\u229A',\n 'ocir': '\\u229A',\n 'circleddash': '\\u229D',\n 'odash': '\\u229D',\n 'cirfnint': '\\u2A10',\n 'cirmid': '\\u2AEF',\n 'cirscir': '\\u29C2',\n 'clubs': '\\u2663',\n 'clubsuit': '\\u2663',\n 'colon': '\\u003A',\n 'comma': '\\u002C',\n 'commat': '\\u0040',\n 'comp': '\\u2201',\n 'complement': '\\u2201',\n 'congdot': '\\u2A6D',\n 'copf': '\\uD835\\uDD54',\n 'copysr': '\\u2117',\n 'crarr': '\\u21B5',\n 'cross': '\\u2717',\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 'curlyeqprec': '\\u22DE',\n 'cuesc': '\\u22DF',\n 'curlyeqsucc': '\\u22DF',\n 'cularr': '\\u21B6',\n 'curvearrowleft': '\\u21B6',\n 'cularrp': '\\u293D',\n 'cup': '\\u222A',\n 'cupbrcap': '\\u2A48',\n 'cupcap': '\\u2A46',\n 'cupcup': '\\u2A4A',\n 'cupdot': '\\u228D',\n 'cupor': '\\u2A45',\n 'cups': '\\u222A\\uFE00',\n 'curarr': '\\u21B7',\n 'curvearrowright': '\\u21B7',\n 'curarrm': '\\u293C',\n 'curlyvee': '\\u22CE',\n 'cuvee': '\\u22CE',\n 'curlywedge': '\\u22CF',\n 'cuwed': '\\u22CF',\n 'curren': '\\u00A4',\n 'cwint': '\\u2231',\n 'cylcty': '\\u232D',\n 'dHar': '\\u2965',\n 'dagger': '\\u2020',\n 'daleth': '\\u2138',\n 'dash': '\\u2010',\n 'hyphen': '\\u2010',\n 'dbkarow': '\\u290F',\n 'rBarr': '\\u290F',\n 'dcaron': '\\u010F',\n 'dcy': '\\u0434',\n 'ddarr': '\\u21CA',\n 'downdownarrows': '\\u21CA',\n 'ddotseq': '\\u2A77',\n 'eDDot': '\\u2A77',\n 'deg': '\\u00B0',\n 'delta': '\\u03B4',\n 'demptyv': '\\u29B1',\n 'dfisht': '\\u297F',\n 'dfr': '\\uD835\\uDD21',\n 'diamondsuit': '\\u2666',\n 'diams': '\\u2666',\n 'digamma': '\\u03DD',\n 'gammad': '\\u03DD',\n 'disin': '\\u22F2',\n 'div': '\\u00F7',\n 'divide': '\\u00F7',\n 'divideontimes': '\\u22C7',\n 'divonx': '\\u22C7',\n 'djcy': '\\u0452',\n 'dlcorn': '\\u231E',\n 'llcorner': '\\u231E',\n 'dlcrop': '\\u230D',\n 'dollar': '\\u0024',\n 'dopf': '\\uD835\\uDD55',\n 'doteqdot': '\\u2251',\n 'eDot': '\\u2251',\n 'dotminus': '\\u2238',\n 'minusd': '\\u2238',\n 'dotplus': '\\u2214',\n 'plusdo': '\\u2214',\n 'dotsquare': '\\u22A1',\n 'sdotb': '\\u22A1',\n 'drcorn': '\\u231F',\n 'lrcorner': '\\u231F',\n 'drcrop': '\\u230C',\n 'dscr': '\\uD835\\uDCB9',\n 'dscy': '\\u0455',\n 'dsol': '\\u29F6',\n 'dstrok': '\\u0111',\n 'dtdot': '\\u22F1',\n 'dtri': '\\u25BF',\n 'triangledown': '\\u25BF',\n 'dwangle': '\\u29A6',\n 'dzcy': '\\u045F',\n 'dzigrarr': '\\u27FF',\n 'eacute': '\\u00E9',\n 'easter': '\\u2A6E',\n 'ecaron': '\\u011B',\n 'ecir': '\\u2256',\n 'eqcirc': '\\u2256',\n 'ecirc': '\\u00EA',\n 'ecolon': '\\u2255',\n 'eqcolon': '\\u2255',\n 'ecy': '\\u044D',\n 'edot': '\\u0117',\n 'efDot': '\\u2252',\n 'fallingdotseq': '\\u2252',\n 'efr': '\\uD835\\uDD22',\n 'eg': '\\u2A9A',\n 'egrave': '\\u00E8',\n 'egs': '\\u2A96',\n 'eqslantgtr': '\\u2A96',\n 'egsdot': '\\u2A98',\n 'el': '\\u2A99',\n 'elinters': '\\u23E7',\n 'ell': '\\u2113',\n 'els': '\\u2A95',\n 'eqslantless': '\\u2A95',\n 'elsdot': '\\u2A97',\n 'emacr': '\\u0113',\n 'empty': '\\u2205',\n 'emptyset': '\\u2205',\n 'emptyv': '\\u2205',\n 'varnothing': '\\u2205',\n 'emsp13': '\\u2004',\n 'emsp14': '\\u2005',\n 'emsp': '\\u2003',\n 'eng': '\\u014B',\n 'ensp': '\\u2002',\n 'eogon': '\\u0119',\n 'eopf': '\\uD835\\uDD56',\n 'epar': '\\u22D5',\n 'eparsl': '\\u29E3',\n 'eplus': '\\u2A71',\n 'epsi': '\\u03B5',\n 'epsilon': '\\u03B5',\n 'epsiv': '\\u03F5',\n 'straightepsilon': '\\u03F5',\n 'varepsilon': '\\u03F5',\n 'equals': '\\u003D',\n 'equest': '\\u225F',\n 'questeq': '\\u225F',\n 'equivDD': '\\u2A78',\n 'eqvparsl': '\\u29E5',\n 'erDot': '\\u2253',\n 'risingdotseq': '\\u2253',\n 'erarr': '\\u2971',\n 'escr': '\\u212F',\n 'eta': '\\u03B7',\n 'eth': '\\u00F0',\n 'euml': '\\u00EB',\n 'euro': '\\u20AC',\n 'excl': '\\u0021',\n 'fcy': '\\u0444',\n 'female': '\\u2640',\n 'ffilig': '\\uFB03',\n 'fflig': '\\uFB00',\n 'ffllig': '\\uFB04',\n 'ffr': '\\uD835\\uDD23',\n 'filig': '\\uFB01',\n 'fjlig': '\\u0066\\u006A',\n 'flat': '\\u266D',\n 'fllig': '\\uFB02',\n 'fltns': '\\u25B1',\n 'fnof': '\\u0192',\n 'fopf': '\\uD835\\uDD57',\n 'fork': '\\u22D4',\n 'pitchfork': '\\u22D4',\n 'forkv': '\\u2AD9',\n 'fpartint': '\\u2A0D',\n 'frac12': '\\u00BD',\n 'half': '\\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 'sfrown': '\\u2322',\n 'fscr': '\\uD835\\uDCBB',\n 'gEl': '\\u2A8C',\n 'gtreqqless': '\\u2A8C',\n 'gacute': '\\u01F5',\n 'gamma': '\\u03B3',\n 'gap': '\\u2A86',\n 'gtrapprox': '\\u2A86',\n 'gbreve': '\\u011F',\n 'gcirc': '\\u011D',\n 'gcy': '\\u0433',\n 'gdot': '\\u0121',\n 'gescc': '\\u2AA9',\n 'gesdot': '\\u2A80',\n 'gesdoto': '\\u2A82',\n 'gesdotol': '\\u2A84',\n 'gesl': '\\u22DB\\uFE00',\n 'gesles': '\\u2A94',\n 'gfr': '\\uD835\\uDD24',\n 'gimel': '\\u2137',\n 'gjcy': '\\u0453',\n 'glE': '\\u2A92',\n 'gla': '\\u2AA5',\n 'glj': '\\u2AA4',\n 'gnE': '\\u2269',\n 'gneqq': '\\u2269',\n 'gnap': '\\u2A8A',\n 'gnapprox': '\\u2A8A',\n 'gne': '\\u2A88',\n 'gneq': '\\u2A88',\n 'gnsim': '\\u22E7',\n 'gopf': '\\uD835\\uDD58',\n 'gscr': '\\u210A',\n 'gsime': '\\u2A8E',\n 'gsiml': '\\u2A90',\n 'gtcc': '\\u2AA7',\n 'gtcir': '\\u2A7A',\n 'gtdot': '\\u22D7',\n 'gtrdot': '\\u22D7',\n 'gtlPar': '\\u2995',\n 'gtquest': '\\u2A7C',\n 'gtrarr': '\\u2978',\n 'gvertneqq': '\\u2269\\uFE00',\n 'gvnE': '\\u2269\\uFE00',\n 'hardcy': '\\u044A',\n 'harrcir': '\\u2948',\n 'harrw': '\\u21AD',\n 'leftrightsquigarrow': '\\u21AD',\n 'hbar': '\\u210F',\n 'hslash': '\\u210F',\n 'planck': '\\u210F',\n 'plankv': '\\u210F',\n 'hcirc': '\\u0125',\n 'hearts': '\\u2665',\n 'heartsuit': '\\u2665',\n 'hellip': '\\u2026',\n 'mldr': '\\u2026',\n 'hercon': '\\u22B9',\n 'hfr': '\\uD835\\uDD25',\n 'hksearow': '\\u2925',\n 'searhk': '\\u2925',\n 'hkswarow': '\\u2926',\n 'swarhk': '\\u2926',\n 'hoarr': '\\u21FF',\n 'homtht': '\\u223B',\n 'hookleftarrow': '\\u21A9',\n 'larrhk': '\\u21A9',\n 'hookrightarrow': '\\u21AA',\n 'rarrhk': '\\u21AA',\n 'hopf': '\\uD835\\uDD59',\n 'horbar': '\\u2015',\n 'hscr': '\\uD835\\uDCBD',\n 'hstrok': '\\u0127',\n 'hybull': '\\u2043',\n 'iacute': '\\u00ED',\n 'icirc': '\\u00EE',\n 'icy': '\\u0438',\n 'iecy': '\\u0435',\n 'iexcl': '\\u00A1',\n 'ifr': '\\uD835\\uDD26',\n 'igrave': '\\u00EC',\n 'iiiint': '\\u2A0C',\n 'qint': '\\u2A0C',\n 'iiint': '\\u222D',\n 'tint': '\\u222D',\n 'iinfin': '\\u29DC',\n 'iiota': '\\u2129',\n 'ijlig': '\\u0133',\n 'imacr': '\\u012B',\n 'imath': '\\u0131',\n 'inodot': '\\u0131',\n 'imof': '\\u22B7',\n 'imped': '\\u01B5',\n 'incare': '\\u2105',\n 'infin': '\\u221E',\n 'infintie': '\\u29DD',\n 'intcal': '\\u22BA',\n 'intercal': '\\u22BA',\n 'intlarhk': '\\u2A17',\n 'intprod': '\\u2A3C',\n 'iprod': '\\u2A3C',\n 'iocy': '\\u0451',\n 'iogon': '\\u012F',\n 'iopf': '\\uD835\\uDD5A',\n 'iota': '\\u03B9',\n 'iquest': '\\u00BF',\n 'iscr': '\\uD835\\uDCBE',\n 'isinE': '\\u22F9',\n 'isindot': '\\u22F5',\n 'isins': '\\u22F4',\n 'isinsv': '\\u22F3',\n 'itilde': '\\u0129',\n 'iukcy': '\\u0456',\n 'iuml': '\\u00EF',\n 'jcirc': '\\u0135',\n 'jcy': '\\u0439',\n 'jfr': '\\uD835\\uDD27',\n 'jmath': '\\u0237',\n 'jopf': '\\uD835\\uDD5B',\n 'jscr': '\\uD835\\uDCBF',\n 'jsercy': '\\u0458',\n 'jukcy': '\\u0454',\n 'kappa': '\\u03BA',\n 'kappav': '\\u03F0',\n 'varkappa': '\\u03F0',\n 'kcedil': '\\u0137',\n 'kcy': '\\u043A',\n 'kfr': '\\uD835\\uDD28',\n 'kgreen': '\\u0138',\n 'khcy': '\\u0445',\n 'kjcy': '\\u045C',\n 'kopf': '\\uD835\\uDD5C',\n 'kscr': '\\uD835\\uDCC0',\n 'lAtail': '\\u291B',\n 'lBarr': '\\u290E',\n 'lEg': '\\u2A8B',\n 'lesseqqgtr': '\\u2A8B',\n 'lHar': '\\u2962',\n 'lacute': '\\u013A',\n 'laemptyv': '\\u29B4',\n 'lambda': '\\u03BB',\n 'langd': '\\u2991',\n 'lap': '\\u2A85',\n 'lessapprox': '\\u2A85',\n 'laquo': '\\u00AB',\n 'larrbfs': '\\u291F',\n 'larrfs': '\\u291D',\n 'larrlp': '\\u21AB',\n 'looparrowleft': '\\u21AB',\n 'larrpl': '\\u2939',\n 'larrsim': '\\u2973',\n 'larrtl': '\\u21A2',\n 'leftarrowtail': '\\u21A2',\n 'lat': '\\u2AAB',\n 'latail': '\\u2919',\n 'late': '\\u2AAD',\n 'lates': '\\u2AAD\\uFE00',\n 'lbarr': '\\u290C',\n 'lbbrk': '\\u2772',\n 'lbrace': '\\u007B',\n 'lcub': '\\u007B',\n 'lbrack': '\\u005B',\n 'lsqb': '\\u005B',\n 'lbrke': '\\u298B',\n 'lbrksld': '\\u298F',\n 'lbrkslu': '\\u298D',\n 'lcaron': '\\u013E',\n 'lcedil': '\\u013C',\n 'lcy': '\\u043B',\n 'ldca': '\\u2936',\n 'ldrdhar': '\\u2967',\n 'ldrushar': '\\u294B',\n 'ldsh': '\\u21B2',\n 'le': '\\u2264',\n 'leq': '\\u2264',\n 'leftleftarrows': '\\u21C7',\n 'llarr': '\\u21C7',\n 'leftthreetimes': '\\u22CB',\n 'lthree': '\\u22CB',\n 'lescc': '\\u2AA8',\n 'lesdot': '\\u2A7F',\n 'lesdoto': '\\u2A81',\n 'lesdotor': '\\u2A83',\n 'lesg': '\\u22DA\\uFE00',\n 'lesges': '\\u2A93',\n 'lessdot': '\\u22D6',\n 'ltdot': '\\u22D6',\n 'lfisht': '\\u297C',\n 'lfr': '\\uD835\\uDD29',\n 'lgE': '\\u2A91',\n 'lharul': '\\u296A',\n 'lhblk': '\\u2584',\n 'ljcy': '\\u0459',\n 'llhard': '\\u296B',\n 'lltri': '\\u25FA',\n 'lmidot': '\\u0140',\n 'lmoust': '\\u23B0',\n 'lmoustache': '\\u23B0',\n 'lnE': '\\u2268',\n 'lneqq': '\\u2268',\n 'lnap': '\\u2A89',\n 'lnapprox': '\\u2A89',\n 'lne': '\\u2A87',\n 'lneq': '\\u2A87',\n 'lnsim': '\\u22E6',\n 'loang': '\\u27EC',\n 'loarr': '\\u21FD',\n 'longmapsto': '\\u27FC',\n 'xmap': '\\u27FC',\n 'looparrowright': '\\u21AC',\n 'rarrlp': '\\u21AC',\n 'lopar': '\\u2985',\n 'lopf': '\\uD835\\uDD5D',\n 'loplus': '\\u2A2D',\n 'lotimes': '\\u2A34',\n 'lowast': '\\u2217',\n 'loz': '\\u25CA',\n 'lozenge': '\\u25CA',\n 'lpar': '\\u0028',\n 'lparlt': '\\u2993',\n 'lrhard': '\\u296D',\n 'lrm': '\\u200E',\n 'lrtri': '\\u22BF',\n 'lsaquo': '\\u2039',\n 'lscr': '\\uD835\\uDCC1',\n 'lsime': '\\u2A8D',\n 'lsimg': '\\u2A8F',\n 'lsquor': '\\u201A',\n 'sbquo': '\\u201A',\n 'lstrok': '\\u0142',\n 'ltcc': '\\u2AA6',\n 'ltcir': '\\u2A79',\n 'ltimes': '\\u22C9',\n 'ltlarr': '\\u2976',\n 'ltquest': '\\u2A7B',\n 'ltrPar': '\\u2996',\n 'ltri': '\\u25C3',\n 'triangleleft': '\\u25C3',\n 'lurdshar': '\\u294A',\n 'luruhar': '\\u2966',\n 'lvertneqq': '\\u2268\\uFE00',\n 'lvnE': '\\u2268\\uFE00',\n 'mDDot': '\\u223A',\n 'macr': '\\u00AF',\n 'strns': '\\u00AF',\n 'male': '\\u2642',\n 'malt': '\\u2720',\n 'maltese': '\\u2720',\n 'marker': '\\u25AE',\n 'mcomma': '\\u2A29',\n 'mcy': '\\u043C',\n 'mdash': '\\u2014',\n 'mfr': '\\uD835\\uDD2A',\n 'mho': '\\u2127',\n 'micro': '\\u00B5',\n 'midcir': '\\u2AF0',\n 'minus': '\\u2212',\n 'minusdu': '\\u2A2A',\n 'mlcp': '\\u2ADB',\n 'models': '\\u22A7',\n 'mopf': '\\uD835\\uDD5E',\n 'mscr': '\\uD835\\uDCC2',\n 'mu': '\\u03BC',\n 'multimap': '\\u22B8',\n 'mumap': '\\u22B8',\n 'nGg': '\\u22D9\\u0338',\n 'nGt': '\\u226B\\u20D2',\n 'nLeftarrow': '\\u21CD',\n 'nlArr': '\\u21CD',\n 'nLeftrightarrow': '\\u21CE',\n 'nhArr': '\\u21CE',\n 'nLl': '\\u22D8\\u0338',\n 'nLt': '\\u226A\\u20D2',\n 'nRightarrow': '\\u21CF',\n 'nrArr': '\\u21CF',\n 'nVDash': '\\u22AF',\n 'nVdash': '\\u22AE',\n 'nacute': '\\u0144',\n 'nang': '\\u2220\\u20D2',\n 'napE': '\\u2A70\\u0338',\n 'napid': '\\u224B\\u0338',\n 'napos': '\\u0149',\n 'natur': '\\u266E',\n 'natural': '\\u266E',\n 'ncap': '\\u2A43',\n 'ncaron': '\\u0148',\n 'ncedil': '\\u0146',\n 'ncongdot': '\\u2A6D\\u0338',\n 'ncup': '\\u2A42',\n 'ncy': '\\u043D',\n 'ndash': '\\u2013',\n 'neArr': '\\u21D7',\n 'nearhk': '\\u2924',\n 'nedot': '\\u2250\\u0338',\n 'nesear': '\\u2928',\n 'toea': '\\u2928',\n 'nfr': '\\uD835\\uDD2B',\n 'nharr': '\\u21AE',\n 'nleftrightarrow': '\\u21AE',\n 'nhpar': '\\u2AF2',\n 'nis': '\\u22FC',\n 'nisd': '\\u22FA',\n 'njcy': '\\u045A',\n 'nlE': '\\u2266\\u0338',\n 'nleqq': '\\u2266\\u0338',\n 'nlarr': '\\u219A',\n 'nleftarrow': '\\u219A',\n 'nldr': '\\u2025',\n 'nopf': '\\uD835\\uDD5F',\n 'not': '\\u00AC',\n 'notinE': '\\u22F9\\u0338',\n 'notindot': '\\u22F5\\u0338',\n 'notinvb': '\\u22F7',\n 'notinvc': '\\u22F6',\n 'notnivb': '\\u22FE',\n 'notnivc': '\\u22FD',\n 'nparsl': '\\u2AFD\\u20E5',\n 'npart': '\\u2202\\u0338',\n 'npolint': '\\u2A14',\n 'nrarr': '\\u219B',\n 'nrightarrow': '\\u219B',\n 'nrarrc': '\\u2933\\u0338',\n 'nrarrw': '\\u219D\\u0338',\n 'nscr': '\\uD835\\uDCC3',\n 'nsub': '\\u2284',\n 'nsubE': '\\u2AC5\\u0338',\n 'nsubseteqq': '\\u2AC5\\u0338',\n 'nsup': '\\u2285',\n 'nsupE': '\\u2AC6\\u0338',\n 'nsupseteqq': '\\u2AC6\\u0338',\n 'ntilde': '\\u00F1',\n 'nu': '\\u03BD',\n 'num': '\\u0023',\n 'numero': '\\u2116',\n 'numsp': '\\u2007',\n 'nvDash': '\\u22AD',\n 'nvHarr': '\\u2904',\n 'nvap': '\\u224D\\u20D2',\n 'nvdash': '\\u22AC',\n 'nvge': '\\u2265\\u20D2',\n 'nvgt': '\\u003E\\u20D2',\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 'nwArr': '\\u21D6',\n 'nwarhk': '\\u2923',\n 'nwnear': '\\u2927',\n 'oacute': '\\u00F3',\n 'ocirc': '\\u00F4',\n 'ocy': '\\u043E',\n 'odblac': '\\u0151',\n 'odiv': '\\u2A38',\n 'odsold': '\\u29BC',\n 'oelig': '\\u0153',\n 'ofcir': '\\u29BF',\n 'ofr': '\\uD835\\uDD2C',\n 'ogon': '\\u02DB',\n 'ograve': '\\u00F2',\n 'ogt': '\\u29C1',\n 'ohbar': '\\u29B5',\n 'olcir': '\\u29BE',\n 'olcross': '\\u29BB',\n 'olt': '\\u29C0',\n 'omacr': '\\u014D',\n 'omega': '\\u03C9',\n 'omicron': '\\u03BF',\n 'omid': '\\u29B6',\n 'oopf': '\\uD835\\uDD60',\n 'opar': '\\u29B7',\n 'operp': '\\u29B9',\n 'or': '\\u2228',\n 'vee': '\\u2228',\n 'ord': '\\u2A5D',\n 'order': '\\u2134',\n 'orderof': '\\u2134',\n 'oscr': '\\u2134',\n 'ordf': '\\u00AA',\n 'ordm': '\\u00BA',\n 'origof': '\\u22B6',\n 'oror': '\\u2A56',\n 'orslope': '\\u2A57',\n 'orv': '\\u2A5B',\n 'oslash': '\\u00F8',\n 'osol': '\\u2298',\n 'otilde': '\\u00F5',\n 'otimesas': '\\u2A36',\n 'ouml': '\\u00F6',\n 'ovbar': '\\u233D',\n 'para': '\\u00B6',\n 'parsim': '\\u2AF3',\n 'parsl': '\\u2AFD',\n 'pcy': '\\u043F',\n 'percnt': '\\u0025',\n 'period': '\\u002E',\n 'permil': '\\u2030',\n 'pertenk': '\\u2031',\n 'pfr': '\\uD835\\uDD2D',\n 'phi': '\\u03C6',\n 'phiv': '\\u03D5',\n 'straightphi': '\\u03D5',\n 'varphi': '\\u03D5',\n 'phone': '\\u260E',\n 'pi': '\\u03C0',\n 'piv': '\\u03D6',\n 'varpi': '\\u03D6',\n 'planckh': '\\u210E',\n 'plus': '\\u002B',\n 'plusacir': '\\u2A23',\n 'pluscir': '\\u2A22',\n 'plusdu': '\\u2A25',\n 'pluse': '\\u2A72',\n 'plussim': '\\u2A26',\n 'plustwo': '\\u2A27',\n 'pointint': '\\u2A15',\n 'popf': '\\uD835\\uDD61',\n 'pound': '\\u00A3',\n 'prE': '\\u2AB3',\n 'prap': '\\u2AB7',\n 'precapprox': '\\u2AB7',\n 'precnapprox': '\\u2AB9',\n 'prnap': '\\u2AB9',\n 'precneqq': '\\u2AB5',\n 'prnE': '\\u2AB5',\n 'precnsim': '\\u22E8',\n 'prnsim': '\\u22E8',\n 'prime': '\\u2032',\n 'profalar': '\\u232E',\n 'profline': '\\u2312',\n 'profsurf': '\\u2313',\n 'prurel': '\\u22B0',\n 'pscr': '\\uD835\\uDCC5',\n 'psi': '\\u03C8',\n 'puncsp': '\\u2008',\n 'qfr': '\\uD835\\uDD2E',\n 'qopf': '\\uD835\\uDD62',\n 'qprime': '\\u2057',\n 'qscr': '\\uD835\\uDCC6',\n 'quatint': '\\u2A16',\n 'quest': '\\u003F',\n 'rAtail': '\\u291C',\n 'rHar': '\\u2964',\n 'race': '\\u223D\\u0331',\n 'racute': '\\u0155',\n 'raemptyv': '\\u29B3',\n 'rangd': '\\u2992',\n 'range': '\\u29A5',\n 'raquo': '\\u00BB',\n 'rarrap': '\\u2975',\n 'rarrbfs': '\\u2920',\n 'rarrc': '\\u2933',\n 'rarrfs': '\\u291E',\n 'rarrpl': '\\u2945',\n 'rarrsim': '\\u2974',\n 'rarrtl': '\\u21A3',\n 'rightarrowtail': '\\u21A3',\n 'rarrw': '\\u219D',\n 'rightsquigarrow': '\\u219D',\n 'ratail': '\\u291A',\n 'ratio': '\\u2236',\n 'rbbrk': '\\u2773',\n 'rbrace': '\\u007D',\n 'rcub': '\\u007D',\n 'rbrack': '\\u005D',\n 'rsqb': '\\u005D',\n 'rbrke': '\\u298C',\n 'rbrksld': '\\u298E',\n 'rbrkslu': '\\u2990',\n 'rcaron': '\\u0159',\n 'rcedil': '\\u0157',\n 'rcy': '\\u0440',\n 'rdca': '\\u2937',\n 'rdldhar': '\\u2969',\n 'rdsh': '\\u21B3',\n 'rect': '\\u25AD',\n 'rfisht': '\\u297D',\n 'rfr': '\\uD835\\uDD2F',\n 'rharul': '\\u296C',\n 'rho': '\\u03C1',\n 'rhov': '\\u03F1',\n 'varrho': '\\u03F1',\n 'rightrightarrows': '\\u21C9',\n 'rrarr': '\\u21C9',\n 'rightthreetimes': '\\u22CC',\n 'rthree': '\\u22CC',\n 'ring': '\\u02DA',\n 'rlm': '\\u200F',\n 'rmoust': '\\u23B1',\n 'rmoustache': '\\u23B1',\n 'rnmid': '\\u2AEE',\n 'roang': '\\u27ED',\n 'roarr': '\\u21FE',\n 'ropar': '\\u2986',\n 'ropf': '\\uD835\\uDD63',\n 'roplus': '\\u2A2E',\n 'rotimes': '\\u2A35',\n 'rpar': '\\u0029',\n 'rpargt': '\\u2994',\n 'rppolint': '\\u2A12',\n 'rsaquo': '\\u203A',\n 'rscr': '\\uD835\\uDCC7',\n 'rtimes': '\\u22CA',\n 'rtri': '\\u25B9',\n 'triangleright': '\\u25B9',\n 'rtriltri': '\\u29CE',\n 'ruluhar': '\\u2968',\n 'rx': '\\u211E',\n 'sacute': '\\u015B',\n 'scE': '\\u2AB4',\n 'scap': '\\u2AB8',\n 'succapprox': '\\u2AB8',\n 'scaron': '\\u0161',\n 'scedil': '\\u015F',\n 'scirc': '\\u015D',\n 'scnE': '\\u2AB6',\n 'succneqq': '\\u2AB6',\n 'scnap': '\\u2ABA',\n 'succnapprox': '\\u2ABA',\n 'scnsim': '\\u22E9',\n 'succnsim': '\\u22E9',\n 'scpolint': '\\u2A13',\n 'scy': '\\u0441',\n 'sdot': '\\u22C5',\n 'sdote': '\\u2A66',\n 'seArr': '\\u21D8',\n 'sect': '\\u00A7',\n 'semi': '\\u003B',\n 'seswar': '\\u2929',\n 'tosa': '\\u2929',\n 'sext': '\\u2736',\n 'sfr': '\\uD835\\uDD30',\n 'sharp': '\\u266F',\n 'shchcy': '\\u0449',\n 'shcy': '\\u0448',\n 'shy': '\\u00AD',\n 'sigma': '\\u03C3',\n 'sigmaf': '\\u03C2',\n 'sigmav': '\\u03C2',\n 'varsigma': '\\u03C2',\n 'simdot': '\\u2A6A',\n 'simg': '\\u2A9E',\n 'simgE': '\\u2AA0',\n 'siml': '\\u2A9D',\n 'simlE': '\\u2A9F',\n 'simne': '\\u2246',\n 'simplus': '\\u2A24',\n 'simrarr': '\\u2972',\n 'smashp': '\\u2A33',\n 'smeparsl': '\\u29E4',\n 'smile': '\\u2323',\n 'ssmile': '\\u2323',\n 'smt': '\\u2AAA',\n 'smte': '\\u2AAC',\n 'smtes': '\\u2AAC\\uFE00',\n 'softcy': '\\u044C',\n 'sol': '\\u002F',\n 'solb': '\\u29C4',\n 'solbar': '\\u233F',\n 'sopf': '\\uD835\\uDD64',\n 'spades': '\\u2660',\n 'spadesuit': '\\u2660',\n 'sqcaps': '\\u2293\\uFE00',\n 'sqcups': '\\u2294\\uFE00',\n 'sscr': '\\uD835\\uDCC8',\n 'star': '\\u2606',\n 'sub': '\\u2282',\n 'subset': '\\u2282',\n 'subE': '\\u2AC5',\n 'subseteqq': '\\u2AC5',\n 'subdot': '\\u2ABD',\n 'subedot': '\\u2AC3',\n 'submult': '\\u2AC1',\n 'subnE': '\\u2ACB',\n 'subsetneqq': '\\u2ACB',\n 'subne': '\\u228A',\n 'subsetneq': '\\u228A',\n 'subplus': '\\u2ABF',\n 'subrarr': '\\u2979',\n 'subsim': '\\u2AC7',\n 'subsub': '\\u2AD5',\n 'subsup': '\\u2AD3',\n 'sung': '\\u266A',\n 'sup1': '\\u00B9',\n 'sup2': '\\u00B2',\n 'sup3': '\\u00B3',\n 'supE': '\\u2AC6',\n 'supseteqq': '\\u2AC6',\n 'supdot': '\\u2ABE',\n 'supdsub': '\\u2AD8',\n 'supedot': '\\u2AC4',\n 'suphsol': '\\u27C9',\n 'suphsub': '\\u2AD7',\n 'suplarr': '\\u297B',\n 'supmult': '\\u2AC2',\n 'supnE': '\\u2ACC',\n 'supsetneqq': '\\u2ACC',\n 'supne': '\\u228B',\n 'supsetneq': '\\u228B',\n 'supplus': '\\u2AC0',\n 'supsim': '\\u2AC8',\n 'supsub': '\\u2AD4',\n 'supsup': '\\u2AD6',\n 'swArr': '\\u21D9',\n 'swnwar': '\\u292A',\n 'szlig': '\\u00DF',\n 'target': '\\u2316',\n 'tau': '\\u03C4',\n 'tcaron': '\\u0165',\n 'tcedil': '\\u0163',\n 'tcy': '\\u0442',\n 'telrec': '\\u2315',\n 'tfr': '\\uD835\\uDD31',\n 'theta': '\\u03B8',\n 'thetasym': '\\u03D1',\n 'thetav': '\\u03D1',\n 'vartheta': '\\u03D1',\n 'thorn': '\\u00FE',\n 'times': '\\u00D7',\n 'timesbar': '\\u2A31',\n 'timesd': '\\u2A30',\n 'topbot': '\\u2336',\n 'topcir': '\\u2AF1',\n 'topf': '\\uD835\\uDD65',\n 'topfork': '\\u2ADA',\n 'tprime': '\\u2034',\n 'triangle': '\\u25B5',\n 'utri': '\\u25B5',\n 'triangleq': '\\u225C',\n 'trie': '\\u225C',\n 'tridot': '\\u25EC',\n 'triminus': '\\u2A3A',\n 'triplus': '\\u2A39',\n 'trisb': '\\u29CD',\n 'tritime': '\\u2A3B',\n 'trpezium': '\\u23E2',\n 'tscr': '\\uD835\\uDCC9',\n 'tscy': '\\u0446',\n 'tshcy': '\\u045B',\n 'tstrok': '\\u0167',\n 'uHar': '\\u2963',\n 'uacute': '\\u00FA',\n 'ubrcy': '\\u045E',\n 'ubreve': '\\u016D',\n 'ucirc': '\\u00FB',\n 'ucy': '\\u0443',\n 'udblac': '\\u0171',\n 'ufisht': '\\u297E',\n 'ufr': '\\uD835\\uDD32',\n 'ugrave': '\\u00F9',\n 'uhblk': '\\u2580',\n 'ulcorn': '\\u231C',\n 'ulcorner': '\\u231C',\n 'ulcrop': '\\u230F',\n 'ultri': '\\u25F8',\n 'umacr': '\\u016B',\n 'uogon': '\\u0173',\n 'uopf': '\\uD835\\uDD66',\n 'upsi': '\\u03C5',\n 'upsilon': '\\u03C5',\n 'upuparrows': '\\u21C8',\n 'uuarr': '\\u21C8',\n 'urcorn': '\\u231D',\n 'urcorner': '\\u231D',\n 'urcrop': '\\u230E',\n 'uring': '\\u016F',\n 'urtri': '\\u25F9',\n 'uscr': '\\uD835\\uDCCA',\n 'utdot': '\\u22F0',\n 'utilde': '\\u0169',\n 'uuml': '\\u00FC',\n 'uwangle': '\\u29A7',\n 'vBar': '\\u2AE8',\n 'vBarv': '\\u2AE9',\n 'vangrt': '\\u299C',\n 'varsubsetneq': '\\u228A\\uFE00',\n 'vsubne': '\\u228A\\uFE00',\n 'varsubsetneqq': '\\u2ACB\\uFE00',\n 'vsubnE': '\\u2ACB\\uFE00',\n 'varsupsetneq': '\\u228B\\uFE00',\n 'vsupne': '\\u228B\\uFE00',\n 'varsupsetneqq': '\\u2ACC\\uFE00',\n 'vsupnE': '\\u2ACC\\uFE00',\n 'vcy': '\\u0432',\n 'veebar': '\\u22BB',\n 'veeeq': '\\u225A',\n 'vellip': '\\u22EE',\n 'vfr': '\\uD835\\uDD33',\n 'vopf': '\\uD835\\uDD67',\n 'vscr': '\\uD835\\uDCCB',\n 'vzigzag': '\\u299A',\n 'wcirc': '\\u0175',\n 'wedbar': '\\u2A5F',\n 'wedgeq': '\\u2259',\n 'weierp': '\\u2118',\n 'wp': '\\u2118',\n 'wfr': '\\uD835\\uDD34',\n 'wopf': '\\uD835\\uDD68',\n 'wscr': '\\uD835\\uDCCC',\n 'xfr': '\\uD835\\uDD35',\n 'xi': '\\u03BE',\n 'xnis': '\\u22FB',\n 'xopf': '\\uD835\\uDD69',\n 'xscr': '\\uD835\\uDCCD',\n 'yacute': '\\u00FD',\n 'yacy': '\\u044F',\n 'ycirc': '\\u0177',\n 'ycy': '\\u044B',\n 'yen': '\\u00A5',\n 'yfr': '\\uD835\\uDD36',\n 'yicy': '\\u0457',\n 'yopf': '\\uD835\\uDD6A',\n 'yscr': '\\uD835\\uDCCE',\n 'yucy': '\\u044E',\n 'yuml': '\\u00FF',\n 'zacute': '\\u017A',\n 'zcaron': '\\u017E',\n 'zcy': '\\u0437',\n 'zdot': '\\u017C',\n 'zeta': '\\u03B6',\n 'zfr': '\\uD835\\uDD37',\n 'zhcy': '\\u0436',\n 'zigrarr': '\\u21DD',\n 'zopf': '\\uD835\\uDD6B',\n 'zscr': '\\uD835\\uDCCF',\n 'zwj': '\\u200D',\n 'zwnj': '\\u200C'\n};\n// The &ngsp; pseudo-entity is denoting a space.\n// 0xE500 is a PUA (Private Use Areas) unicode character\n// This is inspired by the Angular Dart implementation.\nconst NGSP_UNICODE = '\\uE500';\nNAMED_ENTITIES['ngsp'] = NGSP_UNICODE;\n\nclass TokenError extends ParseError {\n constructor(errorMsg, tokenType, span) {\n super(span, errorMsg);\n this.tokenType = tokenType;\n }\n}\nclass TokenizeResult {\n constructor(tokens, errors, nonNormalizedIcuExpressions) {\n this.tokens = tokens;\n this.errors = errors;\n this.nonNormalizedIcuExpressions = nonNormalizedIcuExpressions;\n }\n}\nfunction tokenize(source, url, getTagDefinition, options = {}) {\n const tokenizer = new _Tokenizer(new ParseSourceFile(source, url), getTagDefinition, options);\n tokenizer.tokenize();\n return new TokenizeResult(mergeTextTokens(tokenizer.tokens), tokenizer.errors, tokenizer.nonNormalizedIcuExpressions);\n}\nconst _CR_OR_CRLF_REGEXP = /\\r\\n?/g;\nfunction _unexpectedCharacterErrorMsg(charCode) {\n const char = charCode === $EOF ? 'EOF' : String.fromCharCode(charCode);\n return `Unexpected character \"${char}\"`;\n}\nfunction _unknownEntityErrorMsg(entitySrc) {\n return `Unknown entity \"${entitySrc}\" - use the \"&#<decimal>;\" or \"&#x<hex>;\" syntax`;\n}\nfunction _unparsableEntityErrorMsg(type, entityStr) {\n return `Unable to parse entity \"${entityStr}\" - ${type} character reference entities must end with \";\"`;\n}\nvar CharacterReferenceType;\n(function (CharacterReferenceType) {\n CharacterReferenceType[\"HEX\"] = \"hexadecimal\";\n CharacterReferenceType[\"DEC\"] = \"decimal\";\n})(CharacterReferenceType || (CharacterReferenceType = {}));\nclass _ControlFlowError {\n constructor(error) {\n this.error = error;\n }\n}\n// See https://www.w3.org/TR/html51/syntax.html#writing-html-documents\nclass _Tokenizer {\n /**\n * @param _file The html source file being tokenized.\n * @param _getTagDefinition A function that will retrieve a tag definition for a given tag name.\n * @param options Configuration of the tokenization.\n */\n constructor(_file, _getTagDefinition, options) {\n this._getTagDefinition = _getTagDefinition;\n this._currentTokenStart = null;\n this._currentTokenType = null;\n this._expansionCaseStack = [];\n this._inInterpolation = false;\n this.tokens = [];\n this.errors = [];\n this.nonNormalizedIcuExpressions = [];\n this._tokenizeIcu = options.tokenizeExpansionForms || false;\n this._interpolationConfig = options.interpolationConfig || DEFAULT_INTERPOLATION_CONFIG;\n this._leadingTriviaCodePoints =\n options.leadingTriviaChars && options.leadingTriviaChars.map(c => c.codePointAt(0) || 0);\n const range = options.range || { endPos: _file.content.length, startPos: 0, startLine: 0, startCol: 0 };\n this._cursor = options.escapedString ? new EscapedCharacterCursor(_file, range) :\n new PlainCharacterCursor(_file, range);\n this._preserveLineEndings = options.preserveLineEndings || false;\n this._i18nNormalizeLineEndingsInICUs = options.i18nNormalizeLineEndingsInICUs || false;\n this._tokenizeBlocks = options.tokenizeBlocks || false;\n try {\n this._cursor.init();\n }\n catch (e) {\n this.handleError(e);\n }\n }\n _processCarriageReturns(content) {\n if (this._preserveLineEndings) {\n return content;\n }\n // https://www.w3.org/TR/html51/syntax.html#preprocessing-the-input-stream\n // In order to keep the original position in the source, we can not\n // pre-process it.\n // Instead CRs are processed right before instantiating the tokens.\n return content.replace(_CR_OR_CRLF_REGEXP, '\\n');\n }\n tokenize() {\n while (this._cursor.peek() !== $EOF) {\n const start = this._cursor.clone();\n try {\n if (this._attemptCharCode($LT)) {\n if (this._attemptCharCode($BANG)) {\n if (this._attemptCharCode($LBRACKET)) {\n this._consumeCdata(start);\n }\n else if (this._attemptCharCode($MINUS)) {\n this._consumeComment(start);\n }\n else {\n this._consumeDocType(start);\n }\n }\n else if (this._attemptCharCode($SLASH)) {\n this._consumeTagClose(start);\n }\n else {\n this._consumeTagOpen(start);\n }\n }\n else if (this._tokenizeBlocks && this._attemptStr('{#')) {\n this._consumeBlockGroupOpen(start);\n }\n else if (this._tokenizeBlocks && this._attemptStr('{/')) {\n this._consumeBlockGroupClose(start);\n }\n else if (this._tokenizeBlocks && this._attemptStr('{:')) {\n this._consumeBlock(start);\n }\n else if (!(this._tokenizeIcu && this._tokenizeExpansionForm())) {\n // In (possibly interpolated) text the end of the text is given by `isTextEnd()`, while\n // the premature end of an interpolation is given by the start of a new HTML element.\n this._consumeWithInterpolation(5 /* TokenType.TEXT */, 8 /* TokenType.INTERPOLATION */, () => this._isTextEnd(), () => this._isTagStart());\n }\n }\n catch (e) {\n this.handleError(e);\n }\n }\n this._beginToken(24 /* TokenType.EOF */);\n this._endToken([]);\n }\n _consumeBlockGroupOpen(start) {\n this._beginToken(25 /* TokenType.BLOCK_GROUP_OPEN_START */, start);\n const nameCursor = this._cursor.clone();\n this._attemptCharCodeUntilFn(code => !isBlockNameChar(code));\n this._endToken([this._cursor.getChars(nameCursor)]);\n this._consumeBlockParameters();\n this._beginToken(26 /* TokenType.BLOCK_GROUP_OPEN_END */);\n this._requireCharCode($RBRACE);\n this._endToken([]);\n }\n _consumeBlockGroupClose(start) {\n this._beginToken(27 /* TokenType.BLOCK_GROUP_CLOSE */, start);\n const nameCursor = this._cursor.clone();\n this._attemptCharCodeUntilFn(code => !isBlockNameChar(code));\n const name = this._cursor.getChars(nameCursor);\n this._requireCharCode($RBRACE);\n this._endToken([name]);\n }\n _consumeBlock(start) {\n this._beginToken(29 /* TokenType.BLOCK_OPEN_START */, start);\n const nameCursor = this._cursor.clone();\n this._attemptCharCodeUntilFn(code => !isBlockNameChar(code));\n this._endToken([this._cursor.getChars(nameCursor)]);\n this._consumeBlockParameters();\n this._beginToken(30 /* TokenType.BLOCK_OPEN_END */);\n this._requireCharCode($RBRACE);\n this._endToken([]);\n }\n _consumeBlockParameters() {\n // Trim the whitespace until the first parameter.\n this._attemptCharCodeUntilFn(isBlockParameterChar);\n while (this._cursor.peek() !== $RBRACE && this._cursor.peek() !== $EOF) {\n this._beginToken(28 /* TokenType.BLOCK_PARAMETER */);\n const start = this._cursor.clone();\n let inQuote = null;\n let openBraces = 0;\n // Consume the parameter until the next semicolon or brace.\n // Note that we skip over semicolons/braces inside of strings.\n while ((this._cursor.peek() !== $SEMICOLON && this._cursor.peek() !== $EOF) ||\n inQuote !== null) {\n const char = this._cursor.peek();\n // Skip to the next character if it was escaped.\n if (char === $BACKSLASH) {\n this._cursor.advance();\n }\n else if (char === inQuote) {\n inQuote = null;\n }\n else if (inQuote === null && isQuote(char)) {\n inQuote = char;\n }\n else if (char === $LBRACE && inQuote === null) {\n openBraces++;\n }\n else if (char === $RBRACE && inQuote === null) {\n if (openBraces === 0) {\n break;\n }\n else if (openBraces > 0) {\n openBraces--;\n }\n }\n this._cursor.advance();\n }\n this._endToken([this._cursor.getChars(start)]);\n // Skip to the next parameter.\n this._attemptCharCodeUntilFn(isBlockParameterChar);\n }\n }\n /**\n * @returns whether an ICU token has been created\n * @internal\n */\n _tokenizeExpansionForm() {\n if (this.isExpansionFormStart()) {\n this._consumeExpansionFormStart();\n return true;\n }\n if (isExpansionCaseStart(this._cursor.peek()) && this._isInExpansionForm()) {\n this._consumeExpansionCaseStart();\n return true;\n }\n if (this._cursor.peek() === $RBRACE) {\n if (this._isInExpansionCase()) {\n this._consumeExpansionCaseEnd();\n return true;\n }\n if (this._isInExpansionForm()) {\n this._consumeExpansionFormEnd();\n return true;\n }\n }\n return false;\n }\n _beginToken(type, start = this._cursor.clone()) {\n this._currentTokenStart = start;\n this._currentTokenType = type;\n }\n _endToken(parts, end) {\n if (this._currentTokenStart === null) {\n throw new TokenError('Programming error - attempted to end a token when there was no start to the token', this._currentTokenType, this._cursor.getSpan(end));\n }\n if (this._currentTokenType === null) {\n throw new TokenError('Programming error - attempted to end a token which has no token type', null, this._cursor.getSpan(this._currentTokenStart));\n }\n const token = {\n type: this._currentTokenType,\n parts,\n sourceSpan: (end ?? this._cursor).getSpan(this._currentTokenStart, this._leadingTriviaCodePoints),\n };\n this.tokens.push(token);\n this._currentTokenStart = null;\n this._currentTokenType = null;\n return token;\n }\n _createError(msg, span) {\n if (this._isInExpansionForm()) {\n msg += ` (Do you have an unescaped \"{\" in your template? Use \"{{ '{' }}\") to escape it.)`;\n }\n const error = new TokenError(msg, this._currentTokenType, span);\n this._currentTokenStart = null;\n this._currentTokenType = null;\n return new _ControlFlowError(error);\n }\n handleError(e) {\n if (e instanceof CursorError) {\n e = this._createError(e.msg, this._cursor.getSpan(e.cursor));\n }\n if (e instanceof _ControlFlowError) {\n this.errors.push(e.error);\n }\n else {\n throw e;\n }\n }\n _attemptCharCode(charCode) {\n if (this._cursor.peek() === charCode) {\n this._cursor.advance();\n return true;\n }\n return false;\n }\n _attemptCharCodeCaseInsensitive(charCode) {\n if (compareCharCodeCaseInsensitive(this._cursor.peek(), charCode)) {\n this._cursor.advance();\n return true;\n }\n return false;\n }\n _requireCharCode(charCode) {\n const location = this._cursor.clone();\n if (!this._attemptCharCode(charCode)) {\n throw this._createError(_unexpectedCharacterErrorMsg(this._cursor.peek()), this._cursor.getSpan(location));\n }\n }\n _attemptStr(chars) {\n const len = chars.length;\n if (this._cursor.charsLeft() < len) {\n return false;\n }\n const initialPosition = this._cursor.clone();\n for (let i = 0; i < len; i++) {\n if (!this._attemptCharCode(chars.charCodeAt(i))) {\n // If attempting to parse the string fails, we want to reset the parser\n // to where it was before the attempt\n this._cursor = initialPosition;\n return false;\n }\n }\n return true;\n }\n _attemptStrCaseInsensitive(chars) {\n for (let i = 0; i < chars.length; i++) {\n if (!this._attemptCharCodeCaseInsensitive(chars.charCodeAt(i))) {\n return false;\n }\n }\n return true;\n }\n _requireStr(chars) {\n const location = this._cursor.clone();\n if (!this._attemptStr(chars)) {\n throw this._createError(_unexpectedCharacterErrorMsg(this._cursor.peek()), this._cursor.getSpan(location));\n }\n }\n _attemptCharCodeUntilFn(predicate) {\n while (!predicate(this._cursor.peek())) {\n this._cursor.advance();\n }\n }\n _requireCharCodeUntilFn(predicate, len) {\n const start = this._cursor.clone();\n this._attemptCharCodeUntilFn(predicate);\n if (this._cursor.diff(start) < len) {\n throw this._createError(_unexpectedCharacterErrorMsg(this._cursor.peek()), this._cursor.getSpan(start));\n }\n }\n _attemptUntilChar(char) {\n while (this._cursor.peek() !== char) {\n this._cursor.advance();\n }\n }\n _readChar() {\n // Don't rely upon reading directly from `_input` as the actual char value\n // may have been generated from an escape sequence.\n const char = String.fromCodePoint(this._cursor.peek());\n this._cursor.advance();\n return char;\n }\n _consumeEntity(textTokenType) {\n this._beginToken(9 /* TokenType.ENCODED_ENTITY */);\n const start = this._cursor.clone();\n this._cursor.advance();\n if (this._attemptCharCode($HASH)) {\n const isHex = this._attemptCharCode($x) || this._attemptCharCode($X);\n const codeStart = this._cursor.clone();\n this._attemptCharCodeUntilFn(isDigitEntityEnd);\n if (this._cursor.peek() != $SEMICOLON) {\n // Advance cursor to include the peeked character in the string provided to the error\n // message.\n this._cursor.advance();\n const entityType = isHex ? CharacterReferenceType.HEX : CharacterReferenceType.DEC;\n throw this._createError(_unparsableEntityErrorMsg(entityType, this._cursor.getChars(start)), this._cursor.getSpan());\n }\n const strNum = this._cursor.getChars(codeStart);\n this._cursor.advance();\n try {\n const charCode = parseInt(strNum, isHex ? 16 : 10);\n this._endToken([String.fromCharCode(charCode), this._cursor.getChars(start)]);\n }\n catch {\n throw this._createError(_unknownEntityErrorMsg(this._cursor.getChars(start)), this._cursor.getSpan());\n }\n }\n else {\n const nameStart = this._cursor.clone();\n this._attemptCharCodeUntilFn(isNamedEntityEnd);\n if (this._cursor.peek() != $SEMICOLON) {\n // No semicolon was found so abort the encoded entity token that was in progress, and treat\n // this as a text token\n this._beginToken(textTokenType, start);\n this._cursor = nameStart;\n this._endToken(['&']);\n }\n else {\n const name = this._cursor.getChars(nameStart);\n this._cursor.advance();\n const char = NAMED_ENTITIES[name];\n if (!char) {\n throw this._createError(_unknownEntityErrorMsg(name), this._cursor.getSpan(start));\n }\n this._endToken([char, `&${name};`]);\n }\n }\n }\n _consumeRawText(consumeEntities, endMarkerPredicate) {\n this._beginToken(consumeEntities ? 6 /* TokenType.ESCAPABLE_RAW_TEXT */ : 7 /* TokenType.RAW_TEXT */);\n const parts = [];\n while (true) {\n const tagCloseStart = this._cursor.clone();\n const foundEndMarker = endMarkerPredicate();\n this._cursor = tagCloseStart;\n if (foundEndMarker) {\n break;\n }\n if (consumeEntities && this._cursor.peek() === $AMPERSAND) {\n this._endToken([this._processCarriageReturns(parts.join(''))]);\n parts.length = 0;\n this._consumeEntity(6 /* TokenType.ESCAPABLE_RAW_TEXT */);\n this._beginToken(6 /* TokenType.ESCAPABLE_RAW_TEXT */);\n }\n else {\n parts.push(this._readChar());\n }\n }\n this._endToken([this._processCarriageReturns(parts.join(''))]);\n }\n _consumeComment(start) {\n this._beginToken(10 /* TokenType.COMMENT_START */, start);\n this._requireCharCode($MINUS);\n this._endToken([]);\n this._consumeRawText(false, () => this._attemptStr('-->'));\n this._beginToken(11 /* TokenType.COMMENT_END */);\n this._requireStr('-->');\n this._endToken([]);\n }\n _consumeCdata(start) {\n this._beginToken(12 /* TokenType.CDATA_START */, start);\n this._requireStr('CDATA[');\n this._endToken([]);\n this._consumeRawText(false, () => this._attemptStr(']]>'));\n this._beginToken(13 /* TokenType.CDATA_END */);\n this._requireStr(']]>');\n this._endToken([]);\n }\n _consumeDocType(start) {\n this._beginToken(18 /* TokenType.DOC_TYPE */, start);\n const contentStart = this._cursor.clone();\n this._attemptUntilChar($GT);\n const content = this._cursor.getChars(contentStart);\n this._cursor.advance();\n this._endToken([content]);\n }\n _consumePrefixAndName() {\n const nameOrPrefixStart = this._cursor.clone();\n let prefix = '';\n while (this._cursor.peek() !== $COLON && !isPrefixEnd(this._cursor.peek())) {\n this._cursor.advance();\n }\n let nameStart;\n if (this._cursor.peek() === $COLON) {\n prefix = this._cursor.getChars(nameOrPrefixStart);\n this._cursor.advance();\n nameStart = this._cursor.clone();\n }\n else {\n nameStart = nameOrPrefixStart;\n }\n this._requireCharCodeUntilFn(isNameEnd, prefix === '' ? 0 : 1);\n const name = this._cursor.getChars(nameStart);\n return [prefix, name];\n }\n _consumeTagOpen(start) {\n let tagName;\n let prefix;\n let openTagToken;\n try {\n if (!isAsciiLetter(this._cursor.peek())) {\n throw this._createError(_unexpectedCharacterErrorMsg(this._cursor.peek()), this._cursor.getSpan(start));\n }\n openTagToken = this._consumeTagOpenStart(start);\n prefix = openTagToken.parts[0];\n tagName = openTagToken.parts[1];\n this._attemptCharCodeUntilFn(isNotWhitespace);\n while (this._cursor.peek() !== $SLASH && this._cursor.peek() !== $GT &&\n this._cursor.peek() !== $LT && this._cursor.peek() !== $EOF) {\n this._consumeAttributeName();\n this._attemptCharCodeUntilFn(isNotWhitespace);\n if (this._attemptCharCode($EQ)) {\n this._attemptCharCodeUntilFn(isNotWhitespace);\n this._consumeAttributeValue();\n }\n this._attemptCharCodeUntilFn(isNotWhitespace);\n }\n this._consumeTagOpenEnd();\n }\n catch (e) {\n if (e instanceof _ControlFlowError) {\n if (openTagToken) {\n // We errored before we could close the opening tag, so it is incomplete.\n openTagToken.type = 4 /* TokenType.INCOMPLETE_TAG_OPEN */;\n }\n else {\n // When the start tag is invalid, assume we want a \"<\" as text.\n // Back to back text tokens are merged at the end.\n this._beginToken(5 /* TokenType.TEXT */, start);\n this._endToken(['<']);\n }\n return;\n }\n throw e;\n }\n const contentTokenType = this._getTagDefinition(tagName).getContentType(prefix);\n if (contentTokenType === TagContentType.RAW_TEXT) {\n this._consumeRawTextWithTagClose(prefix, tagName, false);\n }\n else if (contentTokenType === TagContentType.ESCAPABLE_RAW_TEXT) {\n this._consumeRawTextWithTagClose(prefix, tagName, true);\n }\n }\n _consumeRawTextWithTagClose(prefix, tagName, consumeEntities) {\n this._consumeRawText(consumeEntities, () => {\n if (!this._attemptCharCode($LT))\n return false;\n if (!this._attemptCharCode($SLASH))\n return false;\n this._attemptCharCodeUntilFn(isNotWhitespace);\n if (!this._attemptStrCaseInsensitive(tagName))\n return false;\n this._attemptCharCodeUntilFn(isNotWhitespace);\n return this._attemptCharCode($GT);\n });\n this._beginToken(3 /* TokenType.TAG_CLOSE */);\n this._requireCharCodeUntilFn(code => code === $GT, 3);\n this._cursor.advance(); // Consume the `>`\n this._endToken([prefix, tagName]);\n }\n _consumeTagOpenStart(start) {\n this._beginToken(0 /* TokenType.TAG_OPEN_START */, start);\n const parts = this._consumePrefixAndName();\n return this._endToken(parts);\n }\n _consumeAttributeName() {\n const attrNameStart = this._cursor.peek();\n if (attrNameStart === $SQ || attrNameStart === $DQ) {\n throw this._createError(_unexpectedCharacterErrorMsg(attrNameStart), this._cursor.getSpan());\n }\n this._beginToken(14 /* TokenType.ATTR_NAME */);\n const prefixAndName = this._consumePrefixAndName();\n this._endToken(prefixAndName);\n }\n _consumeAttributeValue() {\n if (this._cursor.peek() === $SQ || this._cursor.peek() === $DQ) {\n const quoteChar = this._cursor.peek();\n this._consumeQuote(quoteChar);\n // In an attribute then end of the attribute value and the premature end to an interpolation\n // are both triggered by the `quoteChar`.\n const endPredicate = () => this._cursor.peek() === quoteChar;\n this._consumeWithInterpolation(16 /* TokenType.ATTR_VALUE_TEXT */, 17 /* TokenType.ATTR_VALUE_INTERPOLATION */, endPredicate, endPredicate);\n this._consumeQuote(quoteChar);\n }\n else {\n const endPredicate = () => isNameEnd(this._cursor.peek());\n this._consumeWithInterpolation(16 /* TokenType.ATTR_VALUE_TEXT */, 17 /* TokenType.ATTR_VALUE_INTERPOLATION */, endPredicate, endPredicate);\n }\n }\n _consumeQuote(quoteChar) {\n this._beginToken(15 /* TokenType.ATTR_QUOTE */);\n this._requireCharCode(quoteChar);\n this._endToken([String.fromCodePoint(quoteChar)]);\n }\n _consumeTagOpenEnd() {\n const tokenType = this._attemptCharCode($SLASH) ? 2 /* TokenType.TAG_OPEN_END_VOID */ : 1 /* TokenType.TAG_OPEN_END */;\n this._beginToken(tokenType);\n this._requireCharCode($GT);\n this._endToken([]);\n }\n _consumeTagClose(start) {\n this._beginToken(3 /* TokenType.TAG_CLOSE */, start);\n this._attemptCharCodeUntilFn(isNotWhitespace);\n const prefixAndName = this._consumePrefixAndName();\n this._attemptCharCodeUntilFn(isNotWhitespace);\n this._requireCharCode($GT);\n this._endToken(prefixAndName);\n }\n _consumeExpansionFormStart() {\n this._beginToken(19 /* TokenType.EXPANSION_FORM_START */);\n this._requireCharCode($LBRACE);\n this._endToken([]);\n this._expansionCaseStack.push(19 /* TokenType.EXPANSION_FORM_START */);\n this._beginToken(7 /* TokenType.RAW_TEXT */);\n const condition = this._readUntil($COMMA);\n const normalizedCondition = this._processCarriageReturns(condition);\n if (this._i18nNormalizeLineEndingsInICUs) {\n // We explicitly want to normalize line endings for this text.\n this._endToken([normalizedCondition]);\n }\n else {\n // We are not normalizing line endings.\n const conditionToken = this._endToken([condition]);\n if (normalizedCondition !== condition) {\n this.nonNormalizedIcuExpressions.push(conditionToken);\n }\n }\n this._requireCharCode($COMMA);\n this._attemptCharCodeUntilFn(isNotWhitespace);\n this._beginToken(7 /* TokenType.RAW_TEXT */);\n const type = this._readUntil($COMMA);\n this._endToken([type]);\n this._requireCharCode($COMMA);\n this._attemptCharCodeUntilFn(isNotWhitespace);\n }\n _consumeExpansionCaseStart() {\n this._beginToken(20 /* TokenType.EXPANSION_CASE_VALUE */);\n const value = this._readUntil($LBRACE).trim();\n this._endToken([value]);\n this._attemptCharCodeUntilFn(isNotWhitespace);\n this._beginToken(21 /* TokenType.EXPANSION_CASE_EXP_START */);\n this._requireCharCode($LBRACE);\n this._endToken([]);\n this._attemptCharCodeUntilFn(isNotWhitespace);\n this._expansionCaseStack.push(21 /* TokenType.EXPANSION_CASE_EXP_START */);\n }\n _consumeExpansionCaseEnd() {\n this._beginToken(22 /* TokenType.EXPANSION_CASE_EXP_END */);\n this._requireCharCode($RBRACE);\n this._endToken([]);\n this._attemptCharCodeUntilFn(isNotWhitespace);\n this._expansionCaseStack.pop();\n }\n _consumeExpansionFormEnd() {\n this._beginToken(23 /* TokenType.EXPANSION_FORM_END */);\n this._requireCharCode($RBRACE);\n this._endToken([]);\n this._expansionCaseStack.pop();\n }\n /**\n * Consume a string that may contain interpolation expressions.\n *\n * The first token consumed will be of `tokenType` and then there will be alternating\n * `interpolationTokenType` and `tokenType` tokens until the `endPredicate()` returns true.\n *\n * If an interpolation token ends prematurely it will have no end marker in its `parts` array.\n *\n * @param textTokenType the kind of tokens to interleave around interpolation tokens.\n * @param interpolationTokenType the kind of tokens that contain interpolation.\n * @param endPredicate a function that should return true when we should stop consuming.\n * @param endInterpolation a function that should return true if there is a premature end to an\n * interpolation expression - i.e. before we get to the normal interpolation closing marker.\n */\n _consumeWithInterpolation(textTokenType, interpolationTokenType, endPredicate, endInterpolation) {\n this._beginToken(textTokenType);\n const parts = [];\n while (!endPredicate()) {\n const current = this._cursor.clone();\n if (this._interpolationConfig && this._attemptStr(this._interpolationConfig.start)) {\n this._endToken([this._processCarriageReturns(parts.join(''))], current);\n parts.length = 0;\n this._consumeInterpolation(interpolationTokenType, current, endInterpolation);\n this._beginToken(textTokenType);\n }\n else if (this._cursor.peek() === $AMPERSAND) {\n this._endToken([this._processCarriageReturns(parts.join(''))]);\n parts.length = 0;\n this._consumeEntity(textTokenType);\n this._beginToken(textTokenType);\n }\n else {\n parts.push(this._readChar());\n }\n }\n // It is possible that an interpolation was started but not ended inside this text token.\n // Make sure that we reset the state of the lexer correctly.\n this._inInterpolation = false;\n this._endToken([this._processCarriageReturns(parts.join(''))]);\n }\n /**\n * Consume a block of text that has been interpreted as an Angular interpolation.\n *\n * @param interpolationTokenType the type of the interpolation token to generate.\n * @param interpolationStart a cursor that points to the start of this interpolation.\n * @param prematureEndPredicate a function that should return true if the next characters indicate\n * an end to the interpolation before its normal closing marker.\n */\n _consumeInterpolation(interpolationTokenType, interpolationStart, prematureEndPredicate) {\n const parts = [];\n this._beginToken(interpolationTokenType, interpolationStart);\n parts.push(this._interpolationConfig.start);\n // Find the end of the interpolation, ignoring content inside quotes.\n const expressionStart = this._cursor.clone();\n let inQuote = null;\n let inComment = false;\n while (this._cursor.peek() !== $EOF &&\n (prematureEndPredicate === null || !prematureEndPredicate())) {\n const current = this._cursor.clone();\n if (this._isTagStart()) {\n // We are starting what looks like an HTML element in the middle of this interpolation.\n // Reset the cursor to before the `<` character and end the interpolation token.\n // (This is actually wrong but here for backward compatibility).\n this._cursor = current;\n parts.push(this._getProcessedChars(expressionStart, current));\n this._endToken(parts);\n return;\n }\n if (inQuote === null) {\n if (this._attemptStr(this._interpolationConfig.end)) {\n // We are not in a string, and we hit the end interpolation marker\n parts.push(this._getProcessedChars(expressionStart, current));\n parts.push(this._interpolationConfig.end);\n this._endToken(parts);\n return;\n }\n else if (this._attemptStr('//')) {\n // Once we are in a comment we ignore any quotes\n inComment = true;\n }\n }\n const char = this._cursor.peek();\n this._cursor.advance();\n if (char === $BACKSLASH) {\n // Skip the next character because it was escaped.\n this._cursor.advance();\n }\n else if (char === inQuote) {\n // Exiting the current quoted string\n inQuote = null;\n }\n else if (!inComment && inQuote === null && isQuote(char)) {\n // Entering a new quoted string\n inQuote = char;\n }\n }\n // We hit EOF without finding a closing interpolation marker\n parts.push(this._getProcessedChars(expressionStart, this._cursor));\n this._endToken(parts);\n }\n _getProcessedChars(start, end) {\n return this._processCarriageReturns(end.getChars(start));\n }\n _isTextEnd() {\n if (this._isTagStart() || this._isBlockStart() || this._cursor.peek() === $EOF) {\n return true;\n }\n if (this._tokenizeIcu && !this._inInterpolation) {\n if (this.isExpansionFormStart()) {\n // start of an expansion form\n return true;\n }\n if (this._cursor.peek() === $RBRACE && this._isInExpansionCase()) {\n // end of and expansion case\n return true;\n }\n }\n return false;\n }\n /**\n * Returns true if the current cursor is pointing to the start of a tag\n * (opening/closing/comments/cdata/etc).\n */\n _isTagStart() {\n if (this._cursor.peek() === $LT) {\n // We assume that `<` followed by whitespace is not the start of an HTML element.\n const tmp = this._cursor.clone();\n tmp.advance();\n // If the next character is alphabetic, ! nor / then it is a tag start\n const code = tmp.peek();\n if (($a <= code && code <= $z) || ($A <= code && code <= $Z) ||\n code === $SLASH || code === $BANG) {\n return true;\n }\n }\n return false;\n }\n _isBlockStart() {\n if (this._tokenizeBlocks && this._cursor.peek() === $LBRACE) {\n const tmp = this._cursor.clone();\n // Check that the cursor is on a `{#`, `{/` or `{:`.\n tmp.advance();\n const next = tmp.peek();\n if (next !== $BANG && next !== $SLASH && next !== $COLON) {\n return false;\n }\n // If it is, also verify that the next character is a valid block identifier.\n tmp.advance();\n if (isBlockNameChar(tmp.peek())) {\n return true;\n }\n }\n return false;\n }\n _readUntil(char) {\n const start = this._cursor.clone();\n this._attemptUntilChar(char);\n return this._cursor.getChars(start);\n }\n _isInExpansionCase() {\n return this._expansionCaseStack.length > 0 &&\n this._expansionCaseStack[this._expansionCaseStack.length - 1] ===\n 21 /* TokenType.EXPANSION_CASE_EXP_START */;\n }\n _isInExpansionForm() {\n return this._expansionCaseStack.length > 0 &&\n this._expansionCaseStack[this._expansionCaseStack.length - 1] ===\n 19 /* TokenType.EXPANSION_FORM_START */;\n }\n isExpansionFormStart() {\n if (this._cursor.peek() !== $LBRACE) {\n return false;\n }\n if (this._interpolationConfig) {\n const start = this._cursor.clone();\n const isInterpolation = this._attemptStr(this._interpolationConfig.start);\n this._cursor = start;\n return !isInterpolation;\n }\n return true;\n }\n}\nfunction isNotWhitespace(code) {\n return !isWhitespace(code) || code === $EOF;\n}\nfunction isNameEnd(code) {\n return isWhitespace(code) || code === $GT || code === $LT ||\n code === $SLASH || code === $SQ || code === $DQ || code === $EQ ||\n code === $EOF;\n}\nfunction isPrefixEnd(code) {\n return (code < $a || $z < code) && (code < $A || $Z < code) &&\n (code < $0 || code > $9);\n}\nfunction isDigitEntityEnd(code) {\n return code === $SEMICOLON || code === $EOF || !isAsciiHexDigit(code);\n}\nfunction isNamedEntityEnd(code) {\n return code === $SEMICOLON || code === $EOF || !isAsciiLetter(code);\n}\nfunction isExpansionCaseStart(peek) {\n return peek !== $RBRACE;\n}\nfunction compareCharCodeCaseInsensitive(code1, code2) {\n return toUpperCaseCharCode(code1) === toUpperCaseCharCode(code2);\n}\nfunction toUpperCaseCharCode(code) {\n return code >= $a && code <= $z ? code - $a + $A : code;\n}\nfunction isBlockNameChar(code) {\n return isAsciiLetter(code) || isDigit(code) || code === $_;\n}\nfunction isBlockParameterChar(code) {\n return code !== $SEMICOLON && isNotWhitespace(code);\n}\nfunction mergeTextTokens(srcTokens) {\n const dstTokens = [];\n let lastDstToken = undefined;\n for (let i = 0; i < srcTokens.length; i++) {\n const token = srcTokens[i];\n if ((lastDstToken && lastDstToken.type === 5 /* TokenType.TEXT */ && token.type === 5 /* TokenType.TEXT */) ||\n (lastDstToken && lastDstToken.type === 16 /* TokenType.ATTR_VALUE_TEXT */ &&\n token.type === 16 /* TokenType.ATTR_VALUE_TEXT */)) {\n lastDstToken.parts[0] += token.parts[0];\n lastDstToken.sourceSpan.end = token.sourceSpan.end;\n }\n else {\n lastDstToken = token;\n dstTokens.push(lastDstToken);\n }\n }\n return dstTokens;\n}\nclass PlainCharacterCursor {\n constructor(fileOrCursor, range) {\n if (fileOrCursor instanceof PlainCharacterCursor) {\n this.file = fileOrCursor.file;\n this.input = fileOrCursor.input;\n this.end = fileOrCursor.end;\n const state = fileOrCursor.state;\n // Note: avoid using `{...fileOrCursor.state}` here as that has a severe performance penalty.\n // In ES5 bundles the object spread operator is translated into the `__assign` helper, which\n // is not optimized by VMs as efficiently as a raw object literal. Since this constructor is\n // called in tight loops, this difference matters.\n this.state = {\n peek: state.peek,\n offset: state.offset,\n line: state.line,\n column: state.column,\n };\n }\n else {\n if (!range) {\n throw new Error('Programming error: the range argument must be provided with a file argument.');\n }\n this.file = fileOrCursor;\n this.input = fileOrCursor.content;\n this.end = range.endPos;\n this.state = {\n peek: -1,\n offset: range.startPos,\n line: range.startLine,\n column: range.startCol,\n };\n }\n }\n clone() {\n return new PlainCharacterCursor(this);\n }\n peek() {\n return this.state.peek;\n }\n charsLeft() {\n return this.end - this.state.offset;\n }\n diff(other) {\n return this.state.offset - other.state.offset;\n }\n advance() {\n this.advanceState(this.state);\n }\n init() {\n this.updatePeek(this.state);\n }\n getSpan(start, leadingTriviaCodePoints) {\n start = start || this;\n let fullStart = start;\n if (leadingTriviaCodePoints) {\n while (this.diff(start) > 0 && leadingTriviaCodePoints.indexOf(start.peek()) !== -1) {\n if (fullStart === start) {\n start = start.clone();\n }\n start.advance();\n }\n }\n const startLocation = this.locationFromCursor(start);\n const endLocation = this.locationFromCursor(this);\n const fullStartLocation = fullStart !== start ? this.locationFromCursor(fullStart) : startLocation;\n return new ParseSourceSpan(startLocation, endLocation, fullStartLocation);\n }\n getChars(start) {\n return this.input.substring(start.state.offset, this.state.offset);\n }\n charAt(pos) {\n return this.input.charCodeAt(pos);\n }\n advanceState(state) {\n if (state.offset >= this.end) {\n this.state = state;\n throw new CursorError('Unexpected character \"EOF\"', this);\n }\n const currentChar = this.charAt(state.offset);\n if (currentChar === $LF) {\n state.line++;\n state.column = 0;\n }\n else if (!isNewLine(currentChar)) {\n state.column++;\n }\n state.offset++;\n this.updatePeek(state);\n }\n updatePeek(state) {\n state.peek = state.offset >= this.end ? $EOF : this.charAt(state.offset);\n }\n locationFromCursor(cursor) {\n return new ParseLocation(cursor.file, cursor.state.offset, cursor.state.line, cursor.state.column);\n }\n}\nclass EscapedCharacterCursor extends PlainCharacterCursor {\n constructor(fileOrCursor, range) {\n if (fileOrCursor instanceof EscapedCharacterCursor) {\n super(fileOrCursor);\n this.internalState = { ...fileOrCursor.internalState };\n }\n else {\n super(fileOrCursor, range);\n this.internalState = this.state;\n }\n }\n advance() {\n this.state = this.internalState;\n super.advance();\n this.processEscapeSequence();\n }\n init() {\n super.init();\n this.processEscapeSequence();\n }\n clone() {\n return new EscapedCharacterCursor(this);\n }\n getChars(start) {\n const cursor = start.clone();\n let chars = '';\n while (cursor.internalState.offset < this.internalState.offset) {\n chars += String.fromCodePoint(cursor.peek());\n cursor.advance();\n }\n return chars;\n }\n /**\n * Process the escape sequence that starts at the current position in the text.\n *\n * This method is called to ensure that `peek` has the unescaped value of escape sequences.\n */\n processEscapeSequence() {\n const peek = () => this.internalState.peek;\n if (peek() === $BACKSLASH) {\n // We have hit an escape sequence so we need the internal state to become independent\n // of the external state.\n this.internalState = { ...this.state };\n // Move past the backslash\n this.advanceState(this.internalState);\n // First check for standard control char sequences\n if (peek() === $n) {\n this.state.peek = $LF;\n }\n else if (peek() === $r) {\n this.state.peek = $CR;\n }\n else if (peek() === $v) {\n this.state.peek = $VTAB;\n }\n else if (peek() === $t) {\n this.state.peek = $TAB;\n }\n else if (peek() === $b) {\n this.state.peek = $BSPACE;\n }\n else if (peek() === $f) {\n this.state.peek = $FF;\n }\n // Now consider more complex sequences\n else if (peek() === $u) {\n // Unicode code-point sequence\n this.advanceState(this.internalState); // advance past the `u` char\n if (peek() === $LBRACE) {\n // Variable length Unicode, e.g. `\\x{123}`\n this.advanceState(this.internalState); // advance past the `{` char\n // Advance past the variable number of hex digits until we hit a `}` char\n const digitStart = this.clone();\n let length = 0;\n while (peek() !== $RBRACE) {\n this.advanceState(this.internalState);\n length++;\n }\n this.state.peek = this.decodeHexDigits(digitStart, length);\n }\n else {\n // Fixed length Unicode, e.g. `\\u1234`\n const digitStart = this.clone();\n this.advanceState(this.internalState);\n this.advanceState(this.internalState);\n this.advanceState(this.internalState);\n this.state.peek = this.decodeHexDigits(digitStart, 4);\n }\n }\n else if (peek() === $x) {\n // Hex char code, e.g. `\\x2F`\n this.advanceState(this.internalState); // advance past the `x` char\n const digitStart = this.clone();\n this.advanceState(this.internalState);\n this.state.peek = this.decodeHexDigits(digitStart, 2);\n }\n else if (isOctalDigit(peek())) {\n // Octal char code, e.g. `\\012`,\n let octal = '';\n let length = 0;\n let previous = this.clone();\n while (isOctalDigit(peek()) && length < 3) {\n previous = this.clone();\n octal += String.fromCodePoint(peek());\n this.advanceState(this.internalState);\n length++;\n }\n this.state.peek = parseInt(octal, 8);\n // Backup one char\n this.internalState = previous.internalState;\n }\n else if (isNewLine(this.internalState.peek)) {\n // Line continuation `\\` followed by a new line\n this.advanceState(this.internalState); // advance over the newline\n this.state = this.internalState;\n }\n else {\n // If none of the `if` blocks were executed then we just have an escaped normal character.\n // In that case we just, effectively, skip the backslash from the character.\n this.state.peek = this.internalState.peek;\n }\n }\n }\n decodeHexDigits(start, length) {\n const hex = this.input.slice(start.internalState.offset, start.internalState.offset + length);\n const charCode = parseInt(hex, 16);\n if (!isNaN(charCode)) {\n return charCode;\n }\n else {\n start.state = start.internalState;\n throw new CursorError('Invalid hexadecimal escape sequence', start);\n }\n }\n}\nclass CursorError {\n constructor(msg, cursor) {\n this.msg = msg;\n this.cursor = cursor;\n }\n}\n\nclass TreeError extends ParseError {\n static create(elementName, span, msg) {\n return new TreeError(elementName, span, msg);\n }\n constructor(elementName, span, msg) {\n super(span, msg);\n this.elementName = elementName;\n }\n}\nclass ParseTreeResult {\n constructor(rootNodes, errors) {\n this.rootNodes = rootNodes;\n this.errors = errors;\n }\n}\nclass Parser {\n constructor(getTagDefinition) {\n this.getTagDefinition = getTagDefinition;\n }\n parse(source, url, options) {\n const tokenizeResult = tokenize(source, url, this.getTagDefinition, options);\n const parser = new _TreeBuilder(tokenizeResult.tokens, this.getTagDefinition);\n parser.build();\n return new ParseTreeResult(parser.rootNodes, tokenizeResult.errors.concat(parser.errors));\n }\n}\nclass _TreeBuilder {\n constructor(tokens, getTagDefinition) {\n this.tokens = tokens;\n this.getTagDefinition = getTagDefinition;\n this._index = -1;\n this._containerStack = [];\n this.rootNodes = [];\n this.errors = [];\n this._advance();\n }\n build() {\n while (this._peek.type !== 24 /* TokenType.EOF */) {\n if (this._peek.type === 0 /* TokenType.TAG_OPEN_START */ ||\n this._peek.type === 4 /* TokenType.INCOMPLETE_TAG_OPEN */) {\n this._consumeStartTag(this._advance());\n }\n else if (this._peek.type === 3 /* TokenType.TAG_CLOSE */) {\n this._consumeEndTag(this._advance());\n }\n else if (this._peek.type === 12 /* TokenType.CDATA_START */) {\n this._closeVoidElement();\n this._consumeCdata(this._advance());\n }\n else if (this._peek.type === 10 /* TokenType.COMMENT_START */) {\n this._closeVoidElement();\n this._consumeComment(this._advance());\n }\n else if (this._peek.type === 5 /* TokenType.TEXT */ || this._peek.type === 7 /* TokenType.RAW_TEXT */ ||\n this._peek.type === 6 /* TokenType.ESCAPABLE_RAW_TEXT */) {\n this._closeVoidElement();\n this._consumeText(this._advance());\n }\n else if (this._peek.type === 19 /* TokenType.EXPANSION_FORM_START */) {\n this._consumeExpansion(this._advance());\n }\n else if (this._peek.type === 25 /* TokenType.BLOCK_GROUP_OPEN_START */) {\n this._closeVoidElement();\n this._consumeBlockGroupOpen(this._advance());\n }\n else if (this._peek.type === 29 /* TokenType.BLOCK_OPEN_START */) {\n this._closeVoidElement();\n this._consumeBlock(this._advance(), 30 /* TokenType.BLOCK_OPEN_END */);\n }\n else if (this._peek.type === 27 /* TokenType.BLOCK_GROUP_CLOSE */) {\n this._closeVoidElement();\n this._consumeBlockGroupClose(this._advance());\n }\n else {\n // Skip all other tokens...\n this._advance();\n }\n }\n }\n _advance() {\n const prev = this._peek;\n if (this._index < this.tokens.length - 1) {\n // Note: there is always an EOF token at the end\n this._index++;\n }\n this._peek = this.tokens[this._index];\n return prev;\n }\n _advanceIf(type) {\n if (this._peek.type === type) {\n return this._advance();\n }\n return null;\n }\n _consumeCdata(_startToken) {\n this._consumeText(this._advance());\n this._advanceIf(13 /* TokenType.CDATA_END */);\n }\n _consumeComment(token) {\n const text = this._advanceIf(7 /* TokenType.RAW_TEXT */);\n const endToken = this._advanceIf(11 /* TokenType.COMMENT_END */);\n const value = text != null ? text.parts[0].trim() : null;\n const sourceSpan = endToken == null ?\n token.sourceSpan :\n new ParseSourceSpan(token.sourceSpan.start, endToken.sourceSpan.end, token.sourceSpan.fullStart);\n this._addToParent(new Comment(value, sourceSpan));\n }\n _consumeExpansion(token) {\n const switchValue = this._advance();\n const type = this._advance();\n const cases = [];\n // read =\n while (this._peek.type === 20 /* TokenType.EXPANSION_CASE_VALUE */) {\n const expCase = this._parseExpansionCase();\n if (!expCase)\n return; // error\n cases.push(expCase);\n }\n // read the final }\n if (this._peek.type !== 23 /* TokenType.EXPANSION_FORM_END */) {\n this.errors.push(TreeError.create(null, this._peek.sourceSpan, `Invalid ICU message. Missing '}'.`));\n return;\n }\n const sourceSpan = new ParseSourceSpan(token.sourceSpan.start, this._peek.sourceSpan.end, token.sourceSpan.fullStart);\n this._addToParent(new Expansion(switchValue.parts[0], type.parts[0], cases, sourceSpan, switchValue.sourceSpan));\n this._advance();\n }\n _parseExpansionCase() {\n const value = this._advance();\n // read {\n if (this._peek.type !== 21 /* TokenType.EXPANSION_CASE_EXP_START */) {\n this.errors.push(TreeError.create(null, this._peek.sourceSpan, `Invalid ICU message. Missing '{'.`));\n return null;\n }\n // read until }\n const start = this._advance();\n const exp = this._collectExpansionExpTokens(start);\n if (!exp)\n return null;\n const end = this._advance();\n exp.push({ type: 24 /* TokenType.EOF */, parts: [], sourceSpan: end.sourceSpan });\n // parse everything in between { and }\n const expansionCaseParser = new _TreeBuilder(exp, this.getTagDefinition);\n expansionCaseParser.build();\n if (expansionCaseParser.errors.length > 0) {\n this.errors = this.errors.concat(expansionCaseParser.errors);\n return null;\n }\n const sourceSpan = new ParseSourceSpan(value.sourceSpan.start, end.sourceSpan.end, value.sourceSpan.fullStart);\n const expSourceSpan = new ParseSourceSpan(start.sourceSpan.start, end.sourceSpan.end, start.sourceSpan.fullStart);\n return new ExpansionCase(value.parts[0], expansionCaseParser.rootNodes, sourceSpan, value.sourceSpan, expSourceSpan);\n }\n _collectExpansionExpTokens(start) {\n const exp = [];\n const expansionFormStack = [21 /* TokenType.EXPANSION_CASE_EXP_START */];\n while (true) {\n if (this._peek.type === 19 /* TokenType.EXPANSION_FORM_START */ ||\n this._peek.type === 21 /* TokenType.EXPANSION_CASE_EXP_START */) {\n expansionFormStack.push(this._peek.type);\n }\n if (this._peek.type === 22 /* TokenType.EXPANSION_CASE_EXP_END */) {\n if (lastOnStack(expansionFormStack, 21 /* TokenType.EXPANSION_CASE_EXP_START */)) {\n expansionFormStack.pop();\n if (expansionFormStack.length === 0)\n return exp;\n }\n else {\n this.errors.push(TreeError.create(null, start.sourceSpan, `Invalid ICU message. Missing '}'.`));\n return null;\n }\n }\n if (this._peek.type === 23 /* TokenType.EXPANSION_FORM_END */) {\n if (lastOnStack(expansionFormStack, 19 /* TokenType.EXPANSION_FORM_START */)) {\n expansionFormStack.pop();\n }\n else {\n this.errors.push(TreeError.create(null, start.sourceSpan, `Invalid ICU message. Missing '}'.`));\n return null;\n }\n }\n if (this._peek.type === 24 /* TokenType.EOF */) {\n this.errors.push(TreeError.create(null, start.sourceSpan, `Invalid ICU message. Missing '}'.`));\n return null;\n }\n exp.push(this._advance());\n }\n }\n _consumeText(token) {\n const tokens = [token];\n const startSpan = token.sourceSpan;\n let text = token.parts[0];\n if (text.length > 0 && text[0] === '\\n') {\n const parent = this._getContainer();\n // This is unlikely to happen, but we have an assertion just in case.\n if (parent instanceof BlockGroup) {\n this.errors.push(TreeError.create(null, startSpan, 'Text cannot be placed directly inside of a block group.'));\n return null;\n }\n if (parent != null && parent.children.length === 0 &&\n this.getTagDefinition(parent.name).ignoreFirstLf) {\n text = text.substring(1);\n tokens[0] = { type: token.type, sourceSpan: token.sourceSpan, parts: [text] };\n }\n }\n while (this._peek.type === 8 /* TokenType.INTERPOLATION */ || this._peek.type === 5 /* TokenType.TEXT */ ||\n this._peek.type === 9 /* TokenType.ENCODED_ENTITY */) {\n token = this._advance();\n tokens.push(token);\n if (token.type === 8 /* TokenType.INTERPOLATION */) {\n // For backward compatibility we decode HTML entities that appear in interpolation\n // expressions. This is arguably a bug, but it could be a considerable breaking change to\n // fix it. It should be addressed in a larger project to refactor the entire parser/lexer\n // chain after View Engine has been removed.\n text += token.parts.join('').replace(/&([^;]+);/g, decodeEntity);\n }\n else if (token.type === 9 /* TokenType.ENCODED_ENTITY */) {\n text += token.parts[0];\n }\n else {\n text += token.parts.join('');\n }\n }\n if (text.length > 0) {\n const endSpan = token.sourceSpan;\n this._addToParent(new Text(text, new ParseSourceSpan(startSpan.start, endSpan.end, startSpan.fullStart, startSpan.details), tokens));\n }\n }\n _closeVoidElement() {\n const el = this._getContainer();\n if (el instanceof Element && this.getTagDefinition(el.name).isVoid) {\n this._containerStack.pop();\n }\n }\n _consumeStartTag(startTagToken) {\n const [prefix, name] = startTagToken.parts;\n const attrs = [];\n while (this._peek.type === 14 /* TokenType.ATTR_NAME */) {\n attrs.push(this._consumeAttr(this._advance()));\n }\n const fullName = this._getElementFullName(prefix, name, this._getClosestParentElement());\n let selfClosing = false;\n // Note: There could have been a tokenizer error\n // so that we don't get a token for the end tag...\n if (this._peek.type === 2 /* TokenType.TAG_OPEN_END_VOID */) {\n this._advance();\n selfClosing = true;\n const tagDef = this.getTagDefinition(fullName);\n if (!(tagDef.canSelfClose || getNsPrefix(fullName) !== null || tagDef.isVoid)) {\n this.errors.push(TreeError.create(fullName, startTagToken.sourceSpan, `Only void, custom and foreign elements can be self closed \"${startTagToken.parts[1]}\"`));\n }\n }\n else if (this._peek.type === 1 /* TokenType.TAG_OPEN_END */) {\n this._advance();\n selfClosing = false;\n }\n const end = this._peek.sourceSpan.fullStart;\n const span = new ParseSourceSpan(startTagToken.sourceSpan.start, end, startTagToken.sourceSpan.fullStart);\n // Create a separate `startSpan` because `span` will be modified when there is an `end` span.\n const startSpan = new ParseSourceSpan(startTagToken.sourceSpan.start, end, startTagToken.sourceSpan.fullStart);\n const el = new Element(fullName, attrs, [], span, startSpan, undefined);\n const parentEl = this._getContainer();\n this._pushContainer(el, parentEl instanceof Element &&\n this.getTagDefinition(parentEl.name).isClosedByChild(el.name));\n if (selfClosing) {\n // Elements that are self-closed have their `endSourceSpan` set to the full span, as the\n // element start tag also represents the end tag.\n this._popContainer(fullName, Element, span);\n }\n else if (startTagToken.type === 4 /* TokenType.INCOMPLETE_TAG_OPEN */) {\n // We already know the opening tag is not complete, so it is unlikely it has a corresponding\n // close tag. Let's optimistically parse it as a full element and emit an error.\n this._popContainer(fullName, Element, null);\n this.errors.push(TreeError.create(fullName, span, `Opening tag \"${fullName}\" not terminated.`));\n }\n }\n _pushContainer(node, isClosedByChild) {\n if (isClosedByChild) {\n this._containerStack.pop();\n }\n this._addToParent(node);\n this._containerStack.push(node);\n }\n _consumeEndTag(endTagToken) {\n const fullName = this._getElementFullName(endTagToken.parts[0], endTagToken.parts[1], this._getClosestParentElement());\n if (this.getTagDefinition(fullName).isVoid) {\n this.errors.push(TreeError.create(fullName, endTagToken.sourceSpan, `Void elements do not have end tags \"${endTagToken.parts[1]}\"`));\n }\n else if (!this._popContainer(fullName, Element, endTagToken.sourceSpan)) {\n const errMsg = `Unexpected closing tag \"${fullName}\". It may happen when the tag has already been closed by another tag. For more info see https://www.w3.org/TR/html5/syntax.html#closing-elements-that-have-implied-end-tags`;\n this.errors.push(TreeError.create(fullName, endTagToken.sourceSpan, errMsg));\n }\n }\n /**\n * Closes the nearest element with the tag name `fullName` in the parse tree.\n * `endSourceSpan` is the span of the closing tag, or null if the element does\n * not have a closing tag (for example, this happens when an incomplete\n * opening tag is recovered).\n */\n _popContainer(fullName, expectedType, endSourceSpan) {\n let unexpectedCloseTagDetected = false;\n for (let stackIndex = this._containerStack.length - 1; stackIndex >= 0; stackIndex--) {\n const node = this._containerStack[stackIndex];\n const name = node instanceof BlockGroup ? node.blocks[0]?.name : node.name;\n if (name === fullName && node instanceof expectedType) {\n // Record the parse span with the element that is being closed. Any elements that are\n // removed from the element stack at this point are closed implicitly, so they won't get\n // an end source span (as there is no explicit closing element).\n node.endSourceSpan = endSourceSpan;\n node.sourceSpan.end = endSourceSpan !== null ? endSourceSpan.end : node.sourceSpan.end;\n this._containerStack.splice(stackIndex, this._containerStack.length - stackIndex);\n return !unexpectedCloseTagDetected;\n }\n // Blocks are self-closing while block groups and (most times) elements are not.\n if (node instanceof BlockGroup ||\n node instanceof Element && !this.getTagDefinition(node.name).closedByParent) {\n // Note that we encountered an unexpected close tag but continue processing the element\n // stack so we can assign an `endSourceSpan` if there is a corresponding start tag for this\n // end tag in the stack.\n unexpectedCloseTagDetected = true;\n }\n }\n return false;\n }\n _consumeAttr(attrName) {\n const fullName = mergeNsAndName(attrName.parts[0], attrName.parts[1]);\n let attrEnd = attrName.sourceSpan.end;\n // Consume any quote\n if (this._peek.type === 15 /* TokenType.ATTR_QUOTE */) {\n this._advance();\n }\n // Consume the attribute value\n let value = '';\n const valueTokens = [];\n let valueStartSpan = undefined;\n let valueEnd = undefined;\n // NOTE: We need to use a new variable `nextTokenType` here to hide the actual type of\n // `_peek.type` from TS. Otherwise TS will narrow the type of `_peek.type` preventing it from\n // being able to consider `ATTR_VALUE_INTERPOLATION` as an option. This is because TS is not\n // able to see that `_advance()` will actually mutate `_peek`.\n const nextTokenType = this._peek.type;\n if (nextTokenType === 16 /* TokenType.ATTR_VALUE_TEXT */) {\n valueStartSpan = this._peek.sourceSpan;\n valueEnd = this._peek.sourceSpan.end;\n while (this._peek.type === 16 /* TokenType.ATTR_VALUE_TEXT */ ||\n this._peek.type === 17 /* TokenType.ATTR_VALUE_INTERPOLATION */ ||\n this._peek.type === 9 /* TokenType.ENCODED_ENTITY */) {\n const valueToken = this._advance();\n valueTokens.push(valueToken);\n if (valueToken.type === 17 /* TokenType.ATTR_VALUE_INTERPOLATION */) {\n // For backward compatibility we decode HTML entities that appear in interpolation\n // expressions. This is arguably a bug, but it could be a considerable breaking change to\n // fix it. It should be addressed in a larger project to refactor the entire parser/lexer\n // chain after View Engine has been removed.\n value += valueToken.parts.join('').replace(/&([^;]+);/g, decodeEntity);\n }\n else if (valueToken.type === 9 /* TokenType.ENCODED_ENTITY */) {\n value += valueToken.parts[0];\n }\n else {\n value += valueToken.parts.join('');\n }\n valueEnd = attrEnd = valueToken.sourceSpan.end;\n }\n }\n // Consume any quote\n if (this._peek.type === 15 /* TokenType.ATTR_QUOTE */) {\n const quoteToken = this._advance();\n attrEnd = quoteToken.sourceSpan.end;\n }\n const valueSpan = valueStartSpan && valueEnd &&\n new ParseSourceSpan(valueStartSpan.start, valueEnd, valueStartSpan.fullStart);\n return new Attribute(fullName, value, new ParseSourceSpan(attrName.sourceSpan.start, attrEnd, attrName.sourceSpan.fullStart), attrName.sourceSpan, valueSpan, valueTokens.length > 0 ? valueTokens : undefined, undefined);\n }\n _consumeBlockGroupOpen(token) {\n const end = this._peek.sourceSpan.fullStart;\n const span = new ParseSourceSpan(token.sourceSpan.start, end, token.sourceSpan.fullStart);\n // Create a separate `startSpan` because `span` will be modified when there is an `end` span.\n const startSpan = new ParseSourceSpan(token.sourceSpan.start, end, token.sourceSpan.fullStart);\n const blockGroup = new BlockGroup([], span, startSpan, null);\n this._pushContainer(blockGroup, false);\n const implicitBlock = this._consumeBlock(token, 26 /* TokenType.BLOCK_GROUP_OPEN_END */);\n // Block parameters are consumed as a part of the implicit block so we need to expand the\n // start source span once the block is parsed to include the full opening tag.\n startSpan.end = implicitBlock.startSourceSpan.end;\n }\n _consumeBlock(token, closeToken) {\n // The start of a block implicitly closes the previous block.\n this._conditionallyClosePreviousBlock();\n const parameters = [];\n while (this._peek.type === 28 /* TokenType.BLOCK_PARAMETER */) {\n const paramToken = this._advance();\n parameters.push(new BlockParameter(paramToken.parts[0], paramToken.sourceSpan));\n }\n if (this._peek.type === closeToken) {\n this._advance();\n }\n const end = this._peek.sourceSpan.fullStart;\n const span = new ParseSourceSpan(token.sourceSpan.start, end, token.sourceSpan.fullStart);\n // Create a separate `startSpan` because `span` will be modified when there is an `end` span.\n const startSpan = new ParseSourceSpan(token.sourceSpan.start, end, token.sourceSpan.fullStart);\n const block = new Block(token.parts[0], parameters, [], span, startSpan);\n const parent = this._getContainer();\n if (!(parent instanceof BlockGroup)) {\n this.errors.push(TreeError.create(block.name, block.sourceSpan, 'Blocks can only be placed inside of block groups.'));\n }\n else {\n parent.blocks.push(block);\n this._containerStack.push(block);\n }\n return block;\n }\n _consumeBlockGroupClose(token) {\n const name = token.parts[0];\n const previousContainer = this._getContainer();\n // Blocks are implcitly closed by the block group.\n this._conditionallyClosePreviousBlock();\n if (!this._popContainer(name, BlockGroup, token.sourceSpan)) {\n const context = previousContainer instanceof Element ?\n `There is an unclosed \"${previousContainer.name}\" HTML tag named that may have to be closed first.` :\n `The block may have been closed earlier.`;\n this.errors.push(TreeError.create(name, token.sourceSpan, `Unexpected closing block \"${name}\". ${context}`));\n }\n }\n _conditionallyClosePreviousBlock() {\n const container = this._getContainer();\n if (container instanceof Block) {\n // Blocks don't have an explicit closing tag, they're closed either by the next block or\n // the end of the block group. Infer the end span from the last child node.\n const lastChild = container.children.length ? container.children[container.children.length - 1] : null;\n const endSpan = lastChild === null ?\n null :\n new ParseSourceSpan(lastChild.sourceSpan.end, lastChild.sourceSpan.end);\n this._popContainer(container.name, Block, endSpan);\n }\n }\n _getContainer() {\n return this._containerStack.length > 0 ? this._containerStack[this._containerStack.length - 1] :\n null;\n }\n _getClosestParentElement() {\n for (let i = this._containerStack.length - 1; i > -1; i--) {\n if (this._containerStack[i] instanceof Element) {\n return this._containerStack[i];\n }\n }\n return null;\n }\n _addToParent(node) {\n const parent = this._getContainer();\n if (parent === null) {\n this.rootNodes.push(node);\n }\n else if (parent instanceof BlockGroup) {\n // Due to how parsing is set up, we're unlikely to hit this code path, but we\n // have the assertion here just in case and to satisfy the type checker.\n this.errors.push(TreeError.create(null, node.sourceSpan, 'Block groups can only contain blocks.'));\n }\n else {\n parent.children.push(node);\n }\n }\n _getElementFullName(prefix, localName, parentElement) {\n if (prefix === '') {\n prefix = this.getTagDefinition(localName).implicitNamespacePrefix || '';\n if (prefix === '' && parentElement != null) {\n const parentTagName = splitNsName(parentElement.name)[1];\n const parentTagDefinition = this.getTagDefinition(parentTagName);\n if (!parentTagDefinition.preventNamespaceInheritance) {\n prefix = getNsPrefix(parentElement.name);\n }\n }\n }\n return mergeNsAndName(prefix, localName);\n }\n}\nfunction lastOnStack(stack, element) {\n return stack.length > 0 && stack[stack.length - 1] === element;\n}\n/**\n * Decode the `entity` string, which we believe is the contents of an HTML entity.\n *\n * If the string is not actually a valid/known entity then just return the original `match` string.\n */\nfunction decodeEntity(match, entity) {\n if (NAMED_ENTITIES[entity] !== undefined) {\n return NAMED_ENTITIES[entity] || match;\n }\n if (/^#x[a-f0-9]+$/i.test(entity)) {\n return String.fromCodePoint(parseInt(entity.slice(2), 16));\n }\n if (/^#\\d+$/.test(entity)) {\n return String.fromCodePoint(parseInt(entity.slice(1), 10));\n }\n return match;\n}\n\nclass HtmlParser extends Parser {\n constructor() {\n super(getHtmlTagDefinition);\n }\n parse(source, url, options) {\n return super.parse(source, url, options);\n }\n}\n\nconst PRESERVE_WS_ATTR_NAME = 'ngPreserveWhitespaces';\nconst SKIP_WS_TRIM_TAGS = new Set(['pre', 'template', 'textarea', 'script', 'style']);\n// Equivalent to \\s with \\u00a0 (non-breaking space) excluded.\n// Based on https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/RegExp\nconst WS_CHARS = ' \\f\\n\\r\\t\\v\\u1680\\u180e\\u2000-\\u200a\\u2028\\u2029\\u202f\\u205f\\u3000\\ufeff';\nconst NO_WS_REGEXP = new RegExp(`[^${WS_CHARS}]`);\nconst WS_REPLACE_REGEXP = new RegExp(`[${WS_CHARS}]{2,}`, 'g');\nfunction hasPreserveWhitespacesAttr(attrs) {\n return attrs.some((attr) => attr.name === PRESERVE_WS_ATTR_NAME);\n}\n/**\n * &ngsp; is a placeholder for non-removable space\n * &ngsp; is converted to the 0xE500 PUA (Private Use Areas) unicode character\n * and later on replaced by a space.\n */\nfunction replaceNgsp(value) {\n // lexer is replacing the &ngsp; pseudo-entity with NGSP_UNICODE\n return value.replace(new RegExp(NGSP_UNICODE, 'g'), ' ');\n}\n/**\n * This visitor can walk HTML parse tree and remove / trim text nodes using the following rules:\n * - consider spaces, tabs and new lines as whitespace characters;\n * - drop text nodes consisting of whitespace characters only;\n * - for all other text nodes replace consecutive whitespace characters with one space;\n * - convert &ngsp; pseudo-entity to a single space;\n *\n * Removal and trimming of whitespaces have positive performance impact (less code to generate\n * while compiling templates, faster view creation). At the same time it can be \"destructive\"\n * in some cases (whitespaces can influence layout). Because of the potential of breaking layout\n * this visitor is not activated by default in Angular 5 and people need to explicitly opt-in for\n * whitespace removal. The default option for whitespace removal will be revisited in Angular 6\n * and might be changed to \"on\" by default.\n */\nclass WhitespaceVisitor {\n visitElement(element, context) {\n if (SKIP_WS_TRIM_TAGS.has(element.name) || hasPreserveWhitespacesAttr(element.attrs)) {\n // don't descent into elements where we need to preserve whitespaces\n // but still visit all attributes to eliminate one used as a market to preserve WS\n return new Element(element.name, visitAll(this, element.attrs), element.children, element.sourceSpan, element.startSourceSpan, element.endSourceSpan, element.i18n);\n }\n return new Element(element.name, element.attrs, visitAllWithSiblings(this, element.children), element.sourceSpan, element.startSourceSpan, element.endSourceSpan, element.i18n);\n }\n visitAttribute(attribute, context) {\n return attribute.name !== PRESERVE_WS_ATTR_NAME ? attribute : null;\n }\n visitText(text, context) {\n const isNotBlank = text.value.match(NO_WS_REGEXP);\n const hasExpansionSibling = context &&\n (context.prev instanceof Expansion || context.next instanceof Expansion);\n if (isNotBlank || hasExpansionSibling) {\n // Process the whitespace in the tokens of this Text node\n const tokens = text.tokens.map(token => token.type === 5 /* TokenType.TEXT */ ? createWhitespaceProcessedTextToken(token) : token);\n // Process the whitespace of the value of this Text node\n const value = processWhitespace(text.value);\n return new Text(value, text.sourceSpan, tokens, text.i18n);\n }\n return null;\n }\n visitComment(comment, context) {\n return comment;\n }\n visitExpansion(expansion, context) {\n return expansion;\n }\n visitExpansionCase(expansionCase, context) {\n return expansionCase;\n }\n visitBlockGroup(group, context) {\n return new BlockGroup(visitAllWithSiblings(this, group.blocks), group.sourceSpan, group.startSourceSpan, group.endSourceSpan);\n }\n visitBlock(block, context) {\n return new Block(block.name, block.parameters, visitAllWithSiblings(this, block.children), block.sourceSpan, block.startSourceSpan);\n }\n visitBlockParameter(parameter, context) {\n return parameter;\n }\n}\nfunction createWhitespaceProcessedTextToken({ type, parts, sourceSpan }) {\n return { type, parts: [processWhitespace(parts[0])], sourceSpan };\n}\nfunction processWhitespace(text) {\n return replaceNgsp(text).replace(WS_REPLACE_REGEXP, ' ');\n}\nfunction removeWhitespaces(htmlAstWithErrors) {\n return new ParseTreeResult(visitAll(new WhitespaceVisitor(), htmlAstWithErrors.rootNodes), htmlAstWithErrors.errors);\n}\nfunction visitAllWithSiblings(visitor, nodes) {\n const result = [];\n nodes.forEach((ast, i) => {\n const context = { prev: nodes[i - 1], next: nodes[i + 1] };\n const astResult = ast.visit(visitor, context);\n if (astResult) {\n result.push(astResult);\n }\n });\n return result;\n}\n\nfunction mapEntry(key, value) {\n return { key, value, quoted: false };\n}\nfunction mapLiteral(obj, quoted = false) {\n return literalMap(Object.keys(obj).map(key => ({\n key,\n quoted,\n value: obj[key],\n })));\n}\n\n/**\n * Set of tagName|propertyName corresponding to Trusted Types sinks. Properties applying to all\n * tags use '*'.\n *\n * Extracted from, and should be kept in sync with\n * https://w3c.github.io/webappsec-trusted-types/dist/spec/#integrations\n */\nconst TRUSTED_TYPES_SINKS = new Set([\n // NOTE: All strings in this set *must* be lowercase!\n // TrustedHTML\n 'iframe|srcdoc',\n '*|innerhtml',\n '*|outerhtml',\n // NB: no TrustedScript here, as the corresponding tags are stripped by the compiler.\n // TrustedScriptURL\n 'embed|src',\n 'object|codebase',\n 'object|data',\n]);\n/**\n * isTrustedTypesSink returns true if the given property on the given DOM tag is a Trusted Types\n * sink. In that case, use `ElementSchemaRegistry.securityContext` to determine which particular\n * Trusted Type is required for values passed to the sink:\n * - SecurityContext.HTML corresponds to TrustedHTML\n * - SecurityContext.RESOURCE_URL corresponds to TrustedScriptURL\n */\nfunction isTrustedTypesSink(tagName, propName) {\n // Make sure comparisons are case insensitive, so that case differences between attribute and\n // property names do not have a security impact.\n tagName = tagName.toLowerCase();\n propName = propName.toLowerCase();\n return TRUSTED_TYPES_SINKS.has(tagName + '|' + propName) ||\n TRUSTED_TYPES_SINKS.has('*|' + propName);\n}\n\nconst PROPERTY_PARTS_SEPARATOR = '.';\nconst ATTRIBUTE_PREFIX = 'attr';\nconst CLASS_PREFIX = 'class';\nconst STYLE_PREFIX = 'style';\nconst TEMPLATE_ATTR_PREFIX$1 = '*';\nconst ANIMATE_PROP_PREFIX = 'animate-';\n/**\n * Parses bindings in templates and in the directive host area.\n */\nclass BindingParser {\n constructor(_exprParser, _interpolationConfig, _schemaRegistry, errors) {\n this._exprParser = _exprParser;\n this._interpolationConfig = _interpolationConfig;\n this._schemaRegistry = _schemaRegistry;\n this.errors = errors;\n }\n get interpolationConfig() {\n return this._interpolationConfig;\n }\n createBoundHostProperties(properties, sourceSpan) {\n const boundProps = [];\n for (const propName of Object.keys(properties)) {\n const expression = properties[propName];\n if (typeof expression === 'string') {\n this.parsePropertyBinding(propName, expression, true, sourceSpan, sourceSpan.start.offset, undefined, [], \n // Use the `sourceSpan` for `keySpan`. This isn't really accurate, but neither is the\n // sourceSpan, as it represents the sourceSpan of the host itself rather than the\n // source of the host binding (which doesn't exist in the template). Regardless,\n // neither of these values are used in Ivy but are only here to satisfy the function\n // signature. This should likely be refactored in the future so that `sourceSpan`\n // isn't being used inaccurately.\n boundProps, sourceSpan);\n }\n else {\n this._reportError(`Value of the host property binding \"${propName}\" needs to be a string representing an expression but got \"${expression}\" (${typeof expression})`, sourceSpan);\n }\n }\n return boundProps;\n }\n createDirectiveHostEventAsts(hostListeners, sourceSpan) {\n const targetEvents = [];\n for (const propName of Object.keys(hostListeners)) {\n const expression = hostListeners[propName];\n if (typeof expression === 'string') {\n // Use the `sourceSpan` for `keySpan` and `handlerSpan`. This isn't really accurate, but\n // neither is the `sourceSpan`, as it represents the `sourceSpan` of the host itself\n // rather than the source of the host binding (which doesn't exist in the template).\n // Regardless, neither of these values are used in Ivy but are only here to satisfy the\n // function signature. This should likely be refactored in the future so that `sourceSpan`\n // isn't being used inaccurately.\n this.parseEvent(propName, expression, /* isAssignmentEvent */ false, sourceSpan, sourceSpan, [], targetEvents, sourceSpan);\n }\n else {\n this._reportError(`Value of the host listener \"${propName}\" needs to be a string representing an expression but got \"${expression}\" (${typeof expression})`, sourceSpan);\n }\n }\n return targetEvents;\n }\n parseInterpolation(value, sourceSpan, interpolatedTokens) {\n const sourceInfo = sourceSpan.start.toString();\n const absoluteOffset = sourceSpan.fullStart.offset;\n try {\n const ast = this._exprParser.parseInterpolation(value, sourceInfo, absoluteOffset, interpolatedTokens, this._interpolationConfig);\n if (ast)\n this._reportExpressionParserErrors(ast.errors, sourceSpan);\n return ast;\n }\n catch (e) {\n this._reportError(`${e}`, sourceSpan);\n return this._exprParser.wrapLiteralPrimitive('ERROR', sourceInfo, absoluteOffset);\n }\n }\n /**\n * Similar to `parseInterpolation`, but treats the provided string as a single expression\n * element that would normally appear within the interpolation prefix and suffix (`{{` and `}}`).\n * This is used for parsing the switch expression in ICUs.\n */\n parseInterpolationExpression(expression, sourceSpan) {\n const sourceInfo = sourceSpan.start.toString();\n const absoluteOffset = sourceSpan.start.offset;\n try {\n const ast = this._exprParser.parseInterpolationExpression(expression, sourceInfo, absoluteOffset);\n if (ast)\n this._reportExpressionParserErrors(ast.errors, sourceSpan);\n return ast;\n }\n catch (e) {\n this._reportError(`${e}`, sourceSpan);\n return this._exprParser.wrapLiteralPrimitive('ERROR', sourceInfo, absoluteOffset);\n }\n }\n /**\n * Parses the bindings in a microsyntax expression, and converts them to\n * `ParsedProperty` or `ParsedVariable`.\n *\n * @param tplKey template binding name\n * @param tplValue template binding value\n * @param sourceSpan span of template binding relative to entire the template\n * @param absoluteValueOffset start of the tplValue relative to the entire template\n * @param targetMatchableAttrs potential attributes to match in the template\n * @param targetProps target property bindings in the template\n * @param targetVars target variables in the template\n */\n parseInlineTemplateBinding(tplKey, tplValue, sourceSpan, absoluteValueOffset, targetMatchableAttrs, targetProps, targetVars, isIvyAst) {\n const absoluteKeyOffset = sourceSpan.start.offset + TEMPLATE_ATTR_PREFIX$1.length;\n const bindings = this._parseTemplateBindings(tplKey, tplValue, sourceSpan, absoluteKeyOffset, absoluteValueOffset);\n for (const binding of bindings) {\n // sourceSpan is for the entire HTML attribute. bindingSpan is for a particular\n // binding within the microsyntax expression so it's more narrow than sourceSpan.\n const bindingSpan = moveParseSourceSpan(sourceSpan, binding.sourceSpan);\n const key = binding.key.source;\n const keySpan = moveParseSourceSpan(sourceSpan, binding.key.span);\n if (binding instanceof VariableBinding) {\n const value = binding.value ? binding.value.source : '$implicit';\n const valueSpan = binding.value ? moveParseSourceSpan(sourceSpan, binding.value.span) : undefined;\n targetVars.push(new ParsedVariable(key, value, bindingSpan, keySpan, valueSpan));\n }\n else if (binding.value) {\n const srcSpan = isIvyAst ? bindingSpan : sourceSpan;\n const valueSpan = moveParseSourceSpan(sourceSpan, binding.value.ast.sourceSpan);\n this._parsePropertyAst(key, binding.value, srcSpan, keySpan, valueSpan, targetMatchableAttrs, targetProps);\n }\n else {\n targetMatchableAttrs.push([key, '' /* value */]);\n // Since this is a literal attribute with no RHS, source span should be\n // just the key span.\n this.parseLiteralAttr(key, null /* value */, keySpan, absoluteValueOffset, undefined /* valueSpan */, targetMatchableAttrs, targetProps, keySpan);\n }\n }\n }\n /**\n * Parses the bindings in a microsyntax expression, e.g.\n * ```\n * <tag *tplKey=\"let value1 = prop; let value2 = localVar\">\n * ```\n *\n * @param tplKey template binding name\n * @param tplValue template binding value\n * @param sourceSpan span of template binding relative to entire the template\n * @param absoluteKeyOffset start of the `tplKey`\n * @param absoluteValueOffset start of the `tplValue`\n */\n _parseTemplateBindings(tplKey, tplValue, sourceSpan, absoluteKeyOffset, absoluteValueOffset) {\n const sourceInfo = sourceSpan.start.toString();\n try {\n const bindingsResult = this._exprParser.parseTemplateBindings(tplKey, tplValue, sourceInfo, absoluteKeyOffset, absoluteValueOffset);\n this._reportExpressionParserErrors(bindingsResult.errors, sourceSpan);\n bindingsResult.warnings.forEach((warning) => {\n this._reportError(warning, sourceSpan, ParseErrorLevel.WARNING);\n });\n return bindingsResult.templateBindings;\n }\n catch (e) {\n this._reportError(`${e}`, sourceSpan);\n return [];\n }\n }\n parseLiteralAttr(name, value, sourceSpan, absoluteOffset, valueSpan, targetMatchableAttrs, targetProps, keySpan) {\n if (isAnimationLabel(name)) {\n name = name.substring(1);\n if (keySpan !== undefined) {\n keySpan = moveParseSourceSpan(keySpan, new AbsoluteSourceSpan(keySpan.start.offset + 1, keySpan.end.offset));\n }\n if (value) {\n this._reportError(`Assigning animation triggers via @prop=\"exp\" attributes with an expression is invalid.` +\n ` Use property bindings (e.g. [@prop]=\"exp\") or use an attribute without a value (e.g. @prop) instead.`, sourceSpan, ParseErrorLevel.ERROR);\n }\n this._parseAnimation(name, value, sourceSpan, absoluteOffset, keySpan, valueSpan, targetMatchableAttrs, targetProps);\n }\n else {\n targetProps.push(new ParsedProperty(name, this._exprParser.wrapLiteralPrimitive(value, '', absoluteOffset), ParsedPropertyType.LITERAL_ATTR, sourceSpan, keySpan, valueSpan));\n }\n }\n parsePropertyBinding(name, expression, isHost, sourceSpan, absoluteOffset, valueSpan, targetMatchableAttrs, targetProps, keySpan) {\n if (name.length === 0) {\n this._reportError(`Property name is missing in binding`, sourceSpan);\n }\n let isAnimationProp = false;\n if (name.startsWith(ANIMATE_PROP_PREFIX)) {\n isAnimationProp = true;\n name = name.substring(ANIMATE_PROP_PREFIX.length);\n if (keySpan !== undefined) {\n keySpan = moveParseSourceSpan(keySpan, new AbsoluteSourceSpan(keySpan.start.offset + ANIMATE_PROP_PREFIX.length, keySpan.end.offset));\n }\n }\n else if (isAnimationLabel(name)) {\n isAnimationProp = true;\n name = name.substring(1);\n if (keySpan !== undefined) {\n keySpan = moveParseSourceSpan(keySpan, new AbsoluteSourceSpan(keySpan.start.offset + 1, keySpan.end.offset));\n }\n }\n if (isAnimationProp) {\n this._parseAnimation(name, expression, sourceSpan, absoluteOffset, keySpan, valueSpan, targetMatchableAttrs, targetProps);\n }\n else {\n this._parsePropertyAst(name, this.parseBinding(expression, isHost, valueSpan || sourceSpan, absoluteOffset), sourceSpan, keySpan, valueSpan, targetMatchableAttrs, targetProps);\n }\n }\n parsePropertyInterpolation(name, value, sourceSpan, valueSpan, targetMatchableAttrs, targetProps, keySpan, interpolatedTokens) {\n const expr = this.parseInterpolation(value, valueSpan || sourceSpan, interpolatedTokens);\n if (expr) {\n this._parsePropertyAst(name, expr, sourceSpan, keySpan, valueSpan, targetMatchableAttrs, targetProps);\n return true;\n }\n return false;\n }\n _parsePropertyAst(name, ast, sourceSpan, keySpan, valueSpan, targetMatchableAttrs, targetProps) {\n targetMatchableAttrs.push([name, ast.source]);\n targetProps.push(new ParsedProperty(name, ast, ParsedPropertyType.DEFAULT, sourceSpan, keySpan, valueSpan));\n }\n _parseAnimation(name, expression, sourceSpan, absoluteOffset, keySpan, valueSpan, targetMatchableAttrs, targetProps) {\n if (name.length === 0) {\n this._reportError('Animation trigger is missing', sourceSpan);\n }\n // This will occur when a @trigger is not paired with an expression.\n // For animations it is valid to not have an expression since */void\n // states will be applied by angular when the element is attached/detached\n const ast = this.parseBinding(expression || 'undefined', false, valueSpan || sourceSpan, absoluteOffset);\n targetMatchableAttrs.push([name, ast.source]);\n targetProps.push(new ParsedProperty(name, ast, ParsedPropertyType.ANIMATION, sourceSpan, keySpan, valueSpan));\n }\n parseBinding(value, isHostBinding, sourceSpan, absoluteOffset) {\n const sourceInfo = (sourceSpan && sourceSpan.start || '(unknown)').toString();\n try {\n const ast = isHostBinding ?\n this._exprParser.parseSimpleBinding(value, sourceInfo, absoluteOffset, this._interpolationConfig) :\n this._exprParser.parseBinding(value, sourceInfo, absoluteOffset, this._interpolationConfig);\n if (ast)\n this._reportExpressionParserErrors(ast.errors, sourceSpan);\n return ast;\n }\n catch (e) {\n this._reportError(`${e}`, sourceSpan);\n return this._exprParser.wrapLiteralPrimitive('ERROR', sourceInfo, absoluteOffset);\n }\n }\n createBoundElementProperty(elementSelector, boundProp, skipValidation = false, mapPropertyName = true) {\n if (boundProp.isAnimation) {\n return new BoundElementProperty(boundProp.name, 4 /* BindingType.Animation */, SecurityContext.NONE, boundProp.expression, null, boundProp.sourceSpan, boundProp.keySpan, boundProp.valueSpan);\n }\n let unit = null;\n let bindingType = undefined;\n let boundPropertyName = null;\n const parts = boundProp.name.split(PROPERTY_PARTS_SEPARATOR);\n let securityContexts = undefined;\n // Check for special cases (prefix style, attr, class)\n if (parts.length > 1) {\n if (parts[0] == ATTRIBUTE_PREFIX) {\n boundPropertyName = parts.slice(1).join(PROPERTY_PARTS_SEPARATOR);\n if (!skipValidation) {\n this._validatePropertyOrAttributeName(boundPropertyName, boundProp.sourceSpan, true);\n }\n securityContexts = calcPossibleSecurityContexts(this._schemaRegistry, elementSelector, boundPropertyName, true);\n const nsSeparatorIdx = boundPropertyName.indexOf(':');\n if (nsSeparatorIdx > -1) {\n const ns = boundPropertyName.substring(0, nsSeparatorIdx);\n const name = boundPropertyName.substring(nsSeparatorIdx + 1);\n boundPropertyName = mergeNsAndName(ns, name);\n }\n bindingType = 1 /* BindingType.Attribute */;\n }\n else if (parts[0] == CLASS_PREFIX) {\n boundPropertyName = parts[1];\n bindingType = 2 /* BindingType.Class */;\n securityContexts = [SecurityContext.NONE];\n }\n else if (parts[0] == STYLE_PREFIX) {\n unit = parts.length > 2 ? parts[2] : null;\n boundPropertyName = parts[1];\n bindingType = 3 /* BindingType.Style */;\n securityContexts = [SecurityContext.STYLE];\n }\n }\n // If not a special case, use the full property name\n if (boundPropertyName === null) {\n const mappedPropName = this._schemaRegistry.getMappedPropName(boundProp.name);\n boundPropertyName = mapPropertyName ? mappedPropName : boundProp.name;\n securityContexts = calcPossibleSecurityContexts(this._schemaRegistry, elementSelector, mappedPropName, false);\n bindingType = 0 /* BindingType.Property */;\n if (!skipValidation) {\n this._validatePropertyOrAttributeName(mappedPropName, boundProp.sourceSpan, false);\n }\n }\n return new BoundElementProperty(boundPropertyName, bindingType, securityContexts[0], boundProp.expression, unit, boundProp.sourceSpan, boundProp.keySpan, boundProp.valueSpan);\n }\n // TODO: keySpan should be required but was made optional to avoid changing VE parser.\n parseEvent(name, expression, isAssignmentEvent, sourceSpan, handlerSpan, targetMatchableAttrs, targetEvents, keySpan) {\n if (name.length === 0) {\n this._reportError(`Event name is missing in binding`, sourceSpan);\n }\n if (isAnimationLabel(name)) {\n name = name.slice(1);\n if (keySpan !== undefined) {\n keySpan = moveParseSourceSpan(keySpan, new AbsoluteSourceSpan(keySpan.start.offset + 1, keySpan.end.offset));\n }\n this._parseAnimationEvent(name, expression, isAssignmentEvent, sourceSpan, handlerSpan, targetEvents, keySpan);\n }\n else {\n this._parseRegularEvent(name, expression, isAssignmentEvent, sourceSpan, handlerSpan, targetMatchableAttrs, targetEvents, keySpan);\n }\n }\n calcPossibleSecurityContexts(selector, propName, isAttribute) {\n const prop = this._schemaRegistry.getMappedPropName(propName);\n return calcPossibleSecurityContexts(this._schemaRegistry, selector, prop, isAttribute);\n }\n _parseAnimationEvent(name, expression, isAssignmentEvent, sourceSpan, handlerSpan, targetEvents, keySpan) {\n const matches = splitAtPeriod(name, [name, '']);\n const eventName = matches[0];\n const phase = matches[1].toLowerCase();\n const ast = this._parseAction(expression, isAssignmentEvent, handlerSpan);\n targetEvents.push(new ParsedEvent(eventName, phase, 1 /* ParsedEventType.Animation */, ast, sourceSpan, handlerSpan, keySpan));\n if (eventName.length === 0) {\n this._reportError(`Animation event name is missing in binding`, sourceSpan);\n }\n if (phase) {\n if (phase !== 'start' && phase !== 'done') {\n this._reportError(`The provided animation output phase value \"${phase}\" for \"@${eventName}\" is not supported (use start or done)`, sourceSpan);\n }\n }\n else {\n this._reportError(`The animation trigger output event (@${eventName}) is missing its phase value name (start or done are currently supported)`, sourceSpan);\n }\n }\n _parseRegularEvent(name, expression, isAssignmentEvent, sourceSpan, handlerSpan, targetMatchableAttrs, targetEvents, keySpan) {\n // long format: 'target: eventName'\n const [target, eventName] = splitAtColon(name, [null, name]);\n const ast = this._parseAction(expression, isAssignmentEvent, handlerSpan);\n targetMatchableAttrs.push([name, ast.source]);\n targetEvents.push(new ParsedEvent(eventName, target, 0 /* ParsedEventType.Regular */, ast, sourceSpan, handlerSpan, keySpan));\n // Don't detect directives for event names for now,\n // so don't add the event name to the matchableAttrs\n }\n _parseAction(value, isAssignmentEvent, sourceSpan) {\n const sourceInfo = (sourceSpan && sourceSpan.start || '(unknown').toString();\n const absoluteOffset = (sourceSpan && sourceSpan.start) ? sourceSpan.start.offset : 0;\n try {\n const ast = this._exprParser.parseAction(value, isAssignmentEvent, sourceInfo, absoluteOffset, this._interpolationConfig);\n if (ast) {\n this._reportExpressionParserErrors(ast.errors, sourceSpan);\n }\n if (!ast || ast.ast instanceof EmptyExpr$1) {\n this._reportError(`Empty expressions are not allowed`, sourceSpan);\n return this._exprParser.wrapLiteralPrimitive('ERROR', sourceInfo, absoluteOffset);\n }\n return ast;\n }\n catch (e) {\n this._reportError(`${e}`, sourceSpan);\n return this._exprParser.wrapLiteralPrimitive('ERROR', sourceInfo, absoluteOffset);\n }\n }\n _reportError(message, sourceSpan, level = ParseErrorLevel.ERROR) {\n this.errors.push(new ParseError(sourceSpan, message, level));\n }\n _reportExpressionParserErrors(errors, sourceSpan) {\n for (const error of errors) {\n this._reportError(error.message, sourceSpan);\n }\n }\n /**\n * @param propName the name of the property / attribute\n * @param sourceSpan\n * @param isAttr true when binding to an attribute\n */\n _validatePropertyOrAttributeName(propName, sourceSpan, isAttr) {\n const report = isAttr ? this._schemaRegistry.validateAttribute(propName) :\n this._schemaRegistry.validateProperty(propName);\n if (report.error) {\n this._reportError(report.msg, sourceSpan, ParseErrorLevel.ERROR);\n }\n }\n}\nclass PipeCollector extends RecursiveAstVisitor {\n constructor() {\n super(...arguments);\n this.pipes = new Map();\n }\n visitPipe(ast, context) {\n this.pipes.set(ast.name, ast);\n ast.exp.visit(this);\n this.visitAll(ast.args, context);\n return null;\n }\n}\nfunction isAnimationLabel(name) {\n return name[0] == '@';\n}\nfunction calcPossibleSecurityContexts(registry, selector, propName, isAttribute) {\n const ctxs = [];\n CssSelector.parse(selector).forEach((selector) => {\n const elementNames = selector.element ? [selector.element] : registry.allKnownElementNames();\n const notElementNames = new Set(selector.notSelectors.filter(selector => selector.isElementSelector())\n .map((selector) => selector.element));\n const possibleElementNames = elementNames.filter(elementName => !notElementNames.has(elementName));\n ctxs.push(...possibleElementNames.map(elementName => registry.securityContext(elementName, propName, isAttribute)));\n });\n return ctxs.length === 0 ? [SecurityContext.NONE] : Array.from(new Set(ctxs)).sort();\n}\n/**\n * Compute a new ParseSourceSpan based off an original `sourceSpan` by using\n * absolute offsets from the specified `absoluteSpan`.\n *\n * @param sourceSpan original source span\n * @param absoluteSpan absolute source span to move to\n */\nfunction moveParseSourceSpan(sourceSpan, absoluteSpan) {\n // The difference of two absolute offsets provide the relative offset\n const startDiff = absoluteSpan.start - sourceSpan.start.offset;\n const endDiff = absoluteSpan.end - sourceSpan.end.offset;\n return new ParseSourceSpan(sourceSpan.start.moveBy(startDiff), sourceSpan.end.moveBy(endDiff), sourceSpan.fullStart.moveBy(startDiff), sourceSpan.details);\n}\n\n// Some of the code comes from WebComponents.JS\n// https://github.com/webcomponents/webcomponentsjs/blob/master/src/HTMLImports/path.js\nfunction isStyleUrlResolvable(url) {\n if (url == null || url.length === 0 || url[0] == '/')\n return false;\n const schemeMatch = url.match(URL_WITH_SCHEMA_REGEXP);\n return schemeMatch === null || schemeMatch[1] == 'package' || schemeMatch[1] == 'asset';\n}\nconst URL_WITH_SCHEMA_REGEXP = /^([^:/?#]+):/;\n\nconst NG_CONTENT_SELECT_ATTR$1 = 'select';\nconst LINK_ELEMENT = 'link';\nconst LINK_STYLE_REL_ATTR = 'rel';\nconst LINK_STYLE_HREF_ATTR = 'href';\nconst LINK_STYLE_REL_VALUE = 'stylesheet';\nconst STYLE_ELEMENT = 'style';\nconst SCRIPT_ELEMENT = 'script';\nconst NG_NON_BINDABLE_ATTR = 'ngNonBindable';\nconst NG_PROJECT_AS = 'ngProjectAs';\nfunction preparseElement(ast) {\n let selectAttr = null;\n let hrefAttr = null;\n let relAttr = null;\n let nonBindable = false;\n let projectAs = '';\n ast.attrs.forEach(attr => {\n const lcAttrName = attr.name.toLowerCase();\n if (lcAttrName == NG_CONTENT_SELECT_ATTR$1) {\n selectAttr = attr.value;\n }\n else if (lcAttrName == LINK_STYLE_HREF_ATTR) {\n hrefAttr = attr.value;\n }\n else if (lcAttrName == LINK_STYLE_REL_ATTR) {\n relAttr = attr.value;\n }\n else if (attr.name == NG_NON_BINDABLE_ATTR) {\n nonBindable = true;\n }\n else if (attr.name == NG_PROJECT_AS) {\n if (attr.value.length > 0) {\n projectAs = attr.value;\n }\n }\n });\n selectAttr = normalizeNgContentSelect(selectAttr);\n const nodeName = ast.name.toLowerCase();\n let type = PreparsedElementType.OTHER;\n if (isNgContent(nodeName)) {\n type = PreparsedElementType.NG_CONTENT;\n }\n else if (nodeName == STYLE_ELEMENT) {\n type = PreparsedElementType.STYLE;\n }\n else if (nodeName == SCRIPT_ELEMENT) {\n type = PreparsedElementType.SCRIPT;\n }\n else if (nodeName == LINK_ELEMENT && relAttr == LINK_STYLE_REL_VALUE) {\n type = PreparsedElementType.STYLESHEET;\n }\n return new PreparsedElement(type, selectAttr, hrefAttr, nonBindable, projectAs);\n}\nvar PreparsedElementType;\n(function (PreparsedElementType) {\n PreparsedElementType[PreparsedElementType[\"NG_CONTENT\"] = 0] = \"NG_CONTENT\";\n PreparsedElementType[PreparsedElementType[\"STYLE\"] = 1] = \"STYLE\";\n PreparsedElementType[PreparsedElementType[\"STYLESHEET\"] = 2] = \"STYLESHEET\";\n PreparsedElementType[PreparsedElementType[\"SCRIPT\"] = 3] = \"SCRIPT\";\n PreparsedElementType[PreparsedElementType[\"OTHER\"] = 4] = \"OTHER\";\n})(PreparsedElementType || (PreparsedElementType = {}));\nclass PreparsedElement {\n constructor(type, selectAttr, hrefAttr, nonBindable, projectAs) {\n this.type = type;\n this.selectAttr = selectAttr;\n this.hrefAttr = hrefAttr;\n this.nonBindable = nonBindable;\n this.projectAs = projectAs;\n }\n}\nfunction normalizeNgContentSelect(selectAttr) {\n if (selectAttr === null || selectAttr.length === 0) {\n return '*';\n }\n return selectAttr;\n}\n\n/** Pattern for a timing value in a trigger. */\nconst TIME_PATTERN = /^\\d+(ms|s)?$/;\n/** Pattern for a separator between keywords in a trigger expression. */\nconst SEPARATOR_PATTERN = /^\\s$/;\n/** Pairs of characters that form syntax that is comma-delimited. */\nconst COMMA_DELIMITED_SYNTAX = new Map([\n [$LBRACE, $RBRACE],\n [$LBRACKET, $RBRACKET],\n [$LPAREN, $RPAREN], // Function calls\n]);\n/** Possible types of `on` triggers. */\nvar OnTriggerType;\n(function (OnTriggerType) {\n OnTriggerType[\"IDLE\"] = \"idle\";\n OnTriggerType[\"TIMER\"] = \"timer\";\n OnTriggerType[\"INTERACTION\"] = \"interaction\";\n OnTriggerType[\"IMMEDIATE\"] = \"immediate\";\n OnTriggerType[\"HOVER\"] = \"hover\";\n OnTriggerType[\"VIEWPORT\"] = \"viewport\";\n})(OnTriggerType || (OnTriggerType = {}));\n/** Parses a `when` deferred trigger. */\nfunction parseWhenTrigger({ expression, sourceSpan }, bindingParser, errors) {\n const whenIndex = expression.indexOf('when');\n // This is here just to be safe, we shouldn't enter this function\n // in the first place if a block doesn't have the \"when\" keyword.\n if (whenIndex === -1) {\n errors.push(new ParseError(sourceSpan, `Could not find \"when\" keyword in expression`));\n return null;\n }\n const start = getTriggerParametersStart(expression, whenIndex + 1);\n const parsed = bindingParser.parseBinding(expression.slice(start), false, sourceSpan, sourceSpan.start.offset + start);\n return new BoundDeferredTrigger(parsed, sourceSpan);\n}\n/** Parses an `on` trigger */\nfunction parseOnTrigger({ expression, sourceSpan }, errors) {\n const onIndex = expression.indexOf('on');\n // This is here just to be safe, we shouldn't enter this function\n // in the first place if a block doesn't have the \"on\" keyword.\n if (onIndex === -1) {\n errors.push(new ParseError(sourceSpan, `Could not find \"on\" keyword in expression`));\n return [];\n }\n const start = getTriggerParametersStart(expression, onIndex + 1);\n return new OnTriggerParser(expression, start, sourceSpan, errors).parse();\n}\nclass OnTriggerParser {\n constructor(expression, start, span, errors) {\n this.expression = expression;\n this.start = start;\n this.span = span;\n this.errors = errors;\n this.index = 0;\n this.triggers = [];\n this.tokens = new Lexer().tokenize(expression.slice(start));\n }\n parse() {\n while (this.tokens.length > 0 && this.index < this.tokens.length) {\n const token = this.token();\n if (!token.isIdentifier()) {\n this.unexpectedToken(token);\n break;\n }\n // An identifier immediately followed by a comma or the end of\n // the expression cannot have parameters so we can exit early.\n if (this.isFollowedByOrLast($COMMA)) {\n this.consumeTrigger(token, []);\n this.advance();\n }\n else if (this.isFollowedByOrLast($LPAREN)) {\n this.advance(); // Advance to the opening paren.\n const prevErrors = this.errors.length;\n const parameters = this.consumeParameters();\n if (this.errors.length !== prevErrors) {\n break;\n }\n this.consumeTrigger(token, parameters);\n this.advance(); // Advance past the closing paren.\n }\n else if (this.index < this.tokens.length - 1) {\n this.unexpectedToken(this.tokens[this.index + 1]);\n }\n this.advance();\n }\n return this.triggers;\n }\n advance() {\n this.index++;\n }\n isFollowedByOrLast(char) {\n if (this.index === this.tokens.length - 1) {\n return true;\n }\n return this.tokens[this.index + 1].isCharacter(char);\n }\n token() {\n return this.tokens[Math.min(this.index, this.tokens.length - 1)];\n }\n consumeTrigger(identifier, parameters) {\n const startSpan = this.span.start.moveBy(this.start + identifier.index - this.tokens[0].index);\n const endSpan = startSpan.moveBy(this.token().end - identifier.index);\n const sourceSpan = new ParseSourceSpan(startSpan, endSpan);\n try {\n switch (identifier.toString()) {\n case OnTriggerType.IDLE:\n this.triggers.push(createIdleTrigger(parameters, sourceSpan));\n break;\n case OnTriggerType.TIMER:\n this.triggers.push(createTimerTrigger(parameters, sourceSpan));\n break;\n case OnTriggerType.INTERACTION:\n this.triggers.push(createInteractionTrigger(parameters, sourceSpan));\n break;\n case OnTriggerType.IMMEDIATE:\n this.triggers.push(createImmediateTrigger(parameters, sourceSpan));\n break;\n case OnTriggerType.HOVER:\n this.triggers.push(createHoverTrigger(parameters, sourceSpan));\n break;\n case OnTriggerType.VIEWPORT:\n this.triggers.push(createViewportTrigger(parameters, sourceSpan));\n break;\n default:\n throw new Error(`Unrecognized trigger type \"${identifier}\"`);\n }\n }\n catch (e) {\n this.error(identifier, e.message);\n }\n }\n consumeParameters() {\n const parameters = [];\n if (!this.token().isCharacter($LPAREN)) {\n this.unexpectedToken(this.token());\n return parameters;\n }\n this.advance();\n const commaDelimStack = [];\n let current = '';\n while (this.index < this.tokens.length) {\n const token = this.token();\n // Stop parsing if we've hit the end character and we're outside of a comma-delimited syntax.\n // Note that we don't need to account for strings here since the lexer already parsed them\n // into string tokens.\n if (token.isCharacter($RPAREN) && commaDelimStack.length === 0) {\n if (current.length) {\n parameters.push(current);\n }\n break;\n }\n // In the `on` microsyntax \"top-level\" commas (e.g. ones outside of an parameters) separate\n // the different triggers (e.g. `on idle,timer(500)`). This is problematic, because the\n // function-like syntax also implies that multiple parameters can be passed into the\n // individual trigger (e.g. `on foo(a, b)`). To avoid tripping up the parser with commas that\n // are part of other sorts of syntax (object literals, arrays), we treat anything inside\n // a comma-delimited syntax block as plain text.\n if (token.type === TokenType.Character && COMMA_DELIMITED_SYNTAX.has(token.numValue)) {\n commaDelimStack.push(COMMA_DELIMITED_SYNTAX.get(token.numValue));\n }\n if (commaDelimStack.length > 0 &&\n token.isCharacter(commaDelimStack[commaDelimStack.length - 1])) {\n commaDelimStack.pop();\n }\n // If we hit a comma outside of a comma-delimited syntax, it means\n // that we're at the top level and we're starting a new parameter.\n if (commaDelimStack.length === 0 && token.isCharacter($COMMA) && current.length > 0) {\n parameters.push(current);\n current = '';\n this.advance();\n continue;\n }\n // Otherwise treat the token as a plain text character in the current parameter.\n current += this.tokenText();\n this.advance();\n }\n if (!this.token().isCharacter($RPAREN) || commaDelimStack.length > 0) {\n this.error(this.token(), 'Unexpected end of expression');\n }\n if (this.index < this.tokens.length - 1 &&\n !this.tokens[this.index + 1].isCharacter($COMMA)) {\n this.unexpectedToken(this.tokens[this.index + 1]);\n }\n return parameters;\n }\n tokenText() {\n // Tokens have a toString already which we could use, but for string tokens it omits the quotes.\n // Eventually we could expose this information on the token directly.\n return this.expression.slice(this.start + this.token().index, this.start + this.token().end);\n }\n error(token, message) {\n const newStart = this.span.start.moveBy(this.start + token.index);\n const newEnd = newStart.moveBy(token.end - token.index);\n this.errors.push(new ParseError(new ParseSourceSpan(newStart, newEnd), message));\n }\n unexpectedToken(token) {\n this.error(token, `Unexpected token \"${token}\"`);\n }\n}\nfunction createIdleTrigger(parameters, sourceSpan) {\n if (parameters.length > 0) {\n throw new Error(`\"${OnTriggerType.IDLE}\" trigger cannot have parameters`);\n }\n return new IdleDeferredTrigger(sourceSpan);\n}\nfunction createTimerTrigger(parameters, sourceSpan) {\n if (parameters.length !== 1) {\n throw new Error(`\"${OnTriggerType.TIMER}\" trigger must have exactly one parameter`);\n }\n const delay = parseDeferredTime(parameters[0]);\n if (delay === null) {\n throw new Error(`Could not parse time value of trigger \"${OnTriggerType.TIMER}\"`);\n }\n return new TimerDeferredTrigger(delay, sourceSpan);\n}\nfunction createInteractionTrigger(parameters, sourceSpan) {\n if (parameters.length > 1) {\n throw new Error(`\"${OnTriggerType.INTERACTION}\" trigger can only have zero or one parameters`);\n }\n return new InteractionDeferredTrigger(parameters[0] ?? null, sourceSpan);\n}\nfunction createImmediateTrigger(parameters, sourceSpan) {\n if (parameters.length > 0) {\n throw new Error(`\"${OnTriggerType.IMMEDIATE}\" trigger cannot have parameters`);\n }\n return new ImmediateDeferredTrigger(sourceSpan);\n}\nfunction createHoverTrigger(parameters, sourceSpan) {\n if (parameters.length > 0) {\n throw new Error(`\"${OnTriggerType.HOVER}\" trigger cannot have parameters`);\n }\n return new HoverDeferredTrigger(sourceSpan);\n}\nfunction createViewportTrigger(parameters, sourceSpan) {\n // TODO: the RFC has some more potential parameters for `viewport`.\n if (parameters.length > 1) {\n throw new Error(`\"${OnTriggerType.VIEWPORT}\" trigger can only have zero or one parameters`);\n }\n return new ViewportDeferredTrigger(parameters[0] ?? null, sourceSpan);\n}\n/** Gets the index within an expression at which the trigger parameters start. */\nfunction getTriggerParametersStart(value, startPosition = 0) {\n let hasFoundSeparator = false;\n for (let i = startPosition; i < value.length; i++) {\n if (SEPARATOR_PATTERN.test(value[i])) {\n hasFoundSeparator = true;\n }\n else if (hasFoundSeparator) {\n return i;\n }\n }\n return -1;\n}\n/**\n * Parses a time expression from a deferred trigger to\n * milliseconds. Returns null if it cannot be parsed.\n */\nfunction parseDeferredTime(value) {\n const match = value.match(TIME_PATTERN);\n if (!match) {\n return null;\n }\n const [time, units] = match;\n return parseInt(time) * (units === 's' ? 1000 : 1);\n}\n\n/** Pattern to identify a `prefetch when` trigger. */\nconst PREFETCH_WHEN_PATTERN = /^prefetch\\s+when\\s/;\n/** Pattern to identify a `prefetch on` trigger. */\nconst PREFETCH_ON_PATTERN = /^prefetch\\s+on\\s/;\n/** Pattern to identify a `minimum` parameter in a block. */\nconst MINIMUM_PARAMETER_PATTERN = /^minimum\\s/;\n/** Pattern to identify a `after` parameter in a block. */\nconst AFTER_PARAMETER_PATTERN = /^after\\s/;\n/** Pattern to identify a `when` parameter in a block. */\nconst WHEN_PARAMETER_PATTERN = /^when\\s/;\n/** Pattern to identify a `on` parameter in a block. */\nconst ON_PARAMETER_PATTERN = /^on\\s/;\n/** Possible types of secondary deferred blocks. */\nvar SecondaryDeferredBlockType;\n(function (SecondaryDeferredBlockType) {\n SecondaryDeferredBlockType[\"PLACEHOLDER\"] = \"placeholder\";\n SecondaryDeferredBlockType[\"LOADING\"] = \"loading\";\n SecondaryDeferredBlockType[\"ERROR\"] = \"error\";\n})(SecondaryDeferredBlockType || (SecondaryDeferredBlockType = {}));\n/** Creates a deferred block from an HTML AST node. */\nfunction createDeferredBlock(ast, visitor, bindingParser) {\n const errors = [];\n const [primaryBlock, ...secondaryBlocks] = ast.blocks;\n const { triggers, prefetchTriggers } = parsePrimaryTriggers(primaryBlock.parameters, bindingParser, errors);\n const { placeholder, loading, error } = parseSecondaryBlocks(secondaryBlocks, errors, visitor);\n return {\n node: new DeferredBlock(visitAll(visitor, primaryBlock.children), triggers, prefetchTriggers, placeholder, loading, error, ast.sourceSpan, ast.startSourceSpan, ast.endSourceSpan),\n errors,\n };\n}\nfunction parseSecondaryBlocks(blocks, errors, visitor) {\n let placeholder = null;\n let loading = null;\n let error = null;\n for (const block of blocks) {\n try {\n switch (block.name) {\n case SecondaryDeferredBlockType.PLACEHOLDER:\n if (placeholder !== null) {\n errors.push(new ParseError(block.startSourceSpan, `\"defer\" block can only have one \"${SecondaryDeferredBlockType.PLACEHOLDER}\" block`));\n }\n else {\n placeholder = parsePlaceholderBlock(block, visitor);\n }\n break;\n case SecondaryDeferredBlockType.LOADING:\n if (loading !== null) {\n errors.push(new ParseError(block.startSourceSpan, `\"defer\" block can only have one \"${SecondaryDeferredBlockType.LOADING}\" block`));\n }\n else {\n loading = parseLoadingBlock(block, visitor);\n }\n break;\n case SecondaryDeferredBlockType.ERROR:\n if (error !== null) {\n errors.push(new ParseError(block.startSourceSpan, `\"defer\" block can only have one \"${SecondaryDeferredBlockType.ERROR}\" block`));\n }\n else {\n error = parseErrorBlock(block, visitor);\n }\n break;\n default:\n errors.push(new ParseError(block.startSourceSpan, `Unrecognized block \"${block.name}\"`));\n break;\n }\n }\n catch (e) {\n errors.push(new ParseError(block.startSourceSpan, e.message));\n }\n }\n return { placeholder, loading, error };\n}\nfunction parsePlaceholderBlock(ast, visitor) {\n let minimumTime = null;\n for (const param of ast.parameters) {\n if (MINIMUM_PARAMETER_PATTERN.test(param.expression)) {\n const parsedTime = parseDeferredTime(param.expression.slice(getTriggerParametersStart(param.expression)));\n if (parsedTime === null) {\n throw new Error(`Could not parse time value of parameter \"minimum\"`);\n }\n minimumTime = parsedTime;\n }\n else {\n throw new Error(`Unrecognized parameter in \"${SecondaryDeferredBlockType.PLACEHOLDER}\" block: \"${param.expression}\"`);\n }\n }\n return new DeferredBlockPlaceholder(visitAll(visitor, ast.children), minimumTime, ast.sourceSpan, ast.startSourceSpan, ast.endSourceSpan);\n}\nfunction parseLoadingBlock(ast, visitor) {\n let afterTime = null;\n let minimumTime = null;\n for (const param of ast.parameters) {\n if (AFTER_PARAMETER_PATTERN.test(param.expression)) {\n const parsedTime = parseDeferredTime(param.expression.slice(getTriggerParametersStart(param.expression)));\n if (parsedTime === null) {\n throw new Error(`Could not parse time value of parameter \"after\"`);\n }\n afterTime = parsedTime;\n }\n else if (MINIMUM_PARAMETER_PATTERN.test(param.expression)) {\n const parsedTime = parseDeferredTime(param.expression.slice(getTriggerParametersStart(param.expression)));\n if (parsedTime === null) {\n throw new Error(`Could not parse time value of parameter \"minimum\"`);\n }\n minimumTime = parsedTime;\n }\n else {\n throw new Error(`Unrecognized parameter in \"${SecondaryDeferredBlockType.LOADING}\" block: \"${param.expression}\"`);\n }\n }\n return new DeferredBlockLoading(visitAll(visitor, ast.children), afterTime, minimumTime, ast.sourceSpan, ast.startSourceSpan, ast.endSourceSpan);\n}\nfunction parseErrorBlock(ast, visitor) {\n if (ast.parameters.length > 0) {\n throw new Error(`\"${SecondaryDeferredBlockType.ERROR}\" block cannot have parameters`);\n }\n return new DeferredBlockError(visitAll(visitor, ast.children), ast.sourceSpan, ast.startSourceSpan, ast.endSourceSpan);\n}\nfunction parsePrimaryTriggers(params, bindingParser, errors) {\n const triggers = [];\n const prefetchTriggers = [];\n for (const param of params) {\n // The lexer ignores the leading spaces so we can assume\n // that the expression starts with a keyword.\n if (WHEN_PARAMETER_PATTERN.test(param.expression)) {\n const result = parseWhenTrigger(param, bindingParser, errors);\n result !== null && triggers.push(result);\n }\n else if (ON_PARAMETER_PATTERN.test(param.expression)) {\n triggers.push(...parseOnTrigger(param, errors));\n }\n else if (PREFETCH_WHEN_PATTERN.test(param.expression)) {\n const result = parseWhenTrigger(param, bindingParser, errors);\n result !== null && prefetchTriggers.push(result);\n }\n else if (PREFETCH_ON_PATTERN.test(param.expression)) {\n prefetchTriggers.push(...parseOnTrigger(param, errors));\n }\n else {\n errors.push(new ParseError(param.sourceSpan, 'Unrecognized trigger'));\n }\n }\n return { triggers, prefetchTriggers };\n}\n\nconst BIND_NAME_REGEXP = /^(?:(bind-)|(let-)|(ref-|#)|(on-)|(bindon-)|(@))(.*)$/;\n// Group 1 = \"bind-\"\nconst KW_BIND_IDX = 1;\n// Group 2 = \"let-\"\nconst KW_LET_IDX = 2;\n// Group 3 = \"ref-/#\"\nconst KW_REF_IDX = 3;\n// Group 4 = \"on-\"\nconst KW_ON_IDX = 4;\n// Group 5 = \"bindon-\"\nconst KW_BINDON_IDX = 5;\n// Group 6 = \"@\"\nconst KW_AT_IDX = 6;\n// Group 7 = the identifier after \"bind-\", \"let-\", \"ref-/#\", \"on-\", \"bindon-\" or \"@\"\nconst IDENT_KW_IDX = 7;\nconst BINDING_DELIMS = {\n BANANA_BOX: { start: '[(', end: ')]' },\n PROPERTY: { start: '[', end: ']' },\n EVENT: { start: '(', end: ')' },\n};\nconst TEMPLATE_ATTR_PREFIX = '*';\nfunction htmlAstToRender3Ast(htmlNodes, bindingParser, options) {\n const transformer = new HtmlAstToIvyAst(bindingParser, options);\n const ivyNodes = visitAll(transformer, htmlNodes);\n // Errors might originate in either the binding parser or the html to ivy transformer\n const allErrors = bindingParser.errors.concat(transformer.errors);\n const result = {\n nodes: ivyNodes,\n errors: allErrors,\n styleUrls: transformer.styleUrls,\n styles: transformer.styles,\n ngContentSelectors: transformer.ngContentSelectors\n };\n if (options.collectCommentNodes) {\n result.commentNodes = transformer.commentNodes;\n }\n return result;\n}\nclass HtmlAstToIvyAst {\n constructor(bindingParser, options) {\n this.bindingParser = bindingParser;\n this.options = options;\n this.errors = [];\n this.styles = [];\n this.styleUrls = [];\n this.ngContentSelectors = [];\n // This array will be populated if `Render3ParseOptions['collectCommentNodes']` is true\n this.commentNodes = [];\n this.inI18nBlock = false;\n }\n // HTML visitor\n visitElement(element) {\n const isI18nRootElement = isI18nRootNode(element.i18n);\n if (isI18nRootElement) {\n if (this.inI18nBlock) {\n this.reportError('Cannot mark an element as translatable inside of a translatable section. Please remove the nested i18n marker.', element.sourceSpan);\n }\n this.inI18nBlock = true;\n }\n const preparsedElement = preparseElement(element);\n if (preparsedElement.type === PreparsedElementType.SCRIPT) {\n return null;\n }\n else if (preparsedElement.type === PreparsedElementType.STYLE) {\n const contents = textContents(element);\n if (contents !== null) {\n this.styles.push(contents);\n }\n return null;\n }\n else if (preparsedElement.type === PreparsedElementType.STYLESHEET &&\n isStyleUrlResolvable(preparsedElement.hrefAttr)) {\n this.styleUrls.push(preparsedElement.hrefAttr);\n return null;\n }\n // Whether the element is a `<ng-template>`\n const isTemplateElement = isNgTemplate(element.name);\n const parsedProperties = [];\n const boundEvents = [];\n const variables = [];\n const references = [];\n const attributes = [];\n const i18nAttrsMeta = {};\n const templateParsedProperties = [];\n const templateVariables = [];\n // Whether the element has any *-attribute\n let elementHasInlineTemplate = false;\n for (const attribute of element.attrs) {\n let hasBinding = false;\n const normalizedName = normalizeAttributeName(attribute.name);\n // `*attr` defines template bindings\n let isTemplateBinding = false;\n if (attribute.i18n) {\n i18nAttrsMeta[attribute.name] = attribute.i18n;\n }\n if (normalizedName.startsWith(TEMPLATE_ATTR_PREFIX)) {\n // *-attributes\n if (elementHasInlineTemplate) {\n this.reportError(`Can't have multiple template bindings on one element. Use only one attribute prefixed with *`, attribute.sourceSpan);\n }\n isTemplateBinding = true;\n elementHasInlineTemplate = true;\n const templateValue = attribute.value;\n const templateKey = normalizedName.substring(TEMPLATE_ATTR_PREFIX.length);\n const parsedVariables = [];\n const absoluteValueOffset = attribute.valueSpan ?\n attribute.valueSpan.start.offset :\n // If there is no value span the attribute does not have a value, like `attr` in\n //`<div attr></div>`. In this case, point to one character beyond the last character of\n // the attribute name.\n attribute.sourceSpan.start.offset + attribute.name.length;\n this.bindingParser.parseInlineTemplateBinding(templateKey, templateValue, attribute.sourceSpan, absoluteValueOffset, [], templateParsedProperties, parsedVariables, true /* isIvyAst */);\n templateVariables.push(...parsedVariables.map(v => new Variable(v.name, v.value, v.sourceSpan, v.keySpan, v.valueSpan)));\n }\n else {\n // Check for variables, events, property bindings, interpolation\n hasBinding = this.parseAttribute(isTemplateElement, attribute, [], parsedProperties, boundEvents, variables, references);\n }\n if (!hasBinding && !isTemplateBinding) {\n // don't include the bindings as attributes as well in the AST\n attributes.push(this.visitAttribute(attribute));\n }\n }\n let children;\n if (preparsedElement.nonBindable) {\n // The `NonBindableVisitor` may need to return an array of nodes for block groups so we need\n // to flatten the array here. Avoid doing this for the `HtmlAstToIvyAst` since `flat` creates\n // a new array.\n children = visitAll(NON_BINDABLE_VISITOR, element.children).flat(Infinity);\n }\n else {\n children = visitAll(this, element.children);\n }\n let parsedElement;\n if (preparsedElement.type === PreparsedElementType.NG_CONTENT) {\n // `<ng-content>`\n if (element.children &&\n !element.children.every((node) => isEmptyTextNode(node) || isCommentNode(node))) {\n this.reportError(`<ng-content> element cannot have content.`, element.sourceSpan);\n }\n const selector = preparsedElement.selectAttr;\n const attrs = element.attrs.map(attr => this.visitAttribute(attr));\n parsedElement = new Content(selector, attrs, element.sourceSpan, element.i18n);\n this.ngContentSelectors.push(selector);\n }\n else if (isTemplateElement) {\n // `<ng-template>`\n const attrs = this.extractAttributes(element.name, parsedProperties, i18nAttrsMeta);\n parsedElement = new Template(element.name, attributes, attrs.bound, boundEvents, [ /* no template attributes */], children, references, variables, element.sourceSpan, element.startSourceSpan, element.endSourceSpan, element.i18n);\n }\n else {\n const attrs = this.extractAttributes(element.name, parsedProperties, i18nAttrsMeta);\n parsedElement = new Element$1(element.name, attributes, attrs.bound, boundEvents, children, references, element.sourceSpan, element.startSourceSpan, element.endSourceSpan, element.i18n);\n }\n if (elementHasInlineTemplate) {\n // If this node is an inline-template (e.g. has *ngFor) then we need to create a template\n // node that contains this node.\n // Moreover, if the node is an element, then we need to hoist its attributes to the template\n // node for matching against content projection selectors.\n const attrs = this.extractAttributes('ng-template', templateParsedProperties, i18nAttrsMeta);\n const templateAttrs = [];\n attrs.literal.forEach(attr => templateAttrs.push(attr));\n attrs.bound.forEach(attr => templateAttrs.push(attr));\n const hoistedAttrs = parsedElement instanceof Element$1 ?\n {\n attributes: parsedElement.attributes,\n inputs: parsedElement.inputs,\n outputs: parsedElement.outputs,\n } :\n { attributes: [], inputs: [], outputs: [] };\n // For <ng-template>s with structural directives on them, avoid passing i18n information to\n // the wrapping template to prevent unnecessary i18n instructions from being generated. The\n // necessary i18n meta information will be extracted from child elements.\n const i18n = isTemplateElement && isI18nRootElement ? undefined : element.i18n;\n const name = parsedElement instanceof Template ? null : parsedElement.name;\n parsedElement = new Template(name, hoistedAttrs.attributes, hoistedAttrs.inputs, hoistedAttrs.outputs, templateAttrs, [parsedElement], [ /* no references */], templateVariables, element.sourceSpan, element.startSourceSpan, element.endSourceSpan, i18n);\n }\n if (isI18nRootElement) {\n this.inI18nBlock = false;\n }\n return parsedElement;\n }\n visitAttribute(attribute) {\n return new TextAttribute(attribute.name, attribute.value, attribute.sourceSpan, attribute.keySpan, attribute.valueSpan, attribute.i18n);\n }\n visitText(text) {\n return this._visitTextWithInterpolation(text.value, text.sourceSpan, text.tokens, text.i18n);\n }\n visitExpansion(expansion) {\n if (!expansion.i18n) {\n // do not generate Icu in case it was created\n // outside of i18n block in a template\n return null;\n }\n if (!isI18nRootNode(expansion.i18n)) {\n throw new Error(`Invalid type \"${expansion.i18n.constructor}\" for \"i18n\" property of ${expansion.sourceSpan.toString()}. Expected a \"Message\"`);\n }\n const message = expansion.i18n;\n const vars = {};\n const placeholders = {};\n // extract VARs from ICUs - we process them separately while\n // assembling resulting message via goog.getMsg function, since\n // we need to pass them to top-level goog.getMsg call\n Object.keys(message.placeholders).forEach(key => {\n const value = message.placeholders[key];\n if (key.startsWith(I18N_ICU_VAR_PREFIX)) {\n // Currently when the `plural` or `select` keywords in an ICU contain trailing spaces (e.g.\n // `{count, select , ...}`), these spaces are also included into the key names in ICU vars\n // (e.g. \"VAR_SELECT \"). These trailing spaces are not desirable, since they will later be\n // converted into `_` symbols while normalizing placeholder names, which might lead to\n // mismatches at runtime (i.e. placeholder will not be replaced with the correct value).\n const formattedKey = key.trim();\n const ast = this.bindingParser.parseInterpolationExpression(value.text, value.sourceSpan);\n vars[formattedKey] = new BoundText(ast, value.sourceSpan);\n }\n else {\n placeholders[key] = this._visitTextWithInterpolation(value.text, value.sourceSpan, null);\n }\n });\n return new Icu$1(vars, placeholders, expansion.sourceSpan, message);\n }\n visitExpansionCase(expansionCase) {\n return null;\n }\n visitComment(comment) {\n if (this.options.collectCommentNodes) {\n this.commentNodes.push(new Comment$1(comment.value || '', comment.sourceSpan));\n }\n return null;\n }\n visitBlockGroup(group, context) {\n const primaryBlock = group.blocks[0];\n // The HTML parser ensures that we don't hit this case, but we have an assertion just in case.\n if (!primaryBlock) {\n this.reportError('Block group must have at least one block.', group.sourceSpan);\n return null;\n }\n if (primaryBlock.name === 'defer' && this.options.enabledBlockTypes.has(primaryBlock.name)) {\n const { node, errors } = createDeferredBlock(group, this, this.bindingParser);\n this.errors.push(...errors);\n return node;\n }\n this.reportError(`Unrecognized block \"${primaryBlock.name}\".`, primaryBlock.sourceSpan);\n return null;\n }\n visitBlock(block, context) { }\n visitBlockParameter(parameter, context) { }\n // convert view engine `ParsedProperty` to a format suitable for IVY\n extractAttributes(elementName, properties, i18nPropsMeta) {\n const bound = [];\n const literal = [];\n properties.forEach(prop => {\n const i18n = i18nPropsMeta[prop.name];\n if (prop.isLiteral) {\n literal.push(new TextAttribute(prop.name, prop.expression.source || '', prop.sourceSpan, prop.keySpan, prop.valueSpan, i18n));\n }\n else {\n // Note that validation is skipped and property mapping is disabled\n // due to the fact that we need to make sure a given prop is not an\n // input of a directive and directive matching happens at runtime.\n const bep = this.bindingParser.createBoundElementProperty(elementName, prop, /* skipValidation */ true, /* mapPropertyName */ false);\n bound.push(BoundAttribute.fromBoundElementProperty(bep, i18n));\n }\n });\n return { bound, literal };\n }\n parseAttribute(isTemplateElement, attribute, matchableAttributes, parsedProperties, boundEvents, variables, references) {\n const name = normalizeAttributeName(attribute.name);\n const value = attribute.value;\n const srcSpan = attribute.sourceSpan;\n const absoluteOffset = attribute.valueSpan ? attribute.valueSpan.start.offset : srcSpan.start.offset;\n function createKeySpan(srcSpan, prefix, identifier) {\n // We need to adjust the start location for the keySpan to account for the removed 'data-'\n // prefix from `normalizeAttributeName`.\n const normalizationAdjustment = attribute.name.length - name.length;\n const keySpanStart = srcSpan.start.moveBy(prefix.length + normalizationAdjustment);\n const keySpanEnd = keySpanStart.moveBy(identifier.length);\n return new ParseSourceSpan(keySpanStart, keySpanEnd, keySpanStart, identifier);\n }\n const bindParts = name.match(BIND_NAME_REGEXP);\n if (bindParts) {\n if (bindParts[KW_BIND_IDX] != null) {\n const identifier = bindParts[IDENT_KW_IDX];\n const keySpan = createKeySpan(srcSpan, bindParts[KW_BIND_IDX], identifier);\n this.bindingParser.parsePropertyBinding(identifier, value, false, srcSpan, absoluteOffset, attribute.valueSpan, matchableAttributes, parsedProperties, keySpan);\n }\n else if (bindParts[KW_LET_IDX]) {\n if (isTemplateElement) {\n const identifier = bindParts[IDENT_KW_IDX];\n const keySpan = createKeySpan(srcSpan, bindParts[KW_LET_IDX], identifier);\n this.parseVariable(identifier, value, srcSpan, keySpan, attribute.valueSpan, variables);\n }\n else {\n this.reportError(`\"let-\" is only supported on ng-template elements.`, srcSpan);\n }\n }\n else if (bindParts[KW_REF_IDX]) {\n const identifier = bindParts[IDENT_KW_IDX];\n const keySpan = createKeySpan(srcSpan, bindParts[KW_REF_IDX], identifier);\n this.parseReference(identifier, value, srcSpan, keySpan, attribute.valueSpan, references);\n }\n else if (bindParts[KW_ON_IDX]) {\n const events = [];\n const identifier = bindParts[IDENT_KW_IDX];\n const keySpan = createKeySpan(srcSpan, bindParts[KW_ON_IDX], identifier);\n this.bindingParser.parseEvent(identifier, value, /* isAssignmentEvent */ false, srcSpan, attribute.valueSpan || srcSpan, matchableAttributes, events, keySpan);\n addEvents(events, boundEvents);\n }\n else if (bindParts[KW_BINDON_IDX]) {\n const identifier = bindParts[IDENT_KW_IDX];\n const keySpan = createKeySpan(srcSpan, bindParts[KW_BINDON_IDX], identifier);\n this.bindingParser.parsePropertyBinding(identifier, value, false, srcSpan, absoluteOffset, attribute.valueSpan, matchableAttributes, parsedProperties, keySpan);\n this.parseAssignmentEvent(identifier, value, srcSpan, attribute.valueSpan, matchableAttributes, boundEvents, keySpan);\n }\n else if (bindParts[KW_AT_IDX]) {\n const keySpan = createKeySpan(srcSpan, '', name);\n this.bindingParser.parseLiteralAttr(name, value, srcSpan, absoluteOffset, attribute.valueSpan, matchableAttributes, parsedProperties, keySpan);\n }\n return true;\n }\n // We didn't see a kw-prefixed property binding, but we have not yet checked\n // for the []/()/[()] syntax.\n let delims = null;\n if (name.startsWith(BINDING_DELIMS.BANANA_BOX.start)) {\n delims = BINDING_DELIMS.BANANA_BOX;\n }\n else if (name.startsWith(BINDING_DELIMS.PROPERTY.start)) {\n delims = BINDING_DELIMS.PROPERTY;\n }\n else if (name.startsWith(BINDING_DELIMS.EVENT.start)) {\n delims = BINDING_DELIMS.EVENT;\n }\n if (delims !== null &&\n // NOTE: older versions of the parser would match a start/end delimited\n // binding iff the property name was terminated by the ending delimiter\n // and the identifier in the binding was non-empty.\n // TODO(ayazhafiz): update this to handle malformed bindings.\n name.endsWith(delims.end) && name.length > delims.start.length + delims.end.length) {\n const identifier = name.substring(delims.start.length, name.length - delims.end.length);\n const keySpan = createKeySpan(srcSpan, delims.start, identifier);\n if (delims.start === BINDING_DELIMS.BANANA_BOX.start) {\n this.bindingParser.parsePropertyBinding(identifier, value, false, srcSpan, absoluteOffset, attribute.valueSpan, matchableAttributes, parsedProperties, keySpan);\n this.parseAssignmentEvent(identifier, value, srcSpan, attribute.valueSpan, matchableAttributes, boundEvents, keySpan);\n }\n else if (delims.start === BINDING_DELIMS.PROPERTY.start) {\n this.bindingParser.parsePropertyBinding(identifier, value, false, srcSpan, absoluteOffset, attribute.valueSpan, matchableAttributes, parsedProperties, keySpan);\n }\n else {\n const events = [];\n this.bindingParser.parseEvent(identifier, value, /* isAssignmentEvent */ false, srcSpan, attribute.valueSpan || srcSpan, matchableAttributes, events, keySpan);\n addEvents(events, boundEvents);\n }\n return true;\n }\n // No explicit binding found.\n const keySpan = createKeySpan(srcSpan, '' /* prefix */, name);\n const hasBinding = this.bindingParser.parsePropertyInterpolation(name, value, srcSpan, attribute.valueSpan, matchableAttributes, parsedProperties, keySpan, attribute.valueTokens ?? null);\n return hasBinding;\n }\n _visitTextWithInterpolation(value, sourceSpan, interpolatedTokens, i18n) {\n const valueNoNgsp = replaceNgsp(value);\n const expr = this.bindingParser.parseInterpolation(valueNoNgsp, sourceSpan, interpolatedTokens);\n return expr ? new BoundText(expr, sourceSpan, i18n) : new Text$3(valueNoNgsp, sourceSpan);\n }\n parseVariable(identifier, value, sourceSpan, keySpan, valueSpan, variables) {\n if (identifier.indexOf('-') > -1) {\n this.reportError(`\"-\" is not allowed in variable names`, sourceSpan);\n }\n else if (identifier.length === 0) {\n this.reportError(`Variable does not have a name`, sourceSpan);\n }\n variables.push(new Variable(identifier, value, sourceSpan, keySpan, valueSpan));\n }\n parseReference(identifier, value, sourceSpan, keySpan, valueSpan, references) {\n if (identifier.indexOf('-') > -1) {\n this.reportError(`\"-\" is not allowed in reference names`, sourceSpan);\n }\n else if (identifier.length === 0) {\n this.reportError(`Reference does not have a name`, sourceSpan);\n }\n else if (references.some(reference => reference.name === identifier)) {\n this.reportError(`Reference \"#${identifier}\" is defined more than once`, sourceSpan);\n }\n references.push(new Reference(identifier, value, sourceSpan, keySpan, valueSpan));\n }\n parseAssignmentEvent(name, expression, sourceSpan, valueSpan, targetMatchableAttrs, boundEvents, keySpan) {\n const events = [];\n this.bindingParser.parseEvent(`${name}Change`, `${expression} =$event`, /* isAssignmentEvent */ true, sourceSpan, valueSpan || sourceSpan, targetMatchableAttrs, events, keySpan);\n addEvents(events, boundEvents);\n }\n reportError(message, sourceSpan, level = ParseErrorLevel.ERROR) {\n this.errors.push(new ParseError(sourceSpan, message, level));\n }\n}\nclass NonBindableVisitor {\n visitElement(ast) {\n const preparsedElement = preparseElement(ast);\n if (preparsedElement.type === PreparsedElementType.SCRIPT ||\n preparsedElement.type === PreparsedElementType.STYLE ||\n preparsedElement.type === PreparsedElementType.STYLESHEET) {\n // Skipping <script> for security reasons\n // Skipping <style> and stylesheets as we already processed them\n // in the StyleCompiler\n return null;\n }\n const children = visitAll(this, ast.children, null);\n return new Element$1(ast.name, visitAll(this, ast.attrs), \n /* inputs */ [], /* outputs */ [], children, /* references */ [], ast.sourceSpan, ast.startSourceSpan, ast.endSourceSpan);\n }\n visitComment(comment) {\n return null;\n }\n visitAttribute(attribute) {\n return new TextAttribute(attribute.name, attribute.value, attribute.sourceSpan, attribute.keySpan, attribute.valueSpan, attribute.i18n);\n }\n visitText(text) {\n return new Text$3(text.value, text.sourceSpan);\n }\n visitExpansion(expansion) {\n return null;\n }\n visitExpansionCase(expansionCase) {\n return null;\n }\n visitBlockGroup(group, context) {\n const nodes = visitAll(this, group.blocks);\n // We only need to do the end tag since the start will be added as a part of the primary block.\n if (group.endSourceSpan !== null) {\n nodes.push(new Text$3(group.endSourceSpan.toString(), group.endSourceSpan));\n }\n return nodes;\n }\n visitBlock(block, context) {\n return [\n // In an ngNonBindable context we treat the opening/closing tags of block as plain text.\n // This is the as if the `tokenizeBlocks` option was disabled.\n new Text$3(block.startSourceSpan.toString(), block.startSourceSpan),\n ...visitAll(this, block.children)\n ];\n }\n visitBlockParameter(parameter, context) {\n return null;\n }\n}\nconst NON_BINDABLE_VISITOR = new NonBindableVisitor();\nfunction normalizeAttributeName(attrName) {\n return /^data-/i.test(attrName) ? attrName.substring(5) : attrName;\n}\nfunction addEvents(events, boundEvents) {\n boundEvents.push(...events.map(e => BoundEvent.fromParsedEvent(e)));\n}\nfunction isEmptyTextNode(node) {\n return node instanceof Text && node.value.trim().length == 0;\n}\nfunction isCommentNode(node) {\n return node instanceof Comment;\n}\nfunction textContents(node) {\n if (node.children.length !== 1 || !(node.children[0] instanceof Text)) {\n return null;\n }\n else {\n return node.children[0].value;\n }\n}\n\nvar TagType;\n(function (TagType) {\n TagType[TagType[\"ELEMENT\"] = 0] = \"ELEMENT\";\n TagType[TagType[\"TEMPLATE\"] = 1] = \"TEMPLATE\";\n})(TagType || (TagType = {}));\n/**\n * Generates an object that is used as a shared state between parent and all child contexts.\n */\nfunction setupRegistry() {\n return { getUniqueId: getSeqNumberGenerator(), icus: new Map() };\n}\n/**\n * I18nContext is a helper class which keeps track of all i18n-related aspects\n * (accumulates placeholders, bindings, etc) between i18nStart and i18nEnd instructions.\n *\n * When we enter a nested template, the top-level context is being passed down\n * to the nested component, which uses this context to generate a child instance\n * of I18nContext class (to handle nested template) and at the end, reconciles it back\n * with the parent context.\n *\n * @param index Instruction index of i18nStart, which initiates this context\n * @param ref Reference to a translation const that represents the content if thus context\n * @param level Nesting level defined for child contexts\n * @param templateIndex Instruction index of a template which this context belongs to\n * @param meta Meta information (id, meaning, description, etc) associated with this context\n */\nclass I18nContext {\n constructor(index, ref, level = 0, templateIndex = null, meta, registry) {\n this.index = index;\n this.ref = ref;\n this.level = level;\n this.templateIndex = templateIndex;\n this.meta = meta;\n this.registry = registry;\n this.bindings = new Set();\n this.placeholders = new Map();\n this.isEmitted = false;\n this._unresolvedCtxCount = 0;\n this._registry = registry || setupRegistry();\n this.id = this._registry.getUniqueId();\n }\n appendTag(type, node, index, closed) {\n if (node.isVoid && closed) {\n return; // ignore \"close\" for void tags\n }\n const ph = node.isVoid || !closed ? node.startName : node.closeName;\n const content = { type, index, ctx: this.id, isVoid: node.isVoid, closed };\n updatePlaceholderMap(this.placeholders, ph, content);\n }\n get icus() {\n return this._registry.icus;\n }\n get isRoot() {\n return this.level === 0;\n }\n get isResolved() {\n return this._unresolvedCtxCount === 0;\n }\n getSerializedPlaceholders() {\n const result = new Map();\n this.placeholders.forEach((values, key) => result.set(key, values.map(serializePlaceholderValue)));\n return result;\n }\n // public API to accumulate i18n-related content\n appendBinding(binding) {\n this.bindings.add(binding);\n }\n appendIcu(name, ref) {\n updatePlaceholderMap(this._registry.icus, name, ref);\n }\n appendBoundText(node) {\n const phs = assembleBoundTextPlaceholders(node, this.bindings.size, this.id);\n phs.forEach((values, key) => updatePlaceholderMap(this.placeholders, key, ...values));\n }\n appendTemplate(node, index) {\n // add open and close tags at the same time,\n // since we process nested templates separately\n this.appendTag(TagType.TEMPLATE, node, index, false);\n this.appendTag(TagType.TEMPLATE, node, index, true);\n this._unresolvedCtxCount++;\n }\n appendElement(node, index, closed) {\n this.appendTag(TagType.ELEMENT, node, index, closed);\n }\n appendProjection(node, index) {\n // Add open and close tags at the same time, since `<ng-content>` has no content,\n // so when we come across `<ng-content>` we can register both open and close tags.\n // Note: runtime i18n logic doesn't distinguish `<ng-content>` tag placeholders and\n // regular element tag placeholders, so we generate element placeholders for both types.\n this.appendTag(TagType.ELEMENT, node, index, false);\n this.appendTag(TagType.ELEMENT, node, index, true);\n }\n /**\n * Generates an instance of a child context based on the root one,\n * when we enter a nested template within I18n section.\n *\n * @param index Instruction index of corresponding i18nStart, which initiates this context\n * @param templateIndex Instruction index of a template which this context belongs to\n * @param meta Meta information (id, meaning, description, etc) associated with this context\n *\n * @returns I18nContext instance\n */\n forkChildContext(index, templateIndex, meta) {\n return new I18nContext(index, this.ref, this.level + 1, templateIndex, meta, this._registry);\n }\n /**\n * Reconciles child context into parent one once the end of the i18n block is reached (i18nEnd).\n *\n * @param context Child I18nContext instance to be reconciled with parent context.\n */\n reconcileChildContext(context) {\n // set the right context id for open and close\n // template tags, so we can use it as sub-block ids\n ['start', 'close'].forEach((op) => {\n const key = context.meta[`${op}Name`];\n const phs = this.placeholders.get(key) || [];\n const tag = phs.find(findTemplateFn(this.id, context.templateIndex));\n if (tag) {\n tag.ctx = context.id;\n }\n });\n // reconcile placeholders\n const childPhs = context.placeholders;\n childPhs.forEach((values, key) => {\n const phs = this.placeholders.get(key);\n if (!phs) {\n this.placeholders.set(key, values);\n return;\n }\n // try to find matching template...\n const tmplIdx = phs.findIndex(findTemplateFn(context.id, context.templateIndex));\n if (tmplIdx >= 0) {\n // ... if found - replace it with nested template content\n const isCloseTag = key.startsWith('CLOSE');\n const isTemplateTag = key.endsWith('NG-TEMPLATE');\n if (isTemplateTag) {\n // current template's content is placed before or after\n // parent template tag, depending on the open/close attribute\n phs.splice(tmplIdx + (isCloseTag ? 0 : 1), 0, ...values);\n }\n else {\n const idx = isCloseTag ? values.length - 1 : 0;\n values[idx].tmpl = phs[tmplIdx];\n phs.splice(tmplIdx, 1, ...values);\n }\n }\n else {\n // ... otherwise just append content to placeholder value\n phs.push(...values);\n }\n this.placeholders.set(key, phs);\n });\n this._unresolvedCtxCount--;\n }\n}\n//\n// Helper methods\n//\nfunction wrap(symbol, index, contextId, closed) {\n const state = closed ? '/' : '';\n return wrapI18nPlaceholder(`${state}${symbol}${index}`, contextId);\n}\nfunction wrapTag(symbol, { index, ctx, isVoid }, closed) {\n return isVoid ? wrap(symbol, index, ctx) + wrap(symbol, index, ctx, true) :\n wrap(symbol, index, ctx, closed);\n}\nfunction findTemplateFn(ctx, templateIndex) {\n return (token) => typeof token === 'object' && token.type === TagType.TEMPLATE &&\n token.index === templateIndex && token.ctx === ctx;\n}\nfunction serializePlaceholderValue(value) {\n const element = (data, closed) => wrapTag('#', data, closed);\n const template = (data, closed) => wrapTag('*', data, closed);\n switch (value.type) {\n case TagType.ELEMENT:\n // close element tag\n if (value.closed) {\n return element(value, true) + (value.tmpl ? template(value.tmpl, true) : '');\n }\n // open element tag that also initiates a template\n if (value.tmpl) {\n return template(value.tmpl) + element(value) +\n (value.isVoid ? template(value.tmpl, true) : '');\n }\n return element(value);\n case TagType.TEMPLATE:\n return template(value, value.closed);\n default:\n return value;\n }\n}\n\nclass IcuSerializerVisitor {\n visitText(text) {\n return text.value;\n }\n visitContainer(container) {\n return container.children.map(child => child.visit(this)).join('');\n }\n visitIcu(icu) {\n const strCases = Object.keys(icu.cases).map((k) => `${k} {${icu.cases[k].visit(this)}}`);\n const result = `{${icu.expressionPlaceholder}, ${icu.type}, ${strCases.join(' ')}}`;\n return result;\n }\n visitTagPlaceholder(ph) {\n return ph.isVoid ?\n this.formatPh(ph.startName) :\n `${this.formatPh(ph.startName)}${ph.children.map(child => child.visit(this)).join('')}${this.formatPh(ph.closeName)}`;\n }\n visitPlaceholder(ph) {\n return this.formatPh(ph.name);\n }\n visitIcuPlaceholder(ph, context) {\n return this.formatPh(ph.name);\n }\n formatPh(value) {\n return `{${formatI18nPlaceholderName(value, /* useCamelCase */ false)}}`;\n }\n}\nconst serializer = new IcuSerializerVisitor();\nfunction serializeIcuNode(icu) {\n return icu.visit(serializer);\n}\n\nconst TAG_TO_PLACEHOLDER_NAMES = {\n 'A': 'LINK',\n 'B': 'BOLD_TEXT',\n 'BR': 'LINE_BREAK',\n 'EM': 'EMPHASISED_TEXT',\n 'H1': 'HEADING_LEVEL1',\n 'H2': 'HEADING_LEVEL2',\n 'H3': 'HEADING_LEVEL3',\n 'H4': 'HEADING_LEVEL4',\n 'H5': 'HEADING_LEVEL5',\n 'H6': 'HEADING_LEVEL6',\n 'HR': 'HORIZONTAL_RULE',\n 'I': 'ITALIC_TEXT',\n 'LI': 'LIST_ITEM',\n 'LINK': 'MEDIA_LINK',\n 'OL': 'ORDERED_LIST',\n 'P': 'PARAGRAPH',\n 'Q': 'QUOTATION',\n 'S': 'STRIKETHROUGH_TEXT',\n 'SMALL': 'SMALL_TEXT',\n 'SUB': 'SUBSTRIPT',\n 'SUP': 'SUPERSCRIPT',\n 'TBODY': 'TABLE_BODY',\n 'TD': 'TABLE_CELL',\n 'TFOOT': 'TABLE_FOOTER',\n 'TH': 'TABLE_HEADER_CELL',\n 'THEAD': 'TABLE_HEADER',\n 'TR': 'TABLE_ROW',\n 'TT': 'MONOSPACED_TEXT',\n 'U': 'UNDERLINED_TEXT',\n 'UL': 'UNORDERED_LIST',\n};\n/**\n * Creates unique names for placeholder with different content.\n *\n * Returns the same placeholder name when the content is identical.\n */\nclass PlaceholderRegistry {\n constructor() {\n // Count the occurrence of the base name top generate a unique name\n this._placeHolderNameCounts = {};\n // Maps signature to placeholder names\n this._signatureToName = {};\n }\n getStartTagPlaceholderName(tag, attrs, isVoid) {\n const signature = this._hashTag(tag, attrs, isVoid);\n if (this._signatureToName[signature]) {\n return this._signatureToName[signature];\n }\n const upperTag = tag.toUpperCase();\n const baseName = TAG_TO_PLACEHOLDER_NAMES[upperTag] || `TAG_${upperTag}`;\n const name = this._generateUniqueName(isVoid ? baseName : `START_${baseName}`);\n this._signatureToName[signature] = name;\n return name;\n }\n getCloseTagPlaceholderName(tag) {\n const signature = this._hashClosingTag(tag);\n if (this._signatureToName[signature]) {\n return this._signatureToName[signature];\n }\n const upperTag = tag.toUpperCase();\n const baseName = TAG_TO_PLACEHOLDER_NAMES[upperTag] || `TAG_${upperTag}`;\n const name = this._generateUniqueName(`CLOSE_${baseName}`);\n this._signatureToName[signature] = name;\n return name;\n }\n getPlaceholderName(name, content) {\n const upperName = name.toUpperCase();\n const signature = `PH: ${upperName}=${content}`;\n if (this._signatureToName[signature]) {\n return this._signatureToName[signature];\n }\n const uniqueName = this._generateUniqueName(upperName);\n this._signatureToName[signature] = uniqueName;\n return uniqueName;\n }\n getUniquePlaceholder(name) {\n return this._generateUniqueName(name.toUpperCase());\n }\n // Generate a hash for a tag - does not take attribute order into account\n _hashTag(tag, attrs, isVoid) {\n const start = `<${tag}`;\n const strAttrs = Object.keys(attrs).sort().map((name) => ` ${name}=${attrs[name]}`).join('');\n const end = isVoid ? '/>' : `></${tag}>`;\n return start + strAttrs + end;\n }\n _hashClosingTag(tag) {\n return this._hashTag(`/${tag}`, {}, false);\n }\n _generateUniqueName(base) {\n const seen = this._placeHolderNameCounts.hasOwnProperty(base);\n if (!seen) {\n this._placeHolderNameCounts[base] = 1;\n return base;\n }\n const id = this._placeHolderNameCounts[base];\n this._placeHolderNameCounts[base] = id + 1;\n return `${base}_${id}`;\n }\n}\n\nconst _expParser = new Parser$1(new Lexer());\n/**\n * Returns a function converting html nodes to an i18n Message given an interpolationConfig\n */\nfunction createI18nMessageFactory(interpolationConfig) {\n const visitor = new _I18nVisitor(_expParser, interpolationConfig);\n return (nodes, meaning, description, customId, visitNodeFn) => visitor.toI18nMessage(nodes, meaning, description, customId, visitNodeFn);\n}\nfunction noopVisitNodeFn(_html, i18n) {\n return i18n;\n}\nclass _I18nVisitor {\n constructor(_expressionParser, _interpolationConfig) {\n this._expressionParser = _expressionParser;\n this._interpolationConfig = _interpolationConfig;\n }\n toI18nMessage(nodes, meaning = '', description = '', customId = '', visitNodeFn) {\n const context = {\n isIcu: nodes.length == 1 && nodes[0] instanceof Expansion,\n icuDepth: 0,\n placeholderRegistry: new PlaceholderRegistry(),\n placeholderToContent: {},\n placeholderToMessage: {},\n visitNodeFn: visitNodeFn || noopVisitNodeFn,\n };\n const i18nodes = visitAll(this, nodes, context);\n return new Message(i18nodes, context.placeholderToContent, context.placeholderToMessage, meaning, description, customId);\n }\n visitElement(el, context) {\n const children = visitAll(this, el.children, context);\n const attrs = {};\n el.attrs.forEach(attr => {\n // Do not visit the attributes, translatable ones are top-level ASTs\n attrs[attr.name] = attr.value;\n });\n const isVoid = getHtmlTagDefinition(el.name).isVoid;\n const startPhName = context.placeholderRegistry.getStartTagPlaceholderName(el.name, attrs, isVoid);\n context.placeholderToContent[startPhName] = {\n text: el.startSourceSpan.toString(),\n sourceSpan: el.startSourceSpan,\n };\n let closePhName = '';\n if (!isVoid) {\n closePhName = context.placeholderRegistry.getCloseTagPlaceholderName(el.name);\n context.placeholderToContent[closePhName] = {\n text: `</${el.name}>`,\n sourceSpan: el.endSourceSpan ?? el.sourceSpan,\n };\n }\n const node = new TagPlaceholder(el.name, attrs, startPhName, closePhName, children, isVoid, el.sourceSpan, el.startSourceSpan, el.endSourceSpan);\n return context.visitNodeFn(el, node);\n }\n visitAttribute(attribute, context) {\n const node = attribute.valueTokens === undefined || attribute.valueTokens.length === 1 ?\n new Text$2(attribute.value, attribute.valueSpan || attribute.sourceSpan) :\n this._visitTextWithInterpolation(attribute.valueTokens, attribute.valueSpan || attribute.sourceSpan, context, attribute.i18n);\n return context.visitNodeFn(attribute, node);\n }\n visitText(text, context) {\n const node = text.tokens.length === 1 ?\n new Text$2(text.value, text.sourceSpan) :\n this._visitTextWithInterpolation(text.tokens, text.sourceSpan, context, text.i18n);\n return context.visitNodeFn(text, node);\n }\n visitComment(comment, context) {\n return null;\n }\n visitExpansion(icu, context) {\n context.icuDepth++;\n const i18nIcuCases = {};\n const i18nIcu = new Icu(icu.switchValue, icu.type, i18nIcuCases, icu.sourceSpan);\n icu.cases.forEach((caze) => {\n i18nIcuCases[caze.value] = new Container(caze.expression.map((node) => node.visit(this, context)), caze.expSourceSpan);\n });\n context.icuDepth--;\n if (context.isIcu || context.icuDepth > 0) {\n // Returns an ICU node when:\n // - the message (vs a part of the message) is an ICU message, or\n // - the ICU message is nested.\n const expPh = context.placeholderRegistry.getUniquePlaceholder(`VAR_${icu.type}`);\n i18nIcu.expressionPlaceholder = expPh;\n context.placeholderToContent[expPh] = {\n text: icu.switchValue,\n sourceSpan: icu.switchValueSourceSpan,\n };\n return context.visitNodeFn(icu, i18nIcu);\n }\n // Else returns a placeholder\n // ICU placeholders should not be replaced with their original content but with the their\n // translations.\n // TODO(vicb): add a html.Node -> i18n.Message cache to avoid having to re-create the msg\n const phName = context.placeholderRegistry.getPlaceholderName('ICU', icu.sourceSpan.toString());\n context.placeholderToMessage[phName] = this.toI18nMessage([icu], '', '', '', undefined);\n const node = new IcuPlaceholder(i18nIcu, phName, icu.sourceSpan);\n return context.visitNodeFn(icu, node);\n }\n visitExpansionCase(_icuCase, _context) {\n throw new Error('Unreachable code');\n }\n visitBlockGroup(group, context) {\n const children = visitAll(this, group.blocks, context);\n const node = new Container(children, group.sourceSpan);\n return context.visitNodeFn(group, node);\n }\n visitBlock(block, context) {\n const children = visitAll(this, block.children, context);\n const node = new Container(children, block.sourceSpan);\n return context.visitNodeFn(block, node);\n }\n visitBlockParameter(_parameter, _context) { }\n /**\n * Convert, text and interpolated tokens up into text and placeholder pieces.\n *\n * @param tokens The text and interpolated tokens.\n * @param sourceSpan The span of the whole of the `text` string.\n * @param context The current context of the visitor, used to compute and store placeholders.\n * @param previousI18n Any i18n metadata associated with this `text` from a previous pass.\n */\n _visitTextWithInterpolation(tokens, sourceSpan, context, previousI18n) {\n // Return a sequence of `Text` and `Placeholder` nodes grouped in a `Container`.\n const nodes = [];\n // We will only create a container if there are actually interpolations,\n // so this flag tracks that.\n let hasInterpolation = false;\n for (const token of tokens) {\n switch (token.type) {\n case 8 /* TokenType.INTERPOLATION */:\n case 17 /* TokenType.ATTR_VALUE_INTERPOLATION */:\n hasInterpolation = true;\n const expression = token.parts[1];\n const baseName = extractPlaceholderName(expression) || 'INTERPOLATION';\n const phName = context.placeholderRegistry.getPlaceholderName(baseName, expression);\n context.placeholderToContent[phName] = {\n text: token.parts.join(''),\n sourceSpan: token.sourceSpan\n };\n nodes.push(new Placeholder(expression, phName, token.sourceSpan));\n break;\n default:\n if (token.parts[0].length > 0) {\n // This token is text or an encoded entity.\n // If it is following on from a previous text node then merge it into that node\n // Otherwise, if it is following an interpolation, then add a new node.\n const previous = nodes[nodes.length - 1];\n if (previous instanceof Text$2) {\n previous.value += token.parts[0];\n previous.sourceSpan = new ParseSourceSpan(previous.sourceSpan.start, token.sourceSpan.end, previous.sourceSpan.fullStart, previous.sourceSpan.details);\n }\n else {\n nodes.push(new Text$2(token.parts[0], token.sourceSpan));\n }\n }\n break;\n }\n }\n if (hasInterpolation) {\n // Whitespace removal may have invalidated the interpolation source-spans.\n reusePreviousSourceSpans(nodes, previousI18n);\n return new Container(nodes, sourceSpan);\n }\n else {\n return nodes[0];\n }\n }\n}\n/**\n * Re-use the source-spans from `previousI18n` metadata for the `nodes`.\n *\n * Whitespace removal can invalidate the source-spans of interpolation nodes, so we\n * reuse the source-span stored from a previous pass before the whitespace was removed.\n *\n * @param nodes The `Text` and `Placeholder` nodes to be processed.\n * @param previousI18n Any i18n metadata for these `nodes` stored from a previous pass.\n */\nfunction reusePreviousSourceSpans(nodes, previousI18n) {\n if (previousI18n instanceof Message) {\n // The `previousI18n` is an i18n `Message`, so we are processing an `Attribute` with i18n\n // metadata. The `Message` should consist only of a single `Container` that contains the\n // parts (`Text` and `Placeholder`) to process.\n assertSingleContainerMessage(previousI18n);\n previousI18n = previousI18n.nodes[0];\n }\n if (previousI18n instanceof Container) {\n // The `previousI18n` is a `Container`, which means that this is a second i18n extraction pass\n // after whitespace has been removed from the AST nodes.\n assertEquivalentNodes(previousI18n.children, nodes);\n // Reuse the source-spans from the first pass.\n for (let i = 0; i < nodes.length; i++) {\n nodes[i].sourceSpan = previousI18n.children[i].sourceSpan;\n }\n }\n}\n/**\n * Asserts that the `message` contains exactly one `Container` node.\n */\nfunction assertSingleContainerMessage(message) {\n const nodes = message.nodes;\n if (nodes.length !== 1 || !(nodes[0] instanceof Container)) {\n throw new Error('Unexpected previous i18n message - expected it to consist of only a single `Container` node.');\n }\n}\n/**\n * Asserts that the `previousNodes` and `node` collections have the same number of elements and\n * corresponding elements have the same node type.\n */\nfunction assertEquivalentNodes(previousNodes, nodes) {\n if (previousNodes.length !== nodes.length) {\n throw new Error('The number of i18n message children changed between first and second pass.');\n }\n if (previousNodes.some((node, i) => nodes[i].constructor !== node.constructor)) {\n throw new Error('The types of the i18n message children changed between first and second pass.');\n }\n}\nconst _CUSTOM_PH_EXP = /\\/\\/[\\s\\S]*i18n[\\s\\S]*\\([\\s\\S]*ph[\\s\\S]*=[\\s\\S]*(\"|')([\\s\\S]*?)\\1[\\s\\S]*\\)/g;\nfunction extractPlaceholderName(input) {\n return input.split(_CUSTOM_PH_EXP)[2];\n}\n\n/**\n * An i18n error.\n */\nclass I18nError extends ParseError {\n constructor(span, msg) {\n super(span, msg);\n }\n}\n\nconst setI18nRefs = (htmlNode, i18nNode) => {\n if (htmlNode instanceof NodeWithI18n) {\n if (i18nNode instanceof IcuPlaceholder && htmlNode.i18n instanceof Message) {\n // This html node represents an ICU but this is a second processing pass, and the legacy id\n // was computed in the previous pass and stored in the `i18n` property as a message.\n // We are about to wipe out that property so capture the previous message to be reused when\n // generating the message for this ICU later. See `_generateI18nMessage()`.\n i18nNode.previousMessage = htmlNode.i18n;\n }\n htmlNode.i18n = i18nNode;\n }\n return i18nNode;\n};\n/**\n * This visitor walks over HTML parse tree and converts information stored in\n * i18n-related attributes (\"i18n\" and \"i18n-*\") into i18n meta object that is\n * stored with other element's and attribute's information.\n */\nclass I18nMetaVisitor {\n constructor(interpolationConfig = DEFAULT_INTERPOLATION_CONFIG, keepI18nAttrs = false, enableI18nLegacyMessageIdFormat = false) {\n this.interpolationConfig = interpolationConfig;\n this.keepI18nAttrs = keepI18nAttrs;\n this.enableI18nLegacyMessageIdFormat = enableI18nLegacyMessageIdFormat;\n // whether visited nodes contain i18n information\n this.hasI18nMeta = false;\n this._errors = [];\n }\n _generateI18nMessage(nodes, meta = '', visitNodeFn) {\n const { meaning, description, customId } = this._parseMetadata(meta);\n const createI18nMessage = createI18nMessageFactory(this.interpolationConfig);\n const message = createI18nMessage(nodes, meaning, description, customId, visitNodeFn);\n this._setMessageId(message, meta);\n this._setLegacyIds(message, meta);\n return message;\n }\n visitAllWithErrors(nodes) {\n const result = nodes.map(node => node.visit(this, null));\n return new ParseTreeResult(result, this._errors);\n }\n visitElement(element) {\n let message = undefined;\n if (hasI18nAttrs(element)) {\n this.hasI18nMeta = true;\n const attrs = [];\n const attrsMeta = {};\n for (const attr of element.attrs) {\n if (attr.name === I18N_ATTR) {\n // root 'i18n' node attribute\n const i18n = element.i18n || attr.value;\n message = this._generateI18nMessage(element.children, i18n, setI18nRefs);\n if (message.nodes.length === 0) {\n // Ignore the message if it is empty.\n message = undefined;\n }\n // Store the message on the element\n element.i18n = message;\n }\n else if (attr.name.startsWith(I18N_ATTR_PREFIX)) {\n // 'i18n-*' attributes\n const name = attr.name.slice(I18N_ATTR_PREFIX.length);\n if (isTrustedTypesSink(element.name, name)) {\n this._reportError(attr, `Translating attribute '${name}' is disallowed for security reasons.`);\n }\n else {\n attrsMeta[name] = attr.value;\n }\n }\n else {\n // non-i18n attributes\n attrs.push(attr);\n }\n }\n // set i18n meta for attributes\n if (Object.keys(attrsMeta).length) {\n for (const attr of attrs) {\n const meta = attrsMeta[attr.name];\n // do not create translation for empty attributes\n if (meta !== undefined && attr.value) {\n attr.i18n = this._generateI18nMessage([attr], attr.i18n || meta);\n }\n }\n }\n if (!this.keepI18nAttrs) {\n // update element's attributes,\n // keeping only non-i18n related ones\n element.attrs = attrs;\n }\n }\n visitAll(this, element.children, message);\n return element;\n }\n visitExpansion(expansion, currentMessage) {\n let message;\n const meta = expansion.i18n;\n this.hasI18nMeta = true;\n if (meta instanceof IcuPlaceholder) {\n // set ICU placeholder name (e.g. \"ICU_1\"),\n // generated while processing root element contents,\n // so we can reference it when we output translation\n const name = meta.name;\n message = this._generateI18nMessage([expansion], meta);\n const icu = icuFromI18nMessage(message);\n icu.name = name;\n if (currentMessage !== null) {\n // Also update the placeholderToMessage map with this new message\n currentMessage.placeholderToMessage[name] = message;\n }\n }\n else {\n // ICU is a top level message, try to use metadata from container element if provided via\n // `context` argument. Note: context may not be available for standalone ICUs (without\n // wrapping element), so fallback to ICU metadata in this case.\n message = this._generateI18nMessage([expansion], currentMessage || meta);\n }\n expansion.i18n = message;\n return expansion;\n }\n visitText(text) {\n return text;\n }\n visitAttribute(attribute) {\n return attribute;\n }\n visitComment(comment) {\n return comment;\n }\n visitExpansionCase(expansionCase) {\n return expansionCase;\n }\n visitBlockGroup(group, context) {\n visitAll(this, group.blocks, context);\n return group;\n }\n visitBlock(block, context) {\n visitAll(this, block.children, context);\n return block;\n }\n visitBlockParameter(parameter, context) {\n return parameter;\n }\n /**\n * Parse the general form `meta` passed into extract the explicit metadata needed to create a\n * `Message`.\n *\n * There are three possibilities for the `meta` variable\n * 1) a string from an `i18n` template attribute: parse it to extract the metadata values.\n * 2) a `Message` from a previous processing pass: reuse the metadata values in the message.\n * 4) other: ignore this and just process the message metadata as normal\n *\n * @param meta the bucket that holds information about the message\n * @returns the parsed metadata.\n */\n _parseMetadata(meta) {\n return typeof meta === 'string' ? parseI18nMeta(meta) :\n meta instanceof Message ? meta :\n {};\n }\n /**\n * Generate (or restore) message id if not specified already.\n */\n _setMessageId(message, meta) {\n if (!message.id) {\n message.id = meta instanceof Message && meta.id || decimalDigest(message);\n }\n }\n /**\n * Update the `message` with a `legacyId` if necessary.\n *\n * @param message the message whose legacy id should be set\n * @param meta information about the message being processed\n */\n _setLegacyIds(message, meta) {\n if (this.enableI18nLegacyMessageIdFormat) {\n message.legacyIds = [computeDigest(message), computeDecimalDigest(message)];\n }\n else if (typeof meta !== 'string') {\n // This occurs if we are doing the 2nd pass after whitespace removal (see `parseTemplate()` in\n // `packages/compiler/src/render3/view/template.ts`).\n // In that case we want to reuse the legacy message generated in the 1st pass (see\n // `setI18nRefs()`).\n const previousMessage = meta instanceof Message ? meta :\n meta instanceof IcuPlaceholder ? meta.previousMessage :\n undefined;\n message.legacyIds = previousMessage ? previousMessage.legacyIds : [];\n }\n }\n _reportError(node, msg) {\n this._errors.push(new I18nError(node.sourceSpan, msg));\n }\n}\n/** I18n separators for metadata **/\nconst I18N_MEANING_SEPARATOR = '|';\nconst I18N_ID_SEPARATOR = '@@';\n/**\n * Parses i18n metas like:\n * - \"@@id\",\n * - \"description[@@id]\",\n * - \"meaning|description[@@id]\"\n * and returns an object with parsed output.\n *\n * @param meta String that represents i18n meta\n * @returns Object with id, meaning and description fields\n */\nfunction parseI18nMeta(meta = '') {\n let customId;\n let meaning;\n let description;\n meta = meta.trim();\n if (meta) {\n const idIndex = meta.indexOf(I18N_ID_SEPARATOR);\n const descIndex = meta.indexOf(I18N_MEANING_SEPARATOR);\n let meaningAndDesc;\n [meaningAndDesc, customId] =\n (idIndex > -1) ? [meta.slice(0, idIndex), meta.slice(idIndex + 2)] : [meta, ''];\n [meaning, description] = (descIndex > -1) ?\n [meaningAndDesc.slice(0, descIndex), meaningAndDesc.slice(descIndex + 1)] :\n ['', meaningAndDesc];\n }\n return { customId, meaning, description };\n}\n// Converts i18n meta information for a message (id, description, meaning)\n// to a JsDoc statement formatted as expected by the Closure compiler.\nfunction i18nMetaToJSDoc(meta) {\n const tags = [];\n if (meta.description) {\n tags.push({ tagName: \"desc\" /* o.JSDocTagName.Desc */, text: meta.description });\n }\n else {\n // Suppress the JSCompiler warning that a `@desc` was not given for this message.\n tags.push({ tagName: \"suppress\" /* o.JSDocTagName.Suppress */, text: '{msgDescriptions}' });\n }\n if (meta.meaning) {\n tags.push({ tagName: \"meaning\" /* o.JSDocTagName.Meaning */, text: meta.meaning });\n }\n return jsDocComment(tags);\n}\n\n/** Closure uses `goog.getMsg(message)` to lookup translations */\nconst GOOG_GET_MSG = 'goog.getMsg';\n/**\n * Generates a `goog.getMsg()` statement and reassignment. The template:\n *\n * ```html\n * <div i18n>Sent from {{ sender }} to <span class=\"receiver\">{{ receiver }}</span></div>\n * ```\n *\n * Generates:\n *\n * ```typescript\n * const MSG_FOO = goog.getMsg(\n * // Message template.\n * 'Sent from {$interpolation} to {$startTagSpan}{$interpolation_1}{$closeTagSpan}.',\n * // Placeholder values, set to magic strings which get replaced by the Angular runtime.\n * {\n * 'interpolation': '\\uFFFD0\\uFFFD',\n * 'startTagSpan': '\\uFFFD1\\uFFFD',\n * 'interpolation_1': '\\uFFFD2\\uFFFD',\n * 'closeTagSpan': '\\uFFFD3\\uFFFD',\n * },\n * // Options bag.\n * {\n * // Maps each placeholder to the original Angular source code which generates it's value.\n * original_code: {\n * 'interpolation': '{{ sender }}',\n * 'startTagSpan': '<span class=\"receiver\">',\n * 'interpolation_1': '{{ receiver }}',\n * 'closeTagSpan': '</span>',\n * },\n * },\n * );\n * const I18N_0 = MSG_FOO;\n * ```\n */\nfunction createGoogleGetMsgStatements(variable$1, message, closureVar, placeholderValues) {\n const messageString = serializeI18nMessageForGetMsg(message);\n const args = [literal(messageString)];\n if (Object.keys(placeholderValues).length) {\n // Message template parameters containing the magic strings replaced by the Angular runtime with\n // real data, e.g. `{'interpolation': '\\uFFFD0\\uFFFD'}`.\n args.push(mapLiteral(formatI18nPlaceholderNamesInMap(placeholderValues, true /* useCamelCase */), true /* quoted */));\n // Message options object, which contains original source code for placeholders (as they are\n // present in a template, e.g.\n // `{original_code: {'interpolation': '{{ name }}', 'startTagSpan': '<span>'}}`.\n args.push(mapLiteral({\n original_code: literalMap(Object.keys(placeholderValues)\n .map((param) => ({\n key: formatI18nPlaceholderName(param),\n quoted: true,\n value: message.placeholders[param] ?\n // Get source span for typical placeholder if it exists.\n literal(message.placeholders[param].sourceSpan.toString()) :\n // Otherwise must be an ICU expression, get it's source span.\n literal(message.placeholderToMessage[param]\n .nodes.map((node) => node.sourceSpan.toString())\n .join('')),\n }))),\n }));\n }\n // /**\n // * @desc description of message\n // * @meaning meaning of message\n // */\n // const MSG_... = goog.getMsg(..);\n // I18N_X = MSG_...;\n const googGetMsgStmt = closureVar.set(variable(GOOG_GET_MSG).callFn(args)).toConstDecl();\n googGetMsgStmt.addLeadingComment(i18nMetaToJSDoc(message));\n const i18nAssignmentStmt = new ExpressionStatement(variable$1.set(closureVar));\n return [googGetMsgStmt, i18nAssignmentStmt];\n}\n/**\n * This visitor walks over i18n tree and generates its string representation, including ICUs and\n * placeholders in `{$placeholder}` (for plain messages) or `{PLACEHOLDER}` (inside ICUs) format.\n */\nclass GetMsgSerializerVisitor {\n formatPh(value) {\n return `{$${formatI18nPlaceholderName(value)}}`;\n }\n visitText(text) {\n return text.value;\n }\n visitContainer(container) {\n return container.children.map(child => child.visit(this)).join('');\n }\n visitIcu(icu) {\n return serializeIcuNode(icu);\n }\n visitTagPlaceholder(ph) {\n return ph.isVoid ?\n this.formatPh(ph.startName) :\n `${this.formatPh(ph.startName)}${ph.children.map(child => child.visit(this)).join('')}${this.formatPh(ph.closeName)}`;\n }\n visitPlaceholder(ph) {\n return this.formatPh(ph.name);\n }\n visitIcuPlaceholder(ph, context) {\n return this.formatPh(ph.name);\n }\n}\nconst serializerVisitor = new GetMsgSerializerVisitor();\nfunction serializeI18nMessageForGetMsg(message) {\n return message.nodes.map(node => node.visit(serializerVisitor, null)).join('');\n}\n\nfunction createLocalizeStatements(variable, message, params) {\n const { messageParts, placeHolders } = serializeI18nMessageForLocalize(message);\n const sourceSpan = getSourceSpan(message);\n const expressions = placeHolders.map(ph => params[ph.text]);\n const localizedString$1 = localizedString(message, messageParts, placeHolders, expressions, sourceSpan);\n const variableInitialization = variable.set(localizedString$1);\n return [new ExpressionStatement(variableInitialization)];\n}\n/**\n * This visitor walks over an i18n tree, capturing literal strings and placeholders.\n *\n * The result can be used for generating the `$localize` tagged template literals.\n */\nclass LocalizeSerializerVisitor {\n constructor(placeholderToMessage, pieces) {\n this.placeholderToMessage = placeholderToMessage;\n this.pieces = pieces;\n }\n visitText(text) {\n if (this.pieces[this.pieces.length - 1] instanceof LiteralPiece) {\n // Two literal pieces in a row means that there was some comment node in-between.\n this.pieces[this.pieces.length - 1].text += text.value;\n }\n else {\n const sourceSpan = new ParseSourceSpan(text.sourceSpan.fullStart, text.sourceSpan.end, text.sourceSpan.fullStart, text.sourceSpan.details);\n this.pieces.push(new LiteralPiece(text.value, sourceSpan));\n }\n }\n visitContainer(container) {\n container.children.forEach(child => child.visit(this));\n }\n visitIcu(icu) {\n this.pieces.push(new LiteralPiece(serializeIcuNode(icu), icu.sourceSpan));\n }\n visitTagPlaceholder(ph) {\n this.pieces.push(this.createPlaceholderPiece(ph.startName, ph.startSourceSpan ?? ph.sourceSpan));\n if (!ph.isVoid) {\n ph.children.forEach(child => child.visit(this));\n this.pieces.push(this.createPlaceholderPiece(ph.closeName, ph.endSourceSpan ?? ph.sourceSpan));\n }\n }\n visitPlaceholder(ph) {\n this.pieces.push(this.createPlaceholderPiece(ph.name, ph.sourceSpan));\n }\n visitIcuPlaceholder(ph) {\n this.pieces.push(this.createPlaceholderPiece(ph.name, ph.sourceSpan, this.placeholderToMessage[ph.name]));\n }\n createPlaceholderPiece(name, sourceSpan, associatedMessage) {\n return new PlaceholderPiece(formatI18nPlaceholderName(name, /* useCamelCase */ false), sourceSpan, associatedMessage);\n }\n}\n/**\n * Serialize an i18n message into two arrays: messageParts and placeholders.\n *\n * These arrays will be used to generate `$localize` tagged template literals.\n *\n * @param message The message to be serialized.\n * @returns an object containing the messageParts and placeholders.\n */\nfunction serializeI18nMessageForLocalize(message) {\n const pieces = [];\n const serializerVisitor = new LocalizeSerializerVisitor(message.placeholderToMessage, pieces);\n message.nodes.forEach(node => node.visit(serializerVisitor));\n return processMessagePieces(pieces);\n}\nfunction getSourceSpan(message) {\n const startNode = message.nodes[0];\n const endNode = message.nodes[message.nodes.length - 1];\n return new ParseSourceSpan(startNode.sourceSpan.fullStart, endNode.sourceSpan.end, startNode.sourceSpan.fullStart, startNode.sourceSpan.details);\n}\n/**\n * Convert the list of serialized MessagePieces into two arrays.\n *\n * One contains the literal string pieces and the other the placeholders that will be replaced by\n * expressions when rendering `$localize` tagged template literals.\n *\n * @param pieces The pieces to process.\n * @returns an object containing the messageParts and placeholders.\n */\nfunction processMessagePieces(pieces) {\n const messageParts = [];\n const placeHolders = [];\n if (pieces[0] instanceof PlaceholderPiece) {\n // The first piece was a placeholder so we need to add an initial empty message part.\n messageParts.push(createEmptyMessagePart(pieces[0].sourceSpan.start));\n }\n for (let i = 0; i < pieces.length; i++) {\n const part = pieces[i];\n if (part instanceof LiteralPiece) {\n messageParts.push(part);\n }\n else {\n placeHolders.push(part);\n if (pieces[i - 1] instanceof PlaceholderPiece) {\n // There were two placeholders in a row, so we need to add an empty message part.\n messageParts.push(createEmptyMessagePart(pieces[i - 1].sourceSpan.end));\n }\n }\n }\n if (pieces[pieces.length - 1] instanceof PlaceholderPiece) {\n // The last piece was a placeholder so we need to add a final empty message part.\n messageParts.push(createEmptyMessagePart(pieces[pieces.length - 1].sourceSpan.end));\n }\n return { messageParts, placeHolders };\n}\nfunction createEmptyMessagePart(location) {\n return new LiteralPiece('', new ParseSourceSpan(location, location));\n}\n\n// Selector attribute name of `<ng-content>`\nconst NG_CONTENT_SELECT_ATTR = 'select';\n// Attribute name of `ngProjectAs`.\nconst NG_PROJECT_AS_ATTR_NAME = 'ngProjectAs';\n// Global symbols available only inside event bindings.\nconst EVENT_BINDING_SCOPE_GLOBALS = new Set(['$event']);\n// List of supported global targets for event listeners\nconst GLOBAL_TARGET_RESOLVERS = new Map([['window', Identifiers.resolveWindow], ['document', Identifiers.resolveDocument], ['body', Identifiers.resolveBody]]);\nconst LEADING_TRIVIA_CHARS = [' ', '\\n', '\\r', '\\t'];\n// if (rf & flags) { .. }\nfunction renderFlagCheckIfStmt(flags, statements) {\n return ifStmt(variable(RENDER_FLAGS).bitwiseAnd(literal(flags), null, false), statements);\n}\nfunction prepareEventListenerParameters(eventAst, handlerName = null, scope = null) {\n const { type, name, target, phase, handler } = eventAst;\n if (target && !GLOBAL_TARGET_RESOLVERS.has(target)) {\n throw new Error(`Unexpected global target '${target}' defined for '${name}' event.\n Supported list of global targets: ${Array.from(GLOBAL_TARGET_RESOLVERS.keys())}.`);\n }\n const eventArgumentName = '$event';\n const implicitReceiverAccesses = new Set();\n const implicitReceiverExpr = (scope === null || scope.bindingLevel === 0) ?\n variable(CONTEXT_NAME) :\n scope.getOrCreateSharedContextVar(0);\n const bindingStatements = convertActionBinding(scope, implicitReceiverExpr, handler, 'b', eventAst.handlerSpan, implicitReceiverAccesses, EVENT_BINDING_SCOPE_GLOBALS);\n const statements = [];\n const variableDeclarations = scope?.variableDeclarations();\n const restoreViewStatement = scope?.restoreViewStatement();\n if (variableDeclarations) {\n // `variableDeclarations` needs to run first, because\n // `restoreViewStatement` depends on the result.\n statements.push(...variableDeclarations);\n }\n statements.push(...bindingStatements);\n if (restoreViewStatement) {\n statements.unshift(restoreViewStatement);\n // If there's a `restoreView` call, we need to reset the view at the end of the listener\n // in order to avoid a leak. If there's a `return` statement already, we wrap it in the\n // call, e.g. `return resetView(ctx.foo())`. Otherwise we add the call as the last statement.\n const lastStatement = statements[statements.length - 1];\n if (lastStatement instanceof ReturnStatement) {\n statements[statements.length - 1] = new ReturnStatement(invokeInstruction(lastStatement.value.sourceSpan, Identifiers.resetView, [lastStatement.value]));\n }\n else {\n statements.push(new ExpressionStatement(invokeInstruction(null, Identifiers.resetView, [])));\n }\n }\n const eventName = type === 1 /* ParsedEventType.Animation */ ? prepareSyntheticListenerName(name, phase) : name;\n const fnName = handlerName && sanitizeIdentifier(handlerName);\n const fnArgs = [];\n if (implicitReceiverAccesses.has(eventArgumentName)) {\n fnArgs.push(new FnParam(eventArgumentName, DYNAMIC_TYPE));\n }\n const handlerFn = fn(fnArgs, statements, INFERRED_TYPE, null, fnName);\n const params = [literal(eventName), handlerFn];\n if (target) {\n params.push(literal(false), // `useCapture` flag, defaults to `false`\n importExpr(GLOBAL_TARGET_RESOLVERS.get(target)));\n }\n return params;\n}\nfunction createComponentDefConsts() {\n return {\n prepareStatements: [],\n constExpressions: [],\n i18nVarRefsCache: new Map(),\n };\n}\nclass TemplateDefinitionBuilder {\n constructor(constantPool, parentBindingScope, level = 0, contextName, i18nContext, templateIndex, templateName, _namespace, relativeContextFilePath, i18nUseExternalIds, deferBlocks, _constants = createComponentDefConsts()) {\n this.constantPool = constantPool;\n this.level = level;\n this.contextName = contextName;\n this.i18nContext = i18nContext;\n this.templateIndex = templateIndex;\n this.templateName = templateName;\n this._namespace = _namespace;\n this.i18nUseExternalIds = i18nUseExternalIds;\n this.deferBlocks = deferBlocks;\n this._constants = _constants;\n this._dataIndex = 0;\n this._bindingContext = 0;\n this._prefixCode = [];\n /**\n * List of callbacks to generate creation mode instructions. We store them here as we process\n * the template so bindings in listeners are resolved only once all nodes have been visited.\n * This ensures all local refs and context variables are available for matching.\n */\n this._creationCodeFns = [];\n /**\n * List of callbacks to generate update mode instructions. We store them here as we process\n * the template so bindings are resolved only once all nodes have been visited. This ensures\n * all local refs and context variables are available for matching.\n */\n this._updateCodeFns = [];\n /** Index of the currently-selected node. */\n this._currentIndex = 0;\n /** Temporary variable declarations generated from visiting pipes, literals, etc. */\n this._tempVariables = [];\n /**\n * List of callbacks to build nested templates. Nested templates must not be visited until\n * after the parent template has finished visiting all of its nodes. This ensures that all\n * local ref bindings in nested templates are able to find local ref values if the refs\n * are defined after the template declaration.\n */\n this._nestedTemplateFns = [];\n // i18n context local to this template\n this.i18n = null;\n // Number of slots to reserve for pureFunctions\n this._pureFunctionSlots = 0;\n // Number of binding slots\n this._bindingSlots = 0;\n // Projection slots found in the template. Projection slots can distribute projected\n // nodes based on a selector, or can just use the wildcard selector to match\n // all nodes which aren't matching any selector.\n this._ngContentReservedSlots = [];\n // Number of non-default selectors found in all parent templates of this template. We need to\n // track it to properly adjust projection slot index in the `projection` instruction.\n this._ngContentSelectorsOffset = 0;\n // Expression that should be used as implicit receiver when converting template\n // expressions to output AST.\n this._implicitReceiverExpr = null;\n // These should be handled in the template or element directly.\n this.visitReference = invalid;\n this.visitVariable = invalid;\n this.visitTextAttribute = invalid;\n this.visitBoundAttribute = invalid;\n this.visitBoundEvent = invalid;\n this._bindingScope = parentBindingScope.nestedScope(level);\n // Turn the relative context file path into an identifier by replacing non-alphanumeric\n // characters with underscores.\n this.fileBasedI18nSuffix = relativeContextFilePath.replace(/[^A-Za-z0-9]/g, '_') + '_';\n this._valueConverter = new ValueConverter(constantPool, () => this.allocateDataSlot(), (numSlots) => this.allocatePureFunctionSlots(numSlots), (name, localName, slot, value) => {\n this._bindingScope.set(this.level, localName, value);\n this.creationInstruction(null, Identifiers.pipe, [literal(slot), literal(name)]);\n });\n }\n buildTemplateFunction(nodes, variables, ngContentSelectorsOffset = 0, i18n) {\n this._ngContentSelectorsOffset = ngContentSelectorsOffset;\n if (this._namespace !== Identifiers.namespaceHTML) {\n this.creationInstruction(null, this._namespace);\n }\n // Create variable bindings\n variables.forEach(v => this.registerContextVariables(v));\n // Initiate i18n context in case:\n // - this template has parent i18n context\n // - or the template has i18n meta associated with it,\n // but it's not initiated by the Element (e.g. <ng-template i18n>)\n const initI18nContext = this.i18nContext ||\n (isI18nRootNode(i18n) && !isSingleI18nIcu(i18n) &&\n !(isSingleElementTemplate(nodes) && nodes[0].i18n === i18n));\n const selfClosingI18nInstruction = hasTextChildrenOnly(nodes);\n if (initI18nContext) {\n this.i18nStart(null, i18n, selfClosingI18nInstruction);\n }\n // This is the initial pass through the nodes of this template. In this pass, we\n // queue all creation mode and update mode instructions for generation in the second\n // pass. It's necessary to separate the passes to ensure local refs are defined before\n // resolving bindings. We also count bindings in this pass as we walk bound expressions.\n visitAll$1(this, nodes);\n // Add total binding count to pure function count so pure function instructions are\n // generated with the correct slot offset when update instructions are processed.\n this._pureFunctionSlots += this._bindingSlots;\n // Pipes are walked in the first pass (to enqueue `pipe()` creation instructions and\n // `pipeBind` update instructions), so we have to update the slot offsets manually\n // to account for bindings.\n this._valueConverter.updatePipeSlotOffsets(this._bindingSlots);\n // Nested templates must be processed before creation instructions so template()\n // instructions can be generated with the correct internal const count.\n this._nestedTemplateFns.forEach(buildTemplateFn => buildTemplateFn());\n // Output the `projectionDef` instruction when some `<ng-content>` tags are present.\n // The `projectionDef` instruction is only emitted for the component template and\n // is skipped for nested templates (<ng-template> tags).\n if (this.level === 0 && this._ngContentReservedSlots.length) {\n const parameters = [];\n // By default the `projectionDef` instructions creates one slot for the wildcard\n // selector if no parameters are passed. Therefore we only want to allocate a new\n // array for the projection slots if the default projection slot is not sufficient.\n if (this._ngContentReservedSlots.length > 1 || this._ngContentReservedSlots[0] !== '*') {\n const r3ReservedSlots = this._ngContentReservedSlots.map(s => s !== '*' ? parseSelectorToR3Selector(s) : s);\n parameters.push(this.constantPool.getConstLiteral(asLiteral(r3ReservedSlots), true));\n }\n // Since we accumulate ngContent selectors while processing template elements,\n // we *prepend* `projectionDef` to creation instructions block, to put it before\n // any `projection` instructions\n this.creationInstruction(null, Identifiers.projectionDef, parameters, /* prepend */ true);\n }\n if (initI18nContext) {\n this.i18nEnd(null, selfClosingI18nInstruction);\n }\n // Generate all the creation mode instructions (e.g. resolve bindings in listeners)\n const creationStatements = getInstructionStatements(this._creationCodeFns);\n // Generate all the update mode instructions (e.g. resolve property or text bindings)\n const updateStatements = getInstructionStatements(this._updateCodeFns);\n // Variable declaration must occur after binding resolution so we can generate context\n // instructions that build on each other.\n // e.g. const b = nextContext().$implicit(); const b = nextContext();\n const creationVariables = this._bindingScope.viewSnapshotStatements();\n const updateVariables = this._bindingScope.variableDeclarations().concat(this._tempVariables);\n const creationBlock = creationStatements.length > 0 ?\n [renderFlagCheckIfStmt(1 /* core.RenderFlags.Create */, creationVariables.concat(creationStatements))] :\n [];\n const updateBlock = updateStatements.length > 0 ?\n [renderFlagCheckIfStmt(2 /* core.RenderFlags.Update */, updateVariables.concat(updateStatements))] :\n [];\n return fn(\n // i.e. (rf: RenderFlags, ctx: any)\n [new FnParam(RENDER_FLAGS, NUMBER_TYPE), new FnParam(CONTEXT_NAME, null)], [\n // Temporary variable declarations for query refresh (i.e. let _t: any;)\n ...this._prefixCode,\n // Creating mode (i.e. if (rf & RenderFlags.Create) { ... })\n ...creationBlock,\n // Binding and refresh mode (i.e. if (rf & RenderFlags.Update) {...})\n ...updateBlock,\n ], INFERRED_TYPE, null, this.templateName);\n }\n // LocalResolver\n getLocal(name) {\n return this._bindingScope.get(name);\n }\n // LocalResolver\n notifyImplicitReceiverUse() {\n this._bindingScope.notifyImplicitReceiverUse();\n }\n // LocalResolver\n maybeRestoreView() {\n this._bindingScope.maybeRestoreView();\n }\n i18nTranslate(message, params = {}, ref, transformFn) {\n const _ref = ref || this.i18nGenerateMainBlockVar();\n // Closure Compiler requires const names to start with `MSG_` but disallows any other const to\n // start with `MSG_`. We define a variable starting with `MSG_` just for the `goog.getMsg` call\n const closureVar = this.i18nGenerateClosureVar(message.id);\n const statements = getTranslationDeclStmts(message, _ref, closureVar, params, transformFn);\n this._constants.prepareStatements.push(...statements);\n return _ref;\n }\n registerContextVariables(variable$1) {\n const scopedName = this._bindingScope.freshReferenceName();\n const retrievalLevel = this.level;\n const lhs = variable(variable$1.name + scopedName);\n this._bindingScope.set(retrievalLevel, variable$1.name, lhs, 1 /* DeclarationPriority.CONTEXT */, (scope, relativeLevel) => {\n let rhs;\n if (scope.bindingLevel === retrievalLevel) {\n if (scope.isListenerScope() && scope.hasRestoreViewVariable()) {\n // e.g. restoredCtx.\n // We have to get the context from a view reference, if one is available, because\n // the context that was passed in during creation may not be correct anymore.\n // For more information see: https://github.com/angular/angular/pull/40360.\n rhs = variable(RESTORED_VIEW_CONTEXT_NAME);\n scope.notifyRestoredViewContextUse();\n }\n else {\n // e.g. ctx\n rhs = variable(CONTEXT_NAME);\n }\n }\n else {\n const sharedCtxVar = scope.getSharedContextName(retrievalLevel);\n // e.g. ctx_r0 OR x(2);\n rhs = sharedCtxVar ? sharedCtxVar : generateNextContextExpr(relativeLevel);\n }\n // e.g. const $item$ = x(2).$implicit;\n return [lhs.set(rhs.prop(variable$1.value || IMPLICIT_REFERENCE)).toConstDecl()];\n });\n }\n i18nAppendBindings(expressions) {\n if (expressions.length > 0) {\n expressions.forEach(expression => this.i18n.appendBinding(expression));\n }\n }\n i18nBindProps(props) {\n const bound = {};\n Object.keys(props).forEach(key => {\n const prop = props[key];\n if (prop instanceof Text$3) {\n bound[key] = literal(prop.value);\n }\n else {\n const value = prop.value.visit(this._valueConverter);\n this.allocateBindingSlots(value);\n if (value instanceof Interpolation$1) {\n const { strings, expressions } = value;\n const { id, bindings } = this.i18n;\n const label = assembleI18nBoundString(strings, bindings.size, id);\n this.i18nAppendBindings(expressions);\n bound[key] = literal(label);\n }\n }\n });\n return bound;\n }\n // Generates top level vars for i18n blocks (i.e. `i18n_N`).\n i18nGenerateMainBlockVar() {\n return variable(this.constantPool.uniqueName(TRANSLATION_VAR_PREFIX));\n }\n // Generates vars with Closure-specific names for i18n blocks (i.e. `MSG_XXX`).\n i18nGenerateClosureVar(messageId) {\n let name;\n const suffix = this.fileBasedI18nSuffix.toUpperCase();\n if (this.i18nUseExternalIds) {\n const prefix = getTranslationConstPrefix(`EXTERNAL_`);\n const uniqueSuffix = this.constantPool.uniqueName(suffix);\n name = `${prefix}${sanitizeIdentifier(messageId)}$$${uniqueSuffix}`;\n }\n else {\n const prefix = getTranslationConstPrefix(suffix);\n name = this.constantPool.uniqueName(prefix);\n }\n return variable(name);\n }\n i18nUpdateRef(context) {\n const { icus, meta, isRoot, isResolved, isEmitted } = context;\n if (isRoot && isResolved && !isEmitted && !isSingleI18nIcu(meta)) {\n context.isEmitted = true;\n const placeholders = context.getSerializedPlaceholders();\n let icuMapping = {};\n let params = placeholders.size ? placeholdersToParams(placeholders) : {};\n if (icus.size) {\n icus.forEach((refs, key) => {\n if (refs.length === 1) {\n // if we have one ICU defined for a given\n // placeholder - just output its reference\n params[key] = refs[0];\n }\n else {\n // ... otherwise we need to activate post-processing\n // to replace ICU placeholders with proper values\n const placeholder = wrapI18nPlaceholder(`${I18N_ICU_MAPPING_PREFIX}${key}`);\n params[key] = literal(placeholder);\n icuMapping[key] = literalArr(refs);\n }\n });\n }\n // translation requires post processing in 2 cases:\n // - if we have placeholders with multiple values (ex. `START_DIV`: [<5B>#1<>, <20>#2<>, ...])\n // - if we have multiple ICUs that refer to the same placeholder name\n const needsPostprocessing = Array.from(placeholders.values()).some((value) => value.length > 1) ||\n Object.keys(icuMapping).length;\n let transformFn;\n if (needsPostprocessing) {\n transformFn = (raw) => {\n const args = [raw];\n if (Object.keys(icuMapping).length) {\n args.push(mapLiteral(icuMapping, true));\n }\n return invokeInstruction(null, Identifiers.i18nPostprocess, args);\n };\n }\n this.i18nTranslate(meta, params, context.ref, transformFn);\n }\n }\n i18nStart(span = null, meta, selfClosing) {\n const index = this.allocateDataSlot();\n this.i18n = this.i18nContext ?\n this.i18nContext.forkChildContext(index, this.templateIndex, meta) :\n new I18nContext(index, this.i18nGenerateMainBlockVar(), 0, this.templateIndex, meta);\n // generate i18nStart instruction\n const { id, ref } = this.i18n;\n const params = [literal(index), this.addToConsts(ref)];\n if (id > 0) {\n // do not push 3rd argument (sub-block id)\n // into i18nStart call for top level i18n context\n params.push(literal(id));\n }\n this.creationInstruction(span, selfClosing ? Identifiers.i18n : Identifiers.i18nStart, params);\n }\n i18nEnd(span = null, selfClosing) {\n if (!this.i18n) {\n throw new Error('i18nEnd is executed with no i18n context present');\n }\n if (this.i18nContext) {\n this.i18nContext.reconcileChildContext(this.i18n);\n this.i18nUpdateRef(this.i18nContext);\n }\n else {\n this.i18nUpdateRef(this.i18n);\n }\n // setup accumulated bindings\n const { index, bindings } = this.i18n;\n if (bindings.size) {\n for (const binding of bindings) {\n // for i18n block, advance to the most recent element index (by taking the current number of\n // elements and subtracting one) before invoking `i18nExp` instructions, to make sure the\n // necessary lifecycle hooks of components/directives are properly flushed.\n this.updateInstructionWithAdvance(this.getConstCount() - 1, span, Identifiers.i18nExp, () => this.convertPropertyBinding(binding));\n }\n this.updateInstruction(span, Identifiers.i18nApply, [literal(index)]);\n }\n if (!selfClosing) {\n this.creationInstruction(span, Identifiers.i18nEnd);\n }\n this.i18n = null; // reset local i18n context\n }\n i18nAttributesInstruction(nodeIndex, attrs, sourceSpan) {\n let hasBindings = false;\n const i18nAttrArgs = [];\n attrs.forEach(attr => {\n const message = attr.i18n;\n const converted = attr.value.visit(this._valueConverter);\n this.allocateBindingSlots(converted);\n if (converted instanceof Interpolation$1) {\n const placeholders = assembleBoundTextPlaceholders(message);\n const params = placeholdersToParams(placeholders);\n i18nAttrArgs.push(literal(attr.name), this.i18nTranslate(message, params));\n converted.expressions.forEach(expression => {\n hasBindings = true;\n this.updateInstructionWithAdvance(nodeIndex, sourceSpan, Identifiers.i18nExp, () => this.convertPropertyBinding(expression));\n });\n }\n });\n if (i18nAttrArgs.length > 0) {\n const index = literal(this.allocateDataSlot());\n const constIndex = this.addToConsts(literalArr(i18nAttrArgs));\n this.creationInstruction(sourceSpan, Identifiers.i18nAttributes, [index, constIndex]);\n if (hasBindings) {\n this.updateInstruction(sourceSpan, Identifiers.i18nApply, [index]);\n }\n }\n }\n getNamespaceInstruction(namespaceKey) {\n switch (namespaceKey) {\n case 'math':\n return Identifiers.namespaceMathML;\n case 'svg':\n return Identifiers.namespaceSVG;\n default:\n return Identifiers.namespaceHTML;\n }\n }\n addNamespaceInstruction(nsInstruction, element) {\n this._namespace = nsInstruction;\n this.creationInstruction(element.startSourceSpan, nsInstruction);\n }\n /**\n * Adds an update instruction for an interpolated property or attribute, such as\n * `prop=\"{{value}}\"` or `attr.title=\"{{value}}\"`\n */\n interpolatedUpdateInstruction(instruction, elementIndex, attrName, input, value, params) {\n this.updateInstructionWithAdvance(elementIndex, input.sourceSpan, instruction, () => [literal(attrName), ...this.getUpdateInstructionArguments(value), ...params]);\n }\n visitContent(ngContent) {\n const slot = this.allocateDataSlot();\n const projectionSlotIdx = this._ngContentSelectorsOffset + this._ngContentReservedSlots.length;\n const parameters = [literal(slot)];\n this._ngContentReservedSlots.push(ngContent.selector);\n const nonContentSelectAttributes = ngContent.attributes.filter(attr => attr.name.toLowerCase() !== NG_CONTENT_SELECT_ATTR);\n const attributes = this.getAttributeExpressions(ngContent.name, nonContentSelectAttributes, [], []);\n if (attributes.length > 0) {\n parameters.push(literal(projectionSlotIdx), literalArr(attributes));\n }\n else if (projectionSlotIdx !== 0) {\n parameters.push(literal(projectionSlotIdx));\n }\n this.creationInstruction(ngContent.sourceSpan, Identifiers.projection, parameters);\n if (this.i18n) {\n this.i18n.appendProjection(ngContent.i18n, slot);\n }\n }\n visitElement(element) {\n const elementIndex = this.allocateDataSlot();\n const stylingBuilder = new StylingBuilder(null);\n let isNonBindableMode = false;\n const isI18nRootElement = isI18nRootNode(element.i18n) && !isSingleI18nIcu(element.i18n);\n const outputAttrs = [];\n const [namespaceKey, elementName] = splitNsName(element.name);\n const isNgContainer$1 = isNgContainer(element.name);\n // Handle styling, i18n, ngNonBindable attributes\n for (const attr of element.attributes) {\n const { name, value } = attr;\n if (name === NON_BINDABLE_ATTR) {\n isNonBindableMode = true;\n }\n else if (name === 'style') {\n stylingBuilder.registerStyleAttr(value);\n }\n else if (name === 'class') {\n stylingBuilder.registerClassAttr(value);\n }\n else {\n outputAttrs.push(attr);\n }\n }\n // Regular element or ng-container creation mode\n const parameters = [literal(elementIndex)];\n if (!isNgContainer$1) {\n parameters.push(literal(elementName));\n }\n // Add the attributes\n const allOtherInputs = [];\n const boundI18nAttrs = [];\n element.inputs.forEach(input => {\n const stylingInputWasSet = stylingBuilder.registerBoundInput(input);\n if (!stylingInputWasSet) {\n if (input.type === 0 /* BindingType.Property */ && input.i18n) {\n boundI18nAttrs.push(input);\n }\n else {\n allOtherInputs.push(input);\n }\n }\n });\n // add attributes for directive and projection matching purposes\n const attributes = this.getAttributeExpressions(element.name, outputAttrs, allOtherInputs, element.outputs, stylingBuilder, [], boundI18nAttrs);\n parameters.push(this.addAttrsToConsts(attributes));\n // local refs (ex.: <div #foo #bar=\"baz\">)\n const refs = this.prepareRefsArray(element.references);\n parameters.push(this.addToConsts(refs));\n const wasInNamespace = this._namespace;\n const currentNamespace = this.getNamespaceInstruction(namespaceKey);\n // If the namespace is changing now, include an instruction to change it\n // during element creation.\n if (currentNamespace !== wasInNamespace) {\n this.addNamespaceInstruction(currentNamespace, element);\n }\n if (this.i18n) {\n this.i18n.appendElement(element.i18n, elementIndex);\n }\n // Note that we do not append text node instructions and ICUs inside i18n section,\n // so we exclude them while calculating whether current element has children\n const hasChildren = (!isI18nRootElement && this.i18n) ? !hasTextChildrenOnly(element.children) :\n element.children.length > 0;\n const createSelfClosingInstruction = !stylingBuilder.hasBindingsWithPipes &&\n element.outputs.length === 0 && boundI18nAttrs.length === 0 && !hasChildren;\n const createSelfClosingI18nInstruction = !createSelfClosingInstruction && hasTextChildrenOnly(element.children);\n if (createSelfClosingInstruction) {\n this.creationInstruction(element.sourceSpan, isNgContainer$1 ? Identifiers.elementContainer : Identifiers.element, trimTrailingNulls(parameters));\n }\n else {\n this.creationInstruction(element.startSourceSpan, isNgContainer$1 ? Identifiers.elementContainerStart : Identifiers.elementStart, trimTrailingNulls(parameters));\n if (isNonBindableMode) {\n this.creationInstruction(element.startSourceSpan, Identifiers.disableBindings);\n }\n if (boundI18nAttrs.length > 0) {\n this.i18nAttributesInstruction(elementIndex, boundI18nAttrs, element.startSourceSpan ?? element.sourceSpan);\n }\n // Generate Listeners (outputs)\n if (element.outputs.length > 0) {\n for (const outputAst of element.outputs) {\n this.creationInstruction(outputAst.sourceSpan, Identifiers.listener, this.prepareListenerParameter(element.name, outputAst, elementIndex));\n }\n }\n // Note: it's important to keep i18n/i18nStart instructions after i18nAttributes and\n // listeners, to make sure i18nAttributes instruction targets current element at runtime.\n if (isI18nRootElement) {\n this.i18nStart(element.startSourceSpan, element.i18n, createSelfClosingI18nInstruction);\n }\n }\n // the code here will collect all update-level styling instructions and add them to the\n // update block of the template function AOT code. Instructions like `styleProp`,\n // `styleMap`, `classMap`, `classProp`\n // are all generated and assigned in the code below.\n const stylingInstructions = stylingBuilder.buildUpdateLevelInstructions(this._valueConverter);\n const limit = stylingInstructions.length - 1;\n for (let i = 0; i <= limit; i++) {\n const instruction = stylingInstructions[i];\n this._bindingSlots += this.processStylingUpdateInstruction(elementIndex, instruction);\n }\n // the reason why `undefined` is used is because the renderer understands this as a\n // special value to symbolize that there is no RHS to this binding\n // TODO (matsko): revisit this once FW-959 is approached\n const emptyValueBindInstruction = literal(undefined);\n const propertyBindings = [];\n const attributeBindings = [];\n // Generate element input bindings\n allOtherInputs.forEach(input => {\n const inputType = input.type;\n if (inputType === 4 /* BindingType.Animation */) {\n const value = input.value.visit(this._valueConverter);\n // animation bindings can be presented in the following formats:\n // 1. [@binding]=\"fooExp\"\n // 2. [@binding]=\"{value:fooExp, params:{...}}\"\n // 3. [@binding]\n // 4. @binding\n // All formats will be valid for when a synthetic binding is created.\n // The reasoning for this is because the renderer should get each\n // synthetic binding value in the order of the array that they are\n // defined in...\n const hasValue = value instanceof LiteralPrimitive ? !!value.value : true;\n this.allocateBindingSlots(value);\n propertyBindings.push({\n span: input.sourceSpan,\n paramsOrFn: getBindingFunctionParams(() => hasValue ? this.convertPropertyBinding(value) : emptyValueBindInstruction, prepareSyntheticPropertyName(input.name))\n });\n }\n else {\n // we must skip attributes with associated i18n context, since these attributes are handled\n // separately and corresponding `i18nExp` and `i18nApply` instructions will be generated\n if (input.i18n)\n return;\n const value = input.value.visit(this._valueConverter);\n if (value !== undefined) {\n const params = [];\n const [attrNamespace, attrName] = splitNsName(input.name);\n const isAttributeBinding = inputType === 1 /* BindingType.Attribute */;\n let sanitizationRef = resolveSanitizationFn(input.securityContext, isAttributeBinding);\n if (!sanitizationRef) {\n // If there was no sanitization function found based on the security context\n // of an attribute/property - check whether this attribute/property is\n // one of the security-sensitive <iframe> attributes (and that the current\n // element is actually an <iframe>).\n if (isIframeElement(element.name) && isIframeSecuritySensitiveAttr(input.name)) {\n sanitizationRef = importExpr(Identifiers.validateIframeAttribute);\n }\n }\n if (sanitizationRef) {\n params.push(sanitizationRef);\n }\n if (attrNamespace) {\n const namespaceLiteral = literal(attrNamespace);\n if (sanitizationRef) {\n params.push(namespaceLiteral);\n }\n else {\n // If there wasn't a sanitization ref, we need to add\n // an extra param so that we can pass in the namespace.\n params.push(literal(null), namespaceLiteral);\n }\n }\n this.allocateBindingSlots(value);\n if (inputType === 0 /* BindingType.Property */) {\n if (value instanceof Interpolation$1) {\n // prop=\"{{value}}\" and friends\n this.interpolatedUpdateInstruction(getPropertyInterpolationExpression(value), elementIndex, attrName, input, value, params);\n }\n else {\n // [prop]=\"value\"\n // Collect all the properties so that we can chain into a single function at the end.\n propertyBindings.push({\n span: input.sourceSpan,\n paramsOrFn: getBindingFunctionParams(() => this.convertPropertyBinding(value), attrName, params)\n });\n }\n }\n else if (inputType === 1 /* BindingType.Attribute */) {\n if (value instanceof Interpolation$1 && getInterpolationArgsLength(value) > 1) {\n // attr.name=\"text{{value}}\" and friends\n this.interpolatedUpdateInstruction(getAttributeInterpolationExpression(value), elementIndex, attrName, input, value, params);\n }\n else {\n const boundValue = value instanceof Interpolation$1 ? value.expressions[0] : value;\n // [attr.name]=\"value\" or attr.name=\"{{value}}\"\n // Collect the attribute bindings so that they can be chained at the end.\n attributeBindings.push({\n span: input.sourceSpan,\n paramsOrFn: getBindingFunctionParams(() => this.convertPropertyBinding(boundValue), attrName, params)\n });\n }\n }\n else {\n // class prop\n this.updateInstructionWithAdvance(elementIndex, input.sourceSpan, Identifiers.classProp, () => {\n return [\n literal(elementIndex), literal(attrName), this.convertPropertyBinding(value),\n ...params\n ];\n });\n }\n }\n }\n });\n for (const propertyBinding of propertyBindings) {\n this.updateInstructionWithAdvance(elementIndex, propertyBinding.span, Identifiers.property, propertyBinding.paramsOrFn);\n }\n for (const attributeBinding of attributeBindings) {\n this.updateInstructionWithAdvance(elementIndex, attributeBinding.span, Identifiers.attribute, attributeBinding.paramsOrFn);\n }\n // Traverse element child nodes\n visitAll$1(this, element.children);\n if (!isI18nRootElement && this.i18n) {\n this.i18n.appendElement(element.i18n, elementIndex, true);\n }\n if (!createSelfClosingInstruction) {\n // Finish element construction mode.\n const span = element.endSourceSpan ?? element.sourceSpan;\n if (isI18nRootElement) {\n this.i18nEnd(span, createSelfClosingI18nInstruction);\n }\n if (isNonBindableMode) {\n this.creationInstruction(span, Identifiers.enableBindings);\n }\n this.creationInstruction(span, isNgContainer$1 ? Identifiers.elementContainerEnd : Identifiers.elementEnd);\n }\n }\n visitTemplate(template) {\n const NG_TEMPLATE_TAG_NAME = 'ng-template';\n const templateIndex = this.allocateDataSlot();\n if (this.i18n) {\n this.i18n.appendTemplate(template.i18n, templateIndex);\n }\n const tagNameWithoutNamespace = template.tagName ? splitNsName(template.tagName)[1] : template.tagName;\n const contextName = `${this.contextName}${template.tagName ? '_' + sanitizeIdentifier(template.tagName) : ''}_${templateIndex}`;\n const templateName = `${contextName}_Template`;\n const parameters = [\n literal(templateIndex),\n variable(templateName),\n // We don't care about the tag's namespace here, because we infer\n // it based on the parent nodes inside the template instruction.\n literal(tagNameWithoutNamespace),\n ];\n // prepare attributes parameter (including attributes used for directive matching)\n const attrsExprs = this.getAttributeExpressions(NG_TEMPLATE_TAG_NAME, template.attributes, template.inputs, template.outputs, undefined /* styles */, template.templateAttrs);\n parameters.push(this.addAttrsToConsts(attrsExprs));\n // local refs (ex.: <ng-template #foo>)\n if (template.references && template.references.length) {\n const refs = this.prepareRefsArray(template.references);\n parameters.push(this.addToConsts(refs));\n parameters.push(importExpr(Identifiers.templateRefExtractor));\n }\n // Create the template function\n const templateVisitor = new TemplateDefinitionBuilder(this.constantPool, this._bindingScope, this.level + 1, contextName, this.i18n, templateIndex, templateName, this._namespace, this.fileBasedI18nSuffix, this.i18nUseExternalIds, this.deferBlocks, this._constants);\n // Nested templates must not be visited until after their parent templates have completed\n // processing, so they are queued here until after the initial pass. Otherwise, we wouldn't\n // be able to support bindings in nested templates to local refs that occur after the\n // template definition. e.g. <div *ngIf=\"showing\">{{ foo }}</div> <div #foo></div>\n this._nestedTemplateFns.push(() => {\n const templateFunctionExpr = templateVisitor.buildTemplateFunction(template.children, template.variables, this._ngContentReservedSlots.length + this._ngContentSelectorsOffset, template.i18n);\n this.constantPool.statements.push(templateFunctionExpr.toDeclStmt(templateName));\n if (templateVisitor._ngContentReservedSlots.length) {\n this._ngContentReservedSlots.push(...templateVisitor._ngContentReservedSlots);\n }\n });\n // e.g. template(1, MyComp_Template_1)\n this.creationInstruction(template.sourceSpan, Identifiers.templateCreate, () => {\n parameters.splice(2, 0, literal(templateVisitor.getConstCount()), literal(templateVisitor.getVarCount()));\n return trimTrailingNulls(parameters);\n });\n // handle property bindings e.g. ɵɵproperty('ngForOf', ctx.items), et al;\n this.templatePropertyBindings(templateIndex, template.templateAttrs);\n // Only add normal input/output binding instructions on explicit <ng-template> elements.\n if (tagNameWithoutNamespace === NG_TEMPLATE_TAG_NAME) {\n const [i18nInputs, inputs] = partitionArray(template.inputs, hasI18nMeta);\n // Add i18n attributes that may act as inputs to directives. If such attributes are present,\n // generate `i18nAttributes` instruction. Note: we generate it only for explicit <ng-template>\n // elements, in case of inline templates, corresponding instructions will be generated in the\n // nested template function.\n if (i18nInputs.length > 0) {\n this.i18nAttributesInstruction(templateIndex, i18nInputs, template.startSourceSpan ?? template.sourceSpan);\n }\n // Add the input bindings\n if (inputs.length > 0) {\n this.templatePropertyBindings(templateIndex, inputs);\n }\n // Generate listeners for directive output\n for (const outputAst of template.outputs) {\n this.creationInstruction(outputAst.sourceSpan, Identifiers.listener, this.prepareListenerParameter('ng_template', outputAst, templateIndex));\n }\n }\n }\n visitBoundText(text) {\n if (this.i18n) {\n const value = text.value.visit(this._valueConverter);\n this.allocateBindingSlots(value);\n if (value instanceof Interpolation$1) {\n this.i18n.appendBoundText(text.i18n);\n this.i18nAppendBindings(value.expressions);\n }\n return;\n }\n const nodeIndex = this.allocateDataSlot();\n this.creationInstruction(text.sourceSpan, Identifiers.text, [literal(nodeIndex)]);\n const value = text.value.visit(this._valueConverter);\n this.allocateBindingSlots(value);\n if (value instanceof Interpolation$1) {\n this.updateInstructionWithAdvance(nodeIndex, text.sourceSpan, getTextInterpolationExpression(value), () => this.getUpdateInstructionArguments(value));\n }\n else {\n error('Text nodes should be interpolated and never bound directly.');\n }\n }\n visitText(text) {\n // when a text element is located within a translatable\n // block, we exclude this text element from instructions set,\n // since it will be captured in i18n content and processed at runtime\n if (!this.i18n) {\n this.creationInstruction(text.sourceSpan, Identifiers.text, [literal(this.allocateDataSlot()), literal(text.value)]);\n }\n }\n visitIcu(icu) {\n let initWasInvoked = false;\n // if an ICU was created outside of i18n block, we still treat\n // it as a translatable entity and invoke i18nStart and i18nEnd\n // to generate i18n context and the necessary instructions\n if (!this.i18n) {\n initWasInvoked = true;\n this.i18nStart(null, icu.i18n, true);\n }\n const i18n = this.i18n;\n const vars = this.i18nBindProps(icu.vars);\n const placeholders = this.i18nBindProps(icu.placeholders);\n // output ICU directly and keep ICU reference in context\n const message = icu.i18n;\n // we always need post-processing function for ICUs, to make sure that:\n // - all placeholders in a form of {PLACEHOLDER} are replaced with actual values (note:\n // `goog.getMsg` does not process ICUs and uses the `{PLACEHOLDER}` format for placeholders\n // inside ICUs)\n // - all ICU vars (such as `VAR_SELECT` or `VAR_PLURAL`) are replaced with correct values\n const transformFn = (raw) => {\n const params = { ...vars, ...placeholders };\n const formatted = formatI18nPlaceholderNamesInMap(params, /* useCamelCase */ false);\n return invokeInstruction(null, Identifiers.i18nPostprocess, [raw, mapLiteral(formatted, true)]);\n };\n // in case the whole i18n message is a single ICU - we do not need to\n // create a separate top-level translation, we can use the root ref instead\n // and make this ICU a top-level translation\n // note: ICU placeholders are replaced with actual values in `i18nPostprocess` function\n // separately, so we do not pass placeholders into `i18nTranslate` function.\n if (isSingleI18nIcu(i18n.meta)) {\n this.i18nTranslate(message, /* placeholders */ {}, i18n.ref, transformFn);\n }\n else {\n // output ICU directly and keep ICU reference in context\n const ref = this.i18nTranslate(message, /* placeholders */ {}, /* ref */ undefined, transformFn);\n i18n.appendIcu(icuFromI18nMessage(message).name, ref);\n }\n if (initWasInvoked) {\n this.i18nEnd(null, true);\n }\n return null;\n }\n visitDeferredBlock(deferred) {\n const templateIndex = this.allocateDataSlot();\n const deferredDeps = this.deferBlocks.get(deferred);\n const contextName = `${this.contextName}_Defer_${templateIndex}`;\n const depsFnName = `${contextName}_DepsFn`;\n const parameters = [\n literal(templateIndex),\n deferredDeps ? variable(depsFnName) : TYPED_NULL_EXPR,\n ];\n if (deferredDeps) {\n // This defer block has deps for which we need to generate dynamic imports.\n const dependencyExp = [];\n for (const deferredDep of deferredDeps) {\n if (deferredDep.isDeferrable) {\n // Callback function, e.g. `function(m) { return m.MyCmp; }`.\n const innerFn = fn([new FnParam('m', DYNAMIC_TYPE)], [new ReturnStatement(variable('m').prop(deferredDep.symbolName))]);\n const fileName = deferredDep.importPath;\n // Dynamic import, e.g. `import('./a').then(...)`.\n const importExpr = (new DynamicImportExpr(fileName)).prop('then').callFn([innerFn]);\n dependencyExp.push(importExpr);\n }\n else {\n // Non-deferrable symbol, just use a reference to the type.\n dependencyExp.push(deferredDep.type);\n }\n }\n const depsFnBody = [];\n depsFnBody.push(new ReturnStatement(literalArr(dependencyExp)));\n const depsFnExpr = fn([] /* args */, depsFnBody, INFERRED_TYPE, null, depsFnName);\n this.constantPool.statements.push(depsFnExpr.toDeclStmt(depsFnName));\n }\n // e.g. `defer(1, MyComp_Defer_1_DepsFn, ...)`\n this.creationInstruction(deferred.sourceSpan, Identifiers.defer, () => {\n return trimTrailingNulls(parameters);\n });\n }\n // TODO: implement nested deferred block instructions.\n visitDeferredTrigger(trigger) { }\n visitDeferredBlockPlaceholder(block) { }\n visitDeferredBlockError(block) { }\n visitDeferredBlockLoading(block) { }\n allocateDataSlot() {\n return this._dataIndex++;\n }\n getConstCount() {\n return this._dataIndex;\n }\n getVarCount() {\n return this._pureFunctionSlots;\n }\n getConsts() {\n return this._constants;\n }\n getNgContentSelectors() {\n return this._ngContentReservedSlots.length ?\n this.constantPool.getConstLiteral(asLiteral(this._ngContentReservedSlots), true) :\n null;\n }\n bindingContext() {\n return `${this._bindingContext++}`;\n }\n templatePropertyBindings(templateIndex, attrs) {\n const propertyBindings = [];\n for (const input of attrs) {\n if (!(input instanceof BoundAttribute)) {\n continue;\n }\n const value = input.value.visit(this._valueConverter);\n if (value === undefined) {\n continue;\n }\n this.allocateBindingSlots(value);\n if (value instanceof Interpolation$1) {\n // Params typically contain attribute namespace and value sanitizer, which is applicable\n // for regular HTML elements, but not applicable for <ng-template> (since props act as\n // inputs to directives), so keep params array empty.\n const params = [];\n // prop=\"{{value}}\" case\n this.interpolatedUpdateInstruction(getPropertyInterpolationExpression(value), templateIndex, input.name, input, value, params);\n }\n else {\n // [prop]=\"value\" case\n propertyBindings.push({\n span: input.sourceSpan,\n paramsOrFn: getBindingFunctionParams(() => this.convertPropertyBinding(value), input.name)\n });\n }\n }\n for (const propertyBinding of propertyBindings) {\n this.updateInstructionWithAdvance(templateIndex, propertyBinding.span, Identifiers.property, propertyBinding.paramsOrFn);\n }\n }\n // Bindings must only be resolved after all local refs have been visited, so all\n // instructions are queued in callbacks that execute once the initial pass has completed.\n // Otherwise, we wouldn't be able to support local refs that are defined after their\n // bindings. e.g. {{ foo }} <div #foo></div>\n instructionFn(fns, span, reference, paramsOrFn, prepend = false) {\n fns[prepend ? 'unshift' : 'push']({ span, reference, paramsOrFn });\n }\n processStylingUpdateInstruction(elementIndex, instruction) {\n let allocateBindingSlots = 0;\n if (instruction) {\n for (const call of instruction.calls) {\n allocateBindingSlots += call.allocateBindingSlots;\n this.updateInstructionWithAdvance(elementIndex, call.sourceSpan, instruction.reference, () => call.params(value => (call.supportsInterpolation && value instanceof Interpolation$1) ?\n this.getUpdateInstructionArguments(value) :\n this.convertPropertyBinding(value)));\n }\n }\n return allocateBindingSlots;\n }\n creationInstruction(span, reference, paramsOrFn, prepend) {\n this.instructionFn(this._creationCodeFns, span, reference, paramsOrFn || [], prepend);\n }\n updateInstructionWithAdvance(nodeIndex, span, reference, paramsOrFn) {\n this.addAdvanceInstructionIfNecessary(nodeIndex, span);\n this.updateInstruction(span, reference, paramsOrFn);\n }\n updateInstruction(span, reference, paramsOrFn) {\n this.instructionFn(this._updateCodeFns, span, reference, paramsOrFn || []);\n }\n addAdvanceInstructionIfNecessary(nodeIndex, span) {\n if (nodeIndex !== this._currentIndex) {\n const delta = nodeIndex - this._currentIndex;\n if (delta < 1) {\n throw new Error('advance instruction can only go forwards');\n }\n this.instructionFn(this._updateCodeFns, span, Identifiers.advance, [literal(delta)]);\n this._currentIndex = nodeIndex;\n }\n }\n allocatePureFunctionSlots(numSlots) {\n const originalSlots = this._pureFunctionSlots;\n this._pureFunctionSlots += numSlots;\n return originalSlots;\n }\n allocateBindingSlots(value) {\n this._bindingSlots += value instanceof Interpolation$1 ? value.expressions.length : 1;\n }\n /**\n * Gets an expression that refers to the implicit receiver. The implicit\n * receiver is always the root level context.\n */\n getImplicitReceiverExpr() {\n if (this._implicitReceiverExpr) {\n return this._implicitReceiverExpr;\n }\n return this._implicitReceiverExpr = this.level === 0 ?\n variable(CONTEXT_NAME) :\n this._bindingScope.getOrCreateSharedContextVar(0);\n }\n convertPropertyBinding(value) {\n const convertedPropertyBinding = convertPropertyBinding(this, this.getImplicitReceiverExpr(), value, this.bindingContext());\n const valExpr = convertedPropertyBinding.currValExpr;\n this._tempVariables.push(...convertedPropertyBinding.stmts);\n return valExpr;\n }\n /**\n * Gets a list of argument expressions to pass to an update instruction expression. Also updates\n * the temp variables state with temp variables that were identified as needing to be created\n * while visiting the arguments.\n * @param value The original expression we will be resolving an arguments list from.\n */\n getUpdateInstructionArguments(value) {\n const { args, stmts } = convertUpdateArguments(this, this.getImplicitReceiverExpr(), value, this.bindingContext());\n this._tempVariables.push(...stmts);\n return args;\n }\n /**\n * Prepares all attribute expression values for the `TAttributes` array.\n *\n * The purpose of this function is to properly construct an attributes array that\n * is passed into the `elementStart` (or just `element`) functions. Because there\n * are many different types of attributes, the array needs to be constructed in a\n * special way so that `elementStart` can properly evaluate them.\n *\n * The format looks like this:\n *\n * ```\n * attrs = [prop, value, prop2, value2,\n * PROJECT_AS, selector,\n * CLASSES, class1, class2,\n * STYLES, style1, value1, style2, value2,\n * BINDINGS, name1, name2, name3,\n * TEMPLATE, name4, name5, name6,\n * I18N, name7, name8, ...]\n * ```\n *\n * Note that this function will fully ignore all synthetic (@foo) attribute values\n * because those values are intended to always be generated as property instructions.\n */\n getAttributeExpressions(elementName, renderAttributes, inputs, outputs, styles, templateAttrs = [], boundI18nAttrs = []) {\n const alreadySeen = new Set();\n const attrExprs = [];\n let ngProjectAsAttr;\n for (const attr of renderAttributes) {\n if (attr.name === NG_PROJECT_AS_ATTR_NAME) {\n ngProjectAsAttr = attr;\n }\n // Note that static i18n attributes aren't in the i18n array,\n // because they're treated in the same way as regular attributes.\n if (attr.i18n) {\n // When i18n attributes are present on elements with structural directives\n // (e.g. `<div *ngIf title=\"Hello\" i18n-title>`), we want to avoid generating\n // duplicate i18n translation blocks for `ɵɵtemplate` and `ɵɵelement` instruction\n // attributes. So we do a cache lookup to see if suitable i18n translation block\n // already exists.\n const { i18nVarRefsCache } = this._constants;\n let i18nVarRef;\n if (i18nVarRefsCache.has(attr.i18n)) {\n i18nVarRef = i18nVarRefsCache.get(attr.i18n);\n }\n else {\n i18nVarRef = this.i18nTranslate(attr.i18n);\n i18nVarRefsCache.set(attr.i18n, i18nVarRef);\n }\n attrExprs.push(literal(attr.name), i18nVarRef);\n }\n else {\n attrExprs.push(...getAttributeNameLiterals(attr.name), trustedConstAttribute(elementName, attr));\n }\n }\n // Keep ngProjectAs next to the other name, value pairs so we can verify that we match\n // ngProjectAs marker in the attribute name slot.\n if (ngProjectAsAttr) {\n attrExprs.push(...getNgProjectAsLiteral(ngProjectAsAttr));\n }\n function addAttrExpr(key, value) {\n if (typeof key === 'string') {\n if (!alreadySeen.has(key)) {\n attrExprs.push(...getAttributeNameLiterals(key));\n value !== undefined && attrExprs.push(value);\n alreadySeen.add(key);\n }\n }\n else {\n attrExprs.push(literal(key));\n }\n }\n // it's important that this occurs before BINDINGS and TEMPLATE because once `elementStart`\n // comes across the BINDINGS or TEMPLATE markers then it will continue reading each value as\n // as single property value cell by cell.\n if (styles) {\n styles.populateInitialStylingAttrs(attrExprs);\n }\n if (inputs.length || outputs.length) {\n const attrsLengthBeforeInputs = attrExprs.length;\n for (let i = 0; i < inputs.length; i++) {\n const input = inputs[i];\n // We don't want the animation and attribute bindings in the\n // attributes array since they aren't used for directive matching.\n if (input.type !== 4 /* BindingType.Animation */ && input.type !== 1 /* BindingType.Attribute */) {\n addAttrExpr(input.name);\n }\n }\n for (let i = 0; i < outputs.length; i++) {\n const output = outputs[i];\n if (output.type !== 1 /* ParsedEventType.Animation */) {\n addAttrExpr(output.name);\n }\n }\n // this is a cheap way of adding the marker only after all the input/output\n // values have been filtered (by not including the animation ones) and added\n // to the expressions. The marker is important because it tells the runtime\n // code that this is where attributes without values start...\n if (attrExprs.length !== attrsLengthBeforeInputs) {\n attrExprs.splice(attrsLengthBeforeInputs, 0, literal(3 /* core.AttributeMarker.Bindings */));\n }\n }\n if (templateAttrs.length) {\n attrExprs.push(literal(4 /* core.AttributeMarker.Template */));\n templateAttrs.forEach(attr => addAttrExpr(attr.name));\n }\n if (boundI18nAttrs.length) {\n attrExprs.push(literal(6 /* core.AttributeMarker.I18n */));\n boundI18nAttrs.forEach(attr => addAttrExpr(attr.name));\n }\n return attrExprs;\n }\n addToConsts(expression) {\n if (isNull(expression)) {\n return TYPED_NULL_EXPR;\n }\n const consts = this._constants.constExpressions;\n // Try to reuse a literal that's already in the array, if possible.\n for (let i = 0; i < consts.length; i++) {\n if (consts[i].isEquivalent(expression)) {\n return literal(i);\n }\n }\n return literal(consts.push(expression) - 1);\n }\n addAttrsToConsts(attrs) {\n return attrs.length > 0 ? this.addToConsts(literalArr(attrs)) : TYPED_NULL_EXPR;\n }\n prepareRefsArray(references) {\n if (!references || references.length === 0) {\n return TYPED_NULL_EXPR;\n }\n const refsParam = references.flatMap(reference => {\n const slot = this.allocateDataSlot();\n // Generate the update temporary.\n const variableName = this._bindingScope.freshReferenceName();\n const retrievalLevel = this.level;\n const lhs = variable(variableName);\n this._bindingScope.set(retrievalLevel, reference.name, lhs, 0 /* DeclarationPriority.DEFAULT */, (scope, relativeLevel) => {\n // e.g. nextContext(2);\n const nextContextStmt = relativeLevel > 0 ? [generateNextContextExpr(relativeLevel).toStmt()] : [];\n // e.g. const $foo$ = reference(1);\n const refExpr = lhs.set(importExpr(Identifiers.reference).callFn([literal(slot)]));\n return nextContextStmt.concat(refExpr.toConstDecl());\n }, true);\n return [reference.name, reference.value];\n });\n return asLiteral(refsParam);\n }\n prepareListenerParameter(tagName, outputAst, index) {\n return () => {\n const eventName = outputAst.name;\n const bindingFnName = outputAst.type === 1 /* ParsedEventType.Animation */ ?\n // synthetic @listener.foo values are treated the exact same as are standard listeners\n prepareSyntheticListenerFunctionName(eventName, outputAst.phase) :\n sanitizeIdentifier(eventName);\n const handlerName = `${this.templateName}_${tagName}_${bindingFnName}_${index}_listener`;\n const scope = this._bindingScope.nestedScope(this._bindingScope.bindingLevel, EVENT_BINDING_SCOPE_GLOBALS);\n return prepareEventListenerParameters(outputAst, handlerName, scope);\n };\n }\n}\nclass ValueConverter extends AstMemoryEfficientTransformer {\n constructor(constantPool, allocateSlot, allocatePureFunctionSlots, definePipe) {\n super();\n this.constantPool = constantPool;\n this.allocateSlot = allocateSlot;\n this.allocatePureFunctionSlots = allocatePureFunctionSlots;\n this.definePipe = definePipe;\n this._pipeBindExprs = [];\n }\n // AstMemoryEfficientTransformer\n visitPipe(pipe, context) {\n // Allocate a slot to create the pipe\n const slot = this.allocateSlot();\n const slotPseudoLocal = `PIPE:${slot}`;\n // Allocate one slot for the result plus one slot per pipe argument\n const pureFunctionSlot = this.allocatePureFunctionSlots(2 + pipe.args.length);\n const target = new PropertyRead(pipe.span, pipe.sourceSpan, pipe.nameSpan, new ImplicitReceiver(pipe.span, pipe.sourceSpan), slotPseudoLocal);\n const { identifier, isVarLength } = pipeBindingCallInfo(pipe.args);\n this.definePipe(pipe.name, slotPseudoLocal, slot, importExpr(identifier));\n const args = [pipe.exp, ...pipe.args];\n const convertedArgs = isVarLength ?\n this.visitAll([new LiteralArray(pipe.span, pipe.sourceSpan, args)]) :\n this.visitAll(args);\n const pipeBindExpr = new Call(pipe.span, pipe.sourceSpan, target, [\n new LiteralPrimitive(pipe.span, pipe.sourceSpan, slot),\n new LiteralPrimitive(pipe.span, pipe.sourceSpan, pureFunctionSlot),\n ...convertedArgs,\n ], null);\n this._pipeBindExprs.push(pipeBindExpr);\n return pipeBindExpr;\n }\n updatePipeSlotOffsets(bindingSlots) {\n this._pipeBindExprs.forEach((pipe) => {\n // update the slot offset arg (index 1) to account for binding slots\n const slotOffset = pipe.args[1];\n slotOffset.value += bindingSlots;\n });\n }\n visitLiteralArray(array, context) {\n return new BuiltinFunctionCall(array.span, array.sourceSpan, this.visitAll(array.expressions), values => {\n // If the literal has calculated (non-literal) elements transform it into\n // calls to literal factories that compose the literal and will cache intermediate\n // values.\n const literal = literalArr(values);\n return getLiteralFactory(this.constantPool, literal, this.allocatePureFunctionSlots);\n });\n }\n visitLiteralMap(map, context) {\n return new BuiltinFunctionCall(map.span, map.sourceSpan, this.visitAll(map.values), values => {\n // If the literal has calculated (non-literal) elements transform it into\n // calls to literal factories that compose the literal and will cache intermediate\n // values.\n const literal = literalMap(values.map((value, index) => ({ key: map.keys[index].key, value, quoted: map.keys[index].quoted })));\n return getLiteralFactory(this.constantPool, literal, this.allocatePureFunctionSlots);\n });\n }\n}\n// Pipes always have at least one parameter, the value they operate on\nconst pipeBindingIdentifiers = [Identifiers.pipeBind1, Identifiers.pipeBind2, Identifiers.pipeBind3, Identifiers.pipeBind4];\nfunction pipeBindingCallInfo(args) {\n const identifier = pipeBindingIdentifiers[args.length];\n return {\n identifier: identifier || Identifiers.pipeBindV,\n isVarLength: !identifier,\n };\n}\nconst pureFunctionIdentifiers = [\n Identifiers.pureFunction0, Identifiers.pureFunction1, Identifiers.pureFunction2, Identifiers.pureFunction3, Identifiers.pureFunction4,\n Identifiers.pureFunction5, Identifiers.pureFunction6, Identifiers.pureFunction7, Identifiers.pureFunction8\n];\nfunction pureFunctionCallInfo(args) {\n const identifier = pureFunctionIdentifiers[args.length];\n return {\n identifier: identifier || Identifiers.pureFunctionV,\n isVarLength: !identifier,\n };\n}\n// e.g. x(2);\nfunction generateNextContextExpr(relativeLevelDiff) {\n return importExpr(Identifiers.nextContext)\n .callFn(relativeLevelDiff > 1 ? [literal(relativeLevelDiff)] : []);\n}\nfunction getLiteralFactory(constantPool, literal$1, allocateSlots) {\n const { literalFactory, literalFactoryArguments } = constantPool.getLiteralFactory(literal$1);\n // Allocate 1 slot for the result plus 1 per argument\n const startSlot = allocateSlots(1 + literalFactoryArguments.length);\n const { identifier, isVarLength } = pureFunctionCallInfo(literalFactoryArguments);\n // Literal factories are pure functions that only need to be re-invoked when the parameters\n // change.\n const args = [literal(startSlot), literalFactory];\n if (isVarLength) {\n args.push(literalArr(literalFactoryArguments));\n }\n else {\n args.push(...literalFactoryArguments);\n }\n return importExpr(identifier).callFn(args);\n}\n/**\n * Gets an array of literals that can be added to an expression\n * to represent the name and namespace of an attribute. E.g.\n * `:xlink:href` turns into `[AttributeMarker.NamespaceURI, 'xlink', 'href']`.\n *\n * @param name Name of the attribute, including the namespace.\n */\nfunction getAttributeNameLiterals(name) {\n const [attributeNamespace, attributeName] = splitNsName(name);\n const nameLiteral = literal(attributeName);\n if (attributeNamespace) {\n return [\n literal(0 /* core.AttributeMarker.NamespaceURI */), literal(attributeNamespace), nameLiteral\n ];\n }\n return [nameLiteral];\n}\n/** The prefix used to get a shared context in BindingScope's map. */\nconst SHARED_CONTEXT_KEY = '$$shared_ctx$$';\nclass BindingScope {\n static createRootScope() {\n return new BindingScope();\n }\n constructor(bindingLevel = 0, parent = null, globals) {\n this.bindingLevel = bindingLevel;\n this.parent = parent;\n this.globals = globals;\n /** Keeps a map from local variables to their BindingData. */\n this.map = new Map();\n this.referenceNameIndex = 0;\n this.restoreViewVariable = null;\n this.usesRestoredViewContext = false;\n if (globals !== undefined) {\n for (const name of globals) {\n this.set(0, name, variable(name));\n }\n }\n }\n get(name) {\n let current = this;\n while (current) {\n let value = current.map.get(name);\n if (value != null) {\n if (current !== this) {\n // make a local copy and reset the `declare` state\n value = {\n retrievalLevel: value.retrievalLevel,\n lhs: value.lhs,\n declareLocalCallback: value.declareLocalCallback,\n declare: false,\n priority: value.priority\n };\n // Cache the value locally.\n this.map.set(name, value);\n // Possibly generate a shared context var\n this.maybeGenerateSharedContextVar(value);\n this.maybeRestoreView();\n }\n if (value.declareLocalCallback && !value.declare) {\n value.declare = true;\n }\n return value.lhs;\n }\n current = current.parent;\n }\n // If we get to this point, we are looking for a property on the top level component\n // - If level === 0, we are on the top and don't need to re-declare `ctx`.\n // - If level > 0, we are in an embedded view. We need to retrieve the name of the\n // local var we used to store the component context, e.g. const $comp$ = x();\n return this.bindingLevel === 0 ? null : this.getComponentProperty(name);\n }\n /**\n * Create a local variable for later reference.\n *\n * @param retrievalLevel The level from which this value can be retrieved\n * @param name Name of the variable.\n * @param lhs AST representing the left hand side of the `let lhs = rhs;`.\n * @param priority The sorting priority of this var\n * @param declareLocalCallback The callback to invoke when declaring this local var\n * @param localRef Whether or not this is a local ref\n */\n set(retrievalLevel, name, lhs, priority = 0 /* DeclarationPriority.DEFAULT */, declareLocalCallback, localRef) {\n if (this.map.has(name)) {\n if (localRef) {\n // Do not throw an error if it's a local ref and do not update existing value,\n // so the first defined ref is always returned.\n return this;\n }\n error(`The name ${name} is already defined in scope to be ${this.map.get(name)}`);\n }\n this.map.set(name, {\n retrievalLevel: retrievalLevel,\n lhs: lhs,\n declare: false,\n declareLocalCallback: declareLocalCallback,\n priority: priority,\n });\n return this;\n }\n // Implemented as part of LocalResolver.\n getLocal(name) {\n return this.get(name);\n }\n // Implemented as part of LocalResolver.\n notifyImplicitReceiverUse() {\n if (this.bindingLevel !== 0) {\n // Since the implicit receiver is accessed in an embedded view, we need to\n // ensure that we declare a shared context variable for the current template\n // in the update variables.\n this.map.get(SHARED_CONTEXT_KEY + 0).declare = true;\n }\n }\n nestedScope(level, globals) {\n const newScope = new BindingScope(level, this, globals);\n if (level > 0)\n newScope.generateSharedContextVar(0);\n return newScope;\n }\n /**\n * Gets or creates a shared context variable and returns its expression. Note that\n * this does not mean that the shared variable will be declared. Variables in the\n * binding scope will be only declared if they are used.\n */\n getOrCreateSharedContextVar(retrievalLevel) {\n const bindingKey = SHARED_CONTEXT_KEY + retrievalLevel;\n if (!this.map.has(bindingKey)) {\n this.generateSharedContextVar(retrievalLevel);\n }\n // Shared context variables are always generated as \"ReadVarExpr\".\n return this.map.get(bindingKey).lhs;\n }\n getSharedContextName(retrievalLevel) {\n const sharedCtxObj = this.map.get(SHARED_CONTEXT_KEY + retrievalLevel);\n // Shared context variables are always generated as \"ReadVarExpr\".\n return sharedCtxObj && sharedCtxObj.declare ? sharedCtxObj.lhs : null;\n }\n maybeGenerateSharedContextVar(value) {\n if (value.priority === 1 /* DeclarationPriority.CONTEXT */ &&\n value.retrievalLevel < this.bindingLevel) {\n const sharedCtxObj = this.map.get(SHARED_CONTEXT_KEY + value.retrievalLevel);\n if (sharedCtxObj) {\n sharedCtxObj.declare = true;\n }\n else {\n this.generateSharedContextVar(value.retrievalLevel);\n }\n }\n }\n generateSharedContextVar(retrievalLevel) {\n const lhs = variable(CONTEXT_NAME + this.freshReferenceName());\n this.map.set(SHARED_CONTEXT_KEY + retrievalLevel, {\n retrievalLevel: retrievalLevel,\n lhs: lhs,\n declareLocalCallback: (scope, relativeLevel) => {\n // const ctx_r0 = nextContext(2);\n return [lhs.set(generateNextContextExpr(relativeLevel)).toConstDecl()];\n },\n declare: false,\n priority: 2 /* DeclarationPriority.SHARED_CONTEXT */,\n });\n }\n getComponentProperty(name) {\n const componentValue = this.map.get(SHARED_CONTEXT_KEY + 0);\n componentValue.declare = true;\n this.maybeRestoreView();\n return componentValue.lhs.prop(name);\n }\n maybeRestoreView() {\n // View restoration is required for listener instructions inside embedded views, because\n // they only run in creation mode and they can have references to the context object.\n // If the context object changes in update mode, the reference will be incorrect, because\n // it was established during creation.\n if (this.isListenerScope()) {\n if (!this.parent.restoreViewVariable) {\n // parent saves variable to generate a shared `const $s$ = getCurrentView();` instruction\n this.parent.restoreViewVariable = variable(this.parent.freshReferenceName());\n }\n this.restoreViewVariable = this.parent.restoreViewVariable;\n }\n }\n restoreViewStatement() {\n if (this.restoreViewVariable) {\n const restoreCall = invokeInstruction(null, Identifiers.restoreView, [this.restoreViewVariable]);\n // Either `const restoredCtx = restoreView($state$);` or `restoreView($state$);`\n // depending on whether it is being used.\n return this.usesRestoredViewContext ?\n variable(RESTORED_VIEW_CONTEXT_NAME).set(restoreCall).toConstDecl() :\n restoreCall.toStmt();\n }\n return null;\n }\n viewSnapshotStatements() {\n // const $state$ = getCurrentView();\n return this.restoreViewVariable ?\n [\n this.restoreViewVariable.set(invokeInstruction(null, Identifiers.getCurrentView, [])).toConstDecl()\n ] :\n [];\n }\n isListenerScope() {\n return this.parent && this.parent.bindingLevel === this.bindingLevel;\n }\n variableDeclarations() {\n let currentContextLevel = 0;\n return Array.from(this.map.values())\n .filter(value => value.declare)\n .sort((a, b) => b.retrievalLevel - a.retrievalLevel || b.priority - a.priority)\n .reduce((stmts, value) => {\n const levelDiff = this.bindingLevel - value.retrievalLevel;\n const currStmts = value.declareLocalCallback(this, levelDiff - currentContextLevel);\n currentContextLevel = levelDiff;\n return stmts.concat(currStmts);\n }, []);\n }\n freshReferenceName() {\n let current = this;\n // Find the top scope as it maintains the global reference count\n while (current.parent)\n current = current.parent;\n const ref = `${REFERENCE_PREFIX}${current.referenceNameIndex++}`;\n return ref;\n }\n hasRestoreViewVariable() {\n return !!this.restoreViewVariable;\n }\n notifyRestoredViewContextUse() {\n this.usesRestoredViewContext = true;\n }\n}\n/**\n * Creates a `CssSelector` given a tag name and a map of attributes\n */\nfunction createCssSelector(elementName, attributes) {\n const cssSelector = new CssSelector();\n const elementNameNoNs = splitNsName(elementName)[1];\n cssSelector.setElement(elementNameNoNs);\n Object.getOwnPropertyNames(attributes).forEach((name) => {\n const nameNoNs = splitNsName(name)[1];\n const value = attributes[name];\n cssSelector.addAttribute(nameNoNs, value);\n if (name.toLowerCase() === 'class') {\n const classes = value.trim().split(/\\s+/);\n classes.forEach(className => cssSelector.addClassName(className));\n }\n });\n return cssSelector;\n}\n/**\n * Creates an array of expressions out of an `ngProjectAs` attributes\n * which can be added to the instruction parameters.\n */\nfunction getNgProjectAsLiteral(attribute) {\n // Parse the attribute value into a CssSelectorList. Note that we only take the\n // first selector, because we don't support multiple selectors in ngProjectAs.\n const parsedR3Selector = parseSelectorToR3Selector(attribute.value)[0];\n return [literal(5 /* core.AttributeMarker.ProjectAs */), asLiteral(parsedR3Selector)];\n}\n/**\n * Gets the instruction to generate for an interpolated property\n * @param interpolation An Interpolation AST\n */\nfunction getPropertyInterpolationExpression(interpolation) {\n switch (getInterpolationArgsLength(interpolation)) {\n case 1:\n return Identifiers.propertyInterpolate;\n case 3:\n return Identifiers.propertyInterpolate1;\n case 5:\n return Identifiers.propertyInterpolate2;\n case 7:\n return Identifiers.propertyInterpolate3;\n case 9:\n return Identifiers.propertyInterpolate4;\n case 11:\n return Identifiers.propertyInterpolate5;\n case 13:\n return Identifiers.propertyInterpolate6;\n case 15:\n return Identifiers.propertyInterpolate7;\n case 17:\n return Identifiers.propertyInterpolate8;\n default:\n return Identifiers.propertyInterpolateV;\n }\n}\n/**\n * Gets the instruction to generate for an interpolated attribute\n * @param interpolation An Interpolation AST\n */\nfunction getAttributeInterpolationExpression(interpolation) {\n switch (getInterpolationArgsLength(interpolation)) {\n case 3:\n return Identifiers.attributeInterpolate1;\n case 5:\n return Identifiers.attributeInterpolate2;\n case 7:\n return Identifiers.attributeInterpolate3;\n case 9:\n return Identifiers.attributeInterpolate4;\n case 11:\n return Identifiers.attributeInterpolate5;\n case 13:\n return Identifiers.attributeInterpolate6;\n case 15:\n return Identifiers.attributeInterpolate7;\n case 17:\n return Identifiers.attributeInterpolate8;\n default:\n return Identifiers.attributeInterpolateV;\n }\n}\n/**\n * Gets the instruction to generate for interpolated text.\n * @param interpolation An Interpolation AST\n */\nfunction getTextInterpolationExpression(interpolation) {\n switch (getInterpolationArgsLength(interpolation)) {\n case 1:\n return Identifiers.textInterpolate;\n case 3:\n return Identifiers.textInterpolate1;\n case 5:\n return Identifiers.textInterpolate2;\n case 7:\n return Identifiers.textInterpolate3;\n case 9:\n return Identifiers.textInterpolate4;\n case 11:\n return Identifiers.textInterpolate5;\n case 13:\n return Identifiers.textInterpolate6;\n case 15:\n return Identifiers.textInterpolate7;\n case 17:\n return Identifiers.textInterpolate8;\n default:\n return Identifiers.textInterpolateV;\n }\n}\n/**\n * Parse a template into render3 `Node`s and additional metadata, with no other dependencies.\n *\n * @param template text of the template to parse\n * @param templateUrl URL to use for source mapping of the parsed template\n * @param options options to modify how the template is parsed\n */\nfunction parseTemplate(template, templateUrl, options = {}) {\n const { interpolationConfig, preserveWhitespaces, enableI18nLegacyMessageIdFormat } = options;\n const bindingParser = makeBindingParser(interpolationConfig);\n const htmlParser = new HtmlParser();\n const parseResult = htmlParser.parse(template, templateUrl, {\n leadingTriviaChars: LEADING_TRIVIA_CHARS,\n ...options,\n tokenizeExpansionForms: true,\n tokenizeBlocks: options.enabledBlockTypes != null && options.enabledBlockTypes.size > 0,\n });\n if (!options.alwaysAttemptHtmlToR3AstConversion && parseResult.errors &&\n parseResult.errors.length > 0) {\n const parsedTemplate = {\n interpolationConfig,\n preserveWhitespaces,\n errors: parseResult.errors,\n nodes: [],\n styleUrls: [],\n styles: [],\n ngContentSelectors: []\n };\n if (options.collectCommentNodes) {\n parsedTemplate.commentNodes = [];\n }\n return parsedTemplate;\n }\n let rootNodes = parseResult.rootNodes;\n // process i18n meta information (scan attributes, generate ids)\n // before we run whitespace removal process, because existing i18n\n // extraction process (ng extract-i18n) relies on a raw content to generate\n // message ids\n const i18nMetaVisitor = new I18nMetaVisitor(interpolationConfig, /* keepI18nAttrs */ !preserveWhitespaces, enableI18nLegacyMessageIdFormat);\n const i18nMetaResult = i18nMetaVisitor.visitAllWithErrors(rootNodes);\n if (!options.alwaysAttemptHtmlToR3AstConversion && i18nMetaResult.errors &&\n i18nMetaResult.errors.length > 0) {\n const parsedTemplate = {\n interpolationConfig,\n preserveWhitespaces,\n errors: i18nMetaResult.errors,\n nodes: [],\n styleUrls: [],\n styles: [],\n ngContentSelectors: []\n };\n if (options.collectCommentNodes) {\n parsedTemplate.commentNodes = [];\n }\n return parsedTemplate;\n }\n rootNodes = i18nMetaResult.rootNodes;\n if (!preserveWhitespaces) {\n rootNodes = visitAll(new WhitespaceVisitor(), rootNodes);\n // run i18n meta visitor again in case whitespaces are removed (because that might affect\n // generated i18n message content) and first pass indicated that i18n content is present in a\n // template. During this pass i18n IDs generated at the first pass will be preserved, so we can\n // mimic existing extraction process (ng extract-i18n)\n if (i18nMetaVisitor.hasI18nMeta) {\n rootNodes = visitAll(new I18nMetaVisitor(interpolationConfig, /* keepI18nAttrs */ false), rootNodes);\n }\n }\n const { nodes, errors, styleUrls, styles, ngContentSelectors, commentNodes } = htmlAstToRender3Ast(rootNodes, bindingParser, {\n collectCommentNodes: !!options.collectCommentNodes,\n enabledBlockTypes: options.enabledBlockTypes || new Set(),\n });\n errors.push(...parseResult.errors, ...i18nMetaResult.errors);\n const parsedTemplate = {\n interpolationConfig,\n preserveWhitespaces,\n errors: errors.length > 0 ? errors : null,\n nodes,\n styleUrls,\n styles,\n ngContentSelectors\n };\n if (options.collectCommentNodes) {\n parsedTemplate.commentNodes = commentNodes;\n }\n return parsedTemplate;\n}\nconst elementRegistry = new DomElementSchemaRegistry();\n/**\n * Construct a `BindingParser` with a default configuration.\n */\nfunction makeBindingParser(interpolationConfig = DEFAULT_INTERPOLATION_CONFIG) {\n return new BindingParser(new Parser$1(new Lexer()), interpolationConfig, elementRegistry, []);\n}\nfunction resolveSanitizationFn(context, isAttribute) {\n switch (context) {\n case SecurityContext.HTML:\n return importExpr(Identifiers.sanitizeHtml);\n case SecurityContext.SCRIPT:\n return importExpr(Identifiers.sanitizeScript);\n case SecurityContext.STYLE:\n // the compiler does not fill in an instruction for [style.prop?] binding\n // values because the style algorithm knows internally what props are subject\n // to sanitization (only [attr.style] values are explicitly sanitized)\n return isAttribute ? importExpr(Identifiers.sanitizeStyle) : null;\n case SecurityContext.URL:\n return importExpr(Identifiers.sanitizeUrl);\n case SecurityContext.RESOURCE_URL:\n return importExpr(Identifiers.sanitizeResourceUrl);\n default:\n return null;\n }\n}\nfunction trustedConstAttribute(tagName, attr) {\n const value = asLiteral(attr.value);\n if (isTrustedTypesSink(tagName, attr.name)) {\n switch (elementRegistry.securityContext(tagName, attr.name, /* isAttribute */ true)) {\n case SecurityContext.HTML:\n return taggedTemplate(importExpr(Identifiers.trustConstantHtml), new TemplateLiteral([new TemplateLiteralElement(attr.value)], []), undefined, attr.valueSpan);\n // NB: no SecurityContext.SCRIPT here, as the corresponding tags are stripped by the compiler.\n case SecurityContext.RESOURCE_URL:\n return taggedTemplate(importExpr(Identifiers.trustConstantResourceUrl), new TemplateLiteral([new TemplateLiteralElement(attr.value)], []), undefined, attr.valueSpan);\n default:\n return value;\n }\n }\n else {\n return value;\n }\n}\nfunction isSingleElementTemplate(children) {\n return children.length === 1 && children[0] instanceof Element$1;\n}\nfunction isTextNode(node) {\n return node instanceof Text$3 || node instanceof BoundText || node instanceof Icu$1;\n}\nfunction isIframeElement(tagName) {\n return tagName.toLowerCase() === 'iframe';\n}\nfunction hasTextChildrenOnly(children) {\n return children.every(isTextNode);\n}\nfunction getBindingFunctionParams(deferredParams, name, eagerParams) {\n return () => {\n const value = deferredParams();\n const fnParams = Array.isArray(value) ? value : [value];\n if (eagerParams) {\n fnParams.push(...eagerParams);\n }\n if (name) {\n // We want the property name to always be the first function parameter.\n fnParams.unshift(literal(name));\n }\n return fnParams;\n };\n}\n/** Name of the global variable that is used to determine if we use Closure translations or not */\nconst NG_I18N_CLOSURE_MODE = 'ngI18nClosureMode';\n/**\n * Generate statements that define a given translation message.\n *\n * ```\n * var I18N_1;\n * if (typeof ngI18nClosureMode !== undefined && ngI18nClosureMode) {\n * var MSG_EXTERNAL_XXX = goog.getMsg(\n * \"Some message with {$interpolation}!\",\n * { \"interpolation\": \"\\uFFFD0\\uFFFD\" }\n * );\n * I18N_1 = MSG_EXTERNAL_XXX;\n * }\n * else {\n * I18N_1 = $localize`Some message with ${'\\uFFFD0\\uFFFD'}!`;\n * }\n * ```\n *\n * @param message The original i18n AST message node\n * @param variable The variable that will be assigned the translation, e.g. `I18N_1`.\n * @param closureVar The variable for Closure `goog.getMsg` calls, e.g. `MSG_EXTERNAL_XXX`.\n * @param params Object mapping placeholder names to their values (e.g.\n * `{ \"interpolation\": \"\\uFFFD0\\uFFFD\" }`).\n * @param transformFn Optional transformation function that will be applied to the translation (e.g.\n * post-processing).\n * @returns An array of statements that defined a given translation.\n */\nfunction getTranslationDeclStmts(message, variable, closureVar, params = {}, transformFn) {\n const statements = [\n declareI18nVariable(variable),\n ifStmt(createClosureModeGuard(), createGoogleGetMsgStatements(variable, message, closureVar, params), createLocalizeStatements(variable, message, formatI18nPlaceholderNamesInMap(params, /* useCamelCase */ false))),\n ];\n if (transformFn) {\n statements.push(new ExpressionStatement(variable.set(transformFn(variable))));\n }\n return statements;\n}\n/**\n * Create the expression that will be used to guard the closure mode block\n * It is equivalent to:\n *\n * ```\n * typeof ngI18nClosureMode !== undefined && ngI18nClosureMode\n * ```\n */\nfunction createClosureModeGuard() {\n return typeofExpr(variable(NG_I18N_CLOSURE_MODE))\n .notIdentical(literal('undefined', STRING_TYPE))\n .and(variable(NG_I18N_CLOSURE_MODE));\n}\n\n// This regex matches any binding names that contain the \"attr.\" prefix, e.g. \"attr.required\"\n// If there is a match, the first matching group will contain the attribute name to bind.\nconst ATTR_REGEX = /attr\\.([^\\]]+)/;\nconst COMPONENT_VARIABLE = '%COMP%';\nconst HOST_ATTR = `_nghost-${COMPONENT_VARIABLE}`;\nconst CONTENT_ATTR = `_ngcontent-${COMPONENT_VARIABLE}`;\nfunction baseDirectiveFields(meta, constantPool, bindingParser) {\n const definitionMap = new DefinitionMap();\n const selectors = parseSelectorToR3Selector(meta.selector);\n // e.g. `type: MyDirective`\n definitionMap.set('type', meta.type.value);\n // e.g. `selectors: [['', 'someDir', '']]`\n if (selectors.length > 0) {\n definitionMap.set('selectors', asLiteral(selectors));\n }\n if (meta.queries.length > 0) {\n // e.g. `contentQueries: (rf, ctx, dirIndex) => { ... }\n definitionMap.set('contentQueries', createContentQueriesFunction(meta.queries, constantPool, meta.name));\n }\n if (meta.viewQueries.length) {\n definitionMap.set('viewQuery', createViewQueriesFunction(meta.viewQueries, constantPool, meta.name));\n }\n // e.g. `hostBindings: (rf, ctx) => { ... }\n definitionMap.set('hostBindings', createHostBindingsFunction(meta.host, meta.typeSourceSpan, bindingParser, constantPool, meta.selector || '', meta.name, definitionMap));\n // e.g 'inputs: {a: 'a'}`\n definitionMap.set('inputs', conditionallyCreateDirectiveBindingLiteral(meta.inputs, true));\n // e.g 'outputs: {a: 'a'}`\n definitionMap.set('outputs', conditionallyCreateDirectiveBindingLiteral(meta.outputs));\n if (meta.exportAs !== null) {\n definitionMap.set('exportAs', literalArr(meta.exportAs.map(e => literal(e))));\n }\n if (meta.isStandalone) {\n definitionMap.set('standalone', literal(true));\n }\n if (meta.isSignal) {\n definitionMap.set('signals', literal(true));\n }\n return definitionMap;\n}\n/**\n * Add features to the definition map.\n */\nfunction addFeatures(definitionMap, meta) {\n // e.g. `features: [NgOnChangesFeature]`\n const features = [];\n const providers = meta.providers;\n const viewProviders = meta.viewProviders;\n const inputKeys = Object.keys(meta.inputs);\n if (providers || viewProviders) {\n const args = [providers || new LiteralArrayExpr([])];\n if (viewProviders) {\n args.push(viewProviders);\n }\n features.push(importExpr(Identifiers.ProvidersFeature).callFn(args));\n }\n for (const key of inputKeys) {\n if (meta.inputs[key].transformFunction !== null) {\n features.push(importExpr(Identifiers.InputTransformsFeatureFeature));\n break;\n }\n }\n if (meta.usesInheritance) {\n features.push(importExpr(Identifiers.InheritDefinitionFeature));\n }\n if (meta.fullInheritance) {\n features.push(importExpr(Identifiers.CopyDefinitionFeature));\n }\n if (meta.lifecycle.usesOnChanges) {\n features.push(importExpr(Identifiers.NgOnChangesFeature));\n }\n // TODO: better way of differentiating component vs directive metadata.\n if (meta.hasOwnProperty('template') && meta.isStandalone) {\n features.push(importExpr(Identifiers.StandaloneFeature));\n }\n if (meta.hostDirectives?.length) {\n features.push(importExpr(Identifiers.HostDirectivesFeature).callFn([createHostDirectivesFeatureArg(meta.hostDirectives)]));\n }\n if (features.length) {\n definitionMap.set('features', literalArr(features));\n }\n}\n/**\n * Compile a directive for the render3 runtime as defined by the `R3DirectiveMetadata`.\n */\nfunction compileDirectiveFromMetadata(meta, constantPool, bindingParser) {\n const definitionMap = baseDirectiveFields(meta, constantPool, bindingParser);\n addFeatures(definitionMap, meta);\n const expression = importExpr(Identifiers.defineDirective).callFn([definitionMap.toLiteralMap()], undefined, true);\n const type = createDirectiveType(meta);\n return { expression, type, statements: [] };\n}\n/**\n * Compile a component for the render3 runtime as defined by the `R3ComponentMetadata`.\n */\nfunction compileComponentFromMetadata(meta, constantPool, bindingParser) {\n const definitionMap = baseDirectiveFields(meta, constantPool, bindingParser);\n addFeatures(definitionMap, meta);\n const selector = meta.selector && CssSelector.parse(meta.selector);\n const firstSelector = selector && selector[0];\n // e.g. `attr: [\"class\", \".my.app\"]`\n // This is optional an only included if the first selector of a component specifies attributes.\n if (firstSelector) {\n const selectorAttributes = firstSelector.getAttrs();\n if (selectorAttributes.length) {\n definitionMap.set('attrs', constantPool.getConstLiteral(literalArr(selectorAttributes.map(value => value != null ? literal(value) : literal(undefined))), \n /* forceShared */ true));\n }\n }\n // e.g. `template: function MyComponent_Template(_ctx, _cm) {...}`\n const templateTypeName = meta.name;\n const templateName = templateTypeName ? `${templateTypeName}_Template` : null;\n const changeDetection = meta.changeDetection;\n // Template compilation is currently conditional as we're in the process of rewriting it.\n if (!USE_TEMPLATE_PIPELINE) {\n // This is the main path currently used in compilation, which compiles the template with the\n // legacy `TemplateDefinitionBuilder`.\n const template = meta.template;\n const templateBuilder = new TemplateDefinitionBuilder(constantPool, BindingScope.createRootScope(), 0, templateTypeName, null, null, templateName, Identifiers.namespaceHTML, meta.relativeContextFilePath, meta.i18nUseExternalIds, meta.deferBlocks);\n const templateFunctionExpression = templateBuilder.buildTemplateFunction(template.nodes, []);\n // We need to provide this so that dynamically generated components know what\n // projected content blocks to pass through to the component when it is\n // instantiated.\n const ngContentSelectors = templateBuilder.getNgContentSelectors();\n if (ngContentSelectors) {\n definitionMap.set('ngContentSelectors', ngContentSelectors);\n }\n // e.g. `decls: 2`\n // definitionMap.set('decls', o.literal(tpl.root.decls!));\n definitionMap.set('decls', literal(templateBuilder.getConstCount()));\n // e.g. `vars: 2`\n // definitionMap.set('vars', o.literal(tpl.root.vars!));\n definitionMap.set('vars', literal(templateBuilder.getVarCount()));\n // Generate `consts` section of ComponentDef:\n // - either as an array:\n // `consts: [['one', 'two'], ['three', 'four']]`\n // - or as a factory function in case additional statements are present (to support i18n):\n // `consts: function() { var i18n_0; if (ngI18nClosureMode) {...} else {...} return [i18n_0];\n // }`\n const { constExpressions, prepareStatements } = templateBuilder.getConsts();\n if (constExpressions.length > 0) {\n let constsExpr = literalArr(constExpressions);\n // Prepare statements are present - turn `consts` into a function.\n if (prepareStatements.length > 0) {\n constsExpr = fn([], [...prepareStatements, new ReturnStatement(constsExpr)]);\n }\n definitionMap.set('consts', constsExpr);\n }\n definitionMap.set('template', templateFunctionExpression);\n }\n else {\n // This path compiles the template using the prototype template pipeline. First the template is\n // ingested into IR:\n const tpl = ingestComponent(meta.name, meta.template.nodes, constantPool);\n // Then the IR is transformed to prepare it for cod egeneration.\n transformTemplate(tpl);\n // Finally we emit the template function:\n const templateFn = emitTemplateFn(tpl, constantPool);\n definitionMap.set('decls', literal(tpl.root.decls));\n definitionMap.set('vars', literal(tpl.root.vars));\n if (tpl.consts.length > 0) {\n definitionMap.set('consts', literalArr(tpl.consts));\n }\n definitionMap.set('template', templateFn);\n }\n if (meta.declarations.length > 0) {\n definitionMap.set('dependencies', compileDeclarationList(literalArr(meta.declarations.map(decl => decl.type)), meta.declarationListEmitMode));\n }\n if (meta.encapsulation === null) {\n meta.encapsulation = ViewEncapsulation.Emulated;\n }\n // e.g. `styles: [str1, str2]`\n if (meta.styles && meta.styles.length) {\n const styleValues = meta.encapsulation == ViewEncapsulation.Emulated ?\n compileStyles(meta.styles, CONTENT_ATTR, HOST_ATTR) :\n meta.styles;\n const styleNodes = styleValues.reduce((result, style) => {\n if (style.trim().length > 0) {\n result.push(constantPool.getConstLiteral(literal(style)));\n }\n return result;\n }, []);\n if (styleNodes.length > 0) {\n definitionMap.set('styles', literalArr(styleNodes));\n }\n }\n else if (meta.encapsulation === ViewEncapsulation.Emulated) {\n // If there is no style, don't generate css selectors on elements\n meta.encapsulation = ViewEncapsulation.None;\n }\n // Only set view encapsulation if it's not the default value\n if (meta.encapsulation !== ViewEncapsulation.Emulated) {\n definitionMap.set('encapsulation', literal(meta.encapsulation));\n }\n // e.g. `animation: [trigger('123', [])]`\n if (meta.animations !== null) {\n definitionMap.set('data', literalMap([{ key: 'animation', value: meta.animations, quoted: false }]));\n }\n // Only set the change detection flag if it's defined and it's not the default.\n if (changeDetection != null && changeDetection !== ChangeDetectionStrategy.Default) {\n definitionMap.set('changeDetection', literal(changeDetection));\n }\n const expression = importExpr(Identifiers.defineComponent).callFn([definitionMap.toLiteralMap()], undefined, true);\n const type = createComponentType(meta);\n return { expression, type, statements: [] };\n}\n/**\n * Creates the type specification from the component meta. This type is inserted into .d.ts files\n * to be consumed by upstream compilations.\n */\nfunction createComponentType(meta) {\n const typeParams = createBaseDirectiveTypeParams(meta);\n typeParams.push(stringArrayAsType(meta.template.ngContentSelectors));\n typeParams.push(expressionType(literal(meta.isStandalone)));\n typeParams.push(createHostDirectivesType(meta));\n // TODO(signals): Always include this metadata starting with v17. Right\n // now Angular v16.0.x does not support this field and library distributions\n // would then be incompatible with v16.0.x framework users.\n if (meta.isSignal) {\n typeParams.push(expressionType(literal(meta.isSignal)));\n }\n return expressionType(importExpr(Identifiers.ComponentDeclaration, typeParams));\n}\n/**\n * Compiles the array literal of declarations into an expression according to the provided emit\n * mode.\n */\nfunction compileDeclarationList(list, mode) {\n switch (mode) {\n case 0 /* DeclarationListEmitMode.Direct */:\n // directives: [MyDir],\n return list;\n case 1 /* DeclarationListEmitMode.Closure */:\n // directives: function () { return [MyDir]; }\n return fn([], [new ReturnStatement(list)]);\n case 2 /* DeclarationListEmitMode.ClosureResolved */:\n // directives: function () { return [MyDir].map(ng.resolveForwardRef); }\n const resolvedList = list.prop('map').callFn([importExpr(Identifiers.resolveForwardRef)]);\n return fn([], [new ReturnStatement(resolvedList)]);\n }\n}\nfunction prepareQueryParams(query, constantPool) {\n const parameters = [getQueryPredicate(query, constantPool), literal(toQueryFlags(query))];\n if (query.read) {\n parameters.push(query.read);\n }\n return parameters;\n}\n/**\n * Translates query flags into `TQueryFlags` type in packages/core/src/render3/interfaces/query.ts\n * @param query\n */\nfunction toQueryFlags(query) {\n return (query.descendants ? 1 /* QueryFlags.descendants */ : 0 /* QueryFlags.none */) |\n (query.static ? 2 /* QueryFlags.isStatic */ : 0 /* QueryFlags.none */) |\n (query.emitDistinctChangesOnly ? 4 /* QueryFlags.emitDistinctChangesOnly */ : 0 /* QueryFlags.none */);\n}\nfunction convertAttributesToExpressions(attributes) {\n const values = [];\n for (let key of Object.getOwnPropertyNames(attributes)) {\n const value = attributes[key];\n values.push(literal(key), value);\n }\n return values;\n}\n// Define and update any content queries\nfunction createContentQueriesFunction(queries, constantPool, name) {\n const createStatements = [];\n const updateStatements = [];\n const tempAllocator = temporaryAllocator(updateStatements, TEMPORARY_NAME);\n for (const query of queries) {\n // creation, e.g. r3.contentQuery(dirIndex, somePredicate, true, null);\n createStatements.push(importExpr(Identifiers.contentQuery)\n .callFn([variable('dirIndex'), ...prepareQueryParams(query, constantPool)])\n .toStmt());\n // update, e.g. (r3.queryRefresh(tmp = r3.loadQuery()) && (ctx.someDir = tmp));\n const temporary = tempAllocator();\n const getQueryList = importExpr(Identifiers.loadQuery).callFn([]);\n const refresh = importExpr(Identifiers.queryRefresh).callFn([temporary.set(getQueryList)]);\n const updateDirective = variable(CONTEXT_NAME)\n .prop(query.propertyName)\n .set(query.first ? temporary.prop('first') : temporary);\n updateStatements.push(refresh.and(updateDirective).toStmt());\n }\n const contentQueriesFnName = name ? `${name}_ContentQueries` : null;\n return fn([\n new FnParam(RENDER_FLAGS, NUMBER_TYPE), new FnParam(CONTEXT_NAME, null),\n new FnParam('dirIndex', null)\n ], [\n renderFlagCheckIfStmt(1 /* core.RenderFlags.Create */, createStatements),\n renderFlagCheckIfStmt(2 /* core.RenderFlags.Update */, updateStatements)\n ], INFERRED_TYPE, null, contentQueriesFnName);\n}\nfunction stringAsType(str) {\n return expressionType(literal(str));\n}\nfunction stringMapAsLiteralExpression(map) {\n const mapValues = Object.keys(map).map(key => {\n const value = Array.isArray(map[key]) ? map[key][0] : map[key];\n return {\n key,\n value: literal(value),\n quoted: true,\n };\n });\n return literalMap(mapValues);\n}\nfunction stringArrayAsType(arr) {\n return arr.length > 0 ? expressionType(literalArr(arr.map(value => literal(value)))) :\n NONE_TYPE;\n}\nfunction createBaseDirectiveTypeParams(meta) {\n // On the type side, remove newlines from the selector as it will need to fit into a TypeScript\n // string literal, which must be on one line.\n const selectorForType = meta.selector !== null ? meta.selector.replace(/\\n/g, '') : null;\n return [\n typeWithParameters(meta.type.type, meta.typeArgumentCount),\n selectorForType !== null ? stringAsType(selectorForType) : NONE_TYPE,\n meta.exportAs !== null ? stringArrayAsType(meta.exportAs) : NONE_TYPE,\n expressionType(getInputsTypeExpression(meta)),\n expressionType(stringMapAsLiteralExpression(meta.outputs)),\n stringArrayAsType(meta.queries.map(q => q.propertyName)),\n ];\n}\nfunction getInputsTypeExpression(meta) {\n return literalMap(Object.keys(meta.inputs).map(key => {\n const value = meta.inputs[key];\n return {\n key,\n value: literalMap([\n { key: 'alias', value: literal(value.bindingPropertyName), quoted: true },\n { key: 'required', value: literal(value.required), quoted: true }\n ]),\n quoted: true\n };\n }));\n}\n/**\n * Creates the type specification from the directive meta. This type is inserted into .d.ts files\n * to be consumed by upstream compilations.\n */\nfunction createDirectiveType(meta) {\n const typeParams = createBaseDirectiveTypeParams(meta);\n // Directives have no NgContentSelectors slot, but instead express a `never` type\n // so that future fields align.\n typeParams.push(NONE_TYPE);\n typeParams.push(expressionType(literal(meta.isStandalone)));\n typeParams.push(createHostDirectivesType(meta));\n // TODO(signals): Always include this metadata starting with v17. Right\n // now Angular v16.0.x does not support this field and library distributions\n // would then be incompatible with v16.0.x framework users.\n if (meta.isSignal) {\n typeParams.push(expressionType(literal(meta.isSignal)));\n }\n return expressionType(importExpr(Identifiers.DirectiveDeclaration, typeParams));\n}\n// Define and update any view queries\nfunction createViewQueriesFunction(viewQueries, constantPool, name) {\n const createStatements = [];\n const updateStatements = [];\n const tempAllocator = temporaryAllocator(updateStatements, TEMPORARY_NAME);\n viewQueries.forEach((query) => {\n // creation, e.g. r3.viewQuery(somePredicate, true);\n const queryDefinition = importExpr(Identifiers.viewQuery).callFn(prepareQueryParams(query, constantPool));\n createStatements.push(queryDefinition.toStmt());\n // update, e.g. (r3.queryRefresh(tmp = r3.loadQuery()) && (ctx.someDir = tmp));\n const temporary = tempAllocator();\n const getQueryList = importExpr(Identifiers.loadQuery).callFn([]);\n const refresh = importExpr(Identifiers.queryRefresh).callFn([temporary.set(getQueryList)]);\n const updateDirective = variable(CONTEXT_NAME)\n .prop(query.propertyName)\n .set(query.first ? temporary.prop('first') : temporary);\n updateStatements.push(refresh.and(updateDirective).toStmt());\n });\n const viewQueryFnName = name ? `${name}_Query` : null;\n return fn([new FnParam(RENDER_FLAGS, NUMBER_TYPE), new FnParam(CONTEXT_NAME, null)], [\n renderFlagCheckIfStmt(1 /* core.RenderFlags.Create */, createStatements),\n renderFlagCheckIfStmt(2 /* core.RenderFlags.Update */, updateStatements)\n ], INFERRED_TYPE, null, viewQueryFnName);\n}\n// Return a host binding function or null if one is not necessary.\nfunction createHostBindingsFunction(hostBindingsMetadata, typeSourceSpan, bindingParser, constantPool, selector, name, definitionMap) {\n const bindings = bindingParser.createBoundHostProperties(hostBindingsMetadata.properties, typeSourceSpan);\n // Calculate host event bindings\n const eventBindings = bindingParser.createDirectiveHostEventAsts(hostBindingsMetadata.listeners, typeSourceSpan);\n if (USE_TEMPLATE_PIPELINE) {\n // TODO: host binding metadata is not yet parsed in the template pipeline, so we need to extract\n // that code from below. Then, we will ingest a `HostBindingJob`, and run the template pipeline\n // phases.\n const hostJob = ingestHostBinding({\n componentName: name,\n properties: bindings,\n events: eventBindings,\n }, bindingParser, constantPool);\n transformHostBinding(hostJob);\n const varCount = hostJob.root.vars;\n if (varCount !== null && varCount > 0) {\n definitionMap.set('hostVars', literal(varCount));\n }\n return emitHostBindingFunction(hostJob);\n }\n const bindingContext = variable(CONTEXT_NAME);\n const styleBuilder = new StylingBuilder(bindingContext);\n const { styleAttr, classAttr } = hostBindingsMetadata.specialAttributes;\n if (styleAttr !== undefined) {\n styleBuilder.registerStyleAttr(styleAttr);\n }\n if (classAttr !== undefined) {\n styleBuilder.registerClassAttr(classAttr);\n }\n const createInstructions = [];\n const updateInstructions = [];\n const updateVariables = [];\n const hostBindingSourceSpan = typeSourceSpan;\n if (eventBindings && eventBindings.length) {\n createInstructions.push(...createHostListeners(eventBindings, name));\n }\n // Calculate the host property bindings\n const allOtherBindings = [];\n // We need to calculate the total amount of binding slots required by\n // all the instructions together before any value conversions happen.\n // Value conversions may require additional slots for interpolation and\n // bindings with pipes. These calculates happen after this block.\n let totalHostVarsCount = 0;\n bindings && bindings.forEach((binding) => {\n const stylingInputWasSet = styleBuilder.registerInputBasedOnName(binding.name, binding.expression, hostBindingSourceSpan);\n if (stylingInputWasSet) {\n totalHostVarsCount += MIN_STYLING_BINDING_SLOTS_REQUIRED;\n }\n else {\n allOtherBindings.push(binding);\n totalHostVarsCount++;\n }\n });\n let valueConverter;\n const getValueConverter = () => {\n if (!valueConverter) {\n const hostVarsCountFn = (numSlots) => {\n const originalVarsCount = totalHostVarsCount;\n totalHostVarsCount += numSlots;\n return originalVarsCount;\n };\n valueConverter = new ValueConverter(constantPool, () => error('Unexpected node'), // new nodes are illegal here\n hostVarsCountFn, () => error('Unexpected pipe')); // pipes are illegal here\n }\n return valueConverter;\n };\n const propertyBindings = [];\n const attributeBindings = [];\n const syntheticHostBindings = [];\n for (const binding of allOtherBindings) {\n // resolve literal arrays and literal objects\n const value = binding.expression.visit(getValueConverter());\n const bindingExpr = bindingFn(bindingContext, value);\n const { bindingName, instruction, isAttribute } = getBindingNameAndInstruction(binding);\n const securityContexts = bindingParser.calcPossibleSecurityContexts(selector, bindingName, isAttribute)\n .filter(context => context !== SecurityContext.NONE);\n let sanitizerFn = null;\n if (securityContexts.length) {\n if (securityContexts.length === 2 &&\n securityContexts.indexOf(SecurityContext.URL) > -1 &&\n securityContexts.indexOf(SecurityContext.RESOURCE_URL) > -1) {\n // Special case for some URL attributes (such as \"src\" and \"href\") that may be a part\n // of different security contexts. In this case we use special sanitization function and\n // select the actual sanitizer at runtime based on a tag name that is provided while\n // invoking sanitization function.\n sanitizerFn = importExpr(Identifiers.sanitizeUrlOrResourceUrl);\n }\n else {\n sanitizerFn = resolveSanitizationFn(securityContexts[0], isAttribute);\n }\n }\n const instructionParams = [literal(bindingName), bindingExpr.currValExpr];\n if (sanitizerFn) {\n instructionParams.push(sanitizerFn);\n }\n else {\n // If there was no sanitization function found based on the security context\n // of an attribute/property binding - check whether this attribute/property is\n // one of the security-sensitive <iframe> attributes.\n // Note: for host bindings defined on a directive, we do not try to find all\n // possible places where it can be matched, so we can not determine whether\n // the host element is an <iframe>. In this case, if an attribute/binding\n // name is in the `IFRAME_SECURITY_SENSITIVE_ATTRS` set - append a validation\n // function, which would be invoked at runtime and would have access to the\n // underlying DOM element, check if it's an <iframe> and if so - runs extra checks.\n if (isIframeSecuritySensitiveAttr(bindingName)) {\n instructionParams.push(importExpr(Identifiers.validateIframeAttribute));\n }\n }\n updateVariables.push(...bindingExpr.stmts);\n if (instruction === Identifiers.hostProperty) {\n propertyBindings.push(instructionParams);\n }\n else if (instruction === Identifiers.attribute) {\n attributeBindings.push(instructionParams);\n }\n else if (instruction === Identifiers.syntheticHostProperty) {\n syntheticHostBindings.push(instructionParams);\n }\n else {\n updateInstructions.push({ reference: instruction, paramsOrFn: instructionParams, span: null });\n }\n }\n for (const bindingParams of propertyBindings) {\n updateInstructions.push({ reference: Identifiers.hostProperty, paramsOrFn: bindingParams, span: null });\n }\n for (const bindingParams of attributeBindings) {\n updateInstructions.push({ reference: Identifiers.attribute, paramsOrFn: bindingParams, span: null });\n }\n for (const bindingParams of syntheticHostBindings) {\n updateInstructions.push({ reference: Identifiers.syntheticHostProperty, paramsOrFn: bindingParams, span: null });\n }\n // since we're dealing with directives/components and both have hostBinding\n // functions, we need to generate a special hostAttrs instruction that deals\n // with both the assignment of styling as well as static attributes to the host\n // element. The instruction below will instruct all initial styling (styling\n // that is inside of a host binding within a directive/component) to be attached\n // to the host element alongside any of the provided host attributes that were\n // collected earlier.\n const hostAttrs = convertAttributesToExpressions(hostBindingsMetadata.attributes);\n styleBuilder.assignHostAttrs(hostAttrs, definitionMap);\n if (styleBuilder.hasBindings) {\n // finally each binding that was registered in the statement above will need to be added to\n // the update block of a component/directive templateFn/hostBindingsFn so that the bindings\n // are evaluated and updated for the element.\n styleBuilder.buildUpdateLevelInstructions(getValueConverter()).forEach(instruction => {\n for (const call of instruction.calls) {\n // we subtract a value of `1` here because the binding slot was already allocated\n // at the top of this method when all the input bindings were counted.\n totalHostVarsCount +=\n Math.max(call.allocateBindingSlots - MIN_STYLING_BINDING_SLOTS_REQUIRED, 0);\n updateInstructions.push({\n reference: instruction.reference,\n paramsOrFn: convertStylingCall(call, bindingContext, bindingFn),\n span: null\n });\n }\n });\n }\n if (totalHostVarsCount) {\n definitionMap.set('hostVars', literal(totalHostVarsCount));\n }\n if (createInstructions.length > 0 || updateInstructions.length > 0) {\n const hostBindingsFnName = name ? `${name}_HostBindings` : null;\n const statements = [];\n if (createInstructions.length > 0) {\n statements.push(renderFlagCheckIfStmt(1 /* core.RenderFlags.Create */, getInstructionStatements(createInstructions)));\n }\n if (updateInstructions.length > 0) {\n statements.push(renderFlagCheckIfStmt(2 /* core.RenderFlags.Update */, updateVariables.concat(getInstructionStatements(updateInstructions))));\n }\n return fn([new FnParam(RENDER_FLAGS, NUMBER_TYPE), new FnParam(CONTEXT_NAME, null)], statements, INFERRED_TYPE, null, hostBindingsFnName);\n }\n return null;\n}\nfunction bindingFn(implicit, value) {\n return convertPropertyBinding(null, implicit, value, 'b');\n}\nfunction convertStylingCall(call, bindingContext, bindingFn) {\n return call.params(value => bindingFn(bindingContext, value).currValExpr);\n}\nfunction getBindingNameAndInstruction(binding) {\n let bindingName = binding.name;\n let instruction;\n // Check to see if this is an attr binding or a property binding\n const attrMatches = bindingName.match(ATTR_REGEX);\n if (attrMatches) {\n bindingName = attrMatches[1];\n instruction = Identifiers.attribute;\n }\n else {\n if (binding.isAnimation) {\n bindingName = prepareSyntheticPropertyName(bindingName);\n // host bindings that have a synthetic property (e.g. @foo) should always be rendered\n // in the context of the component and not the parent. Therefore there is a special\n // compatibility instruction available for this purpose.\n instruction = Identifiers.syntheticHostProperty;\n }\n else {\n instruction = Identifiers.hostProperty;\n }\n }\n return { bindingName, instruction, isAttribute: !!attrMatches };\n}\nfunction createHostListeners(eventBindings, name) {\n const listenerParams = [];\n const syntheticListenerParams = [];\n const instructions = [];\n for (const binding of eventBindings) {\n let bindingName = binding.name && sanitizeIdentifier(binding.name);\n const bindingFnName = binding.type === 1 /* ParsedEventType.Animation */ ?\n prepareSyntheticListenerFunctionName(bindingName, binding.targetOrPhase) :\n bindingName;\n const handlerName = name && bindingName ? `${name}_${bindingFnName}_HostBindingHandler` : null;\n const params = prepareEventListenerParameters(BoundEvent.fromParsedEvent(binding), handlerName);\n if (binding.type == 1 /* ParsedEventType.Animation */) {\n syntheticListenerParams.push(params);\n }\n else {\n listenerParams.push(params);\n }\n }\n for (const params of syntheticListenerParams) {\n instructions.push({ reference: Identifiers.syntheticHostListener, paramsOrFn: params, span: null });\n }\n for (const params of listenerParams) {\n instructions.push({ reference: Identifiers.listener, paramsOrFn: params, span: null });\n }\n return instructions;\n}\nconst HOST_REG_EXP = /^(?:\\[([^\\]]+)\\])|(?:\\(([^\\)]+)\\))$/;\nfunction parseHostBindings(host) {\n const attributes = {};\n const listeners = {};\n const properties = {};\n const specialAttributes = {};\n for (const key of Object.keys(host)) {\n const value = host[key];\n const matches = key.match(HOST_REG_EXP);\n if (matches === null) {\n switch (key) {\n case 'class':\n if (typeof value !== 'string') {\n // TODO(alxhub): make this a diagnostic.\n throw new Error(`Class binding must be string`);\n }\n specialAttributes.classAttr = value;\n break;\n case 'style':\n if (typeof value !== 'string') {\n // TODO(alxhub): make this a diagnostic.\n throw new Error(`Style binding must be string`);\n }\n specialAttributes.styleAttr = value;\n break;\n default:\n if (typeof value === 'string') {\n attributes[key] = literal(value);\n }\n else {\n attributes[key] = value;\n }\n }\n }\n else if (matches[1 /* HostBindingGroup.Binding */] != null) {\n if (typeof value !== 'string') {\n // TODO(alxhub): make this a diagnostic.\n throw new Error(`Property binding must be string`);\n }\n // synthetic properties (the ones that have a `@` as a prefix)\n // are still treated the same as regular properties. Therefore\n // there is no point in storing them in a separate map.\n properties[matches[1 /* HostBindingGroup.Binding */]] = value;\n }\n else if (matches[2 /* HostBindingGroup.Event */] != null) {\n if (typeof value !== 'string') {\n // TODO(alxhub): make this a diagnostic.\n throw new Error(`Event binding must be string`);\n }\n listeners[matches[2 /* HostBindingGroup.Event */]] = value;\n }\n }\n return { attributes, listeners, properties, specialAttributes };\n}\n/**\n * Verifies host bindings and returns the list of errors (if any). Empty array indicates that a\n * given set of host bindings has no errors.\n *\n * @param bindings set of host bindings to verify.\n * @param sourceSpan source span where host bindings were defined.\n * @returns array of errors associated with a given set of host bindings.\n */\nfunction verifyHostBindings(bindings, sourceSpan) {\n // TODO: abstract out host bindings verification logic and use it instead of\n // creating events and properties ASTs to detect errors (FW-996)\n const bindingParser = makeBindingParser();\n bindingParser.createDirectiveHostEventAsts(bindings.listeners, sourceSpan);\n bindingParser.createBoundHostProperties(bindings.properties, sourceSpan);\n return bindingParser.errors;\n}\nfunction compileStyles(styles, selector, hostSelector) {\n const shadowCss = new ShadowCss();\n return styles.map(style => {\n return shadowCss.shimCssText(style, selector, hostSelector);\n });\n}\nfunction createHostDirectivesType(meta) {\n if (!meta.hostDirectives?.length) {\n return NONE_TYPE;\n }\n return expressionType(literalArr(meta.hostDirectives.map(hostMeta => literalMap([\n { key: 'directive', value: typeofExpr(hostMeta.directive.type), quoted: false },\n { key: 'inputs', value: stringMapAsLiteralExpression(hostMeta.inputs || {}), quoted: false },\n { key: 'outputs', value: stringMapAsLiteralExpression(hostMeta.outputs || {}), quoted: false },\n ]))));\n}\nfunction createHostDirectivesFeatureArg(hostDirectives) {\n const expressions = [];\n let hasForwardRef = false;\n for (const current of hostDirectives) {\n // Use a shorthand if there are no inputs or outputs.\n if (!current.inputs && !current.outputs) {\n expressions.push(current.directive.type);\n }\n else {\n const keys = [{ key: 'directive', value: current.directive.type, quoted: false }];\n if (current.inputs) {\n const inputsLiteral = createHostDirectivesMappingArray(current.inputs);\n if (inputsLiteral) {\n keys.push({ key: 'inputs', value: inputsLiteral, quoted: false });\n }\n }\n if (current.outputs) {\n const outputsLiteral = createHostDirectivesMappingArray(current.outputs);\n if (outputsLiteral) {\n keys.push({ key: 'outputs', value: outputsLiteral, quoted: false });\n }\n }\n expressions.push(literalMap(keys));\n }\n if (current.isForwardReference) {\n hasForwardRef = true;\n }\n }\n // If there's a forward reference, we generate a `function() { return [HostDir] }`,\n // otherwise we can save some bytes by using a plain array, e.g. `[HostDir]`.\n return hasForwardRef ?\n new FunctionExpr([], [new ReturnStatement(literalArr(expressions))]) :\n literalArr(expressions);\n}\n/**\n * Converts an input/output mapping object literal into an array where the even keys are the\n * public name of the binding and the odd ones are the name it was aliased to. E.g.\n * `{inputOne: 'aliasOne', inputTwo: 'aliasTwo'}` will become\n * `['inputOne', 'aliasOne', 'inputTwo', 'aliasTwo']`.\n *\n * This conversion is necessary, because hosts bind to the public name of the host directive and\n * keeping the mapping in an object literal will break for apps using property renaming.\n */\nfunction createHostDirectivesMappingArray(mapping) {\n const elements = [];\n for (const publicName in mapping) {\n if (mapping.hasOwnProperty(publicName)) {\n elements.push(literal(publicName), literal(mapping[publicName]));\n }\n }\n return elements.length > 0 ? literalArr(elements) : null;\n}\n\n/**\n * An interface for retrieving documents by URL that the compiler uses to\n * load templates.\n *\n * This is an abstract class, rather than an interface, so that it can be used\n * as injection token.\n */\nclass ResourceLoader {\n}\n\nlet enabledBlockTypes;\n/** Temporary utility that enables specific block types in JIT compilations. */\nfunction ɵsetEnabledBlockTypes(types) {\n enabledBlockTypes = types.length > 0 ? new Set(types) : undefined;\n}\nclass CompilerFacadeImpl {\n constructor(jitEvaluator = new JitEvaluator()) {\n this.jitEvaluator = jitEvaluator;\n this.FactoryTarget = FactoryTarget$1;\n this.ResourceLoader = ResourceLoader;\n this.elementSchemaRegistry = new DomElementSchemaRegistry();\n }\n compilePipe(angularCoreEnv, sourceMapUrl, facade) {\n const metadata = {\n name: facade.name,\n type: wrapReference(facade.type),\n typeArgumentCount: 0,\n deps: null,\n pipeName: facade.pipeName,\n pure: facade.pure,\n isStandalone: facade.isStandalone,\n };\n const res = compilePipeFromMetadata(metadata);\n return this.jitExpression(res.expression, angularCoreEnv, sourceMapUrl, []);\n }\n compilePipeDeclaration(angularCoreEnv, sourceMapUrl, declaration) {\n const meta = convertDeclarePipeFacadeToMetadata(declaration);\n const res = compilePipeFromMetadata(meta);\n return this.jitExpression(res.expression, angularCoreEnv, sourceMapUrl, []);\n }\n compileInjectable(angularCoreEnv, sourceMapUrl, facade) {\n const { expression, statements } = compileInjectable({\n name: facade.name,\n type: wrapReference(facade.type),\n typeArgumentCount: facade.typeArgumentCount,\n providedIn: computeProvidedIn(facade.providedIn),\n useClass: convertToProviderExpression(facade, 'useClass'),\n useFactory: wrapExpression(facade, 'useFactory'),\n useValue: convertToProviderExpression(facade, 'useValue'),\n useExisting: convertToProviderExpression(facade, 'useExisting'),\n deps: facade.deps?.map(convertR3DependencyMetadata),\n }, \n /* resolveForwardRefs */ true);\n return this.jitExpression(expression, angularCoreEnv, sourceMapUrl, statements);\n }\n compileInjectableDeclaration(angularCoreEnv, sourceMapUrl, facade) {\n const { expression, statements } = compileInjectable({\n name: facade.type.name,\n type: wrapReference(facade.type),\n typeArgumentCount: 0,\n providedIn: computeProvidedIn(facade.providedIn),\n useClass: convertToProviderExpression(facade, 'useClass'),\n useFactory: wrapExpression(facade, 'useFactory'),\n useValue: convertToProviderExpression(facade, 'useValue'),\n useExisting: convertToProviderExpression(facade, 'useExisting'),\n deps: facade.deps?.map(convertR3DeclareDependencyMetadata),\n }, \n /* resolveForwardRefs */ true);\n return this.jitExpression(expression, angularCoreEnv, sourceMapUrl, statements);\n }\n compileInjector(angularCoreEnv, sourceMapUrl, facade) {\n const meta = {\n name: facade.name,\n type: wrapReference(facade.type),\n providers: facade.providers && facade.providers.length > 0 ?\n new WrappedNodeExpr(facade.providers) :\n null,\n imports: facade.imports.map(i => new WrappedNodeExpr(i)),\n };\n const res = compileInjector(meta);\n return this.jitExpression(res.expression, angularCoreEnv, sourceMapUrl, []);\n }\n compileInjectorDeclaration(angularCoreEnv, sourceMapUrl, declaration) {\n const meta = convertDeclareInjectorFacadeToMetadata(declaration);\n const res = compileInjector(meta);\n return this.jitExpression(res.expression, angularCoreEnv, sourceMapUrl, []);\n }\n compileNgModule(angularCoreEnv, sourceMapUrl, facade) {\n const meta = {\n kind: R3NgModuleMetadataKind.Global,\n type: wrapReference(facade.type),\n bootstrap: facade.bootstrap.map(wrapReference),\n declarations: facade.declarations.map(wrapReference),\n publicDeclarationTypes: null,\n imports: facade.imports.map(wrapReference),\n includeImportTypes: true,\n exports: facade.exports.map(wrapReference),\n selectorScopeMode: R3SelectorScopeMode.Inline,\n containsForwardDecls: false,\n schemas: facade.schemas ? facade.schemas.map(wrapReference) : null,\n id: facade.id ? new WrappedNodeExpr(facade.id) : null,\n };\n const res = compileNgModule(meta);\n return this.jitExpression(res.expression, angularCoreEnv, sourceMapUrl, []);\n }\n compileNgModuleDeclaration(angularCoreEnv, sourceMapUrl, declaration) {\n const expression = compileNgModuleDeclarationExpression(declaration);\n return this.jitExpression(expression, angularCoreEnv, sourceMapUrl, []);\n }\n compileDirective(angularCoreEnv, sourceMapUrl, facade) {\n const meta = convertDirectiveFacadeToMetadata(facade);\n return this.compileDirectiveFromMeta(angularCoreEnv, sourceMapUrl, meta);\n }\n compileDirectiveDeclaration(angularCoreEnv, sourceMapUrl, declaration) {\n const typeSourceSpan = this.createParseSourceSpan('Directive', declaration.type.name, sourceMapUrl);\n const meta = convertDeclareDirectiveFacadeToMetadata(declaration, typeSourceSpan);\n return this.compileDirectiveFromMeta(angularCoreEnv, sourceMapUrl, meta);\n }\n compileDirectiveFromMeta(angularCoreEnv, sourceMapUrl, meta) {\n const constantPool = new ConstantPool();\n const bindingParser = makeBindingParser();\n const res = compileDirectiveFromMetadata(meta, constantPool, bindingParser);\n return this.jitExpression(res.expression, angularCoreEnv, sourceMapUrl, constantPool.statements);\n }\n compileComponent(angularCoreEnv, sourceMapUrl, facade) {\n // Parse the template and check for errors.\n const { template, interpolation } = parseJitTemplate(facade.template, facade.name, sourceMapUrl, facade.preserveWhitespaces, facade.interpolation);\n // Compile the component metadata, including template, into an expression.\n const meta = {\n ...facade,\n ...convertDirectiveFacadeToMetadata(facade),\n selector: facade.selector || this.elementSchemaRegistry.getDefaultComponentElementName(),\n template,\n declarations: facade.declarations.map(convertDeclarationFacadeToMetadata),\n declarationListEmitMode: 0 /* DeclarationListEmitMode.Direct */,\n // TODO: leaving empty in JIT mode for now,\n // to be implemented as one of the next steps.\n deferBlocks: new Map(),\n deferrableDeclToImportDecl: new Map(),\n styles: [...facade.styles, ...template.styles],\n encapsulation: facade.encapsulation,\n interpolation,\n changeDetection: facade.changeDetection,\n animations: facade.animations != null ? new WrappedNodeExpr(facade.animations) : null,\n viewProviders: facade.viewProviders != null ? new WrappedNodeExpr(facade.viewProviders) :\n null,\n relativeContextFilePath: '',\n i18nUseExternalIds: true,\n };\n const jitExpressionSourceMap = `ng:///${facade.name}.js`;\n return this.compileComponentFromMeta(angularCoreEnv, jitExpressionSourceMap, meta);\n }\n compileComponentDeclaration(angularCoreEnv, sourceMapUrl, declaration) {\n const typeSourceSpan = this.createParseSourceSpan('Component', declaration.type.name, sourceMapUrl);\n const meta = convertDeclareComponentFacadeToMetadata(declaration, typeSourceSpan, sourceMapUrl);\n return this.compileComponentFromMeta(angularCoreEnv, sourceMapUrl, meta);\n }\n compileComponentFromMeta(angularCoreEnv, sourceMapUrl, meta) {\n const constantPool = new ConstantPool();\n const bindingParser = makeBindingParser(meta.interpolation);\n const res = compileComponentFromMetadata(meta, constantPool, bindingParser);\n return this.jitExpression(res.expression, angularCoreEnv, sourceMapUrl, constantPool.statements);\n }\n compileFactory(angularCoreEnv, sourceMapUrl, meta) {\n const factoryRes = compileFactoryFunction({\n name: meta.name,\n type: wrapReference(meta.type),\n typeArgumentCount: meta.typeArgumentCount,\n deps: convertR3DependencyMetadataArray(meta.deps),\n target: meta.target,\n });\n return this.jitExpression(factoryRes.expression, angularCoreEnv, sourceMapUrl, factoryRes.statements);\n }\n compileFactoryDeclaration(angularCoreEnv, sourceMapUrl, meta) {\n const factoryRes = compileFactoryFunction({\n name: meta.type.name,\n type: wrapReference(meta.type),\n typeArgumentCount: 0,\n deps: Array.isArray(meta.deps) ? meta.deps.map(convertR3DeclareDependencyMetadata) :\n meta.deps,\n target: meta.target,\n });\n return this.jitExpression(factoryRes.expression, angularCoreEnv, sourceMapUrl, factoryRes.statements);\n }\n createParseSourceSpan(kind, typeName, sourceUrl) {\n return r3JitTypeSourceSpan(kind, typeName, sourceUrl);\n }\n /**\n * JIT compiles an expression and returns the result of executing that expression.\n *\n * @param def the definition which will be compiled and executed to get the value to patch\n * @param context an object map of @angular/core symbol names to symbols which will be available\n * in the context of the compiled expression\n * @param sourceUrl a URL to use for the source map of the compiled expression\n * @param preStatements a collection of statements that should be evaluated before the expression.\n */\n jitExpression(def, context, sourceUrl, preStatements) {\n // The ConstantPool may contain Statements which declare variables used in the final expression.\n // Therefore, its statements need to precede the actual JIT operation. The final statement is a\n // declaration of $def which is set to the expression being compiled.\n const statements = [\n ...preStatements,\n new DeclareVarStmt('$def', def, undefined, StmtModifier.Exported),\n ];\n const res = this.jitEvaluator.evaluateStatements(sourceUrl, statements, new R3JitReflector(context), /* enableSourceMaps */ true);\n return res['$def'];\n }\n}\nfunction convertToR3QueryMetadata(facade) {\n return {\n ...facade,\n predicate: convertQueryPredicate(facade.predicate),\n read: facade.read ? new WrappedNodeExpr(facade.read) : null,\n static: facade.static,\n emitDistinctChangesOnly: facade.emitDistinctChangesOnly,\n };\n}\nfunction convertQueryDeclarationToMetadata(declaration) {\n return {\n propertyName: declaration.propertyName,\n first: declaration.first ?? false,\n predicate: convertQueryPredicate(declaration.predicate),\n descendants: declaration.descendants ?? false,\n read: declaration.read ? new WrappedNodeExpr(declaration.read) : null,\n static: declaration.static ?? false,\n emitDistinctChangesOnly: declaration.emitDistinctChangesOnly ?? true,\n };\n}\nfunction convertQueryPredicate(predicate) {\n return Array.isArray(predicate) ?\n // The predicate is an array of strings so pass it through.\n predicate :\n // The predicate is a type - assume that we will need to unwrap any `forwardRef()` calls.\n createMayBeForwardRefExpression(new WrappedNodeExpr(predicate), 1 /* ForwardRefHandling.Wrapped */);\n}\nfunction convertDirectiveFacadeToMetadata(facade) {\n const inputsFromMetadata = parseInputsArray(facade.inputs || []);\n const outputsFromMetadata = parseMappingStringArray(facade.outputs || []);\n const propMetadata = facade.propMetadata;\n const inputsFromType = {};\n const outputsFromType = {};\n for (const field in propMetadata) {\n if (propMetadata.hasOwnProperty(field)) {\n propMetadata[field].forEach(ann => {\n if (isInput(ann)) {\n inputsFromType[field] = {\n bindingPropertyName: ann.alias || field,\n classPropertyName: field,\n required: ann.required || false,\n transformFunction: ann.transform != null ? new WrappedNodeExpr(ann.transform) : null,\n };\n }\n else if (isOutput(ann)) {\n outputsFromType[field] = ann.alias || field;\n }\n });\n }\n }\n return {\n ...facade,\n typeArgumentCount: 0,\n typeSourceSpan: facade.typeSourceSpan,\n type: wrapReference(facade.type),\n deps: null,\n host: extractHostBindings(facade.propMetadata, facade.typeSourceSpan, facade.host),\n inputs: { ...inputsFromMetadata, ...inputsFromType },\n outputs: { ...outputsFromMetadata, ...outputsFromType },\n queries: facade.queries.map(convertToR3QueryMetadata),\n providers: facade.providers != null ? new WrappedNodeExpr(facade.providers) : null,\n viewQueries: facade.viewQueries.map(convertToR3QueryMetadata),\n fullInheritance: false,\n hostDirectives: convertHostDirectivesToMetadata(facade),\n };\n}\nfunction convertDeclareDirectiveFacadeToMetadata(declaration, typeSourceSpan) {\n return {\n name: declaration.type.name,\n type: wrapReference(declaration.type),\n typeSourceSpan,\n selector: declaration.selector ?? null,\n inputs: declaration.inputs ? inputsMappingToInputMetadata(declaration.inputs) : {},\n outputs: declaration.outputs ?? {},\n host: convertHostDeclarationToMetadata(declaration.host),\n queries: (declaration.queries ?? []).map(convertQueryDeclarationToMetadata),\n viewQueries: (declaration.viewQueries ?? []).map(convertQueryDeclarationToMetadata),\n providers: declaration.providers !== undefined ? new WrappedNodeExpr(declaration.providers) :\n null,\n exportAs: declaration.exportAs ?? null,\n usesInheritance: declaration.usesInheritance ?? false,\n lifecycle: { usesOnChanges: declaration.usesOnChanges ?? false },\n deps: null,\n typeArgumentCount: 0,\n fullInheritance: false,\n isStandalone: declaration.isStandalone ?? false,\n isSignal: declaration.isSignal ?? false,\n hostDirectives: convertHostDirectivesToMetadata(declaration),\n };\n}\nfunction convertHostDeclarationToMetadata(host = {}) {\n return {\n attributes: convertOpaqueValuesToExpressions(host.attributes ?? {}),\n listeners: host.listeners ?? {},\n properties: host.properties ?? {},\n specialAttributes: {\n classAttr: host.classAttribute,\n styleAttr: host.styleAttribute,\n },\n };\n}\nfunction convertHostDirectivesToMetadata(metadata) {\n if (metadata.hostDirectives?.length) {\n return metadata.hostDirectives.map(hostDirective => {\n return typeof hostDirective === 'function' ?\n {\n directive: wrapReference(hostDirective),\n inputs: null,\n outputs: null,\n isForwardReference: false\n } :\n {\n directive: wrapReference(hostDirective.directive),\n isForwardReference: false,\n inputs: hostDirective.inputs ? parseMappingStringArray(hostDirective.inputs) : null,\n outputs: hostDirective.outputs ? parseMappingStringArray(hostDirective.outputs) : null,\n };\n });\n }\n return null;\n}\nfunction convertOpaqueValuesToExpressions(obj) {\n const result = {};\n for (const key of Object.keys(obj)) {\n result[key] = new WrappedNodeExpr(obj[key]);\n }\n return result;\n}\nfunction convertDeclareComponentFacadeToMetadata(decl, typeSourceSpan, sourceMapUrl) {\n const { template, interpolation } = parseJitTemplate(decl.template, decl.type.name, sourceMapUrl, decl.preserveWhitespaces ?? false, decl.interpolation);\n const declarations = [];\n if (decl.dependencies) {\n for (const innerDep of decl.dependencies) {\n switch (innerDep.kind) {\n case 'directive':\n case 'component':\n declarations.push(convertDirectiveDeclarationToMetadata(innerDep));\n break;\n case 'pipe':\n declarations.push(convertPipeDeclarationToMetadata(innerDep));\n break;\n }\n }\n }\n else if (decl.components || decl.directives || decl.pipes) {\n // Existing declarations on NPM may not be using the new `dependencies` merged field, and may\n // have separate fields for dependencies instead. Unify them for JIT compilation.\n decl.components &&\n declarations.push(...decl.components.map(dir => convertDirectiveDeclarationToMetadata(dir, /* isComponent */ true)));\n decl.directives &&\n declarations.push(...decl.directives.map(dir => convertDirectiveDeclarationToMetadata(dir)));\n decl.pipes && declarations.push(...convertPipeMapToMetadata(decl.pipes));\n }\n return {\n ...convertDeclareDirectiveFacadeToMetadata(decl, typeSourceSpan),\n template,\n styles: decl.styles ?? [],\n declarations,\n viewProviders: decl.viewProviders !== undefined ? new WrappedNodeExpr(decl.viewProviders) :\n null,\n animations: decl.animations !== undefined ? new WrappedNodeExpr(decl.animations) : null,\n // TODO: leaving empty in JIT mode for now,\n // to be implemented as one of the next steps.\n deferBlocks: new Map(),\n deferrableDeclToImportDecl: new Map(),\n changeDetection: decl.changeDetection ?? ChangeDetectionStrategy.Default,\n encapsulation: decl.encapsulation ?? ViewEncapsulation.Emulated,\n interpolation,\n declarationListEmitMode: 2 /* DeclarationListEmitMode.ClosureResolved */,\n relativeContextFilePath: '',\n i18nUseExternalIds: true,\n };\n}\nfunction convertDeclarationFacadeToMetadata(declaration) {\n return {\n ...declaration,\n type: new WrappedNodeExpr(declaration.type),\n };\n}\nfunction convertDirectiveDeclarationToMetadata(declaration, isComponent = null) {\n return {\n kind: R3TemplateDependencyKind.Directive,\n isComponent: isComponent || declaration.kind === 'component',\n selector: declaration.selector,\n type: new WrappedNodeExpr(declaration.type),\n inputs: declaration.inputs ?? [],\n outputs: declaration.outputs ?? [],\n exportAs: declaration.exportAs ?? null,\n };\n}\nfunction convertPipeMapToMetadata(pipes) {\n if (!pipes) {\n return [];\n }\n return Object.keys(pipes).map(name => {\n return {\n kind: R3TemplateDependencyKind.Pipe,\n name,\n type: new WrappedNodeExpr(pipes[name]),\n };\n });\n}\nfunction convertPipeDeclarationToMetadata(pipe) {\n return {\n kind: R3TemplateDependencyKind.Pipe,\n name: pipe.name,\n type: new WrappedNodeExpr(pipe.type),\n };\n}\nfunction parseJitTemplate(template, typeName, sourceMapUrl, preserveWhitespaces, interpolation) {\n const interpolationConfig = interpolation ? InterpolationConfig.fromArray(interpolation) : DEFAULT_INTERPOLATION_CONFIG;\n // Parse the template and check for errors.\n const parsed = parseTemplate(template, sourceMapUrl, { preserveWhitespaces, interpolationConfig, enabledBlockTypes });\n if (parsed.errors !== null) {\n const errors = parsed.errors.map(err => err.toString()).join(', ');\n throw new Error(`Errors during JIT compilation of template for ${typeName}: ${errors}`);\n }\n return { template: parsed, interpolation: interpolationConfig };\n}\n/**\n * Convert the expression, if present to an `R3ProviderExpression`.\n *\n * In JIT mode we do not want the compiler to wrap the expression in a `forwardRef()` call because,\n * if it is referencing a type that has not yet been defined, it will have already been wrapped in\n * a `forwardRef()` - either by the application developer or during partial-compilation. Thus we can\n * use `ForwardRefHandling.None`.\n */\nfunction convertToProviderExpression(obj, property) {\n if (obj.hasOwnProperty(property)) {\n return createMayBeForwardRefExpression(new WrappedNodeExpr(obj[property]), 0 /* ForwardRefHandling.None */);\n }\n else {\n return undefined;\n }\n}\nfunction wrapExpression(obj, property) {\n if (obj.hasOwnProperty(property)) {\n return new WrappedNodeExpr(obj[property]);\n }\n else {\n return undefined;\n }\n}\nfunction computeProvidedIn(providedIn) {\n const expression = typeof providedIn === 'function' ? new WrappedNodeExpr(providedIn) :\n new LiteralExpr(providedIn ?? null);\n // See `convertToProviderExpression()` for why this uses `ForwardRefHandling.None`.\n return createMayBeForwardRefExpression(expression, 0 /* ForwardRefHandling.None */);\n}\nfunction convertR3DependencyMetadataArray(facades) {\n return facades == null ? null : facades.map(convertR3DependencyMetadata);\n}\nfunction convertR3DependencyMetadata(facade) {\n const isAttributeDep = facade.attribute != null; // both `null` and `undefined`\n const rawToken = facade.token === null ? null : new WrappedNodeExpr(facade.token);\n // In JIT mode, if the dep is an `@Attribute()` then we use the attribute name given in\n // `attribute` rather than the `token`.\n const token = isAttributeDep ? new WrappedNodeExpr(facade.attribute) : rawToken;\n return createR3DependencyMetadata(token, isAttributeDep, facade.host, facade.optional, facade.self, facade.skipSelf);\n}\nfunction convertR3DeclareDependencyMetadata(facade) {\n const isAttributeDep = facade.attribute ?? false;\n const token = facade.token === null ? null : new WrappedNodeExpr(facade.token);\n return createR3DependencyMetadata(token, isAttributeDep, facade.host ?? false, facade.optional ?? false, facade.self ?? false, facade.skipSelf ?? false);\n}\nfunction createR3DependencyMetadata(token, isAttributeDep, host, optional, self, skipSelf) {\n // If the dep is an `@Attribute()` the `attributeNameType` ought to be the `unknown` type.\n // But types are not available at runtime so we just use a literal `\"<unknown>\"` string as a dummy\n // marker.\n const attributeNameType = isAttributeDep ? literal('unknown') : null;\n return { token, attributeNameType, host, optional, self, skipSelf };\n}\nfunction extractHostBindings(propMetadata, sourceSpan, host) {\n // First parse the declarations from the metadata.\n const bindings = parseHostBindings(host || {});\n // After that check host bindings for errors\n const errors = verifyHostBindings(bindings, sourceSpan);\n if (errors.length) {\n throw new Error(errors.map((error) => error.msg).join('\\n'));\n }\n // Next, loop over the properties of the object, looking for @HostBinding and @HostListener.\n for (const field in propMetadata) {\n if (propMetadata.hasOwnProperty(field)) {\n propMetadata[field].forEach(ann => {\n if (isHostBinding(ann)) {\n // Since this is a decorator, we know that the value is a class member. Always access it\n // through `this` so that further down the line it can't be confused for a literal value\n // (e.g. if there's a property called `true`).\n bindings.properties[ann.hostPropertyName || field] =\n getSafePropertyAccessString('this', field);\n }\n else if (isHostListener(ann)) {\n bindings.listeners[ann.eventName || field] = `${field}(${(ann.args || []).join(',')})`;\n }\n });\n }\n }\n return bindings;\n}\nfunction isHostBinding(value) {\n return value.ngMetadataName === 'HostBinding';\n}\nfunction isHostListener(value) {\n return value.ngMetadataName === 'HostListener';\n}\nfunction isInput(value) {\n return value.ngMetadataName === 'Input';\n}\nfunction isOutput(value) {\n return value.ngMetadataName === 'Output';\n}\nfunction inputsMappingToInputMetadata(inputs) {\n return Object.keys(inputs).reduce((result, key) => {\n const value = inputs[key];\n if (typeof value === 'string') {\n result[key] = {\n bindingPropertyName: value,\n classPropertyName: value,\n transformFunction: null,\n required: false,\n };\n }\n else {\n result[key] = {\n bindingPropertyName: value[0],\n classPropertyName: value[1],\n transformFunction: value[2] ? new WrappedNodeExpr(value[2]) : null,\n required: false,\n };\n }\n return result;\n }, {});\n}\nfunction parseInputsArray(values) {\n return values.reduce((results, value) => {\n if (typeof value === 'string') {\n const [bindingPropertyName, classPropertyName] = parseMappingString(value);\n results[classPropertyName] = {\n bindingPropertyName,\n classPropertyName,\n required: false,\n transformFunction: null,\n };\n }\n else {\n results[value.name] = {\n bindingPropertyName: value.alias || value.name,\n classPropertyName: value.name,\n required: value.required || false,\n transformFunction: value.transform != null ? new WrappedNodeExpr(value.transform) : null,\n };\n }\n return results;\n }, {});\n}\nfunction parseMappingStringArray(values) {\n return values.reduce((results, value) => {\n const [alias, fieldName] = parseMappingString(value);\n results[fieldName] = alias;\n return results;\n }, {});\n}\nfunction parseMappingString(value) {\n // Either the value is 'field' or 'field: property'. In the first case, `property` will\n // be undefined, in which case the field name should also be used as the property name.\n const [fieldName, bindingPropertyName] = value.split(':', 2).map(str => str.trim());\n return [bindingPropertyName ?? fieldName, fieldName];\n}\nfunction convertDeclarePipeFacadeToMetadata(declaration) {\n return {\n name: declaration.type.name,\n type: wrapReference(declaration.type),\n typeArgumentCount: 0,\n pipeName: declaration.name,\n deps: null,\n pure: declaration.pure ?? true,\n isStandalone: declaration.isStandalone ?? false,\n };\n}\nfunction convertDeclareInjectorFacadeToMetadata(declaration) {\n return {\n name: declaration.type.name,\n type: wrapReference(declaration.type),\n providers: declaration.providers !== undefined && declaration.providers.length > 0 ?\n new WrappedNodeExpr(declaration.providers) :\n null,\n imports: declaration.imports !== undefined ?\n declaration.imports.map(i => new WrappedNodeExpr(i)) :\n [],\n };\n}\nfunction publishFacade(global) {\n const ng = global.ng || (global.ng = {});\n ng.ɵcompilerFacade = new CompilerFacadeImpl();\n}\n\n/**\n * @module\n * @description\n * Entry point for all public APIs of the compiler package.\n */\nconst VERSION = new Version('16.2.12');\n\nclass CompilerConfig {\n constructor({ defaultEncapsulation = ViewEncapsulation.Emulated, useJit = true, missingTranslation = null, preserveWhitespaces, strictInjectionParameters } = {}) {\n this.defaultEncapsulation = defaultEncapsulation;\n this.useJit = !!useJit;\n this.missingTranslation = missingTranslation;\n this.preserveWhitespaces = preserveWhitespacesDefault(noUndefined(preserveWhitespaces));\n this.strictInjectionParameters = strictInjectionParameters === true;\n }\n}\nfunction preserveWhitespacesDefault(preserveWhitespacesOption, defaultSetting = false) {\n return preserveWhitespacesOption === null ? defaultSetting : preserveWhitespacesOption;\n}\n\nconst _I18N_ATTR = 'i18n';\nconst _I18N_ATTR_PREFIX = 'i18n-';\nconst _I18N_COMMENT_PREFIX_REGEXP = /^i18n:?/;\nconst MEANING_SEPARATOR = '|';\nconst ID_SEPARATOR = '@@';\nlet i18nCommentsWarned = false;\n/**\n * Extract translatable messages from an html AST\n */\nfunction extractMessages(nodes, interpolationConfig, implicitTags, implicitAttrs) {\n const visitor = new _Visitor(implicitTags, implicitAttrs);\n return visitor.extract(nodes, interpolationConfig);\n}\nfunction mergeTranslations(nodes, translations, interpolationConfig, implicitTags, implicitAttrs) {\n const visitor = new _Visitor(implicitTags, implicitAttrs);\n return visitor.merge(nodes, translations, interpolationConfig);\n}\nclass ExtractionResult {\n constructor(messages, errors) {\n this.messages = messages;\n this.errors = errors;\n }\n}\nvar _VisitorMode;\n(function (_VisitorMode) {\n _VisitorMode[_VisitorMode[\"Extract\"] = 0] = \"Extract\";\n _VisitorMode[_VisitorMode[\"Merge\"] = 1] = \"Merge\";\n})(_VisitorMode || (_VisitorMode = {}));\n/**\n * This Visitor is used:\n * 1. to extract all the translatable strings from an html AST (see `extract()`),\n * 2. to replace the translatable strings with the actual translations (see `merge()`)\n *\n * @internal\n */\nclass _Visitor {\n constructor(_implicitTags, _implicitAttrs) {\n this._implicitTags = _implicitTags;\n this._implicitAttrs = _implicitAttrs;\n }\n /**\n * Extracts the messages from the tree\n */\n extract(nodes, interpolationConfig) {\n this._init(_VisitorMode.Extract, interpolationConfig);\n nodes.forEach(node => node.visit(this, null));\n if (this._inI18nBlock) {\n this._reportError(nodes[nodes.length - 1], 'Unclosed block');\n }\n return new ExtractionResult(this._messages, this._errors);\n }\n /**\n * Returns a tree where all translatable nodes are translated\n */\n merge(nodes, translations, interpolationConfig) {\n this._init(_VisitorMode.Merge, interpolationConfig);\n this._translations = translations;\n // Construct a single fake root element\n const wrapper = new Element('wrapper', [], nodes, undefined, undefined, undefined);\n const translatedNode = wrapper.visit(this, null);\n if (this._inI18nBlock) {\n this._reportError(nodes[nodes.length - 1], 'Unclosed block');\n }\n return new ParseTreeResult(translatedNode.children, this._errors);\n }\n visitExpansionCase(icuCase, context) {\n // Parse cases for translatable html attributes\n const expression = visitAll(this, icuCase.expression, context);\n if (this._mode === _VisitorMode.Merge) {\n return new ExpansionCase(icuCase.value, expression, icuCase.sourceSpan, icuCase.valueSourceSpan, icuCase.expSourceSpan);\n }\n }\n visitExpansion(icu, context) {\n this._mayBeAddBlockChildren(icu);\n const wasInIcu = this._inIcu;\n if (!this._inIcu) {\n // nested ICU messages should not be extracted but top-level translated as a whole\n if (this._isInTranslatableSection) {\n this._addMessage([icu]);\n }\n this._inIcu = true;\n }\n const cases = visitAll(this, icu.cases, context);\n if (this._mode === _VisitorMode.Merge) {\n icu = new Expansion(icu.switchValue, icu.type, cases, icu.sourceSpan, icu.switchValueSourceSpan);\n }\n this._inIcu = wasInIcu;\n return icu;\n }\n visitComment(comment, context) {\n const isOpening = _isOpeningComment(comment);\n if (isOpening && this._isInTranslatableSection) {\n this._reportError(comment, 'Could not start a block inside a translatable section');\n return;\n }\n const isClosing = _isClosingComment(comment);\n if (isClosing && !this._inI18nBlock) {\n this._reportError(comment, 'Trying to close an unopened block');\n return;\n }\n if (!this._inI18nNode && !this._inIcu) {\n if (!this._inI18nBlock) {\n if (isOpening) {\n // deprecated from v5 you should use <ng-container i18n> instead of i18n comments\n if (!i18nCommentsWarned && console && console.warn) {\n i18nCommentsWarned = true;\n const details = comment.sourceSpan.details ? `, ${comment.sourceSpan.details}` : '';\n // TODO(ocombe): use a log service once there is a public one available\n console.warn(`I18n comments are deprecated, use an <ng-container> element instead (${comment.sourceSpan.start}${details})`);\n }\n this._inI18nBlock = true;\n this._blockStartDepth = this._depth;\n this._blockChildren = [];\n this._blockMeaningAndDesc =\n comment.value.replace(_I18N_COMMENT_PREFIX_REGEXP, '').trim();\n this._openTranslatableSection(comment);\n }\n }\n else {\n if (isClosing) {\n if (this._depth == this._blockStartDepth) {\n this._closeTranslatableSection(comment, this._blockChildren);\n this._inI18nBlock = false;\n const message = this._addMessage(this._blockChildren, this._blockMeaningAndDesc);\n // merge attributes in sections\n const nodes = this._translateMessage(comment, message);\n return visitAll(this, nodes);\n }\n else {\n this._reportError(comment, 'I18N blocks should not cross element boundaries');\n return;\n }\n }\n }\n }\n }\n visitText(text, context) {\n if (this._isInTranslatableSection) {\n this._mayBeAddBlockChildren(text);\n }\n return text;\n }\n visitElement(el, context) {\n this._mayBeAddBlockChildren(el);\n this._depth++;\n const wasInI18nNode = this._inI18nNode;\n const wasInImplicitNode = this._inImplicitNode;\n let childNodes = [];\n let translatedChildNodes = undefined;\n // Extract:\n // - top level nodes with the (implicit) \"i18n\" attribute if not already in a section\n // - ICU messages\n const i18nAttr = _getI18nAttr(el);\n const i18nMeta = i18nAttr ? i18nAttr.value : '';\n const isImplicit = this._implicitTags.some(tag => el.name === tag) && !this._inIcu &&\n !this._isInTranslatableSection;\n const isTopLevelImplicit = !wasInImplicitNode && isImplicit;\n this._inImplicitNode = wasInImplicitNode || isImplicit;\n if (!this._isInTranslatableSection && !this._inIcu) {\n if (i18nAttr || isTopLevelImplicit) {\n this._inI18nNode = true;\n const message = this._addMessage(el.children, i18nMeta);\n translatedChildNodes = this._translateMessage(el, message);\n }\n if (this._mode == _VisitorMode.Extract) {\n const isTranslatable = i18nAttr || isTopLevelImplicit;\n if (isTranslatable)\n this._openTranslatableSection(el);\n visitAll(this, el.children);\n if (isTranslatable)\n this._closeTranslatableSection(el, el.children);\n }\n }\n else {\n if (i18nAttr || isTopLevelImplicit) {\n this._reportError(el, 'Could not mark an element as translatable inside a translatable section');\n }\n if (this._mode == _VisitorMode.Extract) {\n // Descend into child nodes for extraction\n visitAll(this, el.children);\n }\n }\n if (this._mode === _VisitorMode.Merge) {\n const visitNodes = translatedChildNodes || el.children;\n visitNodes.forEach(child => {\n const visited = child.visit(this, context);\n if (visited && !this._isInTranslatableSection) {\n // Do not add the children from translatable sections (= i18n blocks here)\n // They will be added later in this loop when the block closes (i.e. on `<!-- /i18n -->`)\n childNodes = childNodes.concat(visited);\n }\n });\n }\n this._visitAttributesOf(el);\n this._depth--;\n this._inI18nNode = wasInI18nNode;\n this._inImplicitNode = wasInImplicitNode;\n if (this._mode === _VisitorMode.Merge) {\n const translatedAttrs = this._translateAttributes(el);\n return new Element(el.name, translatedAttrs, childNodes, el.sourceSpan, el.startSourceSpan, el.endSourceSpan);\n }\n return null;\n }\n visitAttribute(attribute, context) {\n throw new Error('unreachable code');\n }\n visitBlockGroup(group, context) {\n visitAll(this, group.blocks, context);\n }\n visitBlock(block, context) {\n visitAll(this, block.children, context);\n }\n visitBlockParameter(parameter, context) { }\n _init(mode, interpolationConfig) {\n this._mode = mode;\n this._inI18nBlock = false;\n this._inI18nNode = false;\n this._depth = 0;\n this._inIcu = false;\n this._msgCountAtSectionStart = undefined;\n this._errors = [];\n this._messages = [];\n this._inImplicitNode = false;\n this._createI18nMessage = createI18nMessageFactory(interpolationConfig);\n }\n // looks for translatable attributes\n _visitAttributesOf(el) {\n const explicitAttrNameToValue = {};\n const implicitAttrNames = this._implicitAttrs[el.name] || [];\n el.attrs.filter(attr => attr.name.startsWith(_I18N_ATTR_PREFIX))\n .forEach(attr => explicitAttrNameToValue[attr.name.slice(_I18N_ATTR_PREFIX.length)] =\n attr.value);\n el.attrs.forEach(attr => {\n if (attr.name in explicitAttrNameToValue) {\n this._addMessage([attr], explicitAttrNameToValue[attr.name]);\n }\n else if (implicitAttrNames.some(name => attr.name === name)) {\n this._addMessage([attr]);\n }\n });\n }\n // add a translatable message\n _addMessage(ast, msgMeta) {\n if (ast.length == 0 ||\n ast.length == 1 && ast[0] instanceof Attribute && !ast[0].value) {\n // Do not create empty messages\n return null;\n }\n const { meaning, description, id } = _parseMessageMeta(msgMeta);\n const message = this._createI18nMessage(ast, meaning, description, id);\n this._messages.push(message);\n return message;\n }\n // Translates the given message given the `TranslationBundle`\n // This is used for translating elements / blocks - see `_translateAttributes` for attributes\n // no-op when called in extraction mode (returns [])\n _translateMessage(el, message) {\n if (message && this._mode === _VisitorMode.Merge) {\n const nodes = this._translations.get(message);\n if (nodes) {\n return nodes;\n }\n this._reportError(el, `Translation unavailable for message id=\"${this._translations.digest(message)}\"`);\n }\n return [];\n }\n // translate the attributes of an element and remove i18n specific attributes\n _translateAttributes(el) {\n const attributes = el.attrs;\n const i18nParsedMessageMeta = {};\n attributes.forEach(attr => {\n if (attr.name.startsWith(_I18N_ATTR_PREFIX)) {\n i18nParsedMessageMeta[attr.name.slice(_I18N_ATTR_PREFIX.length)] =\n _parseMessageMeta(attr.value);\n }\n });\n const translatedAttributes = [];\n attributes.forEach((attr) => {\n if (attr.name === _I18N_ATTR || attr.name.startsWith(_I18N_ATTR_PREFIX)) {\n // strip i18n specific attributes\n return;\n }\n if (attr.value && attr.value != '' && i18nParsedMessageMeta.hasOwnProperty(attr.name)) {\n const { meaning, description, id } = i18nParsedMessageMeta[attr.name];\n const message = this._createI18nMessage([attr], meaning, description, id);\n const nodes = this._translations.get(message);\n if (nodes) {\n if (nodes.length == 0) {\n translatedAttributes.push(new Attribute(attr.name, '', attr.sourceSpan, undefined /* keySpan */, undefined /* valueSpan */, undefined /* valueTokens */, undefined /* i18n */));\n }\n else if (nodes[0] instanceof Text) {\n const value = nodes[0].value;\n translatedAttributes.push(new Attribute(attr.name, value, attr.sourceSpan, undefined /* keySpan */, undefined /* valueSpan */, undefined /* valueTokens */, undefined /* i18n */));\n }\n else {\n this._reportError(el, `Unexpected translation for attribute \"${attr.name}\" (id=\"${id || this._translations.digest(message)}\")`);\n }\n }\n else {\n this._reportError(el, `Translation unavailable for attribute \"${attr.name}\" (id=\"${id || this._translations.digest(message)}\")`);\n }\n }\n else {\n translatedAttributes.push(attr);\n }\n });\n return translatedAttributes;\n }\n /**\n * Add the node as a child of the block when:\n * - we are in a block,\n * - we are not inside a ICU message (those are handled separately),\n * - the node is a \"direct child\" of the block\n */\n _mayBeAddBlockChildren(node) {\n if (this._inI18nBlock && !this._inIcu && this._depth == this._blockStartDepth) {\n this._blockChildren.push(node);\n }\n }\n /**\n * Marks the start of a section, see `_closeTranslatableSection`\n */\n _openTranslatableSection(node) {\n if (this._isInTranslatableSection) {\n this._reportError(node, 'Unexpected section start');\n }\n else {\n this._msgCountAtSectionStart = this._messages.length;\n }\n }\n /**\n * A translatable section could be:\n * - the content of translatable element,\n * - nodes between `<!-- i18n -->` and `<!-- /i18n -->` comments\n */\n get _isInTranslatableSection() {\n return this._msgCountAtSectionStart !== void 0;\n }\n /**\n * Terminates a section.\n *\n * If a section has only one significant children (comments not significant) then we should not\n * keep the message from this children:\n *\n * `<p i18n=\"meaning|description\">{ICU message}</p>` would produce two messages:\n * - one for the <p> content with meaning and description,\n * - another one for the ICU message.\n *\n * In this case the last message is discarded as it contains less information (the AST is\n * otherwise identical).\n *\n * Note that we should still keep messages extracted from attributes inside the section (ie in the\n * ICU message here)\n */\n _closeTranslatableSection(node, directChildren) {\n if (!this._isInTranslatableSection) {\n this._reportError(node, 'Unexpected section end');\n return;\n }\n const startIndex = this._msgCountAtSectionStart;\n const significantChildren = directChildren.reduce((count, node) => count + (node instanceof Comment ? 0 : 1), 0);\n if (significantChildren == 1) {\n for (let i = this._messages.length - 1; i >= startIndex; i--) {\n const ast = this._messages[i].nodes;\n if (!(ast.length == 1 && ast[0] instanceof Text$2)) {\n this._messages.splice(i, 1);\n break;\n }\n }\n }\n this._msgCountAtSectionStart = undefined;\n }\n _reportError(node, msg) {\n this._errors.push(new I18nError(node.sourceSpan, msg));\n }\n}\nfunction _isOpeningComment(n) {\n return !!(n instanceof Comment && n.value && n.value.startsWith('i18n'));\n}\nfunction _isClosingComment(n) {\n return !!(n instanceof Comment && n.value && n.value === '/i18n');\n}\nfunction _getI18nAttr(p) {\n return p.attrs.find(attr => attr.name === _I18N_ATTR) || null;\n}\nfunction _parseMessageMeta(i18n) {\n if (!i18n)\n return { meaning: '', description: '', id: '' };\n const idIndex = i18n.indexOf(ID_SEPARATOR);\n const descIndex = i18n.indexOf(MEANING_SEPARATOR);\n const [meaningAndDesc, id] = (idIndex > -1) ? [i18n.slice(0, idIndex), i18n.slice(idIndex + 2)] : [i18n, ''];\n const [meaning, description] = (descIndex > -1) ?\n [meaningAndDesc.slice(0, descIndex), meaningAndDesc.slice(descIndex + 1)] :\n ['', meaningAndDesc];\n return { meaning, description, id: id.trim() };\n}\n\nclass XmlTagDefinition {\n constructor() {\n this.closedByParent = false;\n this.implicitNamespacePrefix = null;\n this.isVoid = false;\n this.ignoreFirstLf = false;\n this.canSelfClose = true;\n this.preventNamespaceInheritance = false;\n }\n requireExtraParent(currentParent) {\n return false;\n }\n isClosedByChild(name) {\n return false;\n }\n getContentType() {\n return TagContentType.PARSABLE_DATA;\n }\n}\nconst _TAG_DEFINITION = new XmlTagDefinition();\nfunction getXmlTagDefinition(tagName) {\n return _TAG_DEFINITION;\n}\n\nclass XmlParser extends Parser {\n constructor() {\n super(getXmlTagDefinition);\n }\n parse(source, url, options = {}) {\n // Blocks aren't supported in an XML context.\n return super.parse(source, url, { ...options, tokenizeBlocks: false });\n }\n}\n\nconst _VERSION$1 = '1.2';\nconst _XMLNS$1 = 'urn:oasis:names:tc:xliff:document:1.2';\n// TODO(vicb): make this a param (s/_/-/)\nconst _DEFAULT_SOURCE_LANG$1 = 'en';\nconst _PLACEHOLDER_TAG$2 = 'x';\nconst _MARKER_TAG$1 = 'mrk';\nconst _FILE_TAG = 'file';\nconst _SOURCE_TAG$1 = 'source';\nconst _SEGMENT_SOURCE_TAG = 'seg-source';\nconst _ALT_TRANS_TAG = 'alt-trans';\nconst _TARGET_TAG$1 = 'target';\nconst _UNIT_TAG$1 = 'trans-unit';\nconst _CONTEXT_GROUP_TAG = 'context-group';\nconst _CONTEXT_TAG = 'context';\n// https://docs.oasis-open.org/xliff/v1.2/os/xliff-core.html\n// https://docs.oasis-open.org/xliff/v1.2/xliff-profile-html/xliff-profile-html-1.2.html\nclass Xliff extends Serializer {\n write(messages, locale) {\n const visitor = new _WriteVisitor$1();\n const transUnits = [];\n messages.forEach(message => {\n let contextTags = [];\n message.sources.forEach((source) => {\n let contextGroupTag = new Tag(_CONTEXT_GROUP_TAG, { purpose: 'location' });\n contextGroupTag.children.push(new CR(10), new Tag(_CONTEXT_TAG, { 'context-type': 'sourcefile' }, [new Text$1(source.filePath)]), new CR(10), new Tag(_CONTEXT_TAG, { 'context-type': 'linenumber' }, [new Text$1(`${source.startLine}`)]), new CR(8));\n contextTags.push(new CR(8), contextGroupTag);\n });\n const transUnit = new Tag(_UNIT_TAG$1, { id: message.id, datatype: 'html' });\n transUnit.children.push(new CR(8), new Tag(_SOURCE_TAG$1, {}, visitor.serialize(message.nodes)), ...contextTags);\n if (message.description) {\n transUnit.children.push(new CR(8), new Tag('note', { priority: '1', from: 'description' }, [new Text$1(message.description)]));\n }\n if (message.meaning) {\n transUnit.children.push(new CR(8), new Tag('note', { priority: '1', from: 'meaning' }, [new Text$1(message.meaning)]));\n }\n transUnit.children.push(new CR(6));\n transUnits.push(new CR(6), transUnit);\n });\n const body = new Tag('body', {}, [...transUnits, new CR(4)]);\n const file = new Tag('file', {\n 'source-language': locale || _DEFAULT_SOURCE_LANG$1,\n datatype: 'plaintext',\n original: 'ng2.template',\n }, [new CR(4), body, new CR(2)]);\n const xliff = new Tag('xliff', { version: _VERSION$1, xmlns: _XMLNS$1 }, [new CR(2), file, new CR()]);\n return serialize([\n new Declaration({ version: '1.0', encoding: 'UTF-8' }), new CR(), xliff, new CR()\n ]);\n }\n load(content, url) {\n // xliff to xml nodes\n const xliffParser = new XliffParser();\n const { locale, msgIdToHtml, errors } = xliffParser.parse(content, url);\n // xml nodes to i18n nodes\n const i18nNodesByMsgId = {};\n const converter = new XmlToI18n$2();\n Object.keys(msgIdToHtml).forEach(msgId => {\n const { i18nNodes, errors: e } = converter.convert(msgIdToHtml[msgId], url);\n errors.push(...e);\n i18nNodesByMsgId[msgId] = i18nNodes;\n });\n if (errors.length) {\n throw new Error(`xliff parse errors:\\n${errors.join('\\n')}`);\n }\n return { locale: locale, i18nNodesByMsgId };\n }\n digest(message) {\n return digest$1(message);\n }\n}\nclass _WriteVisitor$1 {\n visitText(text, context) {\n return [new Text$1(text.value)];\n }\n visitContainer(container, context) {\n const nodes = [];\n container.children.forEach((node) => nodes.push(...node.visit(this)));\n return nodes;\n }\n visitIcu(icu, context) {\n const nodes = [new Text$1(`{${icu.expressionPlaceholder}, ${icu.type}, `)];\n Object.keys(icu.cases).forEach((c) => {\n nodes.push(new Text$1(`${c} {`), ...icu.cases[c].visit(this), new Text$1(`} `));\n });\n nodes.push(new Text$1(`}`));\n return nodes;\n }\n visitTagPlaceholder(ph, context) {\n const ctype = getCtypeForTag(ph.tag);\n if (ph.isVoid) {\n // void tags have no children nor closing tags\n return [new Tag(_PLACEHOLDER_TAG$2, { id: ph.startName, ctype, 'equiv-text': `<${ph.tag}/>` })];\n }\n const startTagPh = new Tag(_PLACEHOLDER_TAG$2, { id: ph.startName, ctype, 'equiv-text': `<${ph.tag}>` });\n const closeTagPh = new Tag(_PLACEHOLDER_TAG$2, { id: ph.closeName, ctype, 'equiv-text': `</${ph.tag}>` });\n return [startTagPh, ...this.serialize(ph.children), closeTagPh];\n }\n visitPlaceholder(ph, context) {\n return [new Tag(_PLACEHOLDER_TAG$2, { id: ph.name, 'equiv-text': `{{${ph.value}}}` })];\n }\n visitIcuPlaceholder(ph, context) {\n const equivText = `{${ph.value.expression}, ${ph.value.type}, ${Object.keys(ph.value.cases).map((value) => value + ' {...}').join(' ')}}`;\n return [new Tag(_PLACEHOLDER_TAG$2, { id: ph.name, 'equiv-text': equivText })];\n }\n serialize(nodes) {\n return [].concat(...nodes.map(node => node.visit(this)));\n }\n}\n// TODO(vicb): add error management (structure)\n// Extract messages as xml nodes from the xliff file\nclass XliffParser {\n constructor() {\n this._locale = null;\n }\n parse(xliff, url) {\n this._unitMlString = null;\n this._msgIdToHtml = {};\n const xml = new XmlParser().parse(xliff, url);\n this._errors = xml.errors;\n visitAll(this, xml.rootNodes, null);\n return {\n msgIdToHtml: this._msgIdToHtml,\n errors: this._errors,\n locale: this._locale,\n };\n }\n visitElement(element, context) {\n switch (element.name) {\n case _UNIT_TAG$1:\n this._unitMlString = null;\n const idAttr = element.attrs.find((attr) => attr.name === 'id');\n if (!idAttr) {\n this._addError(element, `<${_UNIT_TAG$1}> misses the \"id\" attribute`);\n }\n else {\n const id = idAttr.value;\n if (this._msgIdToHtml.hasOwnProperty(id)) {\n this._addError(element, `Duplicated translations for msg ${id}`);\n }\n else {\n visitAll(this, element.children, null);\n if (typeof this._unitMlString === 'string') {\n this._msgIdToHtml[id] = this._unitMlString;\n }\n else {\n this._addError(element, `Message ${id} misses a translation`);\n }\n }\n }\n break;\n // ignore those tags\n case _SOURCE_TAG$1:\n case _SEGMENT_SOURCE_TAG:\n case _ALT_TRANS_TAG:\n break;\n case _TARGET_TAG$1:\n const innerTextStart = element.startSourceSpan.end.offset;\n const innerTextEnd = element.endSourceSpan.start.offset;\n const content = element.startSourceSpan.start.file.content;\n const innerText = content.slice(innerTextStart, innerTextEnd);\n this._unitMlString = innerText;\n break;\n case _FILE_TAG:\n const localeAttr = element.attrs.find((attr) => attr.name === 'target-language');\n if (localeAttr) {\n this._locale = localeAttr.value;\n }\n visitAll(this, element.children, null);\n break;\n default:\n // TODO(vicb): assert file structure, xliff version\n // For now only recurse on unhandled nodes\n visitAll(this, element.children, null);\n }\n }\n visitAttribute(attribute, context) { }\n visitText(text, context) { }\n visitComment(comment, context) { }\n visitExpansion(expansion, context) { }\n visitExpansionCase(expansionCase, context) { }\n visitBlockGroup(group, context) { }\n visitBlock(block, context) { }\n visitBlockParameter(parameter, context) { }\n _addError(node, message) {\n this._errors.push(new I18nError(node.sourceSpan, message));\n }\n}\n// Convert ml nodes (xliff syntax) to i18n nodes\nclass XmlToI18n$2 {\n convert(message, url) {\n const xmlIcu = new XmlParser().parse(message, url, { tokenizeExpansionForms: true });\n this._errors = xmlIcu.errors;\n const i18nNodes = this._errors.length > 0 || xmlIcu.rootNodes.length == 0 ?\n [] :\n [].concat(...visitAll(this, xmlIcu.rootNodes));\n return {\n i18nNodes: i18nNodes,\n errors: this._errors,\n };\n }\n visitText(text, context) {\n return new Text$2(text.value, text.sourceSpan);\n }\n visitElement(el, context) {\n if (el.name === _PLACEHOLDER_TAG$2) {\n const nameAttr = el.attrs.find((attr) => attr.name === 'id');\n if (nameAttr) {\n return new Placeholder('', nameAttr.value, el.sourceSpan);\n }\n this._addError(el, `<${_PLACEHOLDER_TAG$2}> misses the \"id\" attribute`);\n return null;\n }\n if (el.name === _MARKER_TAG$1) {\n return [].concat(...visitAll(this, el.children));\n }\n this._addError(el, `Unexpected tag`);\n return null;\n }\n visitExpansion(icu, context) {\n const caseMap = {};\n visitAll(this, icu.cases).forEach((c) => {\n caseMap[c.value] = new Container(c.nodes, icu.sourceSpan);\n });\n return new Icu(icu.switchValue, icu.type, caseMap, icu.sourceSpan);\n }\n visitExpansionCase(icuCase, context) {\n return {\n value: icuCase.value,\n nodes: visitAll(this, icuCase.expression),\n };\n }\n visitComment(comment, context) { }\n visitAttribute(attribute, context) { }\n visitBlockGroup(group, context) { }\n visitBlock(block, context) { }\n visitBlockParameter(parameter, context) { }\n _addError(node, message) {\n this._errors.push(new I18nError(node.sourceSpan, message));\n }\n}\nfunction getCtypeForTag(tag) {\n switch (tag.toLowerCase()) {\n case 'br':\n return 'lb';\n case 'img':\n return 'image';\n default:\n return `x-${tag}`;\n }\n}\n\nconst _VERSION = '2.0';\nconst _XMLNS = 'urn:oasis:names:tc:xliff:document:2.0';\n// TODO(vicb): make this a param (s/_/-/)\nconst _DEFAULT_SOURCE_LANG = 'en';\nconst _PLACEHOLDER_TAG$1 = 'ph';\nconst _PLACEHOLDER_SPANNING_TAG = 'pc';\nconst _MARKER_TAG = 'mrk';\nconst _XLIFF_TAG = 'xliff';\nconst _SOURCE_TAG = 'source';\nconst _TARGET_TAG = 'target';\nconst _UNIT_TAG = 'unit';\n// https://docs.oasis-open.org/xliff/xliff-core/v2.0/os/xliff-core-v2.0-os.html\nclass Xliff2 extends Serializer {\n write(messages, locale) {\n const visitor = new _WriteVisitor();\n const units = [];\n messages.forEach(message => {\n const unit = new Tag(_UNIT_TAG, { id: message.id });\n const notes = new Tag('notes');\n if (message.description || message.meaning) {\n if (message.description) {\n notes.children.push(new CR(8), new Tag('note', { category: 'description' }, [new Text$1(message.description)]));\n }\n if (message.meaning) {\n notes.children.push(new CR(8), new Tag('note', { category: 'meaning' }, [new Text$1(message.meaning)]));\n }\n }\n message.sources.forEach((source) => {\n notes.children.push(new CR(8), new Tag('note', { category: 'location' }, [\n new Text$1(`${source.filePath}:${source.startLine}${source.endLine !== source.startLine ? ',' + source.endLine : ''}`)\n ]));\n });\n notes.children.push(new CR(6));\n unit.children.push(new CR(6), notes);\n const segment = new Tag('segment');\n segment.children.push(new CR(8), new Tag(_SOURCE_TAG, {}, visitor.serialize(message.nodes)), new CR(6));\n unit.children.push(new CR(6), segment, new CR(4));\n units.push(new CR(4), unit);\n });\n const file = new Tag('file', { 'original': 'ng.template', id: 'ngi18n' }, [...units, new CR(2)]);\n const xliff = new Tag(_XLIFF_TAG, { version: _VERSION, xmlns: _XMLNS, srcLang: locale || _DEFAULT_SOURCE_LANG }, [new CR(2), file, new CR()]);\n return serialize([\n new Declaration({ version: '1.0', encoding: 'UTF-8' }), new CR(), xliff, new CR()\n ]);\n }\n load(content, url) {\n // xliff to xml nodes\n const xliff2Parser = new Xliff2Parser();\n const { locale, msgIdToHtml, errors } = xliff2Parser.parse(content, url);\n // xml nodes to i18n nodes\n const i18nNodesByMsgId = {};\n const converter = new XmlToI18n$1();\n Object.keys(msgIdToHtml).forEach(msgId => {\n const { i18nNodes, errors: e } = converter.convert(msgIdToHtml[msgId], url);\n errors.push(...e);\n i18nNodesByMsgId[msgId] = i18nNodes;\n });\n if (errors.length) {\n throw new Error(`xliff2 parse errors:\\n${errors.join('\\n')}`);\n }\n return { locale: locale, i18nNodesByMsgId };\n }\n digest(message) {\n return decimalDigest(message);\n }\n}\nclass _WriteVisitor {\n constructor() {\n this._nextPlaceholderId = 0;\n }\n visitText(text, context) {\n return [new Text$1(text.value)];\n }\n visitContainer(container, context) {\n const nodes = [];\n container.children.forEach((node) => nodes.push(...node.visit(this)));\n return nodes;\n }\n visitIcu(icu, context) {\n const nodes = [new Text$1(`{${icu.expressionPlaceholder}, ${icu.type}, `)];\n Object.keys(icu.cases).forEach((c) => {\n nodes.push(new Text$1(`${c} {`), ...icu.cases[c].visit(this), new Text$1(`} `));\n });\n nodes.push(new Text$1(`}`));\n return nodes;\n }\n visitTagPlaceholder(ph, context) {\n const type = getTypeForTag(ph.tag);\n if (ph.isVoid) {\n const tagPh = new Tag(_PLACEHOLDER_TAG$1, {\n id: (this._nextPlaceholderId++).toString(),\n equiv: ph.startName,\n type: type,\n disp: `<${ph.tag}/>`,\n });\n return [tagPh];\n }\n const tagPc = new Tag(_PLACEHOLDER_SPANNING_TAG, {\n id: (this._nextPlaceholderId++).toString(),\n equivStart: ph.startName,\n equivEnd: ph.closeName,\n type: type,\n dispStart: `<${ph.tag}>`,\n dispEnd: `</${ph.tag}>`,\n });\n const nodes = [].concat(...ph.children.map(node => node.visit(this)));\n if (nodes.length) {\n nodes.forEach((node) => tagPc.children.push(node));\n }\n else {\n tagPc.children.push(new Text$1(''));\n }\n return [tagPc];\n }\n visitPlaceholder(ph, context) {\n const idStr = (this._nextPlaceholderId++).toString();\n return [new Tag(_PLACEHOLDER_TAG$1, {\n id: idStr,\n equiv: ph.name,\n disp: `{{${ph.value}}}`,\n })];\n }\n visitIcuPlaceholder(ph, context) {\n const cases = Object.keys(ph.value.cases).map((value) => value + ' {...}').join(' ');\n const idStr = (this._nextPlaceholderId++).toString();\n return [new Tag(_PLACEHOLDER_TAG$1, { id: idStr, equiv: ph.name, disp: `{${ph.value.expression}, ${ph.value.type}, ${cases}}` })];\n }\n serialize(nodes) {\n this._nextPlaceholderId = 0;\n return [].concat(...nodes.map(node => node.visit(this)));\n }\n}\n// Extract messages as xml nodes from the xliff file\nclass Xliff2Parser {\n constructor() {\n this._locale = null;\n }\n parse(xliff, url) {\n this._unitMlString = null;\n this._msgIdToHtml = {};\n const xml = new XmlParser().parse(xliff, url);\n this._errors = xml.errors;\n visitAll(this, xml.rootNodes, null);\n return {\n msgIdToHtml: this._msgIdToHtml,\n errors: this._errors,\n locale: this._locale,\n };\n }\n visitElement(element, context) {\n switch (element.name) {\n case _UNIT_TAG:\n this._unitMlString = null;\n const idAttr = element.attrs.find((attr) => attr.name === 'id');\n if (!idAttr) {\n this._addError(element, `<${_UNIT_TAG}> misses the \"id\" attribute`);\n }\n else {\n const id = idAttr.value;\n if (this._msgIdToHtml.hasOwnProperty(id)) {\n this._addError(element, `Duplicated translations for msg ${id}`);\n }\n else {\n visitAll(this, element.children, null);\n if (typeof this._unitMlString === 'string') {\n this._msgIdToHtml[id] = this._unitMlString;\n }\n else {\n this._addError(element, `Message ${id} misses a translation`);\n }\n }\n }\n break;\n case _SOURCE_TAG:\n // ignore source message\n break;\n case _TARGET_TAG:\n const innerTextStart = element.startSourceSpan.end.offset;\n const innerTextEnd = element.endSourceSpan.start.offset;\n const content = element.startSourceSpan.start.file.content;\n const innerText = content.slice(innerTextStart, innerTextEnd);\n this._unitMlString = innerText;\n break;\n case _XLIFF_TAG:\n const localeAttr = element.attrs.find((attr) => attr.name === 'trgLang');\n if (localeAttr) {\n this._locale = localeAttr.value;\n }\n const versionAttr = element.attrs.find((attr) => attr.name === 'version');\n if (versionAttr) {\n const version = versionAttr.value;\n if (version !== '2.0') {\n this._addError(element, `The XLIFF file version ${version} is not compatible with XLIFF 2.0 serializer`);\n }\n else {\n visitAll(this, element.children, null);\n }\n }\n break;\n default:\n visitAll(this, element.children, null);\n }\n }\n visitAttribute(attribute, context) { }\n visitText(text, context) { }\n visitComment(comment, context) { }\n visitExpansion(expansion, context) { }\n visitExpansionCase(expansionCase, context) { }\n visitBlockGroup(group, context) { }\n visitBlock(block, context) { }\n visitBlockParameter(parameter, context) { }\n _addError(node, message) {\n this._errors.push(new I18nError(node.sourceSpan, message));\n }\n}\n// Convert ml nodes (xliff syntax) to i18n nodes\nclass XmlToI18n$1 {\n convert(message, url) {\n const xmlIcu = new XmlParser().parse(message, url, { tokenizeExpansionForms: true });\n this._errors = xmlIcu.errors;\n const i18nNodes = this._errors.length > 0 || xmlIcu.rootNodes.length == 0 ?\n [] :\n [].concat(...visitAll(this, xmlIcu.rootNodes));\n return {\n i18nNodes,\n errors: this._errors,\n };\n }\n visitText(text, context) {\n return new Text$2(text.value, text.sourceSpan);\n }\n visitElement(el, context) {\n switch (el.name) {\n case _PLACEHOLDER_TAG$1:\n const nameAttr = el.attrs.find((attr) => attr.name === 'equiv');\n if (nameAttr) {\n return [new Placeholder('', nameAttr.value, el.sourceSpan)];\n }\n this._addError(el, `<${_PLACEHOLDER_TAG$1}> misses the \"equiv\" attribute`);\n break;\n case _PLACEHOLDER_SPANNING_TAG:\n const startAttr = el.attrs.find((attr) => attr.name === 'equivStart');\n const endAttr = el.attrs.find((attr) => attr.name === 'equivEnd');\n if (!startAttr) {\n this._addError(el, `<${_PLACEHOLDER_TAG$1}> misses the \"equivStart\" attribute`);\n }\n else if (!endAttr) {\n this._addError(el, `<${_PLACEHOLDER_TAG$1}> misses the \"equivEnd\" attribute`);\n }\n else {\n const startId = startAttr.value;\n const endId = endAttr.value;\n const nodes = [];\n return nodes.concat(new Placeholder('', startId, el.sourceSpan), ...el.children.map(node => node.visit(this, null)), new Placeholder('', endId, el.sourceSpan));\n }\n break;\n case _MARKER_TAG:\n return [].concat(...visitAll(this, el.children));\n default:\n this._addError(el, `Unexpected tag`);\n }\n return null;\n }\n visitExpansion(icu, context) {\n const caseMap = {};\n visitAll(this, icu.cases).forEach((c) => {\n caseMap[c.value] = new Container(c.nodes, icu.sourceSpan);\n });\n return new Icu(icu.switchValue, icu.type, caseMap, icu.sourceSpan);\n }\n visitExpansionCase(icuCase, context) {\n return {\n value: icuCase.value,\n nodes: [].concat(...visitAll(this, icuCase.expression)),\n };\n }\n visitComment(comment, context) { }\n visitAttribute(attribute, context) { }\n visitBlockGroup(group, context) { }\n visitBlock(block, context) { }\n visitBlockParameter(parameter, context) { }\n _addError(node, message) {\n this._errors.push(new I18nError(node.sourceSpan, message));\n }\n}\nfunction getTypeForTag(tag) {\n switch (tag.toLowerCase()) {\n case 'br':\n case 'b':\n case 'i':\n case 'u':\n return 'fmt';\n case 'img':\n return 'image';\n case 'a':\n return 'link';\n default:\n return 'other';\n }\n}\n\nconst _TRANSLATIONS_TAG = 'translationbundle';\nconst _TRANSLATION_TAG = 'translation';\nconst _PLACEHOLDER_TAG = 'ph';\nclass Xtb extends Serializer {\n write(messages, locale) {\n throw new Error('Unsupported');\n }\n load(content, url) {\n // xtb to xml nodes\n const xtbParser = new XtbParser();\n const { locale, msgIdToHtml, errors } = xtbParser.parse(content, url);\n // xml nodes to i18n nodes\n const i18nNodesByMsgId = {};\n const converter = new XmlToI18n();\n // Because we should be able to load xtb files that rely on features not supported by angular,\n // we need to delay the conversion of html to i18n nodes so that non angular messages are not\n // converted\n Object.keys(msgIdToHtml).forEach(msgId => {\n const valueFn = function () {\n const { i18nNodes, errors } = converter.convert(msgIdToHtml[msgId], url);\n if (errors.length) {\n throw new Error(`xtb parse errors:\\n${errors.join('\\n')}`);\n }\n return i18nNodes;\n };\n createLazyProperty(i18nNodesByMsgId, msgId, valueFn);\n });\n if (errors.length) {\n throw new Error(`xtb parse errors:\\n${errors.join('\\n')}`);\n }\n return { locale: locale, i18nNodesByMsgId };\n }\n digest(message) {\n return digest(message);\n }\n createNameMapper(message) {\n return new SimplePlaceholderMapper(message, toPublicName);\n }\n}\nfunction createLazyProperty(messages, id, valueFn) {\n Object.defineProperty(messages, id, {\n configurable: true,\n enumerable: true,\n get: function () {\n const value = valueFn();\n Object.defineProperty(messages, id, { enumerable: true, value });\n return value;\n },\n set: _ => {\n throw new Error('Could not overwrite an XTB translation');\n },\n });\n}\n// Extract messages as xml nodes from the xtb file\nclass XtbParser {\n constructor() {\n this._locale = null;\n }\n parse(xtb, url) {\n this._bundleDepth = 0;\n this._msgIdToHtml = {};\n // We can not parse the ICU messages at this point as some messages might not originate\n // from Angular that could not be lex'd.\n const xml = new XmlParser().parse(xtb, url);\n this._errors = xml.errors;\n visitAll(this, xml.rootNodes);\n return {\n msgIdToHtml: this._msgIdToHtml,\n errors: this._errors,\n locale: this._locale,\n };\n }\n visitElement(element, context) {\n switch (element.name) {\n case _TRANSLATIONS_TAG:\n this._bundleDepth++;\n if (this._bundleDepth > 1) {\n this._addError(element, `<${_TRANSLATIONS_TAG}> elements can not be nested`);\n }\n const langAttr = element.attrs.find((attr) => attr.name === 'lang');\n if (langAttr) {\n this._locale = langAttr.value;\n }\n visitAll(this, element.children, null);\n this._bundleDepth--;\n break;\n case _TRANSLATION_TAG:\n const idAttr = element.attrs.find((attr) => attr.name === 'id');\n if (!idAttr) {\n this._addError(element, `<${_TRANSLATION_TAG}> misses the \"id\" attribute`);\n }\n else {\n const id = idAttr.value;\n if (this._msgIdToHtml.hasOwnProperty(id)) {\n this._addError(element, `Duplicated translations for msg ${id}`);\n }\n else {\n const innerTextStart = element.startSourceSpan.end.offset;\n const innerTextEnd = element.endSourceSpan.start.offset;\n const content = element.startSourceSpan.start.file.content;\n const innerText = content.slice(innerTextStart, innerTextEnd);\n this._msgIdToHtml[id] = innerText;\n }\n }\n break;\n default:\n this._addError(element, 'Unexpected tag');\n }\n }\n visitAttribute(attribute, context) { }\n visitText(text, context) { }\n visitComment(comment, context) { }\n visitExpansion(expansion, context) { }\n visitExpansionCase(expansionCase, context) { }\n visitBlockGroup(group, context) { }\n visitBlock(block, context) { }\n visitBlockParameter(block, context) { }\n _addError(node, message) {\n this._errors.push(new I18nError(node.sourceSpan, message));\n }\n}\n// Convert ml nodes (xtb syntax) to i18n nodes\nclass XmlToI18n {\n convert(message, url) {\n const xmlIcu = new XmlParser().parse(message, url, { tokenizeExpansionForms: true });\n this._errors = xmlIcu.errors;\n const i18nNodes = this._errors.length > 0 || xmlIcu.rootNodes.length == 0 ?\n [] :\n visitAll(this, xmlIcu.rootNodes);\n return {\n i18nNodes,\n errors: this._errors,\n };\n }\n visitText(text, context) {\n return new Text$2(text.value, text.sourceSpan);\n }\n visitExpansion(icu, context) {\n const caseMap = {};\n visitAll(this, icu.cases).forEach(c => {\n caseMap[c.value] = new Container(c.nodes, icu.sourceSpan);\n });\n return new Icu(icu.switchValue, icu.type, caseMap, icu.sourceSpan);\n }\n visitExpansionCase(icuCase, context) {\n return {\n value: icuCase.value,\n nodes: visitAll(this, icuCase.expression),\n };\n }\n visitElement(el, context) {\n if (el.name === _PLACEHOLDER_TAG) {\n const nameAttr = el.attrs.find((attr) => attr.name === 'name');\n if (nameAttr) {\n return new Placeholder('', nameAttr.value, el.sourceSpan);\n }\n this._addError(el, `<${_PLACEHOLDER_TAG}> misses the \"name\" attribute`);\n }\n else {\n this._addError(el, `Unexpected tag`);\n }\n return null;\n }\n visitComment(comment, context) { }\n visitAttribute(attribute, context) { }\n visitBlockGroup(group, context) { }\n visitBlock(block, context) { }\n visitBlockParameter(block, context) { }\n _addError(node, message) {\n this._errors.push(new I18nError(node.sourceSpan, message));\n }\n}\n\n/**\n * A container for translated messages\n */\nclass TranslationBundle {\n constructor(_i18nNodesByMsgId = {}, locale, digest, mapperFactory, missingTranslationStrategy = MissingTranslationStrategy.Warning, console) {\n this._i18nNodesByMsgId = _i18nNodesByMsgId;\n this.digest = digest;\n this.mapperFactory = mapperFactory;\n this._i18nToHtml = new I18nToHtmlVisitor(_i18nNodesByMsgId, locale, digest, mapperFactory, missingTranslationStrategy, console);\n }\n // Creates a `TranslationBundle` by parsing the given `content` with the `serializer`.\n static load(content, url, serializer, missingTranslationStrategy, console) {\n const { locale, i18nNodesByMsgId } = serializer.load(content, url);\n const digestFn = (m) => serializer.digest(m);\n const mapperFactory = (m) => serializer.createNameMapper(m);\n return new TranslationBundle(i18nNodesByMsgId, locale, digestFn, mapperFactory, missingTranslationStrategy, console);\n }\n // Returns the translation as HTML nodes from the given source message.\n get(srcMsg) {\n const html = this._i18nToHtml.convert(srcMsg);\n if (html.errors.length) {\n throw new Error(html.errors.join('\\n'));\n }\n return html.nodes;\n }\n has(srcMsg) {\n return this.digest(srcMsg) in this._i18nNodesByMsgId;\n }\n}\nclass I18nToHtmlVisitor {\n constructor(_i18nNodesByMsgId = {}, _locale, _digest, _mapperFactory, _missingTranslationStrategy, _console) {\n this._i18nNodesByMsgId = _i18nNodesByMsgId;\n this._locale = _locale;\n this._digest = _digest;\n this._mapperFactory = _mapperFactory;\n this._missingTranslationStrategy = _missingTranslationStrategy;\n this._console = _console;\n this._errors = [];\n this._contextStack = [];\n }\n convert(srcMsg) {\n this._contextStack.length = 0;\n this._errors.length = 0;\n // i18n to text\n const text = this._convertToText(srcMsg);\n // text to html\n const url = srcMsg.nodes[0].sourceSpan.start.file.url;\n const html = new HtmlParser().parse(text, url, { tokenizeExpansionForms: true });\n return {\n nodes: html.rootNodes,\n errors: [...this._errors, ...html.errors],\n };\n }\n visitText(text, context) {\n // `convert()` uses an `HtmlParser` to return `html.Node`s\n // we should then make sure that any special characters are escaped\n return escapeXml(text.value);\n }\n visitContainer(container, context) {\n return container.children.map(n => n.visit(this)).join('');\n }\n visitIcu(icu, context) {\n const cases = Object.keys(icu.cases).map(k => `${k} {${icu.cases[k].visit(this)}}`);\n // TODO(vicb): Once all format switch to using expression placeholders\n // we should throw when the placeholder is not in the source message\n const exp = this._srcMsg.placeholders.hasOwnProperty(icu.expression) ?\n this._srcMsg.placeholders[icu.expression].text :\n icu.expression;\n return `{${exp}, ${icu.type}, ${cases.join(' ')}}`;\n }\n visitPlaceholder(ph, context) {\n const phName = this._mapper(ph.name);\n if (this._srcMsg.placeholders.hasOwnProperty(phName)) {\n return this._srcMsg.placeholders[phName].text;\n }\n if (this._srcMsg.placeholderToMessage.hasOwnProperty(phName)) {\n return this._convertToText(this._srcMsg.placeholderToMessage[phName]);\n }\n this._addError(ph, `Unknown placeholder \"${ph.name}\"`);\n return '';\n }\n // Loaded message contains only placeholders (vs tag and icu placeholders).\n // However when a translation can not be found, we need to serialize the source message\n // which can contain tag placeholders\n visitTagPlaceholder(ph, context) {\n const tag = `${ph.tag}`;\n const attrs = Object.keys(ph.attrs).map(name => `${name}=\"${ph.attrs[name]}\"`).join(' ');\n if (ph.isVoid) {\n return `<${tag} ${attrs}/>`;\n }\n const children = ph.children.map((c) => c.visit(this)).join('');\n return `<${tag} ${attrs}>${children}</${tag}>`;\n }\n // Loaded message contains only placeholders (vs tag and icu placeholders).\n // However when a translation can not be found, we need to serialize the source message\n // which can contain tag placeholders\n visitIcuPlaceholder(ph, context) {\n // An ICU placeholder references the source message to be serialized\n return this._convertToText(this._srcMsg.placeholderToMessage[ph.name]);\n }\n /**\n * Convert a source message to a translated text string:\n * - text nodes are replaced with their translation,\n * - placeholders are replaced with their content,\n * - ICU nodes are converted to ICU expressions.\n */\n _convertToText(srcMsg) {\n const id = this._digest(srcMsg);\n const mapper = this._mapperFactory ? this._mapperFactory(srcMsg) : null;\n let nodes;\n this._contextStack.push({ msg: this._srcMsg, mapper: this._mapper });\n this._srcMsg = srcMsg;\n if (this._i18nNodesByMsgId.hasOwnProperty(id)) {\n // When there is a translation use its nodes as the source\n // And create a mapper to convert serialized placeholder names to internal names\n nodes = this._i18nNodesByMsgId[id];\n this._mapper = (name) => mapper ? mapper.toInternalName(name) : name;\n }\n else {\n // When no translation has been found\n // - report an error / a warning / nothing,\n // - use the nodes from the original message\n // - placeholders are already internal and need no mapper\n if (this._missingTranslationStrategy === MissingTranslationStrategy.Error) {\n const ctx = this._locale ? ` for locale \"${this._locale}\"` : '';\n this._addError(srcMsg.nodes[0], `Missing translation for message \"${id}\"${ctx}`);\n }\n else if (this._console &&\n this._missingTranslationStrategy === MissingTranslationStrategy.Warning) {\n const ctx = this._locale ? ` for locale \"${this._locale}\"` : '';\n this._console.warn(`Missing translation for message \"${id}\"${ctx}`);\n }\n nodes = srcMsg.nodes;\n this._mapper = (name) => name;\n }\n const text = nodes.map(node => node.visit(this)).join('');\n const context = this._contextStack.pop();\n this._srcMsg = context.msg;\n this._mapper = context.mapper;\n return text;\n }\n _addError(el, msg) {\n this._errors.push(new I18nError(el.sourceSpan, msg));\n }\n}\n\nclass I18NHtmlParser {\n constructor(_htmlParser, translations, translationsFormat, missingTranslation = MissingTranslationStrategy.Warning, console) {\n this._htmlParser = _htmlParser;\n if (translations) {\n const serializer = createSerializer(translationsFormat);\n this._translationBundle =\n TranslationBundle.load(translations, 'i18n', serializer, missingTranslation, console);\n }\n else {\n this._translationBundle =\n new TranslationBundle({}, null, digest$1, undefined, missingTranslation, console);\n }\n }\n parse(source, url, options = {}) {\n const interpolationConfig = options.interpolationConfig || DEFAULT_INTERPOLATION_CONFIG;\n const parseResult = this._htmlParser.parse(source, url, { interpolationConfig, ...options });\n if (parseResult.errors.length) {\n return new ParseTreeResult(parseResult.rootNodes, parseResult.errors);\n }\n return mergeTranslations(parseResult.rootNodes, this._translationBundle, interpolationConfig, [], {});\n }\n}\nfunction createSerializer(format) {\n format = (format || 'xlf').toLowerCase();\n switch (format) {\n case 'xmb':\n return new Xmb();\n case 'xtb':\n return new Xtb();\n case 'xliff2':\n case 'xlf2':\n return new Xliff2();\n case 'xliff':\n case 'xlf':\n default:\n return new Xliff();\n }\n}\n\n/**\n * A container for message extracted from the templates.\n */\nclass MessageBundle {\n constructor(_htmlParser, _implicitTags, _implicitAttrs, _locale = null) {\n this._htmlParser = _htmlParser;\n this._implicitTags = _implicitTags;\n this._implicitAttrs = _implicitAttrs;\n this._locale = _locale;\n this._messages = [];\n }\n updateFromTemplate(html, url, interpolationConfig) {\n const htmlParserResult = this._htmlParser.parse(html, url, { tokenizeExpansionForms: true, interpolationConfig });\n if (htmlParserResult.errors.length) {\n return htmlParserResult.errors;\n }\n const i18nParserResult = extractMessages(htmlParserResult.rootNodes, interpolationConfig, this._implicitTags, this._implicitAttrs);\n if (i18nParserResult.errors.length) {\n return i18nParserResult.errors;\n }\n this._messages.push(...i18nParserResult.messages);\n return [];\n }\n // Return the message in the internal format\n // The public (serialized) format might be different, see the `write` method.\n getMessages() {\n return this._messages;\n }\n write(serializer, filterSources) {\n const messages = {};\n const mapperVisitor = new MapPlaceholderNames();\n // Deduplicate messages based on their ID\n this._messages.forEach(message => {\n const id = serializer.digest(message);\n if (!messages.hasOwnProperty(id)) {\n messages[id] = message;\n }\n else {\n messages[id].sources.push(...message.sources);\n }\n });\n // Transform placeholder names using the serializer mapping\n const msgList = Object.keys(messages).map(id => {\n const mapper = serializer.createNameMapper(messages[id]);\n const src = messages[id];\n const nodes = mapper ? mapperVisitor.convert(src.nodes, mapper) : src.nodes;\n let transformedMessage = new Message(nodes, {}, {}, src.meaning, src.description, id);\n transformedMessage.sources = src.sources;\n if (filterSources) {\n transformedMessage.sources.forEach((source) => source.filePath = filterSources(source.filePath));\n }\n return transformedMessage;\n });\n return serializer.write(msgList, this._locale);\n }\n}\n// Transform an i18n AST by renaming the placeholder nodes with the given mapper\nclass MapPlaceholderNames extends CloneVisitor {\n convert(nodes, mapper) {\n return mapper ? nodes.map(n => n.visit(this, mapper)) : nodes;\n }\n visitTagPlaceholder(ph, mapper) {\n const startName = mapper.toPublicName(ph.startName);\n const closeName = ph.closeName ? mapper.toPublicName(ph.closeName) : ph.closeName;\n const children = ph.children.map(n => n.visit(this, mapper));\n return new TagPlaceholder(ph.tag, ph.attrs, startName, closeName, children, ph.isVoid, ph.sourceSpan, ph.startSourceSpan, ph.endSourceSpan);\n }\n visitPlaceholder(ph, mapper) {\n return new Placeholder(ph.value, mapper.toPublicName(ph.name), ph.sourceSpan);\n }\n visitIcuPlaceholder(ph, mapper) {\n return new IcuPlaceholder(ph.value, mapper.toPublicName(ph.name), ph.sourceSpan);\n }\n}\n\nvar FactoryTarget;\n(function (FactoryTarget) {\n FactoryTarget[FactoryTarget[\"Directive\"] = 0] = \"Directive\";\n FactoryTarget[FactoryTarget[\"Component\"] = 1] = \"Component\";\n FactoryTarget[FactoryTarget[\"Injectable\"] = 2] = \"Injectable\";\n FactoryTarget[FactoryTarget[\"Pipe\"] = 3] = \"Pipe\";\n FactoryTarget[FactoryTarget[\"NgModule\"] = 4] = \"NgModule\";\n})(FactoryTarget || (FactoryTarget = {}));\n\n/**\n * Processes `Target`s with a given set of directives and performs a binding operation, which\n * returns an object similar to TypeScript's `ts.TypeChecker` that contains knowledge about the\n * target.\n */\nclass R3TargetBinder {\n constructor(directiveMatcher) {\n this.directiveMatcher = directiveMatcher;\n }\n /**\n * Perform a binding operation on the given `Target` and return a `BoundTarget` which contains\n * metadata about the types referenced in the template.\n */\n bind(target) {\n if (!target.template) {\n // TODO(alxhub): handle targets which contain things like HostBindings, etc.\n throw new Error('Binding without a template not yet supported');\n }\n // First, parse the template into a `Scope` structure. This operation captures the syntactic\n // scopes in the template and makes them available for later use.\n const scope = Scope.apply(target.template);\n // Use the `Scope` to extract the entities present at every level of the template.\n const templateEntities = extractTemplateEntities(scope);\n // Next, perform directive matching on the template using the `DirectiveBinder`. This returns:\n // - directives: Map of nodes (elements & ng-templates) to the directives on them.\n // - bindings: Map of inputs, outputs, and attributes to the directive/element that claims\n // them. TODO(alxhub): handle multiple directives claiming an input/output/etc.\n // - references: Map of #references to their targets.\n const { directives, eagerDirectives, bindings, references } = DirectiveBinder.apply(target.template, this.directiveMatcher);\n // Finally, run the TemplateBinder to bind references, variables, and other entities within the\n // template. This extracts all the metadata that doesn't depend on directive matching.\n const { expressions, symbols, nestingLevel, usedPipes, eagerPipes, deferBlocks } = TemplateBinder.applyWithScope(target.template, scope);\n return new R3BoundTarget(target, directives, eagerDirectives, bindings, references, expressions, symbols, nestingLevel, templateEntities, usedPipes, eagerPipes, deferBlocks);\n }\n}\n/**\n * Represents a binding scope within a template.\n *\n * Any variables, references, or other named entities declared within the template will\n * be captured and available by name in `namedEntities`. Additionally, child templates will\n * be analyzed and have their child `Scope`s available in `childScopes`.\n */\nclass Scope {\n constructor(parentScope, template) {\n this.parentScope = parentScope;\n this.template = template;\n /**\n * Named members of the `Scope`, such as `Reference`s or `Variable`s.\n */\n this.namedEntities = new Map();\n /**\n * Child `Scope`s for immediately nested `Template`s.\n */\n this.childScopes = new Map();\n }\n static newRootScope() {\n return new Scope(null, null);\n }\n /**\n * Process a template (either as a `Template` sub-template with variables, or a plain array of\n * template `Node`s) and construct its `Scope`.\n */\n static apply(template) {\n const scope = Scope.newRootScope();\n scope.ingest(template);\n return scope;\n }\n /**\n * Internal method to process the template and populate the `Scope`.\n */\n ingest(template) {\n if (template instanceof Template) {\n // Variables on an <ng-template> are defined in the inner scope.\n template.variables.forEach(node => this.visitVariable(node));\n // Process the nodes of the template.\n template.children.forEach(node => node.visit(this));\n }\n else {\n // No overarching `Template` instance, so process the nodes directly.\n template.forEach(node => node.visit(this));\n }\n }\n visitElement(element) {\n // `Element`s in the template may have `Reference`s which are captured in the scope.\n element.references.forEach(node => this.visitReference(node));\n // Recurse into the `Element`'s children.\n element.children.forEach(node => node.visit(this));\n }\n visitTemplate(template) {\n // References on a <ng-template> are defined in the outer scope, so capture them before\n // processing the template's child scope.\n template.references.forEach(node => this.visitReference(node));\n // Next, create an inner scope and process the template within it.\n const scope = new Scope(this, template);\n scope.ingest(template);\n this.childScopes.set(template, scope);\n }\n visitVariable(variable) {\n // Declare the variable if it's not already.\n this.maybeDeclare(variable);\n }\n visitReference(reference) {\n // Declare the variable if it's not already.\n this.maybeDeclare(reference);\n }\n visitDeferredBlock(deferred) {\n deferred.children.forEach(node => node.visit(this));\n deferred.placeholder?.visit(this);\n deferred.loading?.visit(this);\n deferred.error?.visit(this);\n }\n visitDeferredBlockPlaceholder(block) {\n block.children.forEach(node => node.visit(this));\n }\n visitDeferredBlockError(block) {\n block.children.forEach(node => node.visit(this));\n }\n visitDeferredBlockLoading(block) {\n block.children.forEach(node => node.visit(this));\n }\n // Unused visitors.\n visitContent(content) { }\n visitBoundAttribute(attr) { }\n visitBoundEvent(event) { }\n visitBoundText(text) { }\n visitText(text) { }\n visitTextAttribute(attr) { }\n visitIcu(icu) { }\n visitDeferredTrigger(trigger) { }\n maybeDeclare(thing) {\n // Declare something with a name, as long as that name isn't taken.\n if (!this.namedEntities.has(thing.name)) {\n this.namedEntities.set(thing.name, thing);\n }\n }\n /**\n * Look up a variable within this `Scope`.\n *\n * This can recurse into a parent `Scope` if it's available.\n */\n lookup(name) {\n if (this.namedEntities.has(name)) {\n // Found in the local scope.\n return this.namedEntities.get(name);\n }\n else if (this.parentScope !== null) {\n // Not in the local scope, but there's a parent scope so check there.\n return this.parentScope.lookup(name);\n }\n else {\n // At the top level and it wasn't found.\n return null;\n }\n }\n /**\n * Get the child scope for a `Template`.\n *\n * This should always be defined.\n */\n getChildScope(template) {\n const res = this.childScopes.get(template);\n if (res === undefined) {\n throw new Error(`Assertion error: child scope for ${template} not found`);\n }\n return res;\n }\n}\n/**\n * Processes a template and matches directives on nodes (elements and templates).\n *\n * Usually used via the static `apply()` method.\n */\nclass DirectiveBinder {\n constructor(matcher, directives, eagerDirectives, bindings, references) {\n this.matcher = matcher;\n this.directives = directives;\n this.eagerDirectives = eagerDirectives;\n this.bindings = bindings;\n this.references = references;\n // Indicates whether we are visiting elements within a {#defer} block\n this.isInDeferBlock = false;\n }\n /**\n * Process a template (list of `Node`s) and perform directive matching against each node.\n *\n * @param template the list of template `Node`s to match (recursively).\n * @param selectorMatcher a `SelectorMatcher` containing the directives that are in scope for\n * this template.\n * @returns three maps which contain information about directives in the template: the\n * `directives` map which lists directives matched on each node, the `bindings` map which\n * indicates which directives claimed which bindings (inputs, outputs, etc), and the `references`\n * map which resolves #references (`Reference`s) within the template to the named directive or\n * template node.\n */\n static apply(template, selectorMatcher) {\n const directives = new Map();\n const bindings = new Map();\n const references = new Map();\n const eagerDirectives = [];\n const matcher = new DirectiveBinder(selectorMatcher, directives, eagerDirectives, bindings, references);\n matcher.ingest(template);\n return { directives, eagerDirectives, bindings, references };\n }\n ingest(template) {\n template.forEach(node => node.visit(this));\n }\n visitElement(element) {\n this.visitElementOrTemplate(element.name, element);\n }\n visitTemplate(template) {\n this.visitElementOrTemplate('ng-template', template);\n }\n visitElementOrTemplate(elementName, node) {\n // First, determine the HTML shape of the node for the purpose of directive matching.\n // Do this by building up a `CssSelector` for the node.\n const cssSelector = createCssSelector(elementName, getAttrsForDirectiveMatching(node));\n // Next, use the `SelectorMatcher` to get the list of directives on the node.\n const directives = [];\n this.matcher.match(cssSelector, (_selector, results) => directives.push(...results));\n if (directives.length > 0) {\n this.directives.set(node, directives);\n if (!this.isInDeferBlock) {\n this.eagerDirectives.push(...directives);\n }\n }\n // Resolve any references that are created on this node.\n node.references.forEach(ref => {\n let dirTarget = null;\n // If the reference expression is empty, then it matches the \"primary\" directive on the node\n // (if there is one). Otherwise it matches the host node itself (either an element or\n // <ng-template> node).\n if (ref.value.trim() === '') {\n // This could be a reference to a component if there is one.\n dirTarget = directives.find(dir => dir.isComponent) || null;\n }\n else {\n // This should be a reference to a directive exported via exportAs.\n dirTarget =\n directives.find(dir => dir.exportAs !== null && dir.exportAs.some(value => value === ref.value)) ||\n null;\n // Check if a matching directive was found.\n if (dirTarget === null) {\n // No matching directive was found - this reference points to an unknown target. Leave it\n // unmapped.\n return;\n }\n }\n if (dirTarget !== null) {\n // This reference points to a directive.\n this.references.set(ref, { directive: dirTarget, node });\n }\n else {\n // This reference points to the node itself.\n this.references.set(ref, node);\n }\n });\n const setAttributeBinding = (attribute, ioType) => {\n const dir = directives.find(dir => dir[ioType].hasBindingPropertyName(attribute.name));\n const binding = dir !== undefined ? dir : node;\n this.bindings.set(attribute, binding);\n };\n // Node inputs (bound attributes) and text attributes can be bound to an\n // input on a directive.\n node.inputs.forEach(input => setAttributeBinding(input, 'inputs'));\n node.attributes.forEach(attr => setAttributeBinding(attr, 'inputs'));\n if (node instanceof Template) {\n node.templateAttrs.forEach(attr => setAttributeBinding(attr, 'inputs'));\n }\n // Node outputs (bound events) can be bound to an output on a directive.\n node.outputs.forEach(output => setAttributeBinding(output, 'outputs'));\n // Recurse into the node's children.\n node.children.forEach(child => child.visit(this));\n }\n visitDeferredBlock(deferred) {\n this.isInDeferBlock = true;\n deferred.children.forEach(child => child.visit(this));\n this.isInDeferBlock = false;\n deferred.placeholder?.visit(this);\n deferred.loading?.visit(this);\n deferred.error?.visit(this);\n }\n visitDeferredBlockPlaceholder(block) {\n block.children.forEach(child => child.visit(this));\n }\n visitDeferredBlockError(block) {\n block.children.forEach(child => child.visit(this));\n }\n visitDeferredBlockLoading(block) {\n block.children.forEach(child => child.visit(this));\n }\n // Unused visitors.\n visitContent(content) { }\n visitVariable(variable) { }\n visitReference(reference) { }\n visitTextAttribute(attribute) { }\n visitBoundAttribute(attribute) { }\n visitBoundEvent(attribute) { }\n visitBoundAttributeOrEvent(node) { }\n visitText(text) { }\n visitBoundText(text) { }\n visitIcu(icu) { }\n visitDeferredTrigger(trigger) { }\n}\n/**\n * Processes a template and extract metadata about expressions and symbols within.\n *\n * This is a companion to the `DirectiveBinder` that doesn't require knowledge of directives matched\n * within the template in order to operate.\n *\n * Expressions are visited by the superclass `RecursiveAstVisitor`, with custom logic provided\n * by overridden methods from that visitor.\n */\nclass TemplateBinder extends RecursiveAstVisitor {\n constructor(bindings, symbols, usedPipes, eagerPipes, deferBlocks, nestingLevel, scope, template, level) {\n super();\n this.bindings = bindings;\n this.symbols = symbols;\n this.usedPipes = usedPipes;\n this.eagerPipes = eagerPipes;\n this.deferBlocks = deferBlocks;\n this.nestingLevel = nestingLevel;\n this.scope = scope;\n this.template = template;\n this.level = level;\n // Indicates whether we are visiting elements within a {#defer} block\n this.isInDeferBlock = false;\n // Save a bit of processing time by constructing this closure in advance.\n this.visitNode = (node) => node.visit(this);\n }\n // This method is defined to reconcile the type of TemplateBinder since both\n // RecursiveAstVisitor and Visitor define the visit() method in their\n // interfaces.\n visit(node, context) {\n if (node instanceof AST) {\n node.visit(this, context);\n }\n else {\n node.visit(this);\n }\n }\n /**\n * Process a template and extract metadata about expressions and symbols within.\n *\n * @param nodes the nodes of the template to process\n * @param scope the `Scope` of the template being processed.\n * @returns three maps which contain metadata about the template: `expressions` which interprets\n * special `AST` nodes in expressions as pointing to references or variables declared within the\n * template, `symbols` which maps those variables and references to the nested `Template` which\n * declares them, if any, and `nestingLevel` which associates each `Template` with a integer\n * nesting level (how many levels deep within the template structure the `Template` is), starting\n * at 1.\n */\n static applyWithScope(nodes, scope) {\n const expressions = new Map();\n const symbols = new Map();\n const nestingLevel = new Map();\n const usedPipes = new Set();\n const eagerPipes = new Set();\n const template = nodes instanceof Template ? nodes : null;\n const deferBlocks = new Set();\n // The top-level template has nesting level 0.\n const binder = new TemplateBinder(expressions, symbols, usedPipes, eagerPipes, deferBlocks, nestingLevel, scope, template, 0);\n binder.ingest(nodes);\n return { expressions, symbols, nestingLevel, usedPipes, eagerPipes, deferBlocks };\n }\n ingest(template) {\n if (template instanceof Template) {\n // For <ng-template>s, process only variables and child nodes. Inputs, outputs, templateAttrs,\n // and references were all processed in the scope of the containing template.\n template.variables.forEach(this.visitNode);\n template.children.forEach(this.visitNode);\n // Set the nesting level.\n this.nestingLevel.set(template, this.level);\n }\n else {\n // Visit each node from the top-level template.\n template.forEach(this.visitNode);\n }\n }\n visitElement(element) {\n // Visit the inputs, outputs, and children of the element.\n element.inputs.forEach(this.visitNode);\n element.outputs.forEach(this.visitNode);\n element.children.forEach(this.visitNode);\n }\n visitTemplate(template) {\n // First, visit inputs, outputs and template attributes of the template node.\n template.inputs.forEach(this.visitNode);\n template.outputs.forEach(this.visitNode);\n template.templateAttrs.forEach(this.visitNode);\n // References are also evaluated in the outer context.\n template.references.forEach(this.visitNode);\n // Next, recurse into the template using its scope, and bumping the nesting level up by one.\n const childScope = this.scope.getChildScope(template);\n const binder = new TemplateBinder(this.bindings, this.symbols, this.usedPipes, this.eagerPipes, this.deferBlocks, this.nestingLevel, childScope, template, this.level + 1);\n binder.ingest(template);\n }\n visitVariable(variable) {\n // Register the `Variable` as a symbol in the current `Template`.\n if (this.template !== null) {\n this.symbols.set(variable, this.template);\n }\n }\n visitReference(reference) {\n // Register the `Reference` as a symbol in the current `Template`.\n if (this.template !== null) {\n this.symbols.set(reference, this.template);\n }\n }\n // Unused template visitors\n visitText(text) { }\n visitContent(content) { }\n visitTextAttribute(attribute) { }\n visitIcu(icu) {\n Object.keys(icu.vars).forEach(key => icu.vars[key].visit(this));\n Object.keys(icu.placeholders).forEach(key => icu.placeholders[key].visit(this));\n }\n // The remaining visitors are concerned with processing AST expressions within template bindings\n visitBoundAttribute(attribute) {\n attribute.value.visit(this);\n }\n visitBoundEvent(event) {\n event.handler.visit(this);\n }\n visitDeferredBlock(deferred) {\n this.deferBlocks.add(deferred);\n this.isInDeferBlock = true;\n deferred.children.forEach(this.visitNode);\n this.isInDeferBlock = false;\n deferred.triggers.forEach(this.visitNode);\n deferred.prefetchTriggers.forEach(this.visitNode);\n deferred.placeholder && this.visitNode(deferred.placeholder);\n deferred.loading && this.visitNode(deferred.loading);\n deferred.error && this.visitNode(deferred.error);\n }\n visitDeferredTrigger(trigger) {\n if (trigger instanceof BoundDeferredTrigger) {\n trigger.value.visit(this);\n }\n }\n visitDeferredBlockPlaceholder(block) {\n block.children.forEach(this.visitNode);\n }\n visitDeferredBlockError(block) {\n block.children.forEach(this.visitNode);\n }\n visitDeferredBlockLoading(block) {\n block.children.forEach(this.visitNode);\n }\n visitBoundText(text) {\n text.value.visit(this);\n }\n visitPipe(ast, context) {\n this.usedPipes.add(ast.name);\n if (!this.isInDeferBlock) {\n this.eagerPipes.add(ast.name);\n }\n return super.visitPipe(ast, context);\n }\n // These five types of AST expressions can refer to expression roots, which could be variables\n // or references in the current scope.\n visitPropertyRead(ast, context) {\n this.maybeMap(context, ast, ast.name);\n return super.visitPropertyRead(ast, context);\n }\n visitSafePropertyRead(ast, context) {\n this.maybeMap(context, ast, ast.name);\n return super.visitSafePropertyRead(ast, context);\n }\n visitPropertyWrite(ast, context) {\n this.maybeMap(context, ast, ast.name);\n return super.visitPropertyWrite(ast, context);\n }\n maybeMap(scope, ast, name) {\n // If the receiver of the expression isn't the `ImplicitReceiver`, this isn't the root of an\n // `AST` expression that maps to a `Variable` or `Reference`.\n if (!(ast.receiver instanceof ImplicitReceiver)) {\n return;\n }\n // Check whether the name exists in the current scope. If so, map it. Otherwise, the name is\n // probably a property on the top-level component context.\n let target = this.scope.lookup(name);\n if (target !== null) {\n this.bindings.set(ast, target);\n }\n }\n}\n/**\n * Metadata container for a `Target` that allows queries for specific bits of metadata.\n *\n * See `BoundTarget` for documentation on the individual methods.\n */\nclass R3BoundTarget {\n constructor(target, directives, eagerDirectives, bindings, references, exprTargets, symbols, nestingLevel, templateEntities, usedPipes, eagerPipes, deferredBlocks) {\n this.target = target;\n this.directives = directives;\n this.eagerDirectives = eagerDirectives;\n this.bindings = bindings;\n this.references = references;\n this.exprTargets = exprTargets;\n this.symbols = symbols;\n this.nestingLevel = nestingLevel;\n this.templateEntities = templateEntities;\n this.usedPipes = usedPipes;\n this.eagerPipes = eagerPipes;\n this.deferredBlocks = deferredBlocks;\n }\n getEntitiesInTemplateScope(template) {\n return this.templateEntities.get(template) ?? new Set();\n }\n getDirectivesOfNode(node) {\n return this.directives.get(node) || null;\n }\n getReferenceTarget(ref) {\n return this.references.get(ref) || null;\n }\n getConsumerOfBinding(binding) {\n return this.bindings.get(binding) || null;\n }\n getExpressionTarget(expr) {\n return this.exprTargets.get(expr) || null;\n }\n getTemplateOfSymbol(symbol) {\n return this.symbols.get(symbol) || null;\n }\n getNestingLevel(template) {\n return this.nestingLevel.get(template) || 0;\n }\n getUsedDirectives() {\n const set = new Set();\n this.directives.forEach(dirs => dirs.forEach(dir => set.add(dir)));\n return Array.from(set.values());\n }\n getEagerlyUsedDirectives() {\n const set = new Set(this.eagerDirectives);\n return Array.from(set.values());\n }\n getUsedPipes() {\n return Array.from(this.usedPipes);\n }\n getEagerlyUsedPipes() {\n return Array.from(this.eagerPipes);\n }\n getDeferBlocks() {\n return Array.from(this.deferredBlocks);\n }\n}\nfunction extractTemplateEntities(rootScope) {\n const entityMap = new Map();\n function extractScopeEntities(scope) {\n if (entityMap.has(scope.template)) {\n return entityMap.get(scope.template);\n }\n const currentEntities = scope.namedEntities;\n let templateEntities;\n if (scope.parentScope !== null) {\n templateEntities = new Map([...extractScopeEntities(scope.parentScope), ...currentEntities]);\n }\n else {\n templateEntities = new Map(currentEntities);\n }\n entityMap.set(scope.template, templateEntities);\n return templateEntities;\n }\n const scopesToProcess = [rootScope];\n while (scopesToProcess.length > 0) {\n const scope = scopesToProcess.pop();\n for (const childScope of scope.childScopes.values()) {\n scopesToProcess.push(childScope);\n }\n extractScopeEntities(scope);\n }\n const templateEntities = new Map();\n for (const [template, entities] of entityMap) {\n templateEntities.set(template, new Set(entities.values()));\n }\n return templateEntities;\n}\n\nfunction compileClassMetadata(metadata) {\n // Generate an ngDevMode guarded call to setClassMetadata with the class identifier and its\n // metadata.\n const fnCall = importExpr(Identifiers.setClassMetadata).callFn([\n metadata.type,\n metadata.decorators,\n metadata.ctorParameters ?? literal(null),\n metadata.propDecorators ?? literal(null),\n ]);\n const iife = fn([], [devOnlyGuardedExpression(fnCall).toStmt()]);\n return iife.callFn([]);\n}\n\n/**\n * Every time we make a breaking change to the declaration interface or partial-linker behavior, we\n * must update this constant to prevent old partial-linkers from incorrectly processing the\n * declaration.\n *\n * Do not include any prerelease in these versions as they are ignored.\n */\nconst MINIMUM_PARTIAL_LINKER_VERSION$6 = '12.0.0';\nfunction compileDeclareClassMetadata(metadata) {\n const definitionMap = new DefinitionMap();\n definitionMap.set('minVersion', literal(MINIMUM_PARTIAL_LINKER_VERSION$6));\n definitionMap.set('version', literal('16.2.12'));\n definitionMap.set('ngImport', importExpr(Identifiers.core));\n definitionMap.set('type', metadata.type);\n definitionMap.set('decorators', metadata.decorators);\n definitionMap.set('ctorParameters', metadata.ctorParameters);\n definitionMap.set('propDecorators', metadata.propDecorators);\n return importExpr(Identifiers.declareClassMetadata).callFn([definitionMap.toLiteralMap()]);\n}\n\n/**\n * Creates an array literal expression from the given array, mapping all values to an expression\n * using the provided mapping function. If the array is empty or null, then null is returned.\n *\n * @param values The array to transfer into literal array expression.\n * @param mapper The logic to use for creating an expression for the array's values.\n * @returns An array literal expression representing `values`, or null if `values` is empty or\n * is itself null.\n */\nfunction toOptionalLiteralArray(values, mapper) {\n if (values === null || values.length === 0) {\n return null;\n }\n return literalArr(values.map(value => mapper(value)));\n}\n/**\n * Creates an object literal expression from the given object, mapping all values to an expression\n * using the provided mapping function. If the object has no keys, then null is returned.\n *\n * @param object The object to transfer into an object literal expression.\n * @param mapper The logic to use for creating an expression for the object's values.\n * @returns An object literal expression representing `object`, or null if `object` does not have\n * any keys.\n */\nfunction toOptionalLiteralMap(object, mapper) {\n const entries = Object.keys(object).map(key => {\n const value = object[key];\n return { key, value: mapper(value), quoted: true };\n });\n if (entries.length > 0) {\n return literalMap(entries);\n }\n else {\n return null;\n }\n}\nfunction compileDependencies(deps) {\n if (deps === 'invalid') {\n // The `deps` can be set to the string \"invalid\" by the `unwrapConstructorDependencies()`\n // function, which tries to convert `ConstructorDeps` into `R3DependencyMetadata[]`.\n return literal('invalid');\n }\n else if (deps === null) {\n return literal(null);\n }\n else {\n return literalArr(deps.map(compileDependency));\n }\n}\nfunction compileDependency(dep) {\n const depMeta = new DefinitionMap();\n depMeta.set('token', dep.token);\n if (dep.attributeNameType !== null) {\n depMeta.set('attribute', literal(true));\n }\n if (dep.host) {\n depMeta.set('host', literal(true));\n }\n if (dep.optional) {\n depMeta.set('optional', literal(true));\n }\n if (dep.self) {\n depMeta.set('self', literal(true));\n }\n if (dep.skipSelf) {\n depMeta.set('skipSelf', literal(true));\n }\n return depMeta.toLiteralMap();\n}\n\n/**\n * Every time we make a breaking change to the declaration interface or partial-linker behavior, we\n * must update this constant to prevent old partial-linkers from incorrectly processing the\n * declaration.\n *\n * Do not include any prerelease in these versions as they are ignored.\n */\nconst MINIMUM_PARTIAL_LINKER_VERSION$5 = '16.1.0';\n/**\n * Compile a directive declaration defined by the `R3DirectiveMetadata`.\n */\nfunction compileDeclareDirectiveFromMetadata(meta) {\n const definitionMap = createDirectiveDefinitionMap(meta);\n const expression = importExpr(Identifiers.declareDirective).callFn([definitionMap.toLiteralMap()]);\n const type = createDirectiveType(meta);\n return { expression, type, statements: [] };\n}\n/**\n * Gathers the declaration fields for a directive into a `DefinitionMap`. This allows for reusing\n * this logic for components, as they extend the directive metadata.\n */\nfunction createDirectiveDefinitionMap(meta) {\n const definitionMap = new DefinitionMap();\n const hasTransformFunctions = Object.values(meta.inputs).some(input => input.transformFunction !== null);\n // Note: in order to allow consuming Angular libraries that have been compiled with 16.1+ in\n // Angular 16.0, we only force a minimum version of 16.1 if input transform feature as introduced\n // in 16.1 is actually used.\n const minVersion = hasTransformFunctions ? MINIMUM_PARTIAL_LINKER_VERSION$5 : '14.0.0';\n definitionMap.set('minVersion', literal(minVersion));\n definitionMap.set('version', literal('16.2.12'));\n // e.g. `type: MyDirective`\n definitionMap.set('type', meta.type.value);\n if (meta.isStandalone) {\n definitionMap.set('isStandalone', literal(meta.isStandalone));\n }\n if (meta.isSignal) {\n definitionMap.set('isSignal', literal(meta.isSignal));\n }\n // e.g. `selector: 'some-dir'`\n if (meta.selector !== null) {\n definitionMap.set('selector', literal(meta.selector));\n }\n definitionMap.set('inputs', conditionallyCreateDirectiveBindingLiteral(meta.inputs, true));\n definitionMap.set('outputs', conditionallyCreateDirectiveBindingLiteral(meta.outputs));\n definitionMap.set('host', compileHostMetadata(meta.host));\n definitionMap.set('providers', meta.providers);\n if (meta.queries.length > 0) {\n definitionMap.set('queries', literalArr(meta.queries.map(compileQuery)));\n }\n if (meta.viewQueries.length > 0) {\n definitionMap.set('viewQueries', literalArr(meta.viewQueries.map(compileQuery)));\n }\n if (meta.exportAs !== null) {\n definitionMap.set('exportAs', asLiteral(meta.exportAs));\n }\n if (meta.usesInheritance) {\n definitionMap.set('usesInheritance', literal(true));\n }\n if (meta.lifecycle.usesOnChanges) {\n definitionMap.set('usesOnChanges', literal(true));\n }\n if (meta.hostDirectives?.length) {\n definitionMap.set('hostDirectives', createHostDirectives(meta.hostDirectives));\n }\n definitionMap.set('ngImport', importExpr(Identifiers.core));\n return definitionMap;\n}\n/**\n * Compiles the metadata of a single query into its partial declaration form as declared\n * by `R3DeclareQueryMetadata`.\n */\nfunction compileQuery(query) {\n const meta = new DefinitionMap();\n meta.set('propertyName', literal(query.propertyName));\n if (query.first) {\n meta.set('first', literal(true));\n }\n meta.set('predicate', Array.isArray(query.predicate) ? asLiteral(query.predicate) :\n convertFromMaybeForwardRefExpression(query.predicate));\n if (!query.emitDistinctChangesOnly) {\n // `emitDistinctChangesOnly` is special because we expect it to be `true`.\n // Therefore we explicitly emit the field, and explicitly place it only when it's `false`.\n meta.set('emitDistinctChangesOnly', literal(false));\n }\n else {\n // The linker will assume that an absent `emitDistinctChangesOnly` flag is by default `true`.\n }\n if (query.descendants) {\n meta.set('descendants', literal(true));\n }\n meta.set('read', query.read);\n if (query.static) {\n meta.set('static', literal(true));\n }\n return meta.toLiteralMap();\n}\n/**\n * Compiles the host metadata into its partial declaration form as declared\n * in `R3DeclareDirectiveMetadata['host']`\n */\nfunction compileHostMetadata(meta) {\n const hostMetadata = new DefinitionMap();\n hostMetadata.set('attributes', toOptionalLiteralMap(meta.attributes, expression => expression));\n hostMetadata.set('listeners', toOptionalLiteralMap(meta.listeners, literal));\n hostMetadata.set('properties', toOptionalLiteralMap(meta.properties, literal));\n if (meta.specialAttributes.styleAttr) {\n hostMetadata.set('styleAttribute', literal(meta.specialAttributes.styleAttr));\n }\n if (meta.specialAttributes.classAttr) {\n hostMetadata.set('classAttribute', literal(meta.specialAttributes.classAttr));\n }\n if (hostMetadata.values.length > 0) {\n return hostMetadata.toLiteralMap();\n }\n else {\n return null;\n }\n}\nfunction createHostDirectives(hostDirectives) {\n const expressions = hostDirectives.map(current => {\n const keys = [{\n key: 'directive',\n value: current.isForwardReference ? generateForwardRef(current.directive.type) :\n current.directive.type,\n quoted: false\n }];\n const inputsLiteral = current.inputs ? createHostDirectivesMappingArray(current.inputs) : null;\n const outputsLiteral = current.outputs ? createHostDirectivesMappingArray(current.outputs) : null;\n if (inputsLiteral) {\n keys.push({ key: 'inputs', value: inputsLiteral, quoted: false });\n }\n if (outputsLiteral) {\n keys.push({ key: 'outputs', value: outputsLiteral, quoted: false });\n }\n return literalMap(keys);\n });\n // If there's a forward reference, we generate a `function() { return [{directive: HostDir}] }`,\n // otherwise we can save some bytes by using a plain array, e.g. `[{directive: HostDir}]`.\n return literalArr(expressions);\n}\n\n/**\n * Compile a component declaration defined by the `R3ComponentMetadata`.\n */\nfunction compileDeclareComponentFromMetadata(meta, template, additionalTemplateInfo) {\n const definitionMap = createComponentDefinitionMap(meta, template, additionalTemplateInfo);\n const expression = importExpr(Identifiers.declareComponent).callFn([definitionMap.toLiteralMap()]);\n const type = createComponentType(meta);\n return { expression, type, statements: [] };\n}\n/**\n * Gathers the declaration fields for a component into a `DefinitionMap`.\n */\nfunction createComponentDefinitionMap(meta, template, templateInfo) {\n const definitionMap = createDirectiveDefinitionMap(meta);\n definitionMap.set('template', getTemplateExpression(template, templateInfo));\n if (templateInfo.isInline) {\n definitionMap.set('isInline', literal(true));\n }\n definitionMap.set('styles', toOptionalLiteralArray(meta.styles, literal));\n definitionMap.set('dependencies', compileUsedDependenciesMetadata(meta));\n definitionMap.set('viewProviders', meta.viewProviders);\n definitionMap.set('animations', meta.animations);\n if (meta.changeDetection !== undefined) {\n definitionMap.set('changeDetection', importExpr(Identifiers.ChangeDetectionStrategy)\n .prop(ChangeDetectionStrategy[meta.changeDetection]));\n }\n if (meta.encapsulation !== ViewEncapsulation.Emulated) {\n definitionMap.set('encapsulation', importExpr(Identifiers.ViewEncapsulation).prop(ViewEncapsulation[meta.encapsulation]));\n }\n if (meta.interpolation !== DEFAULT_INTERPOLATION_CONFIG) {\n definitionMap.set('interpolation', literalArr([literal(meta.interpolation.start), literal(meta.interpolation.end)]));\n }\n if (template.preserveWhitespaces === true) {\n definitionMap.set('preserveWhitespaces', literal(true));\n }\n return definitionMap;\n}\nfunction getTemplateExpression(template, templateInfo) {\n // If the template has been defined using a direct literal, we use that expression directly\n // without any modifications. This is ensures proper source mapping from the partially\n // compiled code to the source file declaring the template. Note that this does not capture\n // template literals referenced indirectly through an identifier.\n if (templateInfo.inlineTemplateLiteralExpression !== null) {\n return templateInfo.inlineTemplateLiteralExpression;\n }\n // If the template is defined inline but not through a literal, the template has been resolved\n // through static interpretation. We create a literal but cannot provide any source span. Note\n // that we cannot use the expression defining the template because the linker expects the template\n // to be defined as a literal in the declaration.\n if (templateInfo.isInline) {\n return literal(templateInfo.content, null, null);\n }\n // The template is external so we must synthesize an expression node with\n // the appropriate source-span.\n const contents = templateInfo.content;\n const file = new ParseSourceFile(contents, templateInfo.sourceUrl);\n const start = new ParseLocation(file, 0, 0, 0);\n const end = computeEndLocation(file, contents);\n const span = new ParseSourceSpan(start, end);\n return literal(contents, null, span);\n}\nfunction computeEndLocation(file, contents) {\n const length = contents.length;\n let lineStart = 0;\n let lastLineStart = 0;\n let line = 0;\n do {\n lineStart = contents.indexOf('\\n', lastLineStart);\n if (lineStart !== -1) {\n lastLineStart = lineStart + 1;\n line++;\n }\n } while (lineStart !== -1);\n return new ParseLocation(file, length, line, length - lastLineStart);\n}\nfunction compileUsedDependenciesMetadata(meta) {\n const wrapType = meta.declarationListEmitMode !== 0 /* DeclarationListEmitMode.Direct */ ?\n generateForwardRef :\n (expr) => expr;\n return toOptionalLiteralArray(meta.declarations, decl => {\n switch (decl.kind) {\n case R3TemplateDependencyKind.Directive:\n const dirMeta = new DefinitionMap();\n dirMeta.set('kind', literal(decl.isComponent ? 'component' : 'directive'));\n dirMeta.set('type', wrapType(decl.type));\n dirMeta.set('selector', literal(decl.selector));\n dirMeta.set('inputs', toOptionalLiteralArray(decl.inputs, literal));\n dirMeta.set('outputs', toOptionalLiteralArray(decl.outputs, literal));\n dirMeta.set('exportAs', toOptionalLiteralArray(decl.exportAs, literal));\n return dirMeta.toLiteralMap();\n case R3TemplateDependencyKind.Pipe:\n const pipeMeta = new DefinitionMap();\n pipeMeta.set('kind', literal('pipe'));\n pipeMeta.set('type', wrapType(decl.type));\n pipeMeta.set('name', literal(decl.name));\n return pipeMeta.toLiteralMap();\n case R3TemplateDependencyKind.NgModule:\n const ngModuleMeta = new DefinitionMap();\n ngModuleMeta.set('kind', literal('ngmodule'));\n ngModuleMeta.set('type', wrapType(decl.type));\n return ngModuleMeta.toLiteralMap();\n }\n });\n}\n\n/**\n * Every time we make a breaking change to the declaration interface or partial-linker behavior, we\n * must update this constant to prevent old partial-linkers from incorrectly processing the\n * declaration.\n *\n * Do not include any prerelease in these versions as they are ignored.\n */\nconst MINIMUM_PARTIAL_LINKER_VERSION$4 = '12.0.0';\nfunction compileDeclareFactoryFunction(meta) {\n const definitionMap = new DefinitionMap();\n definitionMap.set('minVersion', literal(MINIMUM_PARTIAL_LINKER_VERSION$4));\n definitionMap.set('version', literal('16.2.12'));\n definitionMap.set('ngImport', importExpr(Identifiers.core));\n definitionMap.set('type', meta.type.value);\n definitionMap.set('deps', compileDependencies(meta.deps));\n definitionMap.set('target', importExpr(Identifiers.FactoryTarget).prop(FactoryTarget$1[meta.target]));\n return {\n expression: importExpr(Identifiers.declareFactory).callFn([definitionMap.toLiteralMap()]),\n statements: [],\n type: createFactoryType(meta),\n };\n}\n\n/**\n * Every time we make a breaking change to the declaration interface or partial-linker behavior, we\n * must update this constant to prevent old partial-linkers from incorrectly processing the\n * declaration.\n *\n * Do not include any prerelease in these versions as they are ignored.\n */\nconst MINIMUM_PARTIAL_LINKER_VERSION$3 = '12.0.0';\n/**\n * Compile a Injectable declaration defined by the `R3InjectableMetadata`.\n */\nfunction compileDeclareInjectableFromMetadata(meta) {\n const definitionMap = createInjectableDefinitionMap(meta);\n const expression = importExpr(Identifiers.declareInjectable).callFn([definitionMap.toLiteralMap()]);\n const type = createInjectableType(meta);\n return { expression, type, statements: [] };\n}\n/**\n * Gathers the declaration fields for a Injectable into a `DefinitionMap`.\n */\nfunction createInjectableDefinitionMap(meta) {\n const definitionMap = new DefinitionMap();\n definitionMap.set('minVersion', literal(MINIMUM_PARTIAL_LINKER_VERSION$3));\n definitionMap.set('version', literal('16.2.12'));\n definitionMap.set('ngImport', importExpr(Identifiers.core));\n definitionMap.set('type', meta.type.value);\n // Only generate providedIn property if it has a non-null value\n if (meta.providedIn !== undefined) {\n const providedIn = convertFromMaybeForwardRefExpression(meta.providedIn);\n if (providedIn.value !== null) {\n definitionMap.set('providedIn', providedIn);\n }\n }\n if (meta.useClass !== undefined) {\n definitionMap.set('useClass', convertFromMaybeForwardRefExpression(meta.useClass));\n }\n if (meta.useExisting !== undefined) {\n definitionMap.set('useExisting', convertFromMaybeForwardRefExpression(meta.useExisting));\n }\n if (meta.useValue !== undefined) {\n definitionMap.set('useValue', convertFromMaybeForwardRefExpression(meta.useValue));\n }\n // Factories do not contain `ForwardRef`s since any types are already wrapped in a function call\n // so the types will not be eagerly evaluated. Therefore we do not need to process this expression\n // with `convertFromProviderExpression()`.\n if (meta.useFactory !== undefined) {\n definitionMap.set('useFactory', meta.useFactory);\n }\n if (meta.deps !== undefined) {\n definitionMap.set('deps', literalArr(meta.deps.map(compileDependency)));\n }\n return definitionMap;\n}\n\n/**\n * Every time we make a breaking change to the declaration interface or partial-linker behavior, we\n * must update this constant to prevent old partial-linkers from incorrectly processing the\n * declaration.\n *\n * Do not include any prerelease in these versions as they are ignored.\n */\nconst MINIMUM_PARTIAL_LINKER_VERSION$2 = '12.0.0';\nfunction compileDeclareInjectorFromMetadata(meta) {\n const definitionMap = createInjectorDefinitionMap(meta);\n const expression = importExpr(Identifiers.declareInjector).callFn([definitionMap.toLiteralMap()]);\n const type = createInjectorType(meta);\n return { expression, type, statements: [] };\n}\n/**\n * Gathers the declaration fields for an Injector into a `DefinitionMap`.\n */\nfunction createInjectorDefinitionMap(meta) {\n const definitionMap = new DefinitionMap();\n definitionMap.set('minVersion', literal(MINIMUM_PARTIAL_LINKER_VERSION$2));\n definitionMap.set('version', literal('16.2.12'));\n definitionMap.set('ngImport', importExpr(Identifiers.core));\n definitionMap.set('type', meta.type.value);\n definitionMap.set('providers', meta.providers);\n if (meta.imports.length > 0) {\n definitionMap.set('imports', literalArr(meta.imports));\n }\n return definitionMap;\n}\n\n/**\n * Every time we make a breaking change to the declaration interface or partial-linker behavior, we\n * must update this constant to prevent old partial-linkers from incorrectly processing the\n * declaration.\n *\n * Do not include any prerelease in these versions as they are ignored.\n */\nconst MINIMUM_PARTIAL_LINKER_VERSION$1 = '14.0.0';\nfunction compileDeclareNgModuleFromMetadata(meta) {\n const definitionMap = createNgModuleDefinitionMap(meta);\n const expression = importExpr(Identifiers.declareNgModule).callFn([definitionMap.toLiteralMap()]);\n const type = createNgModuleType(meta);\n return { expression, type, statements: [] };\n}\n/**\n * Gathers the declaration fields for an NgModule into a `DefinitionMap`.\n */\nfunction createNgModuleDefinitionMap(meta) {\n const definitionMap = new DefinitionMap();\n if (meta.kind === R3NgModuleMetadataKind.Local) {\n throw new Error('Invalid path! Local compilation mode should not get into the partial compilation path');\n }\n definitionMap.set('minVersion', literal(MINIMUM_PARTIAL_LINKER_VERSION$1));\n definitionMap.set('version', literal('16.2.12'));\n definitionMap.set('ngImport', importExpr(Identifiers.core));\n definitionMap.set('type', meta.type.value);\n // We only generate the keys in the metadata if the arrays contain values.\n // We must wrap the arrays inside a function if any of the values are a forward reference to a\n // not-yet-declared class. This is to support JIT execution of the `ɵɵngDeclareNgModule()` call.\n // In the linker these wrappers are stripped and then reapplied for the `ɵɵdefineNgModule()` call.\n if (meta.bootstrap.length > 0) {\n definitionMap.set('bootstrap', refsToArray(meta.bootstrap, meta.containsForwardDecls));\n }\n if (meta.declarations.length > 0) {\n definitionMap.set('declarations', refsToArray(meta.declarations, meta.containsForwardDecls));\n }\n if (meta.imports.length > 0) {\n definitionMap.set('imports', refsToArray(meta.imports, meta.containsForwardDecls));\n }\n if (meta.exports.length > 0) {\n definitionMap.set('exports', refsToArray(meta.exports, meta.containsForwardDecls));\n }\n if (meta.schemas !== null && meta.schemas.length > 0) {\n definitionMap.set('schemas', literalArr(meta.schemas.map(ref => ref.value)));\n }\n if (meta.id !== null) {\n definitionMap.set('id', meta.id);\n }\n return definitionMap;\n}\n\n/**\n * Every time we make a breaking change to the declaration interface or partial-linker behavior, we\n * must update this constant to prevent old partial-linkers from incorrectly processing the\n * declaration.\n *\n * Do not include any prerelease in these versions as they are ignored.\n */\nconst MINIMUM_PARTIAL_LINKER_VERSION = '14.0.0';\n/**\n * Compile a Pipe declaration defined by the `R3PipeMetadata`.\n */\nfunction compileDeclarePipeFromMetadata(meta) {\n const definitionMap = createPipeDefinitionMap(meta);\n const expression = importExpr(Identifiers.declarePipe).callFn([definitionMap.toLiteralMap()]);\n const type = createPipeType(meta);\n return { expression, type, statements: [] };\n}\n/**\n * Gathers the declaration fields for a Pipe into a `DefinitionMap`.\n */\nfunction createPipeDefinitionMap(meta) {\n const definitionMap = new DefinitionMap();\n definitionMap.set('minVersion', literal(MINIMUM_PARTIAL_LINKER_VERSION));\n definitionMap.set('version', literal('16.2.12'));\n definitionMap.set('ngImport', importExpr(Identifiers.core));\n // e.g. `type: MyPipe`\n definitionMap.set('type', meta.type.value);\n if (meta.isStandalone) {\n definitionMap.set('isStandalone', literal(meta.isStandalone));\n }\n // e.g. `name: \"myPipe\"`\n definitionMap.set('name', literal(meta.pipeName));\n if (meta.pure === false) {\n // e.g. `pure: false`\n definitionMap.set('pure', literal(meta.pure));\n }\n return definitionMap;\n}\n\n//////////////////////////////////////\n// This file only reexports content of the `src` folder. Keep it that way.\n// This function call has a global side effects and publishes the compiler into global namespace for\n// the late binding of the Compiler to the @angular/core for jit compilation.\npublishFacade(_global);\n\n/**\n * @module\n * @description\n * Entry point for all public APIs of this package.\n */\n// This file only reexports content of the `src` folder. Keep it that way.\n\n// This file is not used to build this module. It is only used during editing\n\n// This file is not used to build this module. It is only used during editing\n\nexport { AST, ASTWithName, ASTWithSource, AbsoluteSourceSpan, ArrayType, AstMemoryEfficientTransformer, AstTransformer, Attribute, Binary, BinaryOperator, BinaryOperatorExpr, BindingPipe, Block, BlockGroup, BlockParameter, BoundElementProperty, BuiltinType, BuiltinTypeName, CUSTOM_ELEMENTS_SCHEMA, Call, Chain, ChangeDetectionStrategy, CommaExpr, Comment, CompilerConfig, Conditional, ConditionalExpr, ConstantPool, CssSelector, DEFAULT_INTERPOLATION_CONFIG, DYNAMIC_TYPE, DeclareFunctionStmt, DeclareVarStmt, DomElementSchemaRegistry, DynamicImportExpr, EOF, Element, ElementSchemaRegistry, EmitterVisitorContext, EmptyExpr$1 as EmptyExpr, Expansion, ExpansionCase, Expression, ExpressionBinding, ExpressionStatement, ExpressionType, ExternalExpr, ExternalReference, FactoryTarget$1 as FactoryTarget, FunctionExpr, HtmlParser, HtmlTagDefinition, I18NHtmlParser, IfStmt, ImplicitReceiver, InstantiateExpr, Interpolation$1 as Interpolation, InterpolationConfig, InvokeFunctionExpr, JSDocComment, JitEvaluator, KeyedRead, KeyedWrite, LeadingComment, Lexer, LiteralArray, LiteralArrayExpr, LiteralExpr, LiteralMap, LiteralMapExpr, LiteralPrimitive, LocalizedString, MapType, MessageBundle, NONE_TYPE, NO_ERRORS_SCHEMA, NodeWithI18n, NonNullAssert, NotExpr, ParseError, ParseErrorLevel, ParseLocation, ParseSourceFile, ParseSourceSpan, ParseSpan, ParseTreeResult, ParsedEvent, ParsedProperty, ParsedPropertyType, ParsedVariable, Parser$1 as Parser, ParserError, PrefixNot, PropertyRead, PropertyWrite, R3BoundTarget, Identifiers as R3Identifiers, R3NgModuleMetadataKind, R3SelectorScopeMode, R3TargetBinder, R3TemplateDependencyKind, ReadKeyExpr, ReadPropExpr, ReadVarExpr, RecursiveAstVisitor, RecursiveVisitor, ResourceLoader, ReturnStatement, STRING_TYPE, SafeCall, SafeKeyedRead, SafePropertyRead, SelectorContext, SelectorListContext, SelectorMatcher, Serializer, SplitInterpolation, Statement, StmtModifier, TagContentType, TaggedTemplateExpr, TemplateBindingParseResult, TemplateLiteral, TemplateLiteralElement, Text, ThisReceiver, BoundAttribute as TmplAstBoundAttribute, BoundDeferredTrigger as TmplAstBoundDeferredTrigger, BoundEvent as TmplAstBoundEvent, BoundText as TmplAstBoundText, Content as TmplAstContent, DeferredBlock as TmplAstDeferredBlock, DeferredBlockError as TmplAstDeferredBlockError, DeferredBlockLoading as TmplAstDeferredBlockLoading, DeferredBlockPlaceholder as TmplAstDeferredBlockPlaceholder, DeferredTrigger as TmplAstDeferredTrigger, Element$1 as TmplAstElement, HoverDeferredTrigger as TmplAstHoverDeferredTrigger, Icu$1 as TmplAstIcu, IdleDeferredTrigger as TmplAstIdleDeferredTrigger, ImmediateDeferredTrigger as TmplAstImmediateDeferredTrigger, InteractionDeferredTrigger as TmplAstInteractionDeferredTrigger, RecursiveVisitor$1 as TmplAstRecursiveVisitor, Reference as TmplAstReference, Template as TmplAstTemplate, Text$3 as TmplAstText, TextAttribute as TmplAstTextAttribute, TimerDeferredTrigger as TmplAstTimerDeferredTrigger, Variable as TmplAstVariable, ViewportDeferredTrigger as TmplAstViewportDeferredTrigger, Token, TokenType, TransplantedType, TreeError, Type, TypeModifier, TypeofExpr, Unary, UnaryOperator, UnaryOperatorExpr, VERSION, VariableBinding, Version, ViewEncapsulation, WrappedNodeExpr, WriteKeyExpr, WritePropExpr, WriteVarExpr, Xliff, Xliff2, Xmb, XmlParser, Xtb, _ParseAST, compileClassMetadata, compileComponentFromMetadata, compileDeclareClassMetadata, compileDeclareComponentFromMetadata, compileDeclareDirectiveFromMetadata, compileDeclareFactoryFunction, compileDeclareInjectableFromMetadata, compileDeclareInjectorFromMetadata, compileDeclareNgModuleFromMetadata, compileDeclarePipeFromMetadata, compileDirectiveFromMetadata, compileFactoryFunction, compileInjectable, compileInjector, compileNgModule, compilePipeFromMetadata, computeMsgId, core, createInjectableType, createMayBeForwardRefExpression, devOnlyGuardedExpression, emitDistinctChangesOnlyDefaultValue, getHtmlTagDefinition, getNsPrefix, getSafePropertyAccessString, identifierName, isIdentifier, isNgContainer, isNgContent, isNgTemplate, jsDocComment, leadingComment, literalMap, makeBindingParser, mergeNsAndName, output_ast as outputAst, parseHostBindings, parseTemplate, preserveWhitespacesDefault, publishFacade, r3JitTypeSourceSpan, sanitizeIdentifier, splitNsName, verifyHostBindings, visitAll };\n"],"mappings":"AAAA;AACA;AACA;AACA;AACA;;AAEA,MAAMA,gBAAgB,GAAG,IAAIC,MAAM,CAAC,cAAc;AAAG;AACjD,uBAAuB;AAAG;AAC1B;AACA;AACA,4DAA4D;AAAG;AAC/D;AACA;AACA,QAAQ;AAAG;AACX,aAAa;AAAE;AACnB,GAAG,CAAC;AACJ;AACA;AACA;AACA;AACA;AACA,MAAMC,WAAW,CAAC;EACdC,WAAWA,CAAA,EAAG;IACV,IAAI,CAACC,OAAO,GAAG,IAAI;IACnB,IAAI,CAACC,UAAU,GAAG,EAAE;IACpB;AACR;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;IACQ,IAAI,CAACC,KAAK,GAAG,EAAE;IACf,IAAI,CAACC,YAAY,GAAG,EAAE;EAC1B;EACA,OAAOC,KAAKA,CAACC,QAAQ,EAAE;IACnB,MAAMC,OAAO,GAAG,EAAE;IAClB,MAAMC,UAAU,GAAGA,CAACC,GAAG,EAAEC,MAAM,KAAK;MAChC,IAAIA,MAAM,CAACN,YAAY,CAACO,MAAM,GAAG,CAAC,IAAI,CAACD,MAAM,CAACT,OAAO,IAAIS,MAAM,CAACR,UAAU,CAACS,MAAM,IAAI,CAAC,IAClFD,MAAM,CAACP,KAAK,CAACQ,MAAM,IAAI,CAAC,EAAE;QAC1BD,MAAM,CAACT,OAAO,GAAG,GAAG;MACxB;MACAQ,GAAG,CAACG,IAAI,CAACF,MAAM,CAAC;IACpB,CAAC;IACD,IAAIG,WAAW,GAAG,IAAId,WAAW,CAAC,CAAC;IACnC,IAAIe,KAAK;IACT,IAAIC,OAAO,GAAGF,WAAW;IACzB,IAAIG,KAAK,GAAG,KAAK;IACjBnB,gBAAgB,CAACoB,SAAS,GAAG,CAAC;IAC9B,OAAOH,KAAK,GAAGjB,gBAAgB,CAACqB,IAAI,CAACZ,QAAQ,CAAC,EAAE;MAC5C,IAAIQ,KAAK,CAAC,CAAC,CAAC,yBAAyB,EAAE;QACnC,IAAIE,KAAK,EAAE;UACP,MAAM,IAAIG,KAAK,CAAC,2CAA2C,CAAC;QAChE;QACAH,KAAK,GAAG,IAAI;QACZD,OAAO,GAAG,IAAIhB,WAAW,CAAC,CAAC;QAC3Bc,WAAW,CAACT,YAAY,CAACQ,IAAI,CAACG,OAAO,CAAC;MAC1C;MACA,MAAMK,GAAG,GAAGN,KAAK,CAAC,CAAC,CAAC,yBAAyB;MAC7C,IAAIM,GAAG,EAAE;QACL,MAAMC,MAAM,GAAGP,KAAK,CAAC,CAAC,CAAC,4BAA4B;QACnD,IAAIO,MAAM,KAAK,GAAG,EAAE;UAChB;UACAN,OAAO,CAACO,YAAY,CAAC,IAAI,EAAEF,GAAG,CAACG,KAAK,CAAC,CAAC,CAAC,CAAC;QAC5C,CAAC,MACI,IAAIF,MAAM,KAAK,GAAG,EAAE;UACrB;UACAN,OAAO,CAACS,YAAY,CAACJ,GAAG,CAACG,KAAK,CAAC,CAAC,CAAC,CAAC;QACtC,CAAC,MACI;UACD;UACAR,OAAO,CAACU,UAAU,CAACL,GAAG,CAAC;QAC3B;MACJ;MACA,MAAMM,SAAS,GAAGZ,KAAK,CAAC,CAAC,CAAC,+BAA+B;MACzD,IAAIY,SAAS,EAAE;QACXX,OAAO,CAACO,YAAY,CAACP,OAAO,CAACY,iBAAiB,CAACD,SAAS,CAAC,EAAEZ,KAAK,CAAC,CAAC,CAAC,qCAAqC,CAAC;MAC7G;MACA,IAAIA,KAAK,CAAC,CAAC,CAAC,6BAA6B,EAAE;QACvCE,KAAK,GAAG,KAAK;QACbD,OAAO,GAAGF,WAAW;MACzB;MACA,IAAIC,KAAK,CAAC,CAAC,CAAC,+BAA+B,EAAE;QACzC,IAAIE,KAAK,EAAE;UACP,MAAM,IAAIG,KAAK,CAAC,8CAA8C,CAAC;QACnE;QACAX,UAAU,CAACD,OAAO,EAAEM,WAAW,CAAC;QAChCA,WAAW,GAAGE,OAAO,GAAG,IAAIhB,WAAW,CAAC,CAAC;MAC7C;IACJ;IACAS,UAAU,CAACD,OAAO,EAAEM,WAAW,CAAC;IAChC,OAAON,OAAO;EAClB;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIoB,iBAAiBA,CAACC,IAAI,EAAE;IACpB,IAAIC,MAAM,GAAG,EAAE;IACf,IAAIC,QAAQ,GAAG,KAAK;IACpB,KAAK,IAAIC,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGH,IAAI,CAACjB,MAAM,EAAEoB,CAAC,EAAE,EAAE;MAClC,MAAMC,IAAI,GAAGJ,IAAI,CAACK,MAAM,CAACF,CAAC,CAAC;MAC3B,IAAIC,IAAI,KAAK,IAAI,EAAE;QACfF,QAAQ,GAAG,IAAI;QACf;MACJ;MACA,IAAIE,IAAI,KAAK,GAAG,IAAI,CAACF,QAAQ,EAAE;QAC3B,MAAM,IAAIX,KAAK,CAAC,gCAAgCS,IAAI,KAAK,GACrD,2DAA2D,CAAC;MACpE;MACAE,QAAQ,GAAG,KAAK;MAChBD,MAAM,IAAIG,IAAI;IAClB;IACA,OAAOH,MAAM;EACjB;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIK,eAAeA,CAACN,IAAI,EAAE;IAClB,OAAOA,IAAI,CAACO,OAAO,CAAC,KAAK,EAAE,MAAM,CAAC,CAACA,OAAO,CAAC,KAAK,EAAE,KAAK,CAAC;EAC5D;EACAC,iBAAiBA,CAAA,EAAG;IAChB,OAAO,IAAI,CAACC,kBAAkB,CAAC,CAAC,IAAI,IAAI,CAACnC,UAAU,CAACS,MAAM,IAAI,CAAC,IAAI,IAAI,CAACR,KAAK,CAACQ,MAAM,IAAI,CAAC,IACrF,IAAI,CAACP,YAAY,CAACO,MAAM,KAAK,CAAC;EACtC;EACA0B,kBAAkBA,CAAA,EAAG;IACjB,OAAO,CAAC,CAAC,IAAI,CAACpC,OAAO;EACzB;EACAwB,UAAUA,CAACxB,OAAO,GAAG,IAAI,EAAE;IACvB,IAAI,CAACA,OAAO,GAAGA,OAAO;EAC1B;EACAqC,QAAQA,CAAA,EAAG;IACP,MAAMT,MAAM,GAAG,EAAE;IACjB,IAAI,IAAI,CAAC3B,UAAU,CAACS,MAAM,GAAG,CAAC,EAAE;MAC5BkB,MAAM,CAACjB,IAAI,CAAC,OAAO,EAAE,IAAI,CAACV,UAAU,CAACqC,IAAI,CAAC,GAAG,CAAC,CAAC;IACnD;IACA,OAAOV,MAAM,CAACW,MAAM,CAAC,IAAI,CAACrC,KAAK,CAAC;EACpC;EACAmB,YAAYA,CAACmB,IAAI,EAAEC,KAAK,GAAG,EAAE,EAAE;IAC3B,IAAI,CAACvC,KAAK,CAACS,IAAI,CAAC6B,IAAI,EAAEC,KAAK,IAAIA,KAAK,CAACC,WAAW,CAAC,CAAC,IAAI,EAAE,CAAC;EAC7D;EACAnB,YAAYA,CAACiB,IAAI,EAAE;IACf,IAAI,CAACvC,UAAU,CAACU,IAAI,CAAC6B,IAAI,CAACE,WAAW,CAAC,CAAC,CAAC;EAC5C;EACAC,QAAQA,CAAA,EAAG;IACP,IAAInC,GAAG,GAAG,IAAI,CAACR,OAAO,IAAI,EAAE;IAC5B,IAAI,IAAI,CAACC,UAAU,EAAE;MACjB,IAAI,CAACA,UAAU,CAAC2C,OAAO,CAACC,KAAK,IAAIrC,GAAG,IAAI,IAAIqC,KAAK,EAAE,CAAC;IACxD;IACA,IAAI,IAAI,CAAC3C,KAAK,EAAE;MACZ,KAAK,IAAI4B,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG,IAAI,CAAC5B,KAAK,CAACQ,MAAM,EAAEoB,CAAC,IAAI,CAAC,EAAE;QAC3C,MAAMU,IAAI,GAAG,IAAI,CAACP,eAAe,CAAC,IAAI,CAAC/B,KAAK,CAAC4B,CAAC,CAAC,CAAC;QAChD,MAAMW,KAAK,GAAG,IAAI,CAACvC,KAAK,CAAC4B,CAAC,GAAG,CAAC,CAAC;QAC/BtB,GAAG,IAAI,IAAIgC,IAAI,GAAGC,KAAK,GAAG,GAAG,GAAGA,KAAK,GAAG,EAAE,GAAG;MACjD;IACJ;IACA,IAAI,CAACtC,YAAY,CAACyC,OAAO,CAACE,WAAW,IAAItC,GAAG,IAAI,QAAQsC,WAAW,GAAG,CAAC;IACvE,OAAOtC,GAAG;EACd;AACJ;AACA;AACA;AACA;AACA;AACA,MAAMuC,eAAe,CAAC;EAClBhD,WAAWA,CAAA,EAAG;IACV,IAAI,CAACiD,WAAW,GAAG,IAAIC,GAAG,CAAC,CAAC;IAC5B,IAAI,CAACC,kBAAkB,GAAG,IAAID,GAAG,CAAC,CAAC;IACnC,IAAI,CAACE,SAAS,GAAG,IAAIF,GAAG,CAAC,CAAC;IAC1B,IAAI,CAACG,gBAAgB,GAAG,IAAIH,GAAG,CAAC,CAAC;IACjC,IAAI,CAACI,aAAa,GAAG,IAAIJ,GAAG,CAAC,CAAC;IAC9B,IAAI,CAACK,oBAAoB,GAAG,IAAIL,GAAG,CAAC,CAAC;IACrC,IAAI,CAACM,aAAa,GAAG,EAAE;EAC3B;EACA,OAAOC,gBAAgBA,CAACrD,YAAY,EAAE;IAClC,MAAMsD,UAAU,GAAG,IAAIV,eAAe,CAAC,CAAC;IACxCU,UAAU,CAACC,cAAc,CAACvD,YAAY,EAAE,IAAI,CAAC;IAC7C,OAAOsD,UAAU;EACrB;EACAC,cAAcA,CAACC,YAAY,EAAEC,YAAY,EAAE;IACvC,IAAIC,WAAW,GAAG,IAAI;IACtB,IAAIF,YAAY,CAACjD,MAAM,GAAG,CAAC,EAAE;MACzBmD,WAAW,GAAG,IAAIC,mBAAmB,CAACH,YAAY,CAAC;MACnD,IAAI,CAACJ,aAAa,CAAC5C,IAAI,CAACkD,WAAW,CAAC;IACxC;IACA,KAAK,IAAI/B,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG6B,YAAY,CAACjD,MAAM,EAAEoB,CAAC,EAAE,EAAE;MAC1C,IAAI,CAACiC,cAAc,CAACJ,YAAY,CAAC7B,CAAC,CAAC,EAAE8B,YAAY,EAAEC,WAAW,CAAC;IACnE;EACJ;EACA;AACJ;AACA;AACA;AACA;EACIE,cAAcA,CAACnD,WAAW,EAAEgD,YAAY,EAAEC,WAAW,EAAE;IACnD,IAAIG,OAAO,GAAG,IAAI;IAClB,MAAMhE,OAAO,GAAGY,WAAW,CAACZ,OAAO;IACnC,MAAMC,UAAU,GAAGW,WAAW,CAACX,UAAU;IACzC,MAAMC,KAAK,GAAGU,WAAW,CAACV,KAAK;IAC/B,MAAM+D,UAAU,GAAG,IAAIC,eAAe,CAACtD,WAAW,EAAEgD,YAAY,EAAEC,WAAW,CAAC;IAC9E,IAAI7D,OAAO,EAAE;MACT,MAAMmE,UAAU,GAAGjE,KAAK,CAACQ,MAAM,KAAK,CAAC,IAAIT,UAAU,CAACS,MAAM,KAAK,CAAC;MAChE,IAAIyD,UAAU,EAAE;QACZ,IAAI,CAACC,YAAY,CAACJ,OAAO,CAAChB,WAAW,EAAEhD,OAAO,EAAEiE,UAAU,CAAC;MAC/D,CAAC,MACI;QACDD,OAAO,GAAG,IAAI,CAACK,WAAW,CAACL,OAAO,CAACd,kBAAkB,EAAElD,OAAO,CAAC;MACnE;IACJ;IACA,IAAIC,UAAU,EAAE;MACZ,KAAK,IAAI6B,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG7B,UAAU,CAACS,MAAM,EAAEoB,CAAC,EAAE,EAAE;QACxC,MAAMqC,UAAU,GAAGjE,KAAK,CAACQ,MAAM,KAAK,CAAC,IAAIoB,CAAC,KAAK7B,UAAU,CAACS,MAAM,GAAG,CAAC;QACpE,MAAM4D,SAAS,GAAGrE,UAAU,CAAC6B,CAAC,CAAC;QAC/B,IAAIqC,UAAU,EAAE;UACZ,IAAI,CAACC,YAAY,CAACJ,OAAO,CAACb,SAAS,EAAEmB,SAAS,EAAEL,UAAU,CAAC;QAC/D,CAAC,MACI;UACDD,OAAO,GAAG,IAAI,CAACK,WAAW,CAACL,OAAO,CAACZ,gBAAgB,EAAEkB,SAAS,CAAC;QACnE;MACJ;IACJ;IACA,IAAIpE,KAAK,EAAE;MACP,KAAK,IAAI4B,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG5B,KAAK,CAACQ,MAAM,EAAEoB,CAAC,IAAI,CAAC,EAAE;QACtC,MAAMqC,UAAU,GAAGrC,CAAC,KAAK5B,KAAK,CAACQ,MAAM,GAAG,CAAC;QACzC,MAAM8B,IAAI,GAAGtC,KAAK,CAAC4B,CAAC,CAAC;QACrB,MAAMW,KAAK,GAAGvC,KAAK,CAAC4B,CAAC,GAAG,CAAC,CAAC;QAC1B,IAAIqC,UAAU,EAAE;UACZ,MAAMI,WAAW,GAAGP,OAAO,CAACX,aAAa;UACzC,IAAImB,iBAAiB,GAAGD,WAAW,CAACE,GAAG,CAACjC,IAAI,CAAC;UAC7C,IAAI,CAACgC,iBAAiB,EAAE;YACpBA,iBAAiB,GAAG,IAAIvB,GAAG,CAAC,CAAC;YAC7BsB,WAAW,CAACG,GAAG,CAAClC,IAAI,EAAEgC,iBAAiB,CAAC;UAC5C;UACA,IAAI,CAACJ,YAAY,CAACI,iBAAiB,EAAE/B,KAAK,EAAEwB,UAAU,CAAC;QAC3D,CAAC,MACI;UACD,MAAMU,UAAU,GAAGX,OAAO,CAACV,oBAAoB;UAC/C,IAAIsB,gBAAgB,GAAGD,UAAU,CAACF,GAAG,CAACjC,IAAI,CAAC;UAC3C,IAAI,CAACoC,gBAAgB,EAAE;YACnBA,gBAAgB,GAAG,IAAI3B,GAAG,CAAC,CAAC;YAC5B0B,UAAU,CAACD,GAAG,CAAClC,IAAI,EAAEoC,gBAAgB,CAAC;UAC1C;UACAZ,OAAO,GAAG,IAAI,CAACK,WAAW,CAACO,gBAAgB,EAAEnC,KAAK,CAAC;QACvD;MACJ;IACJ;EACJ;EACA2B,YAAYA,CAACS,GAAG,EAAErC,IAAI,EAAEyB,UAAU,EAAE;IAChC,IAAIa,YAAY,GAAGD,GAAG,CAACJ,GAAG,CAACjC,IAAI,CAAC;IAChC,IAAI,CAACsC,YAAY,EAAE;MACfA,YAAY,GAAG,EAAE;MACjBD,GAAG,CAACH,GAAG,CAAClC,IAAI,EAAEsC,YAAY,CAAC;IAC/B;IACAA,YAAY,CAACnE,IAAI,CAACsD,UAAU,CAAC;EACjC;EACAI,WAAWA,CAACQ,GAAG,EAAErC,IAAI,EAAE;IACnB,IAAIwB,OAAO,GAAGa,GAAG,CAACJ,GAAG,CAACjC,IAAI,CAAC;IAC3B,IAAI,CAACwB,OAAO,EAAE;MACVA,OAAO,GAAG,IAAIjB,eAAe,CAAC,CAAC;MAC/B8B,GAAG,CAACH,GAAG,CAAClC,IAAI,EAAEwB,OAAO,CAAC;IAC1B;IACA,OAAOA,OAAO;EAClB;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;EACInD,KAAKA,CAACD,WAAW,EAAEmE,eAAe,EAAE;IAChC,IAAInD,MAAM,GAAG,KAAK;IAClB,MAAM5B,OAAO,GAAGY,WAAW,CAACZ,OAAO;IACnC,MAAMC,UAAU,GAAGW,WAAW,CAACX,UAAU;IACzC,MAAMC,KAAK,GAAGU,WAAW,CAACV,KAAK;IAC/B,KAAK,IAAI4B,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG,IAAI,CAACyB,aAAa,CAAC7C,MAAM,EAAEoB,CAAC,EAAE,EAAE;MAChD,IAAI,CAACyB,aAAa,CAACzB,CAAC,CAAC,CAACkD,cAAc,GAAG,KAAK;IAChD;IACApD,MAAM,GAAG,IAAI,CAACqD,cAAc,CAAC,IAAI,CAACjC,WAAW,EAAEhD,OAAO,EAAEY,WAAW,EAAEmE,eAAe,CAAC,IAAInD,MAAM;IAC/FA,MAAM,GAAG,IAAI,CAACsD,aAAa,CAAC,IAAI,CAAChC,kBAAkB,EAAElD,OAAO,EAAEY,WAAW,EAAEmE,eAAe,CAAC,IACvFnD,MAAM;IACV,IAAI3B,UAAU,EAAE;MACZ,KAAK,IAAI6B,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG7B,UAAU,CAACS,MAAM,EAAEoB,CAAC,EAAE,EAAE;QACxC,MAAMwC,SAAS,GAAGrE,UAAU,CAAC6B,CAAC,CAAC;QAC/BF,MAAM,GACF,IAAI,CAACqD,cAAc,CAAC,IAAI,CAAC9B,SAAS,EAAEmB,SAAS,EAAE1D,WAAW,EAAEmE,eAAe,CAAC,IAAInD,MAAM;QAC1FA,MAAM,GACF,IAAI,CAACsD,aAAa,CAAC,IAAI,CAAC9B,gBAAgB,EAAEkB,SAAS,EAAE1D,WAAW,EAAEmE,eAAe,CAAC,IAC9EnD,MAAM;MAClB;IACJ;IACA,IAAI1B,KAAK,EAAE;MACP,KAAK,IAAI4B,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG5B,KAAK,CAACQ,MAAM,EAAEoB,CAAC,IAAI,CAAC,EAAE;QACtC,MAAMU,IAAI,GAAGtC,KAAK,CAAC4B,CAAC,CAAC;QACrB,MAAMW,KAAK,GAAGvC,KAAK,CAAC4B,CAAC,GAAG,CAAC,CAAC;QAC1B,MAAM0C,iBAAiB,GAAG,IAAI,CAACnB,aAAa,CAACoB,GAAG,CAACjC,IAAI,CAAC;QACtD,IAAIC,KAAK,EAAE;UACPb,MAAM,GACF,IAAI,CAACqD,cAAc,CAACT,iBAAiB,EAAE,EAAE,EAAE5D,WAAW,EAAEmE,eAAe,CAAC,IAAInD,MAAM;QAC1F;QACAA,MAAM,GACF,IAAI,CAACqD,cAAc,CAACT,iBAAiB,EAAE/B,KAAK,EAAE7B,WAAW,EAAEmE,eAAe,CAAC,IAAInD,MAAM;QACzF,MAAMgD,gBAAgB,GAAG,IAAI,CAACtB,oBAAoB,CAACmB,GAAG,CAACjC,IAAI,CAAC;QAC5D,IAAIC,KAAK,EAAE;UACPb,MAAM,GAAG,IAAI,CAACsD,aAAa,CAACN,gBAAgB,EAAE,EAAE,EAAEhE,WAAW,EAAEmE,eAAe,CAAC,IAAInD,MAAM;QAC7F;QACAA,MAAM,GACF,IAAI,CAACsD,aAAa,CAACN,gBAAgB,EAAEnC,KAAK,EAAE7B,WAAW,EAAEmE,eAAe,CAAC,IAAInD,MAAM;MAC3F;IACJ;IACA,OAAOA,MAAM;EACjB;EACA;EACAqD,cAAcA,CAACJ,GAAG,EAAErC,IAAI,EAAE5B,WAAW,EAAEmE,eAAe,EAAE;IACpD,IAAI,CAACF,GAAG,IAAI,OAAOrC,IAAI,KAAK,QAAQ,EAAE;MAClC,OAAO,KAAK;IAChB;IACA,IAAI2C,WAAW,GAAGN,GAAG,CAACJ,GAAG,CAACjC,IAAI,CAAC,IAAI,EAAE;IACrC,MAAM4C,eAAe,GAAGP,GAAG,CAACJ,GAAG,CAAC,GAAG,CAAC;IACpC,IAAIW,eAAe,EAAE;MACjBD,WAAW,GAAGA,WAAW,CAAC5C,MAAM,CAAC6C,eAAe,CAAC;IACrD;IACA,IAAID,WAAW,CAACzE,MAAM,KAAK,CAAC,EAAE;MAC1B,OAAO,KAAK;IAChB;IACA,IAAIuD,UAAU;IACd,IAAIrC,MAAM,GAAG,KAAK;IAClB,KAAK,IAAIE,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGqD,WAAW,CAACzE,MAAM,EAAEoB,CAAC,EAAE,EAAE;MACzCmC,UAAU,GAAGkB,WAAW,CAACrD,CAAC,CAAC;MAC3BF,MAAM,GAAGqC,UAAU,CAACoB,QAAQ,CAACzE,WAAW,EAAEmE,eAAe,CAAC,IAAInD,MAAM;IACxE;IACA,OAAOA,MAAM;EACjB;EACA;EACAsD,aAAaA,CAACL,GAAG,EAAErC,IAAI,EAAE5B,WAAW,EAAEmE,eAAe,EAAE;IACnD,IAAI,CAACF,GAAG,IAAI,OAAOrC,IAAI,KAAK,QAAQ,EAAE;MAClC,OAAO,KAAK;IAChB;IACA,MAAM8C,cAAc,GAAGT,GAAG,CAACJ,GAAG,CAACjC,IAAI,CAAC;IACpC,IAAI,CAAC8C,cAAc,EAAE;MACjB,OAAO,KAAK;IAChB;IACA;IACA;IACA;IACA,OAAOA,cAAc,CAACzE,KAAK,CAACD,WAAW,EAAEmE,eAAe,CAAC;EAC7D;AACJ;AACA,MAAMjB,mBAAmB,CAAC;EACtB/D,WAAWA,CAACwF,SAAS,EAAE;IACnB,IAAI,CAACA,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAACP,cAAc,GAAG,KAAK;EAC/B;AACJ;AACA;AACA,MAAMd,eAAe,CAAC;EAClBnE,WAAWA,CAACM,QAAQ,EAAEmF,SAAS,EAAE3B,WAAW,EAAE;IAC1C,IAAI,CAACxD,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACmF,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAAC3B,WAAW,GAAGA,WAAW;IAC9B,IAAI,CAAC1D,YAAY,GAAGE,QAAQ,CAACF,YAAY;EAC7C;EACAkF,QAAQA,CAACzE,WAAW,EAAE6E,QAAQ,EAAE;IAC5B,IAAI7D,MAAM,GAAG,IAAI;IACjB,IAAI,IAAI,CAACzB,YAAY,CAACO,MAAM,GAAG,CAAC,KAAK,CAAC,IAAI,CAACmD,WAAW,IAAI,CAAC,IAAI,CAACA,WAAW,CAACmB,cAAc,CAAC,EAAE;MACzF,MAAMvB,UAAU,GAAGV,eAAe,CAACS,gBAAgB,CAAC,IAAI,CAACrD,YAAY,CAAC;MACtEyB,MAAM,GAAG,CAAC6B,UAAU,CAAC5C,KAAK,CAACD,WAAW,EAAE,IAAI,CAAC;IACjD;IACA,IAAIgB,MAAM,IAAI6D,QAAQ,KAAK,CAAC,IAAI,CAAC5B,WAAW,IAAI,CAAC,IAAI,CAACA,WAAW,CAACmB,cAAc,CAAC,EAAE;MAC/E,IAAI,IAAI,CAACnB,WAAW,EAAE;QAClB,IAAI,CAACA,WAAW,CAACmB,cAAc,GAAG,IAAI;MAC1C;MACAS,QAAQ,CAAC,IAAI,CAACpF,QAAQ,EAAE,IAAI,CAACmF,SAAS,CAAC;IAC3C;IACA,OAAO5D,MAAM;EACjB;AACJ;;AAEA;AACA;AACA;AACA,MAAM8D,mCAAmC,GAAG,IAAI;AAChD,IAAIC,iBAAiB;AACrB,CAAC,UAAUA,iBAAiB,EAAE;EAC1BA,iBAAiB,CAACA,iBAAiB,CAAC,UAAU,CAAC,GAAG,CAAC,CAAC,GAAG,UAAU;EACjE;EACAA,iBAAiB,CAACA,iBAAiB,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,GAAG,MAAM;EACzDA,iBAAiB,CAACA,iBAAiB,CAAC,WAAW,CAAC,GAAG,CAAC,CAAC,GAAG,WAAW;AACvE,CAAC,EAAEA,iBAAiB,KAAKA,iBAAiB,GAAG,CAAC,CAAC,CAAC,CAAC;AACjD,IAAIC,uBAAuB;AAC3B,CAAC,UAAUA,uBAAuB,EAAE;EAChCA,uBAAuB,CAACA,uBAAuB,CAAC,QAAQ,CAAC,GAAG,CAAC,CAAC,GAAG,QAAQ;EACzEA,uBAAuB,CAACA,uBAAuB,CAAC,SAAS,CAAC,GAAG,CAAC,CAAC,GAAG,SAAS;AAC/E,CAAC,EAAEA,uBAAuB,KAAKA,uBAAuB,GAAG,CAAC,CAAC,CAAC,CAAC;AAC7D,MAAMC,sBAAsB,GAAG;EAC3BrD,IAAI,EAAE;AACV,CAAC;AACD,MAAMsD,gBAAgB,GAAG;EACrBtD,IAAI,EAAE;AACV,CAAC;AACD,MAAMuD,MAAM,GAAGC,QAAQ;AACvB,IAAIC,eAAe;AACnB,CAAC,UAAUA,eAAe,EAAE;EACxBA,eAAe,CAACA,eAAe,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,GAAG,MAAM;EACrDA,eAAe,CAACA,eAAe,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,GAAG,MAAM;EACrDA,eAAe,CAACA,eAAe,CAAC,OAAO,CAAC,GAAG,CAAC,CAAC,GAAG,OAAO;EACvDA,eAAe,CAACA,eAAe,CAAC,QAAQ,CAAC,GAAG,CAAC,CAAC,GAAG,QAAQ;EACzDA,eAAe,CAACA,eAAe,CAAC,KAAK,CAAC,GAAG,CAAC,CAAC,GAAG,KAAK;EACnDA,eAAe,CAACA,eAAe,CAAC,cAAc,CAAC,GAAG,CAAC,CAAC,GAAG,cAAc;AACzE,CAAC,EAAEA,eAAe,KAAKA,eAAe,GAAG,CAAC,CAAC,CAAC,CAAC;AAC7C,IAAIC,0BAA0B;AAC9B,CAAC,UAAUA,0BAA0B,EAAE;EACnCA,0BAA0B,CAACA,0BAA0B,CAAC,OAAO,CAAC,GAAG,CAAC,CAAC,GAAG,OAAO;EAC7EA,0BAA0B,CAACA,0BAA0B,CAAC,SAAS,CAAC,GAAG,CAAC,CAAC,GAAG,SAAS;EACjFA,0BAA0B,CAACA,0BAA0B,CAAC,QAAQ,CAAC,GAAG,CAAC,CAAC,GAAG,QAAQ;AACnF,CAAC,EAAEA,0BAA0B,KAAKA,0BAA0B,GAAG,CAAC,CAAC,CAAC,CAAC;AACnE,SAASC,8BAA8BA,CAAC9F,QAAQ,EAAE;EAC9C,MAAM+F,OAAO,GAAG/F,QAAQ,CAACJ,UAAU,IAAII,QAAQ,CAACJ,UAAU,CAACS,MAAM,GAC7D,CAAC,CAAC,CAAC,2BAA2B,GAAGL,QAAQ,CAACJ,UAAU,CAAC,GACrD,EAAE;EACN,MAAMoG,WAAW,GAAGhG,QAAQ,CAACL,OAAO,IAAIK,QAAQ,CAACL,OAAO,KAAK,GAAG,GAAGK,QAAQ,CAACL,OAAO,GAAG,EAAE;EACxF,OAAO,CAACqG,WAAW,EAAE,GAAGhG,QAAQ,CAACH,KAAK,EAAE,GAAGkG,OAAO,CAAC;AACvD;AACA,SAASE,gCAAgCA,CAACjG,QAAQ,EAAE;EAChD,MAAM+F,OAAO,GAAG/F,QAAQ,CAACJ,UAAU,IAAII,QAAQ,CAACJ,UAAU,CAACS,MAAM,GAC7D,CAAC,CAAC,CAAC,2BAA2B,GAAGL,QAAQ,CAACJ,UAAU,CAAC,GACrD,EAAE;EACN,IAAII,QAAQ,CAACL,OAAO,EAAE;IAClB,OAAO,CACH,CAAC,CAAC,0BAA0B,CAAC,CAAC,6BAA6BK,QAAQ,CAACL,OAAO,EAAE,GAAGK,QAAQ,CAACH,KAAK,EAAE,GAAGkG,OAAO,CAC7G;EACL,CAAC,MACI,IAAI/F,QAAQ,CAACH,KAAK,CAACQ,MAAM,EAAE;IAC5B,OAAO,CAAC,CAAC,CAAC,0BAA0B,CAAC,CAAC,+BAA+B,GAAGL,QAAQ,CAACH,KAAK,EAAE,GAAGkG,OAAO,CAAC;EACvG,CAAC,MACI;IACD,OAAO/F,QAAQ,CAACJ,UAAU,IAAII,QAAQ,CAACJ,UAAU,CAACS,MAAM,GACpD,CAAC,CAAC,CAAC,0BAA0B,CAAC,CAAC,2BAA2B,GAAGL,QAAQ,CAACJ,UAAU,CAAC,GACjF,EAAE;EACV;AACJ;AACA,SAASsG,0BAA0BA,CAAClG,QAAQ,EAAE;EAC1C,MAAMmG,QAAQ,GAAGL,8BAA8B,CAAC9F,QAAQ,CAAC;EACzD,MAAMoG,QAAQ,GAAGpG,QAAQ,CAACF,YAAY,IAAIE,QAAQ,CAACF,YAAY,CAACO,MAAM,GAClEL,QAAQ,CAACF,YAAY,CAAC0E,GAAG,CAAC/B,WAAW,IAAIwD,gCAAgC,CAACxD,WAAW,CAAC,CAAC,GACvF,EAAE;EACN,OAAO0D,QAAQ,CAACjE,MAAM,CAAC,GAAGkE,QAAQ,CAAC;AACvC;AACA,SAASC,yBAAyBA,CAACrG,QAAQ,EAAE;EACzC,OAAOA,QAAQ,GAAGP,WAAW,CAACM,KAAK,CAACC,QAAQ,CAAC,CAACwE,GAAG,CAAC0B,0BAA0B,CAAC,GAAG,EAAE;AACtF;AAEA,IAAII,IAAI,GAAG,aAAaC,MAAM,CAACC,MAAM,CAAC;EAClCC,SAAS,EAAE,IAAI;EACfpB,mCAAmC,EAAEA,mCAAmC;EACxE,IAAIC,iBAAiBA,CAAA,EAAI;IAAE,OAAOA,iBAAiB;EAAE,CAAC;EACtD,IAAIC,uBAAuBA,CAAA,EAAI;IAAE,OAAOA,uBAAuB;EAAE,CAAC;EAClEC,sBAAsB,EAAEA,sBAAsB;EAC9CC,gBAAgB,EAAEA,gBAAgB;EAClCiB,IAAI,EAAEhB,MAAM;EACZ,IAAIE,eAAeA,CAAA,EAAI;IAAE,OAAOA,eAAe;EAAE,CAAC;EAClD,IAAIC,0BAA0BA,CAAA,EAAI;IAAE,OAAOA,0BAA0B;EAAE,CAAC;EACxEQ,yBAAyB,EAAEA;AAC/B,CAAC,CAAC;;AAEF;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMM,UAAU,CAAC;EACb,OAAOC,IAAIA,CAAA,EAAG;IACV,OAAO,IAAID,UAAU,CAAC,CAAC,CAAC,CAAC,CAAC;EAC9B;EACA,OAAOE,GAAGA,CAAA,EAAG;IACT,OAAO,IAAIF,UAAU,CAAC,CAAC,CAAC,CAAC,CAAC;EAC9B;EACA;AACJ;AACA;EACIjH,WAAWA,CAACoH,MAAM,EAAE;IAChB,IAAI,CAACA,MAAM,GAAGA,MAAM;EACxB;EACA;AACJ;AACA;EACIC,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAIJ,UAAU,CAAC,IAAI,CAACG,MAAM,CAAC7F,KAAK,CAAC,CAAC,CAAC;EAC9C;EACA;AACJ;AACA;AACA;EACI+F,GAAGA,CAACC,KAAK,EAAE;IACP,MAAM1F,MAAM,GAAG,IAAI,CAACwF,KAAK,CAAC,CAAC;IAC3BxF,MAAM,CAAC2F,SAAS,CAACD,KAAK,CAAC;IACvB,OAAO1F,MAAM;EACjB;EACA;AACJ;AACA;EACI2F,SAASA,CAACD,KAAK,EAAE;IACb,MAAME,aAAa,GAAGC,IAAI,CAACC,GAAG,CAAC,IAAI,CAACP,MAAM,CAACzG,MAAM,EAAE4G,KAAK,CAACH,MAAM,CAACzG,MAAM,CAAC;IACvE,IAAIiH,KAAK,GAAG,CAAC;IACb,KAAK,IAAI7F,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG0F,aAAa,EAAE1F,CAAC,EAAE,EAAE;MACpC,IAAI8F,QAAQ,GAAGD,KAAK;MACpB,IAAI7F,CAAC,GAAG,IAAI,CAACqF,MAAM,CAACzG,MAAM,EAAE;QACxBkH,QAAQ,IAAI,IAAI,CAACT,MAAM,CAACrF,CAAC,CAAC;MAC9B;MACA,IAAIA,CAAC,GAAGwF,KAAK,CAACH,MAAM,CAACzG,MAAM,EAAE;QACzBkH,QAAQ,IAAIN,KAAK,CAACH,MAAM,CAACrF,CAAC,CAAC;MAC/B;MACA,IAAI8F,QAAQ,IAAI,EAAE,EAAE;QAChB,IAAI,CAACT,MAAM,CAACrF,CAAC,CAAC,GAAG8F,QAAQ,GAAG,EAAE;QAC9BD,KAAK,GAAG,CAAC;MACb,CAAC,MACI;QACD,IAAI,CAACR,MAAM,CAACrF,CAAC,CAAC,GAAG8F,QAAQ;QACzBD,KAAK,GAAG,CAAC;MACb;IACJ;IACA;IACA,IAAIA,KAAK,GAAG,CAAC,EAAE;MACX,IAAI,CAACR,MAAM,CAACK,aAAa,CAAC,GAAG,CAAC;IAClC;EACJ;EACA;AACJ;AACA;AACA;EACI7E,QAAQA,CAAA,EAAG;IACP,IAAInC,GAAG,GAAG,EAAE;IACZ,KAAK,IAAIsB,CAAC,GAAG,IAAI,CAACqF,MAAM,CAACzG,MAAM,GAAG,CAAC,EAAEoB,CAAC,IAAI,CAAC,EAAEA,CAAC,EAAE,EAAE;MAC9CtB,GAAG,IAAI,IAAI,CAAC2G,MAAM,CAACrF,CAAC,CAAC;IACzB;IACA,OAAOtB,GAAG;EACd;AACJ;AACA;AACA;AACA;AACA;AACA,MAAMqH,uBAAuB,CAAC;EAC1B9H,WAAWA,CAAC0C,KAAK,EAAE;IACf,IAAI,CAACqF,WAAW,GAAG,CAACrF,KAAK,CAAC;EAC9B;EACA;AACJ;AACA;EACIsF,QAAQA,CAAA,EAAG;IACP,OAAO,IAAI,CAACD,WAAW,CAAC,CAAC,CAAC;EAC9B;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIE,UAAUA,CAACC,GAAG,EAAE;IACZ,MAAMC,OAAO,GAAGlB,UAAU,CAACC,IAAI,CAAC,CAAC;IACjC,IAAI,CAACkB,kBAAkB,CAACF,GAAG,EAAEC,OAAO,CAAC;IACrC,OAAOA,OAAO;EAClB;EACA;AACJ;AACA;AACA;EACIC,kBAAkBA,CAACF,GAAG,EAAErG,MAAM,EAAE;IAC5B,KAAK,IAAIwG,QAAQ,GAAG,CAAC,EAAEH,GAAG,KAAK,CAAC,EAAEA,GAAG,GAAGA,GAAG,KAAK,CAAC,EAAEG,QAAQ,EAAE,EAAE;MAC3D,IAAIH,GAAG,GAAG,CAAC,EAAE;QACT,MAAMxF,KAAK,GAAG,IAAI,CAAC4F,yBAAyB,CAACD,QAAQ,CAAC;QACtDxG,MAAM,CAAC2F,SAAS,CAAC9E,KAAK,CAAC;MAC3B;IACJ;EACJ;EACA;AACJ;AACA;EACI4F,yBAAyBA,CAACD,QAAQ,EAAE;IAChC;IACA;IACA;IACA,KAAK,IAAItG,CAAC,GAAG,IAAI,CAACgG,WAAW,CAACpH,MAAM,EAAEoB,CAAC,IAAIsG,QAAQ,EAAEtG,CAAC,EAAE,EAAE;MACtD,MAAMwG,aAAa,GAAG,IAAI,CAACR,WAAW,CAAChG,CAAC,GAAG,CAAC,CAAC;MAC7C,IAAI,CAACgG,WAAW,CAAChG,CAAC,CAAC,GAAGwG,aAAa,CAACjB,GAAG,CAACiB,aAAa,CAAC;IAC1D;IACA,OAAO,IAAI,CAACR,WAAW,CAACM,QAAQ,CAAC;EACrC;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMG,oBAAoB,CAAC;EACvBxI,WAAWA,CAACyI,IAAI,EAAE;IACd,IAAI,CAACA,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACC,SAAS,GAAG,CAAC,IAAIZ,uBAAuB,CAACb,UAAU,CAACE,GAAG,CAAC,CAAC,CAAC,CAAC;EACpE;EACA;AACJ;AACA;AACA;EACIwB,YAAYA,CAACN,QAAQ,EAAE;IACnB;IACA;IACA;IACA,KAAK,IAAItG,CAAC,GAAG,IAAI,CAAC2G,SAAS,CAAC/H,MAAM,EAAEoB,CAAC,IAAIsG,QAAQ,EAAEtG,CAAC,EAAE,EAAE;MACpD,MAAMW,KAAK,GAAG,IAAI,CAACgG,SAAS,CAAC3G,CAAC,GAAG,CAAC,CAAC,CAACkG,UAAU,CAAC,IAAI,CAACQ,IAAI,CAAC;MACzD,IAAI,CAACC,SAAS,CAAC3G,CAAC,CAAC,GAAG,IAAI+F,uBAAuB,CAACpF,KAAK,CAAC;IAC1D;IACA,OAAO,IAAI,CAACgG,SAAS,CAACL,QAAQ,CAAC;EACnC;AACJ;;AAEA;AACA;AACA;AACA,IAAIO,WAAW;AACf;AACA;AACA;AACA,SAASC,QAAQA,CAACC,OAAO,EAAE;EACvB,OAAOA,OAAO,CAACC,EAAE,IAAIC,aAAa,CAACF,OAAO,CAAC;AAC/C;AACA;AACA;AACA;AACA,SAASE,aAAaA,CAACF,OAAO,EAAE;EAC5B,OAAOG,IAAI,CAACC,cAAc,CAACJ,OAAO,CAACK,KAAK,CAAC,CAAC5G,IAAI,CAAC,EAAE,CAAC,GAAG,IAAIuG,OAAO,CAACM,OAAO,GAAG,CAAC;AAChF;AACA;AACA;AACA;AACA,SAASC,aAAaA,CAACP,OAAO,EAAE;EAC5B,OAAOA,OAAO,CAACC,EAAE,IAAIO,oBAAoB,CAACR,OAAO,CAAC;AACtD;AACA;AACA;AACA;AACA,SAASQ,oBAAoBA,CAACR,OAAO,EAAE;EACnC,MAAMS,OAAO,GAAG,IAAIC,8BAA8B,CAAC,CAAC;EACpD,MAAMC,KAAK,GAAGX,OAAO,CAACK,KAAK,CAACrE,GAAG,CAAC4E,CAAC,IAAIA,CAAC,CAACC,KAAK,CAACJ,OAAO,EAAE,IAAI,CAAC,CAAC;EAC5D,OAAOK,YAAY,CAACH,KAAK,CAAClH,IAAI,CAAC,EAAE,CAAC,EAAEuG,OAAO,CAACM,OAAO,CAAC;AACxD;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMS,kBAAkB,CAAC;EACrBC,SAASA,CAACC,IAAI,EAAEC,OAAO,EAAE;IACrB,OAAOD,IAAI,CAACrH,KAAK;EACrB;EACAuH,cAAcA,CAACC,SAAS,EAAEF,OAAO,EAAE;IAC/B,OAAO,IAAIE,SAAS,CAACC,QAAQ,CAACrF,GAAG,CAACsF,KAAK,IAAIA,KAAK,CAACT,KAAK,CAAC,IAAI,CAAC,CAAC,CAACpH,IAAI,CAAC,IAAI,CAAC,GAAG;EAC/E;EACA8H,QAAQA,CAACC,GAAG,EAAEN,OAAO,EAAE;IACnB,MAAMO,QAAQ,GAAG1D,MAAM,CAAC2D,IAAI,CAACF,GAAG,CAACG,KAAK,CAAC,CAAC3F,GAAG,CAAE4F,CAAC,IAAK,GAAGA,CAAC,KAAKJ,GAAG,CAACG,KAAK,CAACC,CAAC,CAAC,CAACf,KAAK,CAAC,IAAI,CAAC,GAAG,CAAC;IACxF,OAAO,IAAIW,GAAG,CAACK,UAAU,KAAKL,GAAG,CAACM,IAAI,KAAKL,QAAQ,CAAChI,IAAI,CAAC,IAAI,CAAC,GAAG;EACrE;EACAsI,mBAAmBA,CAACC,EAAE,EAAEd,OAAO,EAAE;IAC7B,OAAOc,EAAE,CAACC,MAAM,GACZ,iBAAiBD,EAAE,CAACE,SAAS,KAAK,GAClC,iBAAiBF,EAAE,CAACE,SAAS,KAAKF,EAAE,CAACX,QAAQ,CAACrF,GAAG,CAACsF,KAAK,IAAIA,KAAK,CAACT,KAAK,CAAC,IAAI,CAAC,CAAC,CAACpH,IAAI,CAAC,IAAI,CAAC,cAAcuI,EAAE,CAACG,SAAS,IAAI;EAC9H;EACAC,gBAAgBA,CAACJ,EAAE,EAAEd,OAAO,EAAE;IAC1B,OAAOc,EAAE,CAACpI,KAAK,GAAG,aAAaoI,EAAE,CAACrI,IAAI,KAAKqI,EAAE,CAACpI,KAAK,OAAO,GAAG,aAAaoI,EAAE,CAACrI,IAAI,KAAK;EAC1F;EACA0I,mBAAmBA,CAACL,EAAE,EAAEd,OAAO,EAAE;IAC7B,OAAO,iBAAiBc,EAAE,CAACrI,IAAI,KAAKqI,EAAE,CAACpI,KAAK,CAACiH,KAAK,CAAC,IAAI,CAAC,OAAO;EACnE;AACJ;AACA,MAAMyB,mBAAmB,GAAG,IAAIvB,kBAAkB,CAAC,CAAC;AACpD,SAASX,cAAcA,CAACC,KAAK,EAAE;EAC3B,OAAOA,KAAK,CAACrE,GAAG,CAAC4E,CAAC,IAAIA,CAAC,CAACC,KAAK,CAACyB,mBAAmB,EAAE,IAAI,CAAC,CAAC;AAC7D;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAM5B,8BAA8B,SAASK,kBAAkB,CAAC;EAC5DQ,QAAQA,CAACC,GAAG,EAAEN,OAAO,EAAE;IACnB,IAAIO,QAAQ,GAAG1D,MAAM,CAAC2D,IAAI,CAACF,GAAG,CAACG,KAAK,CAAC,CAAC3F,GAAG,CAAE4F,CAAC,IAAK,GAAGA,CAAC,KAAKJ,GAAG,CAACG,KAAK,CAACC,CAAC,CAAC,CAACf,KAAK,CAAC,IAAI,CAAC,GAAG,CAAC;IACtF;IACA,OAAO,IAAIW,GAAG,CAACM,IAAI,KAAKL,QAAQ,CAAChI,IAAI,CAAC,IAAI,CAAC,GAAG;EAClD;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAAS0G,IAAIA,CAACoC,GAAG,EAAE;EACfzC,WAAW,KAAK,IAAI0C,WAAW,CAAC,CAAC;EACjC,MAAMC,IAAI,GAAG,CAAC,GAAG3C,WAAW,CAAC4C,MAAM,CAACH,GAAG,CAAC,CAAC;EACzC,MAAMI,OAAO,GAAGC,cAAc,CAACH,IAAI,EAAEI,MAAM,CAACC,GAAG,CAAC;EAChD,MAAMC,GAAG,GAAGN,IAAI,CAAC5K,MAAM,GAAG,CAAC;EAC3B,MAAMmL,CAAC,GAAG,IAAIC,WAAW,CAAC,EAAE,CAAC;EAC7B,IAAIrC,CAAC,GAAG,UAAU;IAAEsC,CAAC,GAAG,UAAU;IAAEC,CAAC,GAAG,UAAU;IAAEC,CAAC,GAAG,UAAU;IAAEC,CAAC,GAAG,UAAU;EAClFV,OAAO,CAACI,GAAG,IAAI,CAAC,CAAC,IAAI,IAAI,IAAK,EAAE,GAAGA,GAAG,GAAG,EAAG;EAC5CJ,OAAO,CAAC,CAAEI,GAAG,GAAG,EAAE,IAAI,CAAC,IAAK,CAAC,IAAI,EAAE,CAAC,GAAGA,GAAG;EAC1C,KAAK,IAAI9J,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG0J,OAAO,CAAC9K,MAAM,EAAEoB,CAAC,IAAI,EAAE,EAAE;IACzC,MAAMqK,EAAE,GAAG1C,CAAC;MAAE2C,EAAE,GAAGL,CAAC;MAAEM,EAAE,GAAGL,CAAC;MAAEM,EAAE,GAAGL,CAAC;MAAEM,EAAE,GAAGL,CAAC;IAC5C,KAAK,IAAIM,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG,EAAE,EAAEA,CAAC,EAAE,EAAE;MACzB,IAAIA,CAAC,GAAG,EAAE,EAAE;QACRX,CAAC,CAACW,CAAC,CAAC,GAAGhB,OAAO,CAAC1J,CAAC,GAAG0K,CAAC,CAAC;MACzB,CAAC,MACI;QACDX,CAAC,CAACW,CAAC,CAAC,GAAGC,KAAK,CAACZ,CAAC,CAACW,CAAC,GAAG,CAAC,CAAC,GAAGX,CAAC,CAACW,CAAC,GAAG,CAAC,CAAC,GAAGX,CAAC,CAACW,CAAC,GAAG,EAAE,CAAC,GAAGX,CAAC,CAACW,CAAC,GAAG,EAAE,CAAC,EAAE,CAAC,CAAC;MAChE;MACA,MAAME,KAAK,GAAGC,EAAE,CAACH,CAAC,EAAET,CAAC,EAAEC,CAAC,EAAEC,CAAC,CAAC;MAC5B,MAAMW,CAAC,GAAGF,KAAK,CAAC,CAAC,CAAC;MAClB,MAAMjC,CAAC,GAAGiC,KAAK,CAAC,CAAC,CAAC;MAClB,MAAMG,IAAI,GAAG,CAACJ,KAAK,CAAChD,CAAC,EAAE,CAAC,CAAC,EAAEmD,CAAC,EAAEV,CAAC,EAAEzB,CAAC,EAAEoB,CAAC,CAACW,CAAC,CAAC,CAAC,CAACM,MAAM,CAACC,KAAK,CAAC;MACvDb,CAAC,GAAGD,CAAC;MACLA,CAAC,GAAGD,CAAC;MACLA,CAAC,GAAGS,KAAK,CAACV,CAAC,EAAE,EAAE,CAAC;MAChBA,CAAC,GAAGtC,CAAC;MACLA,CAAC,GAAGoD,IAAI;IACZ;IACApD,CAAC,GAAGsD,KAAK,CAACtD,CAAC,EAAE0C,EAAE,CAAC;IAChBJ,CAAC,GAAGgB,KAAK,CAAChB,CAAC,EAAEK,EAAE,CAAC;IAChBJ,CAAC,GAAGe,KAAK,CAACf,CAAC,EAAEK,EAAE,CAAC;IAChBJ,CAAC,GAAGc,KAAK,CAACd,CAAC,EAAEK,EAAE,CAAC;IAChBJ,CAAC,GAAGa,KAAK,CAACb,CAAC,EAAEK,EAAE,CAAC;EACpB;EACA;EACA,OAAOS,QAAQ,CAACvD,CAAC,CAAC,GAAGuD,QAAQ,CAACjB,CAAC,CAAC,GAAGiB,QAAQ,CAAChB,CAAC,CAAC,GAAGgB,QAAQ,CAACf,CAAC,CAAC,GAAGe,QAAQ,CAACd,CAAC,CAAC;AAC9E;AACA;AACA;AACA;AACA;AACA;AACA,SAASc,QAAQA,CAACvK,KAAK,EAAE;EACrB;EACA,OAAO,CAACA,KAAK,KAAK,CAAC,EAAEE,QAAQ,CAAC,EAAE,CAAC,CAACsK,QAAQ,CAAC,CAAC,EAAE,GAAG,CAAC;AACtD;AACA,SAASN,EAAEA,CAACO,KAAK,EAAEnB,CAAC,EAAEC,CAAC,EAAEC,CAAC,EAAE;EACxB,IAAIiB,KAAK,GAAG,EAAE,EAAE;IACZ,OAAO,CAAEnB,CAAC,GAAGC,CAAC,GAAK,CAACD,CAAC,GAAGE,CAAE,EAAE,UAAU,CAAC;EAC3C;EACA,IAAIiB,KAAK,GAAG,EAAE,EAAE;IACZ,OAAO,CAACnB,CAAC,GAAGC,CAAC,GAAGC,CAAC,EAAE,UAAU,CAAC;EAClC;EACA,IAAIiB,KAAK,GAAG,EAAE,EAAE;IACZ,OAAO,CAAEnB,CAAC,GAAGC,CAAC,GAAKD,CAAC,GAAGE,CAAE,GAAID,CAAC,GAAGC,CAAE,EAAE,UAAU,CAAC;EACpD;EACA,OAAO,CAACF,CAAC,GAAGC,CAAC,GAAGC,CAAC,EAAE,UAAU,CAAC;AAClC;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASkB,WAAWA,CAAC/B,GAAG,EAAE;EACtBzC,WAAW,KAAK,IAAI0C,WAAW,CAAC,CAAC;EACjC,MAAMC,IAAI,GAAG3C,WAAW,CAAC4C,MAAM,CAACH,GAAG,CAAC;EACpC,MAAMgC,IAAI,GAAG,IAAIC,QAAQ,CAAC/B,IAAI,CAACgC,MAAM,EAAEhC,IAAI,CAACiC,UAAU,EAAEjC,IAAI,CAACkC,UAAU,CAAC;EACxE,IAAIC,EAAE,GAAGC,MAAM,CAACN,IAAI,EAAE9B,IAAI,CAAC5K,MAAM,EAAE,CAAC,CAAC;EACrC,IAAIiN,EAAE,GAAGD,MAAM,CAACN,IAAI,EAAE9B,IAAI,CAAC5K,MAAM,EAAE,MAAM,CAAC;EAC1C,IAAI+M,EAAE,IAAI,CAAC,KAAKE,EAAE,IAAI,CAAC,IAAIA,EAAE,IAAI,CAAC,CAAC,EAAE;IACjCF,EAAE,GAAGA,EAAE,GAAG,UAAU;IACpBE,EAAE,GAAGA,EAAE,GAAG,CAAC,UAAU;EACzB;EACA,OAAO,CAACF,EAAE,EAAEE,EAAE,CAAC;AACnB;AACA,SAAShE,YAAYA,CAACiE,GAAG,EAAEzE,OAAO,GAAG,EAAE,EAAE;EACrC,IAAI0E,cAAc,GAAGV,WAAW,CAACS,GAAG,CAAC;EACrC,IAAIzE,OAAO,EAAE;IACT,MAAM2E,kBAAkB,GAAGX,WAAW,CAAChE,OAAO,CAAC;IAC/C0E,cAAc,GAAGE,KAAK,CAACC,KAAK,CAACH,cAAc,EAAE,CAAC,CAAC,EAAEC,kBAAkB,CAAC;EACxE;EACA,MAAML,EAAE,GAAGI,cAAc,CAAC,CAAC,CAAC;EAC5B,MAAMF,EAAE,GAAGE,cAAc,CAAC,CAAC,CAAC;EAC5B,OAAOI,oBAAoB,CAACR,EAAE,GAAG,UAAU,EAAEE,EAAE,CAAC;AACpD;AACA,SAASD,MAAMA,CAACN,IAAI,EAAE1M,MAAM,EAAEsL,CAAC,EAAE;EAC7B,IAAIvC,CAAC,GAAG,UAAU;IAAEsC,CAAC,GAAG,UAAU;EAClC,IAAImB,KAAK,GAAG,CAAC;EACb,MAAMgB,GAAG,GAAGxN,MAAM,GAAG,EAAE;EACvB,OAAOwM,KAAK,IAAIgB,GAAG,EAAEhB,KAAK,IAAI,EAAE,EAAE;IAC9BzD,CAAC,IAAI2D,IAAI,CAACe,SAAS,CAACjB,KAAK,EAAE,IAAI,CAAC;IAChCnB,CAAC,IAAIqB,IAAI,CAACe,SAAS,CAACjB,KAAK,GAAG,CAAC,EAAE,IAAI,CAAC;IACpClB,CAAC,IAAIoB,IAAI,CAACe,SAAS,CAACjB,KAAK,GAAG,CAAC,EAAE,IAAI,CAAC;IACpC,MAAM1M,GAAG,GAAG4N,GAAG,CAAC3E,CAAC,EAAEsC,CAAC,EAAEC,CAAC,CAAC;IACxBvC,CAAC,GAAGjJ,GAAG,CAAC,CAAC,CAAC,EAAEuL,CAAC,GAAGvL,GAAG,CAAC,CAAC,CAAC,EAAEwL,CAAC,GAAGxL,GAAG,CAAC,CAAC,CAAC;EACtC;EACA,MAAM6N,SAAS,GAAG3N,MAAM,GAAGwM,KAAK;EAChC;EACAlB,CAAC,IAAItL,MAAM;EACX,IAAI2N,SAAS,IAAI,CAAC,EAAE;IAChB5E,CAAC,IAAI2D,IAAI,CAACe,SAAS,CAACjB,KAAK,EAAE,IAAI,CAAC;IAChCA,KAAK,IAAI,CAAC;IACV,IAAImB,SAAS,IAAI,CAAC,EAAE;MAChBtC,CAAC,IAAIqB,IAAI,CAACe,SAAS,CAACjB,KAAK,EAAE,IAAI,CAAC;MAChCA,KAAK,IAAI,CAAC;MACV;MACA,IAAImB,SAAS,IAAI,CAAC,EAAE;QAChBrC,CAAC,IAAIoB,IAAI,CAACkB,QAAQ,CAACpB,KAAK,EAAE,CAAC,IAAI,CAAC;MACpC;MACA,IAAImB,SAAS,IAAI,EAAE,EAAE;QACjBrC,CAAC,IAAIoB,IAAI,CAACkB,QAAQ,CAACpB,KAAK,EAAE,CAAC,IAAI,EAAE;MACrC;MACA,IAAImB,SAAS,KAAK,EAAE,EAAE;QAClBrC,CAAC,IAAIoB,IAAI,CAACkB,QAAQ,CAACpB,KAAK,EAAE,CAAC,IAAI,EAAE;MACrC;IACJ,CAAC,MACI;MACD;MACA,IAAImB,SAAS,IAAI,CAAC,EAAE;QAChBtC,CAAC,IAAIqB,IAAI,CAACkB,QAAQ,CAACpB,KAAK,EAAE,CAAC;MAC/B;MACA,IAAImB,SAAS,IAAI,CAAC,EAAE;QAChBtC,CAAC,IAAIqB,IAAI,CAACkB,QAAQ,CAACpB,KAAK,EAAE,CAAC,IAAI,CAAC;MACpC;MACA,IAAImB,SAAS,KAAK,CAAC,EAAE;QACjBtC,CAAC,IAAIqB,IAAI,CAACkB,QAAQ,CAACpB,KAAK,EAAE,CAAC,IAAI,EAAE;MACrC;IACJ;EACJ,CAAC,MACI;IACD;IACA,IAAImB,SAAS,IAAI,CAAC,EAAE;MAChB5E,CAAC,IAAI2D,IAAI,CAACkB,QAAQ,CAACpB,KAAK,EAAE,CAAC;IAC/B;IACA,IAAImB,SAAS,IAAI,CAAC,EAAE;MAChB5E,CAAC,IAAI2D,IAAI,CAACkB,QAAQ,CAACpB,KAAK,EAAE,CAAC,IAAI,CAAC;IACpC;IACA,IAAImB,SAAS,KAAK,CAAC,EAAE;MACjB5E,CAAC,IAAI2D,IAAI,CAACkB,QAAQ,CAACpB,KAAK,EAAE,CAAC,IAAI,EAAE;IACrC;EACJ;EACA,OAAOkB,GAAG,CAAC3E,CAAC,EAAEsC,CAAC,EAAEC,CAAC,CAAC,CAAC,CAAC,CAAC;AAC1B;AACA;AACA,SAASoC,GAAGA,CAAC3E,CAAC,EAAEsC,CAAC,EAAEC,CAAC,EAAE;EAClBvC,CAAC,IAAIsC,CAAC;EACNtC,CAAC,IAAIuC,CAAC;EACNvC,CAAC,IAAIuC,CAAC,KAAK,EAAE;EACbD,CAAC,IAAIC,CAAC;EACND,CAAC,IAAItC,CAAC;EACNsC,CAAC,IAAItC,CAAC,IAAI,CAAC;EACXuC,CAAC,IAAIvC,CAAC;EACNuC,CAAC,IAAID,CAAC;EACNC,CAAC,IAAID,CAAC,KAAK,EAAE;EACbtC,CAAC,IAAIsC,CAAC;EACNtC,CAAC,IAAIuC,CAAC;EACNvC,CAAC,IAAIuC,CAAC,KAAK,EAAE;EACbD,CAAC,IAAIC,CAAC;EACND,CAAC,IAAItC,CAAC;EACNsC,CAAC,IAAItC,CAAC,IAAI,EAAE;EACZuC,CAAC,IAAIvC,CAAC;EACNuC,CAAC,IAAID,CAAC;EACNC,CAAC,IAAID,CAAC,KAAK,CAAC;EACZtC,CAAC,IAAIsC,CAAC;EACNtC,CAAC,IAAIuC,CAAC;EACNvC,CAAC,IAAIuC,CAAC,KAAK,CAAC;EACZD,CAAC,IAAIC,CAAC;EACND,CAAC,IAAItC,CAAC;EACNsC,CAAC,IAAItC,CAAC,IAAI,EAAE;EACZuC,CAAC,IAAIvC,CAAC;EACNuC,CAAC,IAAID,CAAC;EACNC,CAAC,IAAID,CAAC,KAAK,EAAE;EACb,OAAO,CAACtC,CAAC,EAAEsC,CAAC,EAAEC,CAAC,CAAC;AACpB;AACA;AACA;AACA,IAAIN,MAAM;AACV,CAAC,UAAUA,MAAM,EAAE;EACfA,MAAM,CAACA,MAAM,CAAC,QAAQ,CAAC,GAAG,CAAC,CAAC,GAAG,QAAQ;EACvCA,MAAM,CAACA,MAAM,CAAC,KAAK,CAAC,GAAG,CAAC,CAAC,GAAG,KAAK;AACrC,CAAC,EAAEA,MAAM,KAAKA,MAAM,GAAG,CAAC,CAAC,CAAC,CAAC;AAC3B,SAASqB,KAAKA,CAACtD,CAAC,EAAEsC,CAAC,EAAE;EACjB,OAAOwC,SAAS,CAAC9E,CAAC,EAAEsC,CAAC,CAAC,CAAC,CAAC,CAAC;AAC7B;AACA,SAASwC,SAASA,CAAC9E,CAAC,EAAEsC,CAAC,EAAE;EACrB,MAAMyC,GAAG,GAAG,CAAC/E,CAAC,GAAG,MAAM,KAAKsC,CAAC,GAAG,MAAM,CAAC;EACvC,MAAM0C,IAAI,GAAG,CAAChF,CAAC,KAAK,EAAE,KAAKsC,CAAC,KAAK,EAAE,CAAC,IAAIyC,GAAG,KAAK,EAAE,CAAC;EACnD,OAAO,CAACC,IAAI,KAAK,EAAE,EAAGA,IAAI,IAAI,EAAE,GAAKD,GAAG,GAAG,MAAO,CAAC;AACvD;AACA,SAAST,KAAKA,CAACtE,CAAC,EAAEsC,CAAC,EAAE;EACjB,MAAM2C,EAAE,GAAGjF,CAAC,CAAC,CAAC,CAAC;IAAEkF,EAAE,GAAGlF,CAAC,CAAC,CAAC,CAAC;EAC1B,MAAMmF,EAAE,GAAG7C,CAAC,CAAC,CAAC,CAAC;IAAE8C,EAAE,GAAG9C,CAAC,CAAC,CAAC,CAAC;EAC1B,MAAMnK,MAAM,GAAG2M,SAAS,CAACI,EAAE,EAAEE,EAAE,CAAC;EAChC,MAAMlH,KAAK,GAAG/F,MAAM,CAAC,CAAC,CAAC;EACvB,MAAMkN,CAAC,GAAGlN,MAAM,CAAC,CAAC,CAAC;EACnB,MAAMmN,CAAC,GAAGhC,KAAK,CAACA,KAAK,CAAC2B,EAAE,EAAEE,EAAE,CAAC,EAAEjH,KAAK,CAAC;EACrC,OAAO,CAACoH,CAAC,EAAED,CAAC,CAAC;AACjB;AACA;AACA,SAASrC,KAAKA,CAAChD,CAAC,EAAEuF,KAAK,EAAE;EACrB,OAAQvF,CAAC,IAAIuF,KAAK,GAAKvF,CAAC,KAAM,EAAE,GAAGuF,KAAO;AAC9C;AACA;AACA,SAAShB,KAAKA,CAAC/F,GAAG,EAAE+G,KAAK,EAAE;EACvB,MAAMvB,EAAE,GAAGxF,GAAG,CAAC,CAAC,CAAC;IAAE0F,EAAE,GAAG1F,GAAG,CAAC,CAAC,CAAC;EAC9B,MAAM8G,CAAC,GAAItB,EAAE,IAAIuB,KAAK,GAAKrB,EAAE,KAAM,EAAE,GAAGqB,KAAO;EAC/C,MAAMF,CAAC,GAAInB,EAAE,IAAIqB,KAAK,GAAKvB,EAAE,KAAM,EAAE,GAAGuB,KAAO;EAC/C,OAAO,CAACD,CAAC,EAAED,CAAC,CAAC;AACjB;AACA,SAASrD,cAAcA,CAACwD,KAAK,EAAEC,MAAM,EAAE;EACnC,MAAMC,IAAI,GAAIF,KAAK,CAACvO,MAAM,GAAG,CAAC,KAAM,CAAC;EACrC,MAAM8K,OAAO,GAAG,EAAE;EAClB,KAAK,IAAI1J,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGqN,IAAI,EAAErN,CAAC,EAAE,EAAE;IAC3B0J,OAAO,CAAC1J,CAAC,CAAC,GAAGsN,MAAM,CAACH,KAAK,EAAEnN,CAAC,GAAG,CAAC,EAAEoN,MAAM,CAAC;EAC7C;EACA,OAAO1D,OAAO;AAClB;AACA,SAAS6D,MAAMA,CAACJ,KAAK,EAAE/B,KAAK,EAAE;EAC1B,OAAOA,KAAK,IAAI+B,KAAK,CAACvO,MAAM,GAAG,CAAC,GAAGuO,KAAK,CAAC/B,KAAK,CAAC;AACnD;AACA,SAASkC,MAAMA,CAACH,KAAK,EAAE/B,KAAK,EAAEgC,MAAM,EAAE;EAClC,IAAII,IAAI,GAAG,CAAC;EACZ,IAAIJ,MAAM,KAAKxD,MAAM,CAACC,GAAG,EAAE;IACvB,KAAK,IAAI7J,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG,CAAC,EAAEA,CAAC,EAAE,EAAE;MACxBwN,IAAI,IAAID,MAAM,CAACJ,KAAK,EAAE/B,KAAK,GAAGpL,CAAC,CAAC,IAAK,EAAE,GAAG,CAAC,GAAGA,CAAE;IACpD;EACJ,CAAC,MACI;IACD,KAAK,IAAIA,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG,CAAC,EAAEA,CAAC,EAAE,EAAE;MACxBwN,IAAI,IAAID,MAAM,CAACJ,KAAK,EAAE/B,KAAK,GAAGpL,CAAC,CAAC,IAAI,CAAC,GAAGA,CAAC;IAC7C;EACJ;EACA,OAAOwN,IAAI;AACf;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMC,OAAO,GAAG,IAAIhH,oBAAoB,CAAC,GAAG,CAAC;AAC7C;AACA;AACA;AACA;AACA;AACA;AACA,SAAS0F,oBAAoBA,CAACR,EAAE,EAAEE,EAAE,EAAE;EAClC;EACA;EACA;EACA,MAAM6B,OAAO,GAAGD,OAAO,CAAC7G,YAAY,CAAC,CAAC,CAAC,CAACV,UAAU,CAAC2F,EAAE,CAAC;EACtD;EACA;EACA4B,OAAO,CAAC7G,YAAY,CAAC,CAAC,CAAC,CAACP,kBAAkB,CAACsF,EAAE,EAAE+B,OAAO,CAAC;EACvD,OAAOA,OAAO,CAAC7M,QAAQ,CAAC,CAAC;AAC7B;;AAEA;AACA,IAAI8M,YAAY;AAChB,CAAC,UAAUA,YAAY,EAAE;EACrBA,YAAY,CAACA,YAAY,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,GAAG,MAAM;EAC/CA,YAAY,CAACA,YAAY,CAAC,OAAO,CAAC,GAAG,CAAC,CAAC,GAAG,OAAO;AACrD,CAAC,EAAEA,YAAY,KAAKA,YAAY,GAAG,CAAC,CAAC,CAAC,CAAC;AACvC,MAAM1I,IAAI,CAAC;EACPhH,WAAWA,CAAC2P,SAAS,GAAGD,YAAY,CAACE,IAAI,EAAE;IACvC,IAAI,CAACD,SAAS,GAAGA,SAAS;EAC9B;EACAE,WAAWA,CAACC,QAAQ,EAAE;IAClB,OAAO,CAAC,IAAI,CAACH,SAAS,GAAGG,QAAQ,MAAM,CAAC;EAC5C;AACJ;AACA,IAAIC,eAAe;AACnB,CAAC,UAAUA,eAAe,EAAE;EACxBA,eAAe,CAACA,eAAe,CAAC,SAAS,CAAC,GAAG,CAAC,CAAC,GAAG,SAAS;EAC3DA,eAAe,CAACA,eAAe,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,GAAG,MAAM;EACrDA,eAAe,CAACA,eAAe,CAAC,QAAQ,CAAC,GAAG,CAAC,CAAC,GAAG,QAAQ;EACzDA,eAAe,CAACA,eAAe,CAAC,KAAK,CAAC,GAAG,CAAC,CAAC,GAAG,KAAK;EACnDA,eAAe,CAACA,eAAe,CAAC,QAAQ,CAAC,GAAG,CAAC,CAAC,GAAG,QAAQ;EACzDA,eAAe,CAACA,eAAe,CAAC,UAAU,CAAC,GAAG,CAAC,CAAC,GAAG,UAAU;EAC7DA,eAAe,CAACA,eAAe,CAAC,UAAU,CAAC,GAAG,CAAC,CAAC,GAAG,UAAU;EAC7DA,eAAe,CAACA,eAAe,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,GAAG,MAAM;AACzD,CAAC,EAAEA,eAAe,KAAKA,eAAe,GAAG,CAAC,CAAC,CAAC,CAAC;AAC7C,MAAMC,WAAW,SAAShJ,IAAI,CAAC;EAC3BhH,WAAWA,CAACyC,IAAI,EAAEkN,SAAS,EAAE;IACzB,KAAK,CAACA,SAAS,CAAC;IAChB,IAAI,CAAClN,IAAI,GAAGA,IAAI;EACpB;EACAwN,SAASA,CAAC1G,OAAO,EAAES,OAAO,EAAE;IACxB,OAAOT,OAAO,CAAC2G,gBAAgB,CAAC,IAAI,EAAElG,OAAO,CAAC;EAClD;AACJ;AACA,MAAMmG,cAAc,SAASnJ,IAAI,CAAC;EAC9BhH,WAAWA,CAAC0C,KAAK,EAAEiN,SAAS,EAAES,UAAU,GAAG,IAAI,EAAE;IAC7C,KAAK,CAACT,SAAS,CAAC;IAChB,IAAI,CAACjN,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC0N,UAAU,GAAGA,UAAU;EAChC;EACAH,SAASA,CAAC1G,OAAO,EAAES,OAAO,EAAE;IACxB,OAAOT,OAAO,CAAC8G,mBAAmB,CAAC,IAAI,EAAErG,OAAO,CAAC;EACrD;AACJ;AACA,MAAMsG,SAAS,SAAStJ,IAAI,CAAC;EACzBhH,WAAWA,CAACuQ,EAAE,EAAEZ,SAAS,EAAE;IACvB,KAAK,CAACA,SAAS,CAAC;IAChB,IAAI,CAACY,EAAE,GAAGA,EAAE;EAChB;EACAN,SAASA,CAAC1G,OAAO,EAAES,OAAO,EAAE;IACxB,OAAOT,OAAO,CAACiH,cAAc,CAAC,IAAI,EAAExG,OAAO,CAAC;EAChD;AACJ;AACA,MAAMyG,OAAO,SAASzJ,IAAI,CAAC;EACvBhH,WAAWA,CAAC0Q,SAAS,EAAEf,SAAS,EAAE;IAC9B,KAAK,CAACA,SAAS,CAAC;IAChB,IAAI,CAACe,SAAS,GAAGA,SAAS,IAAI,IAAI;EACtC;EACAT,SAASA,CAAC1G,OAAO,EAAES,OAAO,EAAE;IACxB,OAAOT,OAAO,CAACoH,YAAY,CAAC,IAAI,EAAE3G,OAAO,CAAC;EAC9C;AACJ;AACA,MAAM4G,gBAAgB,SAAS5J,IAAI,CAAC;EAChChH,WAAWA,CAAC4K,IAAI,EAAE+E,SAAS,EAAE;IACzB,KAAK,CAACA,SAAS,CAAC;IAChB,IAAI,CAAC/E,IAAI,GAAGA,IAAI;EACpB;EACAqF,SAASA,CAAC1G,OAAO,EAAES,OAAO,EAAE;IACxB,OAAOT,OAAO,CAACsH,qBAAqB,CAAC,IAAI,EAAE7G,OAAO,CAAC;EACvD;AACJ;AACA,MAAM8G,YAAY,GAAG,IAAId,WAAW,CAACD,eAAe,CAACgB,OAAO,CAAC;AAC7D,MAAMC,aAAa,GAAG,IAAIhB,WAAW,CAACD,eAAe,CAACkB,QAAQ,CAAC;AAC/D,MAAMC,SAAS,GAAG,IAAIlB,WAAW,CAACD,eAAe,CAACoB,IAAI,CAAC;AACvD,MAAMC,QAAQ,GAAG,IAAIpB,WAAW,CAACD,eAAe,CAACsB,GAAG,CAAC;AACrD,MAAMC,WAAW,GAAG,IAAItB,WAAW,CAACD,eAAe,CAACwB,MAAM,CAAC;AAC3D,MAAMC,WAAW,GAAG,IAAIxB,WAAW,CAACD,eAAe,CAAC0B,MAAM,CAAC;AAC3D,MAAMC,aAAa,GAAG,IAAI1B,WAAW,CAACD,eAAe,CAAC9J,QAAQ,CAAC;AAC/D,MAAM0L,SAAS,GAAG,IAAI3B,WAAW,CAACD,eAAe,CAACH,IAAI,CAAC;AACvD;AACA,IAAIgC,aAAa;AACjB,CAAC,UAAUA,aAAa,EAAE;EACtBA,aAAa,CAACA,aAAa,CAAC,OAAO,CAAC,GAAG,CAAC,CAAC,GAAG,OAAO;EACnDA,aAAa,CAACA,aAAa,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,GAAG,MAAM;AACrD,CAAC,EAAEA,aAAa,KAAKA,aAAa,GAAG,CAAC,CAAC,CAAC,CAAC;AACzC,IAAIC,cAAc;AAClB,CAAC,UAAUA,cAAc,EAAE;EACvBA,cAAc,CAACA,cAAc,CAAC,QAAQ,CAAC,GAAG,CAAC,CAAC,GAAG,QAAQ;EACvDA,cAAc,CAACA,cAAc,CAAC,WAAW,CAAC,GAAG,CAAC,CAAC,GAAG,WAAW;EAC7DA,cAAc,CAACA,cAAc,CAAC,WAAW,CAAC,GAAG,CAAC,CAAC,GAAG,WAAW;EAC7DA,cAAc,CAACA,cAAc,CAAC,cAAc,CAAC,GAAG,CAAC,CAAC,GAAG,cAAc;EACnEA,cAAc,CAACA,cAAc,CAAC,OAAO,CAAC,GAAG,CAAC,CAAC,GAAG,OAAO;EACrDA,cAAc,CAACA,cAAc,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,GAAG,MAAM;EACnDA,cAAc,CAACA,cAAc,CAAC,QAAQ,CAAC,GAAG,CAAC,CAAC,GAAG,QAAQ;EACvDA,cAAc,CAACA,cAAc,CAAC,UAAU,CAAC,GAAG,CAAC,CAAC,GAAG,UAAU;EAC3DA,cAAc,CAACA,cAAc,CAAC,QAAQ,CAAC,GAAG,CAAC,CAAC,GAAG,QAAQ;EACvDA,cAAc,CAACA,cAAc,CAAC,KAAK,CAAC,GAAG,CAAC,CAAC,GAAG,KAAK;EACjDA,cAAc,CAACA,cAAc,CAAC,IAAI,CAAC,GAAG,EAAE,CAAC,GAAG,IAAI;EAChDA,cAAc,CAACA,cAAc,CAAC,YAAY,CAAC,GAAG,EAAE,CAAC,GAAG,YAAY;EAChEA,cAAc,CAACA,cAAc,CAAC,OAAO,CAAC,GAAG,EAAE,CAAC,GAAG,OAAO;EACtDA,cAAc,CAACA,cAAc,CAAC,aAAa,CAAC,GAAG,EAAE,CAAC,GAAG,aAAa;EAClEA,cAAc,CAACA,cAAc,CAAC,QAAQ,CAAC,GAAG,EAAE,CAAC,GAAG,QAAQ;EACxDA,cAAc,CAACA,cAAc,CAAC,cAAc,CAAC,GAAG,EAAE,CAAC,GAAG,cAAc;EACpEA,cAAc,CAACA,cAAc,CAAC,iBAAiB,CAAC,GAAG,EAAE,CAAC,GAAG,iBAAiB;AAC9E,CAAC,EAAEA,cAAc,KAAKA,cAAc,GAAG,CAAC,CAAC,CAAC,CAAC;AAC3C,SAASC,oBAAoBA,CAACrJ,IAAI,EAAElB,KAAK,EAAE;EACvC,IAAIkB,IAAI,IAAI,IAAI,IAAIlB,KAAK,IAAI,IAAI,EAAE;IAC/B,OAAOkB,IAAI,IAAIlB,KAAK;EACxB;EACA,OAAOkB,IAAI,CAACsJ,YAAY,CAACxK,KAAK,CAAC;AACnC;AACA,SAASyK,yBAAyBA,CAACvJ,IAAI,EAAElB,KAAK,EAAE0K,mBAAmB,EAAE;EACjE,MAAMpG,GAAG,GAAGpD,IAAI,CAAC9H,MAAM;EACvB,IAAIkL,GAAG,KAAKtE,KAAK,CAAC5G,MAAM,EAAE;IACtB,OAAO,KAAK;EAChB;EACA,KAAK,IAAIoB,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG8J,GAAG,EAAE9J,CAAC,EAAE,EAAE;IAC1B,IAAI,CAACkQ,mBAAmB,CAACxJ,IAAI,CAAC1G,CAAC,CAAC,EAAEwF,KAAK,CAACxF,CAAC,CAAC,CAAC,EAAE;MACzC,OAAO,KAAK;IAChB;EACJ;EACA,OAAO,IAAI;AACf;AACA,SAASmQ,gBAAgBA,CAACzJ,IAAI,EAAElB,KAAK,EAAE;EACnC,OAAOyK,yBAAyB,CAACvJ,IAAI,EAAElB,KAAK,EAAE,CAAC4K,WAAW,EAAEC,YAAY,KAAKD,WAAW,CAACJ,YAAY,CAACK,YAAY,CAAC,CAAC;AACxH;AACA,MAAMC,UAAU,CAAC;EACbrS,WAAWA,CAAC4K,IAAI,EAAE0H,UAAU,EAAE;IAC1B,IAAI,CAAC1H,IAAI,GAAGA,IAAI,IAAI,IAAI;IACxB,IAAI,CAAC0H,UAAU,GAAGA,UAAU,IAAI,IAAI;EACxC;EACAC,IAAIA,CAAC9P,IAAI,EAAE6P,UAAU,EAAE;IACnB,OAAO,IAAIE,YAAY,CAAC,IAAI,EAAE/P,IAAI,EAAE,IAAI,EAAE6P,UAAU,CAAC;EACzD;EACAG,GAAGA,CAACtF,KAAK,EAAEvC,IAAI,EAAE0H,UAAU,EAAE;IACzB,OAAO,IAAII,WAAW,CAAC,IAAI,EAAEvF,KAAK,EAAEvC,IAAI,EAAE0H,UAAU,CAAC;EACzD;EACAK,MAAMA,CAACC,MAAM,EAAEN,UAAU,EAAEO,IAAI,EAAE;IAC7B,OAAO,IAAIC,kBAAkB,CAAC,IAAI,EAAEF,MAAM,EAAE,IAAI,EAAEN,UAAU,EAAEO,IAAI,CAAC;EACvE;EACAE,WAAWA,CAACH,MAAM,EAAEhI,IAAI,EAAE0H,UAAU,EAAE;IAClC,OAAO,IAAIU,eAAe,CAAC,IAAI,EAAEJ,MAAM,EAAEhI,IAAI,EAAE0H,UAAU,CAAC;EAC9D;EACAW,WAAWA,CAACC,QAAQ,EAAEC,SAAS,GAAG,IAAI,EAAEb,UAAU,EAAE;IAChD,OAAO,IAAIc,eAAe,CAAC,IAAI,EAAEF,QAAQ,EAAEC,SAAS,EAAE,IAAI,EAAEb,UAAU,CAAC;EAC3E;EACAe,MAAMA,CAACC,GAAG,EAAEhB,UAAU,EAAE;IACpB,OAAO,IAAIiB,kBAAkB,CAAC1B,cAAc,CAAC2B,MAAM,EAAE,IAAI,EAAEF,GAAG,EAAE,IAAI,EAAEhB,UAAU,CAAC;EACrF;EACAmB,SAASA,CAACH,GAAG,EAAEhB,UAAU,EAAE;IACvB,OAAO,IAAIiB,kBAAkB,CAAC1B,cAAc,CAAC6B,SAAS,EAAE,IAAI,EAAEJ,GAAG,EAAE,IAAI,EAAEhB,UAAU,CAAC;EACxF;EACAqB,SAASA,CAACL,GAAG,EAAEhB,UAAU,EAAE;IACvB,OAAO,IAAIiB,kBAAkB,CAAC1B,cAAc,CAAC+B,SAAS,EAAE,IAAI,EAAEN,GAAG,EAAE,IAAI,EAAEhB,UAAU,CAAC;EACxF;EACAuB,YAAYA,CAACP,GAAG,EAAEhB,UAAU,EAAE;IAC1B,OAAO,IAAIiB,kBAAkB,CAAC1B,cAAc,CAACiC,YAAY,EAAE,IAAI,EAAER,GAAG,EAAE,IAAI,EAAEhB,UAAU,CAAC;EAC3F;EACAyB,KAAKA,CAACT,GAAG,EAAEhB,UAAU,EAAE;IACnB,OAAO,IAAIiB,kBAAkB,CAAC1B,cAAc,CAACmC,KAAK,EAAE,IAAI,EAAEV,GAAG,EAAE,IAAI,EAAEhB,UAAU,CAAC;EACpF;EACA2B,IAAIA,CAACX,GAAG,EAAEhB,UAAU,EAAE;IAClB,OAAO,IAAIiB,kBAAkB,CAAC1B,cAAc,CAACqC,IAAI,EAAE,IAAI,EAAEZ,GAAG,EAAE,IAAI,EAAEhB,UAAU,CAAC;EACnF;EACA6B,MAAMA,CAACb,GAAG,EAAEhB,UAAU,EAAE;IACpB,OAAO,IAAIiB,kBAAkB,CAAC1B,cAAc,CAACuC,MAAM,EAAE,IAAI,EAAEd,GAAG,EAAE,IAAI,EAAEhB,UAAU,CAAC;EACrF;EACA+B,QAAQA,CAACf,GAAG,EAAEhB,UAAU,EAAE;IACtB,OAAO,IAAIiB,kBAAkB,CAAC1B,cAAc,CAACyC,QAAQ,EAAE,IAAI,EAAEhB,GAAG,EAAE,IAAI,EAAEhB,UAAU,CAAC;EACvF;EACAiC,MAAMA,CAACjB,GAAG,EAAEhB,UAAU,EAAE;IACpB,OAAO,IAAIiB,kBAAkB,CAAC1B,cAAc,CAAC2C,MAAM,EAAE,IAAI,EAAElB,GAAG,EAAE,IAAI,EAAEhB,UAAU,CAAC;EACrF;EACAmC,GAAGA,CAACnB,GAAG,EAAEhB,UAAU,EAAE;IACjB,OAAO,IAAIiB,kBAAkB,CAAC1B,cAAc,CAAC6C,GAAG,EAAE,IAAI,EAAEpB,GAAG,EAAE,IAAI,EAAEhB,UAAU,CAAC;EAClF;EACAqC,UAAUA,CAACrB,GAAG,EAAEhB,UAAU,EAAEsC,MAAM,GAAG,IAAI,EAAE;IACvC,OAAO,IAAIrB,kBAAkB,CAAC1B,cAAc,CAACgD,UAAU,EAAE,IAAI,EAAEvB,GAAG,EAAE,IAAI,EAAEhB,UAAU,EAAEsC,MAAM,CAAC;EACjG;EACAE,EAAEA,CAACxB,GAAG,EAAEhB,UAAU,EAAE;IAChB,OAAO,IAAIiB,kBAAkB,CAAC1B,cAAc,CAACkD,EAAE,EAAE,IAAI,EAAEzB,GAAG,EAAE,IAAI,EAAEhB,UAAU,CAAC;EACjF;EACA0C,KAAKA,CAAC1B,GAAG,EAAEhB,UAAU,EAAE;IACnB,OAAO,IAAIiB,kBAAkB,CAAC1B,cAAc,CAACoD,KAAK,EAAE,IAAI,EAAE3B,GAAG,EAAE,IAAI,EAAEhB,UAAU,CAAC;EACpF;EACA4C,WAAWA,CAAC5B,GAAG,EAAEhB,UAAU,EAAE;IACzB,OAAO,IAAIiB,kBAAkB,CAAC1B,cAAc,CAACsD,WAAW,EAAE,IAAI,EAAE7B,GAAG,EAAE,IAAI,EAAEhB,UAAU,CAAC;EAC1F;EACA8C,MAAMA,CAAC9B,GAAG,EAAEhB,UAAU,EAAE;IACpB,OAAO,IAAIiB,kBAAkB,CAAC1B,cAAc,CAACwD,MAAM,EAAE,IAAI,EAAE/B,GAAG,EAAE,IAAI,EAAEhB,UAAU,CAAC;EACrF;EACAgD,YAAYA,CAAChC,GAAG,EAAEhB,UAAU,EAAE;IAC1B,OAAO,IAAIiB,kBAAkB,CAAC1B,cAAc,CAAC0D,YAAY,EAAE,IAAI,EAAEjC,GAAG,EAAE,IAAI,EAAEhB,UAAU,CAAC;EAC3F;EACAkD,OAAOA,CAAClD,UAAU,EAAE;IAChB;IACA;IACA,OAAO,IAAI,CAACe,MAAM,CAACoC,eAAe,EAAEnD,UAAU,CAAC;EACnD;EACAoD,eAAeA,CAACpC,GAAG,EAAEhB,UAAU,EAAE;IAC7B,OAAO,IAAIiB,kBAAkB,CAAC1B,cAAc,CAAC8D,eAAe,EAAE,IAAI,EAAErC,GAAG,EAAE,IAAI,EAAEhB,UAAU,CAAC;EAC9F;EACAsD,MAAMA,CAAA,EAAG;IACL,OAAO,IAAIC,mBAAmB,CAAC,IAAI,EAAE,IAAI,CAAC;EAC9C;AACJ;AACA,MAAMC,WAAW,SAASzD,UAAU,CAAC;EACjCrS,WAAWA,CAACyC,IAAI,EAAEmI,IAAI,EAAE0H,UAAU,EAAE;IAChC,KAAK,CAAC1H,IAAI,EAAE0H,UAAU,CAAC;IACvB,IAAI,CAAC7P,IAAI,GAAGA,IAAI;EACpB;EACAsP,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAY2J,WAAW,IAAI,IAAI,CAACrT,IAAI,KAAK0J,CAAC,CAAC1J,IAAI;EAC3D;EACAsT,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAC,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAAC0M,gBAAgB,CAAC,IAAI,EAAEjM,OAAO,CAAC;EAClD;EACA3C,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAIyO,WAAW,CAAC,IAAI,CAACrT,IAAI,EAAE,IAAI,CAACmI,IAAI,EAAE,IAAI,CAAC0H,UAAU,CAAC;EACjE;EACA3N,GAAGA,CAACjC,KAAK,EAAE;IACP,OAAO,IAAIwT,YAAY,CAAC,IAAI,CAACzT,IAAI,EAAEC,KAAK,EAAE,IAAI,EAAE,IAAI,CAAC4P,UAAU,CAAC;EACpE;AACJ;AACA,MAAM6D,UAAU,SAAS9D,UAAU,CAAC;EAChCrS,WAAWA,CAACoW,IAAI,EAAExL,IAAI,EAAE0H,UAAU,EAAE;IAChC,KAAK,CAAC1H,IAAI,EAAE0H,UAAU,CAAC;IACvB,IAAI,CAAC8D,IAAI,GAAGA,IAAI;EACpB;EACAJ,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAAC8M,eAAe,CAAC,IAAI,EAAErM,OAAO,CAAC;EACjD;EACA+H,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAYgK,UAAU,IAAIhK,CAAC,CAACiK,IAAI,CAACrE,YAAY,CAAC,IAAI,CAACqE,IAAI,CAAC;EACpE;EACAL,UAAUA,CAAA,EAAG;IACT,OAAO,IAAI,CAACK,IAAI,CAACL,UAAU,CAAC,CAAC;EACjC;EACA1O,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAI8O,UAAU,CAAC,IAAI,CAACC,IAAI,CAAC/O,KAAK,CAAC,CAAC,CAAC;EAC5C;AACJ;AACA,MAAMiP,eAAe,SAASjE,UAAU,CAAC;EACrCrS,WAAWA,CAACuW,IAAI,EAAE3L,IAAI,EAAE0H,UAAU,EAAE;IAChC,KAAK,CAAC1H,IAAI,EAAE0H,UAAU,CAAC;IACvB,IAAI,CAACiE,IAAI,GAAGA,IAAI;EACpB;EACAxE,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAYmK,eAAe,IAAI,IAAI,CAACC,IAAI,KAAKpK,CAAC,CAACoK,IAAI;EAC/D;EACAR,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAC,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAACiN,oBAAoB,CAAC,IAAI,EAAExM,OAAO,CAAC;EACtD;EACA3C,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAIiP,eAAe,CAAC,IAAI,CAACC,IAAI,EAAE,IAAI,CAAC3L,IAAI,EAAE,IAAI,CAAC0H,UAAU,CAAC;EACrE;AACJ;AACA,MAAM4D,YAAY,SAAS7D,UAAU,CAAC;EAClCrS,WAAWA,CAACyC,IAAI,EAAEC,KAAK,EAAEkI,IAAI,EAAE0H,UAAU,EAAE;IACvC,KAAK,CAAC1H,IAAI,IAAIlI,KAAK,CAACkI,IAAI,EAAE0H,UAAU,CAAC;IACrC,IAAI,CAAC7P,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACC,KAAK,GAAGA,KAAK;EACtB;EACAqP,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAY+J,YAAY,IAAI,IAAI,CAACzT,IAAI,KAAK0J,CAAC,CAAC1J,IAAI,IAAI,IAAI,CAACC,KAAK,CAACqP,YAAY,CAAC5F,CAAC,CAACzJ,KAAK,CAAC;EAChG;EACAqT,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAC,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAACkN,iBAAiB,CAAC,IAAI,EAAEzM,OAAO,CAAC;EACnD;EACA3C,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAI6O,YAAY,CAAC,IAAI,CAACzT,IAAI,EAAE,IAAI,CAACC,KAAK,CAAC2E,KAAK,CAAC,CAAC,EAAE,IAAI,CAACuD,IAAI,EAAE,IAAI,CAAC0H,UAAU,CAAC;EACtF;EACAoE,UAAUA,CAAC9L,IAAI,EAAE+E,SAAS,EAAE;IACxB,OAAO,IAAIgH,cAAc,CAAC,IAAI,CAAClU,IAAI,EAAE,IAAI,CAACC,KAAK,EAAEkI,IAAI,EAAE+E,SAAS,EAAE,IAAI,CAAC2C,UAAU,CAAC;EACtF;EACAsE,WAAWA,CAAA,EAAG;IACV,OAAO,IAAI,CAACF,UAAU,CAAC1F,aAAa,EAAE6F,YAAY,CAACC,KAAK,CAAC;EAC7D;AACJ;AACA,MAAMC,YAAY,SAAS1E,UAAU,CAAC;EAClCrS,WAAWA,CAACgX,QAAQ,EAAE7J,KAAK,EAAEzK,KAAK,EAAEkI,IAAI,EAAE0H,UAAU,EAAE;IAClD,KAAK,CAAC1H,IAAI,IAAIlI,KAAK,CAACkI,IAAI,EAAE0H,UAAU,CAAC;IACrC,IAAI,CAAC0E,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAAC7J,KAAK,GAAGA,KAAK;IAClB,IAAI,CAACzK,KAAK,GAAGA,KAAK;EACtB;EACAqP,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAY4K,YAAY,IAAI,IAAI,CAACC,QAAQ,CAACjF,YAAY,CAAC5F,CAAC,CAAC6K,QAAQ,CAAC,IACtE,IAAI,CAAC7J,KAAK,CAAC4E,YAAY,CAAC5F,CAAC,CAACgB,KAAK,CAAC,IAAI,IAAI,CAACzK,KAAK,CAACqP,YAAY,CAAC5F,CAAC,CAACzJ,KAAK,CAAC;EAC5E;EACAqT,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAC,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAAC0N,iBAAiB,CAAC,IAAI,EAAEjN,OAAO,CAAC;EACnD;EACA3C,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAI0P,YAAY,CAAC,IAAI,CAACC,QAAQ,CAAC3P,KAAK,CAAC,CAAC,EAAE,IAAI,CAAC8F,KAAK,CAAC9F,KAAK,CAAC,CAAC,EAAE,IAAI,CAAC3E,KAAK,CAAC2E,KAAK,CAAC,CAAC,EAAE,IAAI,CAACuD,IAAI,EAAE,IAAI,CAAC0H,UAAU,CAAC;EACtH;AACJ;AACA,MAAM4E,aAAa,SAAS7E,UAAU,CAAC;EACnCrS,WAAWA,CAACgX,QAAQ,EAAEvU,IAAI,EAAEC,KAAK,EAAEkI,IAAI,EAAE0H,UAAU,EAAE;IACjD,KAAK,CAAC1H,IAAI,IAAIlI,KAAK,CAACkI,IAAI,EAAE0H,UAAU,CAAC;IACrC,IAAI,CAAC0E,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACvU,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACC,KAAK,GAAGA,KAAK;EACtB;EACAqP,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAY+K,aAAa,IAAI,IAAI,CAACF,QAAQ,CAACjF,YAAY,CAAC5F,CAAC,CAAC6K,QAAQ,CAAC,IACvE,IAAI,CAACvU,IAAI,KAAK0J,CAAC,CAAC1J,IAAI,IAAI,IAAI,CAACC,KAAK,CAACqP,YAAY,CAAC5F,CAAC,CAACzJ,KAAK,CAAC;EAChE;EACAqT,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAC,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAAC4N,kBAAkB,CAAC,IAAI,EAAEnN,OAAO,CAAC;EACpD;EACA3C,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAI6P,aAAa,CAAC,IAAI,CAACF,QAAQ,CAAC3P,KAAK,CAAC,CAAC,EAAE,IAAI,CAAC5E,IAAI,EAAE,IAAI,CAACC,KAAK,CAAC2E,KAAK,CAAC,CAAC,EAAE,IAAI,CAACuD,IAAI,EAAE,IAAI,CAAC0H,UAAU,CAAC;EAC9G;AACJ;AACA,MAAMQ,kBAAkB,SAAST,UAAU,CAAC;EACxCrS,WAAWA,CAACoX,EAAE,EAAEC,IAAI,EAAEzM,IAAI,EAAE0H,UAAU,EAAEO,IAAI,GAAG,KAAK,EAAE;IAClD,KAAK,CAACjI,IAAI,EAAE0H,UAAU,CAAC;IACvB,IAAI,CAAC8E,EAAE,GAAGA,EAAE;IACZ,IAAI,CAACC,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACxE,IAAI,GAAGA,IAAI;EACpB;EACA;EACA,IAAImE,QAAQA,CAAA,EAAG;IACX,OAAO,IAAI,CAACI,EAAE;EAClB;EACArF,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAY2G,kBAAkB,IAAI,IAAI,CAACsE,EAAE,CAACrF,YAAY,CAAC5F,CAAC,CAACiL,EAAE,CAAC,IAChElF,gBAAgB,CAAC,IAAI,CAACmF,IAAI,EAAElL,CAAC,CAACkL,IAAI,CAAC,IAAI,IAAI,CAACxE,IAAI,KAAK1G,CAAC,CAAC0G,IAAI;EACnE;EACAkD,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAC,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAAC+N,uBAAuB,CAAC,IAAI,EAAEtN,OAAO,CAAC;EACzD;EACA3C,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAIyL,kBAAkB,CAAC,IAAI,CAACsE,EAAE,CAAC/P,KAAK,CAAC,CAAC,EAAE,IAAI,CAACgQ,IAAI,CAACvS,GAAG,CAACyS,GAAG,IAAIA,GAAG,CAAClQ,KAAK,CAAC,CAAC,CAAC,EAAE,IAAI,CAACuD,IAAI,EAAE,IAAI,CAAC0H,UAAU,EAAE,IAAI,CAACO,IAAI,CAAC;EAC5H;AACJ;AACA,MAAM2E,kBAAkB,SAASnF,UAAU,CAAC;EACxCrS,WAAWA,CAACoB,GAAG,EAAEqW,QAAQ,EAAE7M,IAAI,EAAE0H,UAAU,EAAE;IACzC,KAAK,CAAC1H,IAAI,EAAE0H,UAAU,CAAC;IACvB,IAAI,CAAClR,GAAG,GAAGA,GAAG;IACd,IAAI,CAACqW,QAAQ,GAAGA,QAAQ;EAC5B;EACA1F,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAYqL,kBAAkB,IAAI,IAAI,CAACpW,GAAG,CAAC2Q,YAAY,CAAC5F,CAAC,CAAC/K,GAAG,CAAC,IAClE4Q,yBAAyB,CAAC,IAAI,CAACyF,QAAQ,CAACC,QAAQ,EAAEvL,CAAC,CAACsL,QAAQ,CAACC,QAAQ,EAAE,CAAChO,CAAC,EAAEsC,CAAC,KAAKtC,CAAC,CAACK,IAAI,KAAKiC,CAAC,CAACjC,IAAI,CAAC,IACnGmI,gBAAgB,CAAC,IAAI,CAACuF,QAAQ,CAACE,WAAW,EAAExL,CAAC,CAACsL,QAAQ,CAACE,WAAW,CAAC;EAC3E;EACA5B,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAC,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAACqO,uBAAuB,CAAC,IAAI,EAAE5N,OAAO,CAAC;EACzD;EACA3C,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAImQ,kBAAkB,CAAC,IAAI,CAACpW,GAAG,CAACiG,KAAK,CAAC,CAAC,EAAE,IAAI,CAACoQ,QAAQ,CAACpQ,KAAK,CAAC,CAAC,EAAE,IAAI,CAACuD,IAAI,EAAE,IAAI,CAAC0H,UAAU,CAAC;EACtG;AACJ;AACA,MAAMU,eAAe,SAASX,UAAU,CAAC;EACrCrS,WAAWA,CAAC6X,SAAS,EAAER,IAAI,EAAEzM,IAAI,EAAE0H,UAAU,EAAE;IAC3C,KAAK,CAAC1H,IAAI,EAAE0H,UAAU,CAAC;IACvB,IAAI,CAACuF,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAACR,IAAI,GAAGA,IAAI;EACpB;EACAtF,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAY6G,eAAe,IAAI,IAAI,CAAC6E,SAAS,CAAC9F,YAAY,CAAC5F,CAAC,CAAC0L,SAAS,CAAC,IAC3E3F,gBAAgB,CAAC,IAAI,CAACmF,IAAI,EAAElL,CAAC,CAACkL,IAAI,CAAC;EAC3C;EACAtB,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAC,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAACuO,oBAAoB,CAAC,IAAI,EAAE9N,OAAO,CAAC;EACtD;EACA3C,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAI2L,eAAe,CAAC,IAAI,CAAC6E,SAAS,CAACxQ,KAAK,CAAC,CAAC,EAAE,IAAI,CAACgQ,IAAI,CAACvS,GAAG,CAACyS,GAAG,IAAIA,GAAG,CAAClQ,KAAK,CAAC,CAAC,CAAC,EAAE,IAAI,CAACuD,IAAI,EAAE,IAAI,CAAC0H,UAAU,CAAC;EACrH;AACJ;AACA,MAAMyF,WAAW,SAAS1F,UAAU,CAAC;EACjCrS,WAAWA,CAAC0C,KAAK,EAAEkI,IAAI,EAAE0H,UAAU,EAAE;IACjC,KAAK,CAAC1H,IAAI,EAAE0H,UAAU,CAAC;IACvB,IAAI,CAAC5P,KAAK,GAAGA,KAAK;EACtB;EACAqP,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAY4L,WAAW,IAAI,IAAI,CAACrV,KAAK,KAAKyJ,CAAC,CAACzJ,KAAK;EAC7D;EACAqT,UAAUA,CAAA,EAAG;IACT,OAAO,IAAI;EACf;EACAC,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAACyO,gBAAgB,CAAC,IAAI,EAAEhO,OAAO,CAAC;EAClD;EACA3C,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAI0Q,WAAW,CAAC,IAAI,CAACrV,KAAK,EAAE,IAAI,CAACkI,IAAI,EAAE,IAAI,CAAC0H,UAAU,CAAC;EAClE;AACJ;AACA,MAAM2F,eAAe,CAAC;EAClBjY,WAAWA,CAAC0X,QAAQ,EAAEC,WAAW,EAAE;IAC/B,IAAI,CAACD,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACC,WAAW,GAAGA,WAAW;EAClC;EACAtQ,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAI4Q,eAAe,CAAC,IAAI,CAACP,QAAQ,CAAC5S,GAAG,CAACoT,EAAE,IAAIA,EAAE,CAAC7Q,KAAK,CAAC,CAAC,CAAC,EAAE,IAAI,CAACsQ,WAAW,CAAC7S,GAAG,CAACsR,IAAI,IAAIA,IAAI,CAAC/O,KAAK,CAAC,CAAC,CAAC,CAAC;EAC/G;AACJ;AACA,MAAM8Q,sBAAsB,CAAC;EACzBnY,WAAWA,CAAC+J,IAAI,EAAEuI,UAAU,EAAE8F,OAAO,EAAE;IACnC,IAAI,CAACrO,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACuI,UAAU,GAAGA,UAAU;IAC5B;IACA;IACA;IACA;IACA;IACA;IACA,IAAI,CAAC8F,OAAO,GACRA,OAAO,IAAI9F,UAAU,EAAE1P,QAAQ,CAAC,CAAC,IAAIyV,wBAAwB,CAACC,aAAa,CAACvO,IAAI,CAAC,CAAC;EAC1F;EACA1C,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAI8Q,sBAAsB,CAAC,IAAI,CAACpO,IAAI,EAAE,IAAI,CAACuI,UAAU,EAAE,IAAI,CAAC8F,OAAO,CAAC;EAC/E;AACJ;AACA,MAAMG,YAAY,CAAC;EACfvY,WAAWA,CAAC+J,IAAI,EAAEuI,UAAU,EAAE;IAC1B,IAAI,CAACvI,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACuI,UAAU,GAAGA,UAAU;EAChC;AACJ;AACA,MAAMkG,gBAAgB,CAAC;EACnB;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIxY,WAAWA,CAAC+J,IAAI,EAAEuI,UAAU,EAAEmG,iBAAiB,EAAE;IAC7C,IAAI,CAAC1O,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACuI,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACmG,iBAAiB,GAAGA,iBAAiB;EAC9C;AACJ;AACA,MAAMC,mBAAmB,GAAG,GAAG;AAC/B,MAAMC,cAAc,GAAG,IAAI;AAC3B,MAAMC,mBAAmB,GAAG,GAAG;AAC/B,MAAMC,eAAe,SAASxG,UAAU,CAAC;EACrCrS,WAAWA,CAAC8Y,SAAS,EAAEC,YAAY,EAAEC,gBAAgB,EAAErB,WAAW,EAAErF,UAAU,EAAE;IAC5E,KAAK,CAACd,WAAW,EAAEc,UAAU,CAAC;IAC9B,IAAI,CAACwG,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAACC,YAAY,GAAGA,YAAY;IAChC,IAAI,CAACC,gBAAgB,GAAGA,gBAAgB;IACxC,IAAI,CAACrB,WAAW,GAAGA,WAAW;EAClC;EACA5F,YAAYA,CAAC5F,CAAC,EAAE;IACZ;IACA,OAAO,KAAK;EAChB;EACA4J,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAC,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAAC0P,oBAAoB,CAAC,IAAI,EAAEjP,OAAO,CAAC;EACtD;EACA3C,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAIwR,eAAe,CAAC,IAAI,CAACC,SAAS,EAAE,IAAI,CAACC,YAAY,EAAE,IAAI,CAACC,gBAAgB,EAAE,IAAI,CAACrB,WAAW,CAAC7S,GAAG,CAACsR,IAAI,IAAIA,IAAI,CAAC/O,KAAK,CAAC,CAAC,CAAC,EAAE,IAAI,CAACiL,UAAU,CAAC;EACrJ;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;EACI4G,iBAAiBA,CAAA,EAAG;IAChB,IAAIJ,SAAS,GAAG,IAAI,CAACA,SAAS,CAACK,WAAW,IAAI,EAAE;IAChD,IAAI,IAAI,CAACL,SAAS,CAAC1P,OAAO,EAAE;MACxB0P,SAAS,GAAG,GAAG,IAAI,CAACA,SAAS,CAAC1P,OAAO,GAAGsP,mBAAmB,GAAGI,SAAS,EAAE;IAC7E;IACA,IAAI,IAAI,CAACA,SAAS,CAACM,QAAQ,EAAE;MACzBN,SAAS,GAAG,GAAGA,SAAS,GAAGH,cAAc,GAAG,IAAI,CAACG,SAAS,CAACM,QAAQ,EAAE;IACzE;IACA,IAAI,IAAI,CAACN,SAAS,CAACO,SAAS,EAAE;MAC1B,IAAI,CAACP,SAAS,CAACO,SAAS,CAACxW,OAAO,CAACyW,QAAQ,IAAI;QACzCR,SAAS,GAAG,GAAGA,SAAS,GAAGF,mBAAmB,GAAGU,QAAQ,EAAE;MAC/D,CAAC,CAAC;IACN;IACA,OAAOC,qBAAqB,CAACT,SAAS,EAAE,IAAI,CAACC,YAAY,CAAC,CAAC,CAAC,CAAChP,IAAI,EAAE,IAAI,CAACyP,wBAAwB,CAAC,CAAC,CAAC,CAAC;EACxG;EACAA,wBAAwBA,CAACzX,CAAC,EAAE;IACxB,OAAO,IAAI,CAACgX,YAAY,CAAChX,CAAC,CAAC,EAAEuQ,UAAU,IAAI,IAAI,CAACA,UAAU;EAC9D;EACAmH,wBAAwBA,CAAC1X,CAAC,EAAE;IACxB,OAAO,IAAI,CAACiX,gBAAgB,CAACjX,CAAC,CAAC,EAAEuQ,UAAU,IAAI,IAAI,CAACqF,WAAW,CAAC5V,CAAC,CAAC,EAAEuQ,UAAU,IAC1E,IAAI,CAACA,UAAU;EACvB;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIoH,yBAAyBA,CAACC,SAAS,EAAE;IACjC,MAAMC,WAAW,GAAG,IAAI,CAACZ,gBAAgB,CAACW,SAAS,GAAG,CAAC,CAAC;IACxD,MAAME,WAAW,GAAG,IAAI,CAACd,YAAY,CAACY,SAAS,CAAC;IAChD,IAAIb,SAAS,GAAGc,WAAW,CAAC7P,IAAI;IAChC,IAAI6P,WAAW,CAACnB,iBAAiB,EAAEY,SAAS,CAAC1Y,MAAM,KAAK,CAAC,EAAE;MACvDmY,SAAS,IAAI,GAAGH,cAAc,GAAG/O,YAAY,CAACgQ,WAAW,CAACnB,iBAAiB,CAACqB,aAAa,EAAEF,WAAW,CAACnB,iBAAiB,CAACrP,OAAO,CAAC,EAAE;IACvI;IACA,OAAOmQ,qBAAqB,CAACT,SAAS,EAAEe,WAAW,CAAC9P,IAAI,EAAE,IAAI,CAACyP,wBAAwB,CAACG,SAAS,CAAC,CAAC;EACvG;AACJ;AACA,MAAMrB,aAAa,GAAIjN,GAAG,IAAKA,GAAG,CAAClJ,OAAO,CAAC,KAAK,EAAE,MAAM,CAAC;AACzD,MAAM4X,mBAAmB,GAAI1O,GAAG,IAAKA,GAAG,CAAClJ,OAAO,CAAC,IAAI,EAAE,KAAK,CAAC;AAC7D,MAAM6X,YAAY,GAAI3O,GAAG,IAAKA,GAAG,CAAClJ,OAAO,CAAC,IAAI,EAAE,KAAK,CAAC;AACtD,MAAMkW,wBAAwB,GAAIhN,GAAG,IAAKA,GAAG,CAAClJ,OAAO,CAAC,IAAI,EAAE,KAAK,CAAC,CAACA,OAAO,CAAC,MAAM,EAAE,MAAM,CAAC;AAC1F;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASoX,qBAAqBA,CAACT,SAAS,EAAEe,WAAW,EAAEI,KAAK,EAAE;EAC1D,IAAInB,SAAS,KAAK,EAAE,EAAE;IAClB,OAAO;MACHoB,MAAM,EAAEL,WAAW;MACnBM,GAAG,EAAE9B,wBAAwB,CAAC0B,mBAAmB,CAACzB,aAAa,CAACuB,WAAW,CAAC,CAAC,CAAC;MAC9EI;IACJ,CAAC;EACL,CAAC,MACI;IACD,OAAO;MACHC,MAAM,EAAE,IAAIpB,SAAS,IAAIe,WAAW,EAAE;MACtCM,GAAG,EAAE9B,wBAAwB,CAAC,IAAI2B,YAAY,CAAC1B,aAAa,CAACQ,SAAS,CAAC,CAAC,IAAIR,aAAa,CAACuB,WAAW,CAAC,EAAE,CAAC;MACzGI;IACJ,CAAC;EACL;AACJ;AACA,MAAMG,YAAY,SAAS/H,UAAU,CAAC;EAClCrS,WAAWA,CAAC0C,KAAK,EAAEkI,IAAI,EAAEwF,UAAU,GAAG,IAAI,EAAEkC,UAAU,EAAE;IACpD,KAAK,CAAC1H,IAAI,EAAE0H,UAAU,CAAC;IACvB,IAAI,CAAC5P,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC0N,UAAU,GAAGA,UAAU;EAChC;EACA2B,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAYiO,YAAY,IAAI,IAAI,CAAC1X,KAAK,CAACD,IAAI,KAAK0J,CAAC,CAACzJ,KAAK,CAACD,IAAI,IAChE,IAAI,CAACC,KAAK,CAAC2X,UAAU,KAAKlO,CAAC,CAACzJ,KAAK,CAAC2X,UAAU,IAAI,IAAI,CAAC3X,KAAK,CAAC4X,OAAO,KAAKnO,CAAC,CAACzJ,KAAK,CAAC4X,OAAO;EAC9F;EACAvE,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAC,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAACgR,iBAAiB,CAAC,IAAI,EAAEvQ,OAAO,CAAC;EACnD;EACA3C,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAI+S,YAAY,CAAC,IAAI,CAAC1X,KAAK,EAAE,IAAI,CAACkI,IAAI,EAAE,IAAI,CAACwF,UAAU,EAAE,IAAI,CAACkC,UAAU,CAAC;EACpF;AACJ;AACA,MAAMkI,iBAAiB,CAAC;EACpBxa,WAAWA,CAACqa,UAAU,EAAE5X,IAAI,EAAE6X,OAAO,EAAE;IACnC,IAAI,CAACD,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAAC5X,IAAI,GAAGA,IAAI;IAChB,IAAI,CAAC6X,OAAO,GAAGA,OAAO;EAC1B;AACJ;AACA,MAAMlH,eAAe,SAASf,UAAU,CAAC;EACrCrS,WAAWA,CAACya,SAAS,EAAEvH,QAAQ,EAAEC,SAAS,GAAG,IAAI,EAAEvI,IAAI,EAAE0H,UAAU,EAAE;IACjE,KAAK,CAAC1H,IAAI,IAAIsI,QAAQ,CAACtI,IAAI,EAAE0H,UAAU,CAAC;IACxC,IAAI,CAACmI,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAACtH,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAACD,QAAQ,GAAGA,QAAQ;EAC5B;EACAnB,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAYiH,eAAe,IAAI,IAAI,CAACqH,SAAS,CAAC1I,YAAY,CAAC5F,CAAC,CAACsO,SAAS,CAAC,IAC3E,IAAI,CAACvH,QAAQ,CAACnB,YAAY,CAAC5F,CAAC,CAAC+G,QAAQ,CAAC,IAAIpB,oBAAoB,CAAC,IAAI,CAACqB,SAAS,EAAEhH,CAAC,CAACgH,SAAS,CAAC;EACnG;EACA4C,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAC,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAACmR,oBAAoB,CAAC,IAAI,EAAE1Q,OAAO,CAAC;EACtD;EACA3C,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAI+L,eAAe,CAAC,IAAI,CAACqH,SAAS,CAACpT,KAAK,CAAC,CAAC,EAAE,IAAI,CAAC6L,QAAQ,CAAC7L,KAAK,CAAC,CAAC,EAAE,IAAI,CAAC8L,SAAS,EAAE9L,KAAK,CAAC,CAAC,EAAE,IAAI,CAACuD,IAAI,EAAE,IAAI,CAAC0H,UAAU,CAAC;EAClI;AACJ;AACA,MAAMqI,iBAAiB,SAAStI,UAAU,CAAC;EACvCrS,WAAWA,CAAC4a,GAAG,EAAEtI,UAAU,EAAE;IACzB,KAAK,CAAC,IAAI,EAAEA,UAAU,CAAC;IACvB,IAAI,CAACsI,GAAG,GAAGA,GAAG;EAClB;EACA7I,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAYwO,iBAAiB,IAAI,IAAI,CAACC,GAAG,KAAKzO,CAAC,CAACyO,GAAG;EAC/D;EACA7E,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAC,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAACsR,sBAAsB,CAAC,IAAI,EAAE7Q,OAAO,CAAC;EACxD;EACA3C,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAIsT,iBAAiB,CAAC,IAAI,CAACC,GAAG,EAAE,IAAI,CAACtI,UAAU,CAAC;EAC3D;AACJ;AACA,MAAMwI,OAAO,SAASzI,UAAU,CAAC;EAC7BrS,WAAWA,CAACya,SAAS,EAAEnI,UAAU,EAAE;IAC/B,KAAK,CAACpB,SAAS,EAAEoB,UAAU,CAAC;IAC5B,IAAI,CAACmI,SAAS,GAAGA,SAAS;EAC9B;EACA1I,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAY2O,OAAO,IAAI,IAAI,CAACL,SAAS,CAAC1I,YAAY,CAAC5F,CAAC,CAACsO,SAAS,CAAC;EAC3E;EACA1E,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAC,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAACwR,YAAY,CAAC,IAAI,EAAE/Q,OAAO,CAAC;EAC9C;EACA3C,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAIyT,OAAO,CAAC,IAAI,CAACL,SAAS,CAACpT,KAAK,CAAC,CAAC,EAAE,IAAI,CAACiL,UAAU,CAAC;EAC/D;AACJ;AACA,MAAM0I,OAAO,CAAC;EACVhb,WAAWA,CAACyC,IAAI,EAAEmI,IAAI,GAAG,IAAI,EAAE;IAC3B,IAAI,CAACnI,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACmI,IAAI,GAAGA,IAAI;EACpB;EACAmH,YAAYA,CAACkJ,KAAK,EAAE;IAChB,OAAO,IAAI,CAACxY,IAAI,KAAKwY,KAAK,CAACxY,IAAI;EACnC;EACA4E,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAI2T,OAAO,CAAC,IAAI,CAACvY,IAAI,EAAE,IAAI,CAACmI,IAAI,CAAC;EAC5C;AACJ;AACA,MAAMsQ,YAAY,SAAS7I,UAAU,CAAC;EAClCrS,WAAWA,CAAC4S,MAAM,EAAEuI,UAAU,EAAEvQ,IAAI,EAAE0H,UAAU,EAAE7P,IAAI,EAAE;IACpD,KAAK,CAACmI,IAAI,EAAE0H,UAAU,CAAC;IACvB,IAAI,CAACM,MAAM,GAAGA,MAAM;IACpB,IAAI,CAACuI,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAAC1Y,IAAI,GAAGA,IAAI;EACpB;EACAsP,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAY+O,YAAY,IAAIhJ,gBAAgB,CAAC,IAAI,CAACU,MAAM,EAAEzG,CAAC,CAACyG,MAAM,CAAC,IACvEV,gBAAgB,CAAC,IAAI,CAACiJ,UAAU,EAAEhP,CAAC,CAACgP,UAAU,CAAC;EACvD;EACApF,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAC,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAAC6R,iBAAiB,CAAC,IAAI,EAAEpR,OAAO,CAAC;EACnD;EACA0M,UAAUA,CAACjU,IAAI,EAAEkN,SAAS,EAAE;IACxB,OAAO,IAAI0L,mBAAmB,CAAC5Y,IAAI,EAAE,IAAI,CAACmQ,MAAM,EAAE,IAAI,CAACuI,UAAU,EAAE,IAAI,CAACvQ,IAAI,EAAE+E,SAAS,EAAE,IAAI,CAAC2C,UAAU,CAAC;EAC7G;EACAjL,KAAKA,CAAA,EAAG;IACJ;IACA,OAAO,IAAI6T,YAAY,CAAC,IAAI,CAACtI,MAAM,CAAC9N,GAAG,CAACwW,CAAC,IAAIA,CAAC,CAACjU,KAAK,CAAC,CAAC,CAAC,EAAE,IAAI,CAAC8T,UAAU,EAAE,IAAI,CAACvQ,IAAI,EAAE,IAAI,CAAC0H,UAAU,EAAE,IAAI,CAAC7P,IAAI,CAAC;EACpH;AACJ;AACA,MAAM8Y,iBAAiB,SAASlJ,UAAU,CAAC;EACvCrS,WAAWA,CAACwb,QAAQ,EAAEpF,IAAI,EAAExL,IAAI,EAAE0H,UAAU,EAAEsC,MAAM,GAAG,IAAI,EAAE;IACzD,KAAK,CAAChK,IAAI,IAAI0G,WAAW,EAAEgB,UAAU,CAAC;IACtC,IAAI,CAACkJ,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACpF,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACxB,MAAM,GAAGA,MAAM;EACxB;EACA7C,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAYoP,iBAAiB,IAAI,IAAI,CAACC,QAAQ,KAAKrP,CAAC,CAACqP,QAAQ,IACjE,IAAI,CAACpF,IAAI,CAACrE,YAAY,CAAC5F,CAAC,CAACiK,IAAI,CAAC;EACtC;EACAL,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAC,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAACkS,sBAAsB,CAAC,IAAI,EAAEzR,OAAO,CAAC;EACxD;EACA3C,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAIkU,iBAAiB,CAAC,IAAI,CAACC,QAAQ,EAAE,IAAI,CAACpF,IAAI,CAAC/O,KAAK,CAAC,CAAC,EAAE,IAAI,CAACuD,IAAI,EAAE,IAAI,CAAC0H,UAAU,EAAE,IAAI,CAACsC,MAAM,CAAC;EAC3G;AACJ;AACA,MAAMrB,kBAAkB,SAASlB,UAAU,CAAC;EACxCrS,WAAWA,CAACwb,QAAQ,EAAEE,GAAG,EAAEpI,GAAG,EAAE1I,IAAI,EAAE0H,UAAU,EAAEsC,MAAM,GAAG,IAAI,EAAE;IAC7D,KAAK,CAAChK,IAAI,IAAI8Q,GAAG,CAAC9Q,IAAI,EAAE0H,UAAU,CAAC;IACnC,IAAI,CAACkJ,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAAClI,GAAG,GAAGA,GAAG;IACd,IAAI,CAACsB,MAAM,GAAGA,MAAM;IACpB,IAAI,CAAC8G,GAAG,GAAGA,GAAG;EAClB;EACA3J,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAYoH,kBAAkB,IAAI,IAAI,CAACiI,QAAQ,KAAKrP,CAAC,CAACqP,QAAQ,IAClE,IAAI,CAACE,GAAG,CAAC3J,YAAY,CAAC5F,CAAC,CAACuP,GAAG,CAAC,IAAI,IAAI,CAACpI,GAAG,CAACvB,YAAY,CAAC5F,CAAC,CAACmH,GAAG,CAAC;EACpE;EACAyC,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAC,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAACoS,uBAAuB,CAAC,IAAI,EAAE3R,OAAO,CAAC;EACzD;EACA3C,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAIkM,kBAAkB,CAAC,IAAI,CAACiI,QAAQ,EAAE,IAAI,CAACE,GAAG,CAACrU,KAAK,CAAC,CAAC,EAAE,IAAI,CAACiM,GAAG,CAACjM,KAAK,CAAC,CAAC,EAAE,IAAI,CAACuD,IAAI,EAAE,IAAI,CAAC0H,UAAU,EAAE,IAAI,CAACsC,MAAM,CAAC;EAC7H;AACJ;AACA,MAAMpC,YAAY,SAASH,UAAU,CAAC;EAClCrS,WAAWA,CAACgX,QAAQ,EAAEvU,IAAI,EAAEmI,IAAI,EAAE0H,UAAU,EAAE;IAC1C,KAAK,CAAC1H,IAAI,EAAE0H,UAAU,CAAC;IACvB,IAAI,CAAC0E,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACvU,IAAI,GAAGA,IAAI;EACpB;EACA;EACA,IAAI0K,KAAKA,CAAA,EAAG;IACR,OAAO,IAAI,CAAC1K,IAAI;EACpB;EACAsP,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAYqG,YAAY,IAAI,IAAI,CAACwE,QAAQ,CAACjF,YAAY,CAAC5F,CAAC,CAAC6K,QAAQ,CAAC,IACtE,IAAI,CAACvU,IAAI,KAAK0J,CAAC,CAAC1J,IAAI;EAC5B;EACAsT,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAC,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAACqS,iBAAiB,CAAC,IAAI,EAAE5R,OAAO,CAAC;EACnD;EACArF,GAAGA,CAACjC,KAAK,EAAE;IACP,OAAO,IAAIwU,aAAa,CAAC,IAAI,CAACF,QAAQ,EAAE,IAAI,CAACvU,IAAI,EAAEC,KAAK,EAAE,IAAI,EAAE,IAAI,CAAC4P,UAAU,CAAC;EACpF;EACAjL,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAImL,YAAY,CAAC,IAAI,CAACwE,QAAQ,CAAC3P,KAAK,CAAC,CAAC,EAAE,IAAI,CAAC5E,IAAI,EAAE,IAAI,CAACmI,IAAI,EAAE,IAAI,CAAC0H,UAAU,CAAC;EACzF;AACJ;AACA,MAAMI,WAAW,SAASL,UAAU,CAAC;EACjCrS,WAAWA,CAACgX,QAAQ,EAAE7J,KAAK,EAAEvC,IAAI,EAAE0H,UAAU,EAAE;IAC3C,KAAK,CAAC1H,IAAI,EAAE0H,UAAU,CAAC;IACvB,IAAI,CAAC0E,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAAC7J,KAAK,GAAGA,KAAK;EACtB;EACA4E,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAYuG,WAAW,IAAI,IAAI,CAACsE,QAAQ,CAACjF,YAAY,CAAC5F,CAAC,CAAC6K,QAAQ,CAAC,IACrE,IAAI,CAAC7J,KAAK,CAAC4E,YAAY,CAAC5F,CAAC,CAACgB,KAAK,CAAC;EACxC;EACA4I,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAC,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAACsS,gBAAgB,CAAC,IAAI,EAAE7R,OAAO,CAAC;EAClD;EACArF,GAAGA,CAACjC,KAAK,EAAE;IACP,OAAO,IAAIqU,YAAY,CAAC,IAAI,CAACC,QAAQ,EAAE,IAAI,CAAC7J,KAAK,EAAEzK,KAAK,EAAE,IAAI,EAAE,IAAI,CAAC4P,UAAU,CAAC;EACpF;EACAjL,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAIqL,WAAW,CAAC,IAAI,CAACsE,QAAQ,CAAC3P,KAAK,CAAC,CAAC,EAAE,IAAI,CAAC8F,KAAK,CAAC9F,KAAK,CAAC,CAAC,EAAE,IAAI,CAACuD,IAAI,EAAE,IAAI,CAAC0H,UAAU,CAAC;EACjG;AACJ;AACA,MAAMwJ,gBAAgB,SAASzJ,UAAU,CAAC;EACtCrS,WAAWA,CAAC+b,OAAO,EAAEnR,IAAI,EAAE0H,UAAU,EAAE;IACnC,KAAK,CAAC1H,IAAI,EAAE0H,UAAU,CAAC;IACvB,IAAI,CAACyJ,OAAO,GAAGA,OAAO;EAC1B;EACAhG,UAAUA,CAAA,EAAG;IACT,OAAO,IAAI,CAACgG,OAAO,CAACC,KAAK,CAAC7P,CAAC,IAAIA,CAAC,CAAC4J,UAAU,CAAC,CAAC,CAAC;EAClD;EACAhE,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAY2P,gBAAgB,IAAI5J,gBAAgB,CAAC,IAAI,CAAC6J,OAAO,EAAE5P,CAAC,CAAC4P,OAAO,CAAC;EACrF;EACA/F,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAAC0S,qBAAqB,CAAC,IAAI,EAAEjS,OAAO,CAAC;EACvD;EACA3C,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAIyU,gBAAgB,CAAC,IAAI,CAACC,OAAO,CAACjX,GAAG,CAACqH,CAAC,IAAIA,CAAC,CAAC9E,KAAK,CAAC,CAAC,CAAC,EAAE,IAAI,CAACuD,IAAI,EAAE,IAAI,CAAC0H,UAAU,CAAC;EAC7F;AACJ;AACA,MAAM4J,eAAe,CAAC;EAClBlc,WAAWA,CAACyS,GAAG,EAAE/P,KAAK,EAAEyZ,MAAM,EAAE;IAC5B,IAAI,CAAC1J,GAAG,GAAGA,GAAG;IACd,IAAI,CAAC/P,KAAK,GAAGA,KAAK;IAClB,IAAI,CAACyZ,MAAM,GAAGA,MAAM;EACxB;EACApK,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAO,IAAI,CAACsG,GAAG,KAAKtG,CAAC,CAACsG,GAAG,IAAI,IAAI,CAAC/P,KAAK,CAACqP,YAAY,CAAC5F,CAAC,CAACzJ,KAAK,CAAC;EACjE;EACA2E,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAI6U,eAAe,CAAC,IAAI,CAACzJ,GAAG,EAAE,IAAI,CAAC/P,KAAK,CAAC2E,KAAK,CAAC,CAAC,EAAE,IAAI,CAAC8U,MAAM,CAAC;EACzE;AACJ;AACA,MAAMC,cAAc,SAAS/J,UAAU,CAAC;EACpCrS,WAAWA,CAAC+b,OAAO,EAAEnR,IAAI,EAAE0H,UAAU,EAAE;IACnC,KAAK,CAAC1H,IAAI,EAAE0H,UAAU,CAAC;IACvB,IAAI,CAACyJ,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACrL,SAAS,GAAG,IAAI;IACrB,IAAI9F,IAAI,EAAE;MACN,IAAI,CAAC8F,SAAS,GAAG9F,IAAI,CAAC8F,SAAS;IACnC;EACJ;EACAqB,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAYiQ,cAAc,IAAIlK,gBAAgB,CAAC,IAAI,CAAC6J,OAAO,EAAE5P,CAAC,CAAC4P,OAAO,CAAC;EACnF;EACAhG,UAAUA,CAAA,EAAG;IACT,OAAO,IAAI,CAACgG,OAAO,CAACC,KAAK,CAAC7P,CAAC,IAAIA,CAAC,CAACzJ,KAAK,CAACqT,UAAU,CAAC,CAAC,CAAC;EACxD;EACAC,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAAC8S,mBAAmB,CAAC,IAAI,EAAErS,OAAO,CAAC;EACrD;EACA3C,KAAKA,CAAA,EAAG;IACJ,MAAMiV,YAAY,GAAG,IAAI,CAACP,OAAO,CAACjX,GAAG,CAACyX,KAAK,IAAIA,KAAK,CAAClV,KAAK,CAAC,CAAC,CAAC;IAC7D,OAAO,IAAI+U,cAAc,CAACE,YAAY,EAAE,IAAI,CAAC1R,IAAI,EAAE,IAAI,CAAC0H,UAAU,CAAC;EACvE;AACJ;AACA,MAAMkK,SAAS,SAASnK,UAAU,CAAC;EAC/BrS,WAAWA,CAACyJ,KAAK,EAAE6I,UAAU,EAAE;IAC3B,KAAK,CAAC7I,KAAK,CAACA,KAAK,CAAC9I,MAAM,GAAG,CAAC,CAAC,CAACiK,IAAI,EAAE0H,UAAU,CAAC;IAC/C,IAAI,CAAC7I,KAAK,GAAGA,KAAK;EACtB;EACAsI,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAYqQ,SAAS,IAAItK,gBAAgB,CAAC,IAAI,CAACzI,KAAK,EAAE0C,CAAC,CAAC1C,KAAK,CAAC;EAC1E;EACAsM,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAC,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,OAAOT,OAAO,CAACkT,cAAc,CAAC,IAAI,EAAEzS,OAAO,CAAC;EAChD;EACA3C,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAImV,SAAS,CAAC,IAAI,CAAC/S,KAAK,CAAC3E,GAAG,CAACwW,CAAC,IAAIA,CAAC,CAACjU,KAAK,CAAC,CAAC,CAAC,CAAC;EACxD;AACJ;AACA,MAAMqV,SAAS,GAAG,IAAI3E,WAAW,CAAC,IAAI,EAAE,IAAI,EAAE,IAAI,CAAC;AACnD,MAAMtC,eAAe,GAAG,IAAIsC,WAAW,CAAC,IAAI,EAAE/G,aAAa,EAAE,IAAI,CAAC;AAClE;AACA,IAAI6F,YAAY;AAChB,CAAC,UAAUA,YAAY,EAAE;EACrBA,YAAY,CAACA,YAAY,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,GAAG,MAAM;EAC/CA,YAAY,CAACA,YAAY,CAAC,OAAO,CAAC,GAAG,CAAC,CAAC,GAAG,OAAO;EACjDA,YAAY,CAACA,YAAY,CAAC,SAAS,CAAC,GAAG,CAAC,CAAC,GAAG,SAAS;EACrDA,YAAY,CAACA,YAAY,CAAC,UAAU,CAAC,GAAG,CAAC,CAAC,GAAG,UAAU;EACvDA,YAAY,CAACA,YAAY,CAAC,QAAQ,CAAC,GAAG,CAAC,CAAC,GAAG,QAAQ;AACvD,CAAC,EAAEA,YAAY,KAAKA,YAAY,GAAG,CAAC,CAAC,CAAC,CAAC;AACvC,MAAM8F,cAAc,CAAC;EACjB3c,WAAWA,CAAC+J,IAAI,EAAE6S,SAAS,EAAEC,eAAe,EAAE;IAC1C,IAAI,CAAC9S,IAAI,GAAGA,IAAI;IAChB,IAAI,CAAC6S,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAACC,eAAe,GAAGA,eAAe;EAC1C;EACAja,QAAQA,CAAA,EAAG;IACP,OAAO,IAAI,CAACga,SAAS,GAAG,IAAI,IAAI,CAAC7S,IAAI,GAAG,GAAG,IAAI,CAACA,IAAI;EACxD;AACJ;AACA,MAAM+S,YAAY,SAASH,cAAc,CAAC;EACtC3c,WAAWA,CAAC+c,IAAI,EAAE;IACd,KAAK,CAAC,EAAE,EAAE,eAAgB,IAAI,EAAE,qBAAsB,IAAI,CAAC;IAC3D,IAAI,CAACA,IAAI,GAAGA,IAAI;EACpB;EACAna,QAAQA,CAAA,EAAG;IACP,OAAOoa,aAAa,CAAC,IAAI,CAACD,IAAI,CAAC;EACnC;AACJ;AACA,MAAME,SAAS,CAAC;EACZjd,WAAWA,CAAC2P,SAAS,GAAGkH,YAAY,CAACjH,IAAI,EAAE0C,UAAU,GAAG,IAAI,EAAE4K,eAAe,EAAE;IAC3E,IAAI,CAACvN,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAAC2C,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAAC4K,eAAe,GAAGA,eAAe;EAC1C;EACArN,WAAWA,CAACC,QAAQ,EAAE;IAClB,OAAO,CAAC,IAAI,CAACH,SAAS,GAAGG,QAAQ,MAAM,CAAC;EAC5C;EACAqN,iBAAiBA,CAACC,cAAc,EAAE;IAC9B,IAAI,CAACF,eAAe,GAAG,IAAI,CAACA,eAAe,IAAI,EAAE;IACjD,IAAI,CAACA,eAAe,CAACtc,IAAI,CAACwc,cAAc,CAAC;EAC7C;AACJ;AACA,MAAMzG,cAAc,SAASsG,SAAS,CAAC;EACnCjd,WAAWA,CAACyC,IAAI,EAAEC,KAAK,EAAEkI,IAAI,EAAE+E,SAAS,EAAE2C,UAAU,EAAE4K,eAAe,EAAE;IACnE,KAAK,CAACvN,SAAS,EAAE2C,UAAU,EAAE4K,eAAe,CAAC;IAC7C,IAAI,CAACza,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACC,KAAK,GAAGA,KAAK;IAClB,IAAI,CAACkI,IAAI,GAAGA,IAAI,IAAKlI,KAAK,IAAIA,KAAK,CAACkI,IAAK,IAAI,IAAI;EACrD;EACAmH,YAAYA,CAACsL,IAAI,EAAE;IACf,OAAOA,IAAI,YAAY1G,cAAc,IAAI,IAAI,CAAClU,IAAI,KAAK4a,IAAI,CAAC5a,IAAI,KAC3D,IAAI,CAACC,KAAK,GAAG,CAAC,CAAC2a,IAAI,CAAC3a,KAAK,IAAI,IAAI,CAACA,KAAK,CAACqP,YAAY,CAACsL,IAAI,CAAC3a,KAAK,CAAC,GAAG,CAAC2a,IAAI,CAAC3a,KAAK,CAAC;EACxF;EACA4a,cAAcA,CAAC/T,OAAO,EAAES,OAAO,EAAE;IAC7B,OAAOT,OAAO,CAACgU,mBAAmB,CAAC,IAAI,EAAEvT,OAAO,CAAC;EACrD;AACJ;AACA,MAAMqR,mBAAmB,SAAS4B,SAAS,CAAC;EACxCjd,WAAWA,CAACyC,IAAI,EAAEmQ,MAAM,EAAEuI,UAAU,EAAEvQ,IAAI,EAAE+E,SAAS,EAAE2C,UAAU,EAAE4K,eAAe,EAAE;IAChF,KAAK,CAACvN,SAAS,EAAE2C,UAAU,EAAE4K,eAAe,CAAC;IAC7C,IAAI,CAACza,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACmQ,MAAM,GAAGA,MAAM;IACpB,IAAI,CAACuI,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACvQ,IAAI,GAAGA,IAAI,IAAI,IAAI;EAC5B;EACAmH,YAAYA,CAACsL,IAAI,EAAE;IACf,OAAOA,IAAI,YAAYhC,mBAAmB,IAAInJ,gBAAgB,CAAC,IAAI,CAACU,MAAM,EAAEyK,IAAI,CAACzK,MAAM,CAAC,IACpFV,gBAAgB,CAAC,IAAI,CAACiJ,UAAU,EAAEkC,IAAI,CAAClC,UAAU,CAAC;EAC1D;EACAmC,cAAcA,CAAC/T,OAAO,EAAES,OAAO,EAAE;IAC7B,OAAOT,OAAO,CAACiU,wBAAwB,CAAC,IAAI,EAAExT,OAAO,CAAC;EAC1D;AACJ;AACA,MAAM6L,mBAAmB,SAASoH,SAAS,CAAC;EACxCjd,WAAWA,CAACoW,IAAI,EAAE9D,UAAU,EAAE4K,eAAe,EAAE;IAC3C,KAAK,CAACrG,YAAY,CAACjH,IAAI,EAAE0C,UAAU,EAAE4K,eAAe,CAAC;IACrD,IAAI,CAAC9G,IAAI,GAAGA,IAAI;EACpB;EACArE,YAAYA,CAACsL,IAAI,EAAE;IACf,OAAOA,IAAI,YAAYxH,mBAAmB,IAAI,IAAI,CAACO,IAAI,CAACrE,YAAY,CAACsL,IAAI,CAACjH,IAAI,CAAC;EACnF;EACAkH,cAAcA,CAAC/T,OAAO,EAAES,OAAO,EAAE;IAC7B,OAAOT,OAAO,CAACkU,mBAAmB,CAAC,IAAI,EAAEzT,OAAO,CAAC;EACrD;AACJ;AACA,MAAM0T,eAAe,SAAST,SAAS,CAAC;EACpCjd,WAAWA,CAAC0C,KAAK,EAAE4P,UAAU,GAAG,IAAI,EAAE4K,eAAe,EAAE;IACnD,KAAK,CAACrG,YAAY,CAACjH,IAAI,EAAE0C,UAAU,EAAE4K,eAAe,CAAC;IACrD,IAAI,CAACxa,KAAK,GAAGA,KAAK;EACtB;EACAqP,YAAYA,CAACsL,IAAI,EAAE;IACf,OAAOA,IAAI,YAAYK,eAAe,IAAI,IAAI,CAAChb,KAAK,CAACqP,YAAY,CAACsL,IAAI,CAAC3a,KAAK,CAAC;EACjF;EACA4a,cAAcA,CAAC/T,OAAO,EAAES,OAAO,EAAE;IAC7B,OAAOT,OAAO,CAACoU,eAAe,CAAC,IAAI,EAAE3T,OAAO,CAAC;EACjD;AACJ;AACA,MAAM4T,MAAM,SAASX,SAAS,CAAC;EAC3Bjd,WAAWA,CAACya,SAAS,EAAEvH,QAAQ,EAAEC,SAAS,GAAG,EAAE,EAAEb,UAAU,EAAE4K,eAAe,EAAE;IAC1E,KAAK,CAACrG,YAAY,CAACjH,IAAI,EAAE0C,UAAU,EAAE4K,eAAe,CAAC;IACrD,IAAI,CAACzC,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAACvH,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACC,SAAS,GAAGA,SAAS;EAC9B;EACApB,YAAYA,CAACsL,IAAI,EAAE;IACf,OAAOA,IAAI,YAAYO,MAAM,IAAI,IAAI,CAACnD,SAAS,CAAC1I,YAAY,CAACsL,IAAI,CAAC5C,SAAS,CAAC,IACxEvI,gBAAgB,CAAC,IAAI,CAACgB,QAAQ,EAAEmK,IAAI,CAACnK,QAAQ,CAAC,IAC9ChB,gBAAgB,CAAC,IAAI,CAACiB,SAAS,EAAEkK,IAAI,CAAClK,SAAS,CAAC;EACxD;EACAmK,cAAcA,CAAC/T,OAAO,EAAES,OAAO,EAAE;IAC7B,OAAOT,OAAO,CAACsU,WAAW,CAAC,IAAI,EAAE7T,OAAO,CAAC;EAC7C;AACJ;AACA,MAAM8T,qBAAqB,CAAC;EACxB7N,SAASA,CAAC8N,GAAG,EAAE/T,OAAO,EAAE;IACpB,OAAO+T,GAAG;EACd;EACA/H,eAAeA,CAAC+H,GAAG,EAAE/T,OAAO,EAAE;IAC1B,IAAI+T,GAAG,CAACnT,IAAI,EAAE;MACVmT,GAAG,CAACnT,IAAI,CAACqF,SAAS,CAAC,IAAI,EAAEjG,OAAO,CAAC;IACrC;IACA,OAAO+T,GAAG;EACd;EACA7N,gBAAgBA,CAACtF,IAAI,EAAEZ,OAAO,EAAE;IAC5B,OAAO,IAAI,CAACiG,SAAS,CAACrF,IAAI,EAAEZ,OAAO,CAAC;EACxC;EACAqG,mBAAmBA,CAACzF,IAAI,EAAEZ,OAAO,EAAE;IAC/BY,IAAI,CAAClI,KAAK,CAACsT,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IACzC,IAAIY,IAAI,CAACwF,UAAU,KAAK,IAAI,EAAE;MAC1BxF,IAAI,CAACwF,UAAU,CAACvN,OAAO,CAACoY,KAAK,IAAI,IAAI,CAAChL,SAAS,CAACgL,KAAK,EAAEjR,OAAO,CAAC,CAAC;IACpE;IACA,OAAO,IAAI,CAACiG,SAAS,CAACrF,IAAI,EAAEZ,OAAO,CAAC;EACxC;EACAwG,cAAcA,CAAC5F,IAAI,EAAEZ,OAAO,EAAE;IAC1B,OAAO,IAAI,CAACiG,SAAS,CAACrF,IAAI,EAAEZ,OAAO,CAAC;EACxC;EACA2G,YAAYA,CAAC/F,IAAI,EAAEZ,OAAO,EAAE;IACxB,OAAO,IAAI,CAACiG,SAAS,CAACrF,IAAI,EAAEZ,OAAO,CAAC;EACxC;EACA6G,qBAAqBA,CAACjG,IAAI,EAAEZ,OAAO,EAAE;IACjC,OAAOY,IAAI;EACf;EACA4L,oBAAoBA,CAACuH,GAAG,EAAE/T,OAAO,EAAE;IAC/B,OAAO+T,GAAG;EACd;EACA1H,eAAeA,CAAC0H,GAAG,EAAE/T,OAAO,EAAE;IAC1B,OAAO,IAAI,CAACgM,eAAe,CAAC+H,GAAG,EAAE/T,OAAO,CAAC;EAC7C;EACAiM,gBAAgBA,CAAC8H,GAAG,EAAE/T,OAAO,EAAE;IAC3B,OAAO,IAAI,CAACgM,eAAe,CAAC+H,GAAG,EAAE/T,OAAO,CAAC;EAC7C;EACAyM,iBAAiBA,CAACsH,GAAG,EAAE/T,OAAO,EAAE;IAC5B+T,GAAG,CAACrb,KAAK,CAACsT,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IACxC,OAAO,IAAI,CAACgM,eAAe,CAAC+H,GAAG,EAAE/T,OAAO,CAAC;EAC7C;EACAiN,iBAAiBA,CAAC8G,GAAG,EAAE/T,OAAO,EAAE;IAC5B+T,GAAG,CAAC/G,QAAQ,CAAChB,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IAC3C+T,GAAG,CAAC5Q,KAAK,CAAC6I,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IACxC+T,GAAG,CAACrb,KAAK,CAACsT,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IACxC,OAAO,IAAI,CAACgM,eAAe,CAAC+H,GAAG,EAAE/T,OAAO,CAAC;EAC7C;EACAmN,kBAAkBA,CAAC4G,GAAG,EAAE/T,OAAO,EAAE;IAC7B+T,GAAG,CAAC/G,QAAQ,CAAChB,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IAC3C+T,GAAG,CAACrb,KAAK,CAACsT,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IACxC,OAAO,IAAI,CAACgM,eAAe,CAAC+H,GAAG,EAAE/T,OAAO,CAAC;EAC7C;EACA6Q,sBAAsBA,CAACkD,GAAG,EAAE/T,OAAO,EAAE;IACjC,OAAO,IAAI,CAACgM,eAAe,CAAC+H,GAAG,EAAE/T,OAAO,CAAC;EAC7C;EACAsN,uBAAuBA,CAACyG,GAAG,EAAE/T,OAAO,EAAE;IAClC+T,GAAG,CAAC3G,EAAE,CAACpB,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IACrC,IAAI,CAACgU,mBAAmB,CAACD,GAAG,CAAC1G,IAAI,EAAErN,OAAO,CAAC;IAC3C,OAAO,IAAI,CAACgM,eAAe,CAAC+H,GAAG,EAAE/T,OAAO,CAAC;EAC7C;EACA4N,uBAAuBA,CAACmG,GAAG,EAAE/T,OAAO,EAAE;IAClC+T,GAAG,CAAC3c,GAAG,CAAC4U,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IACtC,IAAI,CAACgU,mBAAmB,CAACD,GAAG,CAACtG,QAAQ,CAACE,WAAW,EAAE3N,OAAO,CAAC;IAC3D,OAAO,IAAI,CAACgM,eAAe,CAAC+H,GAAG,EAAE/T,OAAO,CAAC;EAC7C;EACA8N,oBAAoBA,CAACiG,GAAG,EAAE/T,OAAO,EAAE;IAC/B+T,GAAG,CAAClG,SAAS,CAAC7B,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IAC5C,IAAI,CAACgU,mBAAmB,CAACD,GAAG,CAAC1G,IAAI,EAAErN,OAAO,CAAC;IAC3C,OAAO,IAAI,CAACgM,eAAe,CAAC+H,GAAG,EAAE/T,OAAO,CAAC;EAC7C;EACAgO,gBAAgBA,CAAC+F,GAAG,EAAE/T,OAAO,EAAE;IAC3B,OAAO,IAAI,CAACgM,eAAe,CAAC+H,GAAG,EAAE/T,OAAO,CAAC;EAC7C;EACAiP,oBAAoBA,CAAC8E,GAAG,EAAE/T,OAAO,EAAE;IAC/B,OAAO,IAAI,CAACgM,eAAe,CAAC+H,GAAG,EAAE/T,OAAO,CAAC;EAC7C;EACAuQ,iBAAiBA,CAACwD,GAAG,EAAE/T,OAAO,EAAE;IAC5B,IAAI+T,GAAG,CAAC3N,UAAU,EAAE;MAChB2N,GAAG,CAAC3N,UAAU,CAACvN,OAAO,CAAC+H,IAAI,IAAIA,IAAI,CAACqF,SAAS,CAAC,IAAI,EAAEjG,OAAO,CAAC,CAAC;IACjE;IACA,OAAO,IAAI,CAACgM,eAAe,CAAC+H,GAAG,EAAE/T,OAAO,CAAC;EAC7C;EACA0Q,oBAAoBA,CAACqD,GAAG,EAAE/T,OAAO,EAAE;IAC/B+T,GAAG,CAACtD,SAAS,CAACzE,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IAC5C+T,GAAG,CAAC7K,QAAQ,CAAC8C,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IAC3C+T,GAAG,CAAC5K,SAAS,CAAC6C,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IAC5C,OAAO,IAAI,CAACgM,eAAe,CAAC+H,GAAG,EAAE/T,OAAO,CAAC;EAC7C;EACA+Q,YAAYA,CAACgD,GAAG,EAAE/T,OAAO,EAAE;IACvB+T,GAAG,CAACtD,SAAS,CAACzE,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IAC5C,OAAO,IAAI,CAACgM,eAAe,CAAC+H,GAAG,EAAE/T,OAAO,CAAC;EAC7C;EACAoR,iBAAiBA,CAAC2C,GAAG,EAAE/T,OAAO,EAAE;IAC5B,IAAI,CAACiU,kBAAkB,CAACF,GAAG,CAAC5C,UAAU,EAAEnR,OAAO,CAAC;IAChD,OAAO,IAAI,CAACgM,eAAe,CAAC+H,GAAG,EAAE/T,OAAO,CAAC;EAC7C;EACAyR,sBAAsBA,CAACsC,GAAG,EAAE/T,OAAO,EAAE;IACjC+T,GAAG,CAAC3H,IAAI,CAACJ,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IACvC,OAAO,IAAI,CAACgM,eAAe,CAAC+H,GAAG,EAAE/T,OAAO,CAAC;EAC7C;EACA2R,uBAAuBA,CAACoC,GAAG,EAAE/T,OAAO,EAAE;IAClC+T,GAAG,CAACrC,GAAG,CAAC1F,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IACtC+T,GAAG,CAACzK,GAAG,CAAC0C,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IACtC,OAAO,IAAI,CAACgM,eAAe,CAAC+H,GAAG,EAAE/T,OAAO,CAAC;EAC7C;EACA4R,iBAAiBA,CAACmC,GAAG,EAAE/T,OAAO,EAAE;IAC5B+T,GAAG,CAAC/G,QAAQ,CAAChB,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IAC3C,OAAO,IAAI,CAACgM,eAAe,CAAC+H,GAAG,EAAE/T,OAAO,CAAC;EAC7C;EACA6R,gBAAgBA,CAACkC,GAAG,EAAE/T,OAAO,EAAE;IAC3B+T,GAAG,CAAC/G,QAAQ,CAAChB,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IAC3C+T,GAAG,CAAC5Q,KAAK,CAAC6I,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IACxC,OAAO,IAAI,CAACgM,eAAe,CAAC+H,GAAG,EAAE/T,OAAO,CAAC;EAC7C;EACAiS,qBAAqBA,CAAC8B,GAAG,EAAE/T,OAAO,EAAE;IAChC,IAAI,CAACgU,mBAAmB,CAACD,GAAG,CAAChC,OAAO,EAAE/R,OAAO,CAAC;IAC9C,OAAO,IAAI,CAACgM,eAAe,CAAC+H,GAAG,EAAE/T,OAAO,CAAC;EAC7C;EACAqS,mBAAmBA,CAAC0B,GAAG,EAAE/T,OAAO,EAAE;IAC9B+T,GAAG,CAAChC,OAAO,CAAClZ,OAAO,CAAE0Z,KAAK,IAAKA,KAAK,CAAC7Z,KAAK,CAACsT,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC,CAAC;IAC1E,OAAO,IAAI,CAACgM,eAAe,CAAC+H,GAAG,EAAE/T,OAAO,CAAC;EAC7C;EACAyS,cAAcA,CAACsB,GAAG,EAAE/T,OAAO,EAAE;IACzB,IAAI,CAACgU,mBAAmB,CAACD,GAAG,CAACtU,KAAK,EAAEO,OAAO,CAAC;IAC5C,OAAO,IAAI,CAACgM,eAAe,CAAC+H,GAAG,EAAE/T,OAAO,CAAC;EAC7C;EACAgU,mBAAmBA,CAACE,KAAK,EAAElU,OAAO,EAAE;IAChCkU,KAAK,CAACrb,OAAO,CAACuT,IAAI,IAAIA,IAAI,CAACJ,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC,CAAC;EAC9D;EACAuT,mBAAmBA,CAACF,IAAI,EAAErT,OAAO,EAAE;IAC/B,IAAIqT,IAAI,CAAC3a,KAAK,EAAE;MACZ2a,IAAI,CAAC3a,KAAK,CAACsT,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IAC7C;IACA,IAAIqT,IAAI,CAACzS,IAAI,EAAE;MACXyS,IAAI,CAACzS,IAAI,CAACqF,SAAS,CAAC,IAAI,EAAEjG,OAAO,CAAC;IACtC;IACA,OAAOqT,IAAI;EACf;EACAG,wBAAwBA,CAACH,IAAI,EAAErT,OAAO,EAAE;IACpC,IAAI,CAACiU,kBAAkB,CAACZ,IAAI,CAAClC,UAAU,EAAEnR,OAAO,CAAC;IACjD,IAAIqT,IAAI,CAACzS,IAAI,EAAE;MACXyS,IAAI,CAACzS,IAAI,CAACqF,SAAS,CAAC,IAAI,EAAEjG,OAAO,CAAC;IACtC;IACA,OAAOqT,IAAI;EACf;EACAI,mBAAmBA,CAACJ,IAAI,EAAErT,OAAO,EAAE;IAC/BqT,IAAI,CAACjH,IAAI,CAACJ,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IACxC,OAAOqT,IAAI;EACf;EACAM,eAAeA,CAACN,IAAI,EAAErT,OAAO,EAAE;IAC3BqT,IAAI,CAAC3a,KAAK,CAACsT,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IACzC,OAAOqT,IAAI;EACf;EACAQ,WAAWA,CAACR,IAAI,EAAErT,OAAO,EAAE;IACvBqT,IAAI,CAAC5C,SAAS,CAACzE,eAAe,CAAC,IAAI,EAAEhM,OAAO,CAAC;IAC7C,IAAI,CAACiU,kBAAkB,CAACZ,IAAI,CAACnK,QAAQ,EAAElJ,OAAO,CAAC;IAC/C,IAAI,CAACiU,kBAAkB,CAACZ,IAAI,CAAClK,SAAS,EAAEnJ,OAAO,CAAC;IAChD,OAAOqT,IAAI;EACf;EACAY,kBAAkBA,CAACE,KAAK,EAAEnU,OAAO,EAAE;IAC/BmU,KAAK,CAACtb,OAAO,CAACwa,IAAI,IAAIA,IAAI,CAACC,cAAc,CAAC,IAAI,EAAEtT,OAAO,CAAC,CAAC;EAC7D;AACJ;AACA,SAASoT,cAAcA,CAACrT,IAAI,EAAE6S,SAAS,GAAG,KAAK,EAAEC,eAAe,GAAG,IAAI,EAAE;EACrE,OAAO,IAAIF,cAAc,CAAC5S,IAAI,EAAE6S,SAAS,EAAEC,eAAe,CAAC;AAC/D;AACA,SAASuB,YAAYA,CAACrB,IAAI,GAAG,EAAE,EAAE;EAC7B,OAAO,IAAID,YAAY,CAACC,IAAI,CAAC;AACjC;AACA,SAASsB,QAAQA,CAAC5b,IAAI,EAAEmI,IAAI,EAAE0H,UAAU,EAAE;EACtC,OAAO,IAAIwD,WAAW,CAACrT,IAAI,EAAEmI,IAAI,EAAE0H,UAAU,CAAC;AAClD;AACA,SAASgM,UAAUA,CAACvV,EAAE,EAAEqH,UAAU,GAAG,IAAI,EAAEkC,UAAU,EAAE;EACnD,OAAO,IAAI8H,YAAY,CAACrR,EAAE,EAAE,IAAI,EAAEqH,UAAU,EAAEkC,UAAU,CAAC;AAC7D;AACA,SAASiM,UAAUA,CAACxV,EAAE,EAAEqH,UAAU,EAAEoO,aAAa,EAAE;EAC/C,OAAOzV,EAAE,IAAI,IAAI,GAAG0V,cAAc,CAACH,UAAU,CAACvV,EAAE,EAAEqH,UAAU,EAAE,IAAI,CAAC,EAAEoO,aAAa,CAAC,GAAG,IAAI;AAC9F;AACA,SAASC,cAAcA,CAACrI,IAAI,EAAEoI,aAAa,EAAEpO,UAAU,EAAE;EACrD,OAAO,IAAID,cAAc,CAACiG,IAAI,EAAEoI,aAAa,EAAEpO,UAAU,CAAC;AAC9D;AACA,SAASsO,gBAAgBA,CAAC9T,IAAI,EAAE4T,aAAa,EAAE;EAC3C,OAAO,IAAI5N,gBAAgB,CAAChG,IAAI,EAAE4T,aAAa,CAAC;AACpD;AACA,SAASG,UAAUA,CAACvI,IAAI,EAAE;EACtB,OAAO,IAAID,UAAU,CAACC,IAAI,CAAC;AAC/B;AACA,SAASwI,UAAUA,CAACC,MAAM,EAAEjU,IAAI,EAAE0H,UAAU,EAAE;EAC1C,OAAO,IAAIwJ,gBAAgB,CAAC+C,MAAM,EAAEjU,IAAI,EAAE0H,UAAU,CAAC;AACzD;AACA,SAASwM,UAAUA,CAACD,MAAM,EAAEjU,IAAI,GAAG,IAAI,EAAE;EACrC,OAAO,IAAIwR,cAAc,CAACyC,MAAM,CAAC/Z,GAAG,CAACqH,CAAC,IAAI,IAAI+P,eAAe,CAAC/P,CAAC,CAACsG,GAAG,EAAEtG,CAAC,CAACzJ,KAAK,EAAEyJ,CAAC,CAACgQ,MAAM,CAAC,CAAC,EAAEvR,IAAI,EAAE,IAAI,CAAC;AACzG;AACA,SAASmU,KAAKA,CAACvD,QAAQ,EAAEpF,IAAI,EAAExL,IAAI,EAAE0H,UAAU,EAAE;EAC7C,OAAO,IAAIiJ,iBAAiB,CAACC,QAAQ,EAAEpF,IAAI,EAAExL,IAAI,EAAE0H,UAAU,CAAC;AAClE;AACA,SAAS0M,GAAGA,CAAC5I,IAAI,EAAE9D,UAAU,EAAE;EAC3B,OAAO,IAAIwI,OAAO,CAAC1E,IAAI,EAAE9D,UAAU,CAAC;AACxC;AACA,SAAS8E,EAAEA,CAACxE,MAAM,EAAEqM,IAAI,EAAErU,IAAI,EAAE0H,UAAU,EAAE7P,IAAI,EAAE;EAC9C,OAAO,IAAIyY,YAAY,CAACtI,MAAM,EAAEqM,IAAI,EAAErU,IAAI,EAAE0H,UAAU,EAAE7P,IAAI,CAAC;AACjE;AACA,SAASyc,MAAMA,CAACzE,SAAS,EAAE0E,UAAU,EAAEC,UAAU,EAAE9M,UAAU,EAAE4K,eAAe,EAAE;EAC5E,OAAO,IAAIU,MAAM,CAACnD,SAAS,EAAE0E,UAAU,EAAEC,UAAU,EAAE9M,UAAU,EAAE4K,eAAe,CAAC;AACrF;AACA,SAASmC,cAAcA,CAACje,GAAG,EAAEqW,QAAQ,EAAE7M,IAAI,EAAE0H,UAAU,EAAE;EACrD,OAAO,IAAIkF,kBAAkB,CAACpW,GAAG,EAAEqW,QAAQ,EAAE7M,IAAI,EAAE0H,UAAU,CAAC;AAClE;AACA,SAASgN,OAAOA,CAAC5c,KAAK,EAAEkI,IAAI,EAAE0H,UAAU,EAAE;EACtC,OAAO,IAAIyF,WAAW,CAACrV,KAAK,EAAEkI,IAAI,EAAE0H,UAAU,CAAC;AACnD;AACA,SAASiN,eAAeA,CAACzG,SAAS,EAAEC,YAAY,EAAEyG,gBAAgB,EAAE7H,WAAW,EAAErF,UAAU,EAAE;EACzF,OAAO,IAAIuG,eAAe,CAACC,SAAS,EAAEC,YAAY,EAAEyG,gBAAgB,EAAE7H,WAAW,EAAErF,UAAU,CAAC;AAClG;AACA,SAASmN,MAAMA,CAACC,GAAG,EAAE;EACjB,OAAOA,GAAG,YAAY3H,WAAW,IAAI2H,GAAG,CAAChd,KAAK,KAAK,IAAI;AAC3D;AACA;AACA;AACA;AACA;AACA,SAASid,WAAWA,CAACve,GAAG,EAAE;EACtB,IAAIwe,GAAG,GAAG,EAAE;EACZ,IAAIxe,GAAG,CAACye,OAAO,EAAE;IACbD,GAAG,IAAI,KAAKxe,GAAG,CAACye,OAAO,EAAE;EAC7B;EACA,IAAIze,GAAG,CAAC2I,IAAI,EAAE;IACV,IAAI3I,GAAG,CAAC2I,IAAI,CAACjJ,KAAK,CAAC,WAAW,CAAC,EAAE;MAC7B,MAAM,IAAIK,KAAK,CAAC,yCAAyC,CAAC;IAC9D;IACAye,GAAG,IAAI,GAAG,GAAGxe,GAAG,CAAC2I,IAAI,CAAC5H,OAAO,CAAC,IAAI,EAAE,KAAK,CAAC;EAC9C;EACA,OAAOyd,GAAG;AACd;AACA,SAAS5C,aAAaA,CAACD,IAAI,EAAE;EACzB,IAAIA,IAAI,CAACpc,MAAM,KAAK,CAAC,EACjB,OAAO,EAAE;EACb,IAAIoc,IAAI,CAACpc,MAAM,KAAK,CAAC,IAAIoc,IAAI,CAAC,CAAC,CAAC,CAAC8C,OAAO,IAAI,CAAC9C,IAAI,CAAC,CAAC,CAAC,CAAChT,IAAI,EAAE;IACvD;IACA,OAAO,IAAI4V,WAAW,CAAC5C,IAAI,CAAC,CAAC,CAAC,CAAC,GAAG;EACtC;EACA,IAAI6C,GAAG,GAAG,KAAK;EACf,KAAK,MAAMxe,GAAG,IAAI2b,IAAI,EAAE;IACpB6C,GAAG,IAAI,IAAI;IACX;IACAA,GAAG,IAAID,WAAW,CAACve,GAAG,CAAC,CAACe,OAAO,CAAC,KAAK,EAAE,OAAO,CAAC;IAC/Cyd,GAAG,IAAI,IAAI;EACf;EACAA,GAAG,IAAI,GAAG;EACV,OAAOA,GAAG;AACd;AAEA,IAAIE,UAAU,GAAG,aAAajZ,MAAM,CAACC,MAAM,CAAC;EACxCC,SAAS,EAAE,IAAI;EACf,IAAI2I,YAAYA,CAAA,EAAI;IAAE,OAAOA,YAAY;EAAE,CAAC;EAC5C1I,IAAI,EAAEA,IAAI;EACV,IAAI+I,eAAeA,CAAA,EAAI;IAAE,OAAOA,eAAe;EAAE,CAAC;EAClDC,WAAW,EAAEA,WAAW;EACxBG,cAAc,EAAEA,cAAc;EAC9BG,SAAS,EAAEA,SAAS;EACpBG,OAAO,EAAEA,OAAO;EAChBG,gBAAgB,EAAEA,gBAAgB;EAClCE,YAAY,EAAEA,YAAY;EAC1BE,aAAa,EAAEA,aAAa;EAC5BE,SAAS,EAAEA,SAAS;EACpBE,QAAQ,EAAEA,QAAQ;EAClBE,WAAW,EAAEA,WAAW;EACxBE,WAAW,EAAEA,WAAW;EACxBE,aAAa,EAAEA,aAAa;EAC5BC,SAAS,EAAEA,SAAS;EACpB,IAAIC,aAAaA,CAAA,EAAI;IAAE,OAAOA,aAAa;EAAE,CAAC;EAC9C,IAAIC,cAAcA,CAAA,EAAI;IAAE,OAAOA,cAAc;EAAE,CAAC;EAChDC,oBAAoB,EAAEA,oBAAoB;EAC1CI,gBAAgB,EAAEA,gBAAgB;EAClCG,UAAU,EAAEA,UAAU;EACtByD,WAAW,EAAEA,WAAW;EACxBK,UAAU,EAAEA,UAAU;EACtBG,eAAe,EAAEA,eAAe;EAChCJ,YAAY,EAAEA,YAAY;EAC1Ba,YAAY,EAAEA,YAAY;EAC1BG,aAAa,EAAEA,aAAa;EAC5BpE,kBAAkB,EAAEA,kBAAkB;EACtC0E,kBAAkB,EAAEA,kBAAkB;EACtCxE,eAAe,EAAEA,eAAe;EAChC+E,WAAW,EAAEA,WAAW;EACxBE,eAAe,EAAEA,eAAe;EAChCE,sBAAsB,EAAEA,sBAAsB;EAC9CI,YAAY,EAAEA,YAAY;EAC1BC,gBAAgB,EAAEA,gBAAgB;EAClCK,eAAe,EAAEA,eAAe;EAChCuB,YAAY,EAAEA,YAAY;EAC1BI,iBAAiB,EAAEA,iBAAiB;EACpCpH,eAAe,EAAEA,eAAe;EAChCuH,iBAAiB,EAAEA,iBAAiB;EACpCG,OAAO,EAAEA,OAAO;EAChBE,OAAO,EAAEA,OAAO;EAChBE,YAAY,EAAEA,YAAY;EAC1BK,iBAAiB,EAAEA,iBAAiB;EACpChI,kBAAkB,EAAEA,kBAAkB;EACtCf,YAAY,EAAEA,YAAY;EAC1BE,WAAW,EAAEA,WAAW;EACxBoJ,gBAAgB,EAAEA,gBAAgB;EAClCI,eAAe,EAAEA,eAAe;EAChCE,cAAc,EAAEA,cAAc;EAC9BI,SAAS,EAAEA,SAAS;EACpBE,SAAS,EAAEA,SAAS;EACpBjH,eAAe,EAAEA,eAAe;EAChC,IAAIoB,YAAYA,CAAA,EAAI;IAAE,OAAOA,YAAY;EAAE,CAAC;EAC5C8F,cAAc,EAAEA,cAAc;EAC9BG,YAAY,EAAEA,YAAY;EAC1BG,SAAS,EAAEA,SAAS;EACpBtG,cAAc,EAAEA,cAAc;EAC9B0E,mBAAmB,EAAEA,mBAAmB;EACxCxF,mBAAmB,EAAEA,mBAAmB;EACxC6H,eAAe,EAAEA,eAAe;EAChCE,MAAM,EAAEA,MAAM;EACdmC,mBAAmB,EAAEjC,qBAAqB;EAC1CV,cAAc,EAAEA,cAAc;EAC9BgB,YAAY,EAAEA,YAAY;EAC1BC,QAAQ,EAAEA,QAAQ;EAClBC,UAAU,EAAEA,UAAU;EACtBC,UAAU,EAAEA,UAAU;EACtBE,cAAc,EAAEA,cAAc;EAC9BC,gBAAgB,EAAEA,gBAAgB;EAClCC,UAAU,EAAEA,UAAU;EACtBC,UAAU,EAAEA,UAAU;EACtBE,UAAU,EAAEA,UAAU;EACtBC,KAAK,EAAEA,KAAK;EACZC,GAAG,EAAEA,GAAG;EACR5H,EAAE,EAAEA,EAAE;EACN8H,MAAM,EAAEA,MAAM;EACdG,cAAc,EAAEA,cAAc;EAC9BC,OAAO,EAAEA,OAAO;EAChBC,eAAe,EAAEA,eAAe;EAChCE,MAAM,EAAEA;AACZ,CAAC,CAAC;AAEF,MAAMO,eAAe,GAAG,IAAI;AAC5B;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMC,iBAAiB,GAAG5B,QAAQ,CAAC,WAAW,CAAC;AAC/C;AACA;AACA;AACA;AACA;AACA;AACA,MAAM6B,WAAW,GAAG,CAAC,CAAC;AACtB;AACA;AACA;AACA;AACA;AACA,MAAMC,2CAA2C,GAAG,EAAE;AACtD;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMC,eAAe,SAAS/N,UAAU,CAAC;EACrCrS,WAAWA,CAACqgB,QAAQ,EAAE;IAClB,KAAK,CAACA,QAAQ,CAACzV,IAAI,CAAC;IACpB,IAAI,CAACyV,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACC,MAAM,GAAG,KAAK;IACnB,IAAI,CAACC,QAAQ,GAAGF,QAAQ;EAC5B;EACArK,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,IAAIA,OAAO,KAAKkW,WAAW,EAAE;MACzB;MACA;MACA,OAAO,IAAI,CAACK,QAAQ,CAACvK,eAAe,CAACzM,OAAO,EAAES,OAAO,CAAC;IAC1D,CAAC,MACI;MACD,OAAO,IAAI,CAACqW,QAAQ,CAACrK,eAAe,CAACzM,OAAO,EAAES,OAAO,CAAC;IAC1D;EACJ;EACA+H,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAYiU,eAAe,IAAI,IAAI,CAACC,QAAQ,CAACtO,YAAY,CAAC5F,CAAC,CAACkU,QAAQ,CAAC;EACjF;EACAtK,UAAUA,CAAA,EAAG;IACT,OAAO,IAAI;EACf;EACA1O,KAAKA,CAAA,EAAG;IACJ,MAAM,IAAIlG,KAAK,CAAC,gBAAgB,CAAC;EACrC;EACAqf,KAAKA,CAAC7V,UAAU,EAAE;IACd,IAAI,CAAC0V,QAAQ,GAAG1V,UAAU;IAC1B,IAAI,CAAC2V,MAAM,GAAG,IAAI;EACtB;AACJ;AACA;AACA;AACA;AACA;AACA;AACA,MAAMG,YAAY,CAAC;EACfzgB,WAAWA,CAAC0gB,wBAAwB,GAAG,KAAK,EAAE;IAC1C,IAAI,CAACA,wBAAwB,GAAGA,wBAAwB;IACxD,IAAI,CAACvF,UAAU,GAAG,EAAE;IACpB,IAAI,CAACwF,QAAQ,GAAG,IAAIzd,GAAG,CAAC,CAAC;IACzB,IAAI,CAAC0d,gBAAgB,GAAG,IAAI1d,GAAG,CAAC,CAAC;IACjC,IAAI,CAAC2d,eAAe,GAAG,IAAI3d,GAAG,CAAC,CAAC;IAChC,IAAI,CAAC4d,aAAa,GAAG,CAAC;EAC1B;EACAC,eAAeA,CAACzB,OAAO,EAAE0B,WAAW,EAAE;IAClC,IAAK1B,OAAO,YAAYvH,WAAW,IAAI,CAACkJ,mBAAmB,CAAC3B,OAAO,CAAC,IAChEA,OAAO,YAAYc,eAAe,EAAE;MACpC;MACA;MACA,OAAOd,OAAO;IAClB;IACA,MAAM7M,GAAG,GAAGyO,YAAY,CAACC,QAAQ,CAACC,KAAK,CAAC9B,OAAO,CAAC;IAChD,IAAIkB,KAAK,GAAG,IAAI,CAACG,QAAQ,CAACjc,GAAG,CAAC+N,GAAG,CAAC;IAClC,IAAI4O,QAAQ,GAAG,KAAK;IACpB,IAAI,CAACb,KAAK,EAAE;MACRA,KAAK,GAAG,IAAIJ,eAAe,CAACd,OAAO,CAAC;MACpC,IAAI,CAACqB,QAAQ,CAAChc,GAAG,CAAC8N,GAAG,EAAE+N,KAAK,CAAC;MAC7Ba,QAAQ,GAAG,IAAI;IACnB;IACA,IAAK,CAACA,QAAQ,IAAI,CAACb,KAAK,CAACF,MAAM,IAAMe,QAAQ,IAAIL,WAAY,EAAE;MAC3D;MACA,MAAMve,IAAI,GAAG,IAAI,CAAC6e,SAAS,CAAC,CAAC;MAC7B,IAAIC,UAAU;MACd,IAAIC,KAAK;MACT,IAAI,IAAI,CAACd,wBAAwB,IAAIO,mBAAmB,CAAC3B,OAAO,CAAC,EAAE;QAC/D;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACAiC,UAAU,GAAGlD,QAAQ,CAAC5b,IAAI,CAAC,CAACkC,GAAG,CAAC,IAAIuW,YAAY,CAAC,EAAE;QAAE;QACrD;QACI;QACA,IAAIwC,eAAe,CAAC4B,OAAO,CAAC,CAC/B,CAAC,CAAC;QACHkC,KAAK,GAAGnD,QAAQ,CAAC5b,IAAI,CAAC,CAACkQ,MAAM,CAAC,EAAE,CAAC;MACrC,CAAC,MACI;QACD;QACA;QACA4O,UAAU,GAAGlD,QAAQ,CAAC5b,IAAI,CAAC,CAACkC,GAAG,CAAC2a,OAAO,CAAC;QACxCkC,KAAK,GAAGnD,QAAQ,CAAC5b,IAAI,CAAC;MAC1B;MACA,IAAI,CAAC0Y,UAAU,CAACva,IAAI,CAAC2gB,UAAU,CAAC7K,UAAU,CAAC1F,aAAa,EAAE6F,YAAY,CAACC,KAAK,CAAC,CAAC;MAC9E0J,KAAK,CAACA,KAAK,CAACgB,KAAK,CAAC;IACtB;IACA,OAAOhB,KAAK;EAChB;EACAiB,iBAAiBA,CAACC,GAAG,EAAEtL,IAAI,EAAE;IACzB,MAAM3D,GAAG,GAAGiP,GAAG,CAACN,KAAK,CAAChL,IAAI,CAAC;IAC3B,IAAI,CAAC,IAAI,CAACyK,eAAe,CAACc,GAAG,CAAClP,GAAG,CAAC,EAAE;MAChC,MAAM1J,EAAE,GAAG,IAAI,CAACuY,SAAS,CAAC,CAAC;MAC3B,IAAI,CAACT,eAAe,CAAClc,GAAG,CAAC8N,GAAG,EAAE4L,QAAQ,CAACtV,EAAE,CAAC,CAAC;MAC3C,IAAI,CAACoS,UAAU,CAACva,IAAI,CAAC8gB,GAAG,CAACE,2BAA2B,CAAC7Y,EAAE,EAAEqN,IAAI,CAAC,CAAC;IACnE;IACA,OAAO,IAAI,CAACyK,eAAe,CAACnc,GAAG,CAAC+N,GAAG,CAAC;EACxC;EACAoP,iBAAiBA,CAACvC,OAAO,EAAE;IACvB;IACA,IAAIA,OAAO,YAAYxD,gBAAgB,EAAE;MACrC,MAAMgG,eAAe,GAAGxC,OAAO,CAACvD,OAAO,CAACjX,GAAG,CAACqH,CAAC,IAAIA,CAAC,CAAC4J,UAAU,CAAC,CAAC,GAAG5J,CAAC,GAAG8T,iBAAiB,CAAC;MACxF,MAAMxN,GAAG,GAAGyO,YAAY,CAACC,QAAQ,CAACC,KAAK,CAACxC,UAAU,CAACkD,eAAe,CAAC,CAAC;MACpE,OAAO,IAAI,CAACC,kBAAkB,CAACtP,GAAG,EAAE6M,OAAO,CAACvD,OAAO,EAAEA,OAAO,IAAI6C,UAAU,CAAC7C,OAAO,CAAC,CAAC;IACxF,CAAC,MACI;MACD,MAAMiG,gBAAgB,GAAGlD,UAAU,CAACQ,OAAO,CAACvD,OAAO,CAACjX,GAAG,CAACqH,CAAC,KAAK;QAC1DsG,GAAG,EAAEtG,CAAC,CAACsG,GAAG;QACV/P,KAAK,EAAEyJ,CAAC,CAACzJ,KAAK,CAACqT,UAAU,CAAC,CAAC,GAAG5J,CAAC,CAACzJ,KAAK,GAAGud,iBAAiB;QACzD9D,MAAM,EAAEhQ,CAAC,CAACgQ;MACd,CAAC,CAAC,CAAC,CAAC;MACJ,MAAM1J,GAAG,GAAGyO,YAAY,CAACC,QAAQ,CAACC,KAAK,CAACY,gBAAgB,CAAC;MACzD,OAAO,IAAI,CAACD,kBAAkB,CAACtP,GAAG,EAAE6M,OAAO,CAACvD,OAAO,CAACjX,GAAG,CAACqH,CAAC,IAAIA,CAAC,CAACzJ,KAAK,CAAC,EAAEqZ,OAAO,IAAI+C,UAAU,CAAC/C,OAAO,CAACjX,GAAG,CAAC,CAACpC,KAAK,EAAEyK,KAAK,MAAM;QACxHsF,GAAG,EAAE6M,OAAO,CAACvD,OAAO,CAAC5O,KAAK,CAAC,CAACsF,GAAG;QAC/B/P,KAAK;QACLyZ,MAAM,EAAEmD,OAAO,CAACvD,OAAO,CAAC5O,KAAK,CAAC,CAACgP;MACnC,CAAC,CAAC,CAAC,CAAC,CAAC;IACT;EACJ;EACA4F,kBAAkBA,CAACtP,GAAG,EAAEoM,MAAM,EAAEoD,SAAS,EAAE;IACvC,IAAIC,cAAc,GAAG,IAAI,CAACtB,gBAAgB,CAAClc,GAAG,CAAC+N,GAAG,CAAC;IACnD,MAAM0P,uBAAuB,GAAGtD,MAAM,CAACuD,MAAM,CAAEjW,CAAC,IAAI,CAACA,CAAC,CAAC4J,UAAU,CAAC,CAAE,CAAC;IACrE,IAAI,CAACmM,cAAc,EAAE;MACjB,MAAMG,iBAAiB,GAAGxD,MAAM,CAAC/Z,GAAG,CAAC,CAACqH,CAAC,EAAEgB,KAAK,KAAKhB,CAAC,CAAC4J,UAAU,CAAC,CAAC,GAAG,IAAI,CAACgL,eAAe,CAAC5U,CAAC,EAAE,IAAI,CAAC,GAAGkS,QAAQ,CAAC,IAAIlR,KAAK,EAAE,CAAC,CAAC;MAC1H,MAAMmV,UAAU,GAAGD,iBAAiB,CAACD,MAAM,CAACG,UAAU,CAAC,CAACzd,GAAG,CAACqH,CAAC,IAAI,IAAI6O,OAAO,CAAC7O,CAAC,CAAC1J,IAAI,EAAEqO,YAAY,CAAC,CAAC;MACnG,MAAM0R,uBAAuB,GAAGpL,EAAE,CAACkL,UAAU,EAAE,CAAC,IAAI5E,eAAe,CAACuE,SAAS,CAACI,iBAAiB,CAAC,CAAC,CAAC,EAAErR,aAAa,CAAC;MAClH,MAAMvO,IAAI,GAAG,IAAI,CAAC6e,SAAS,CAAC,CAAC;MAC7B,IAAI,CAACnG,UAAU,CAACva,IAAI,CAACyd,QAAQ,CAAC5b,IAAI,CAAC,CAC9BkC,GAAG,CAAC6d,uBAAuB,CAAC,CAC5B9L,UAAU,CAAC1F,aAAa,EAAE6F,YAAY,CAACC,KAAK,CAAC,CAAC;MACnDoL,cAAc,GAAG7D,QAAQ,CAAC5b,IAAI,CAAC;MAC/B,IAAI,CAACme,gBAAgB,CAACjc,GAAG,CAAC8N,GAAG,EAAEyP,cAAc,CAAC;IAClD;IACA,OAAO;MAAEA,cAAc;MAAEC;IAAwB,CAAC;EACtD;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;EACIM,UAAUA,CAACphB,MAAM,EAAE;IACf,OAAO,GAAGA,MAAM,GAAG,IAAI,CAACyf,aAAa,EAAE,EAAE;EAC7C;EACAQ,SAASA,CAAA,EAAG;IACR,OAAO,IAAI,CAACmB,UAAU,CAACzC,eAAe,CAAC;EAC3C;AACJ;AACA,MAAMkB,YAAY,CAAC;EACf;IAAS,IAAI,CAACC,QAAQ,GAAG,IAAID,YAAY,CAAC,CAAC;EAAE;EAC7CE,KAAKA,CAAChL,IAAI,EAAE;IACR,IAAIA,IAAI,YAAY2B,WAAW,IAAI,OAAO3B,IAAI,CAAC1T,KAAK,KAAK,QAAQ,EAAE;MAC/D,OAAO,IAAI0T,IAAI,CAAC1T,KAAK,GAAG;IAC5B,CAAC,MACI,IAAI0T,IAAI,YAAY2B,WAAW,EAAE;MAClC,OAAOtG,MAAM,CAAC2E,IAAI,CAAC1T,KAAK,CAAC;IAC7B,CAAC,MACI,IAAI0T,IAAI,YAAY0F,gBAAgB,EAAE;MACvC,MAAMC,OAAO,GAAG,EAAE;MAClB,KAAK,MAAMQ,KAAK,IAAInG,IAAI,CAAC2F,OAAO,EAAE;QAC9BA,OAAO,CAACnb,IAAI,CAAC,IAAI,CAACwgB,KAAK,CAAC7E,KAAK,CAAC,CAAC;MACnC;MACA,OAAO,IAAIR,OAAO,CAACxZ,IAAI,CAAC,GAAG,CAAC,GAAG;IACnC,CAAC,MACI,IAAI6T,IAAI,YAAYgG,cAAc,EAAE;MACrC,MAAML,OAAO,GAAG,EAAE;MAClB,KAAK,MAAMQ,KAAK,IAAInG,IAAI,CAAC2F,OAAO,EAAE;QAC9B,IAAItJ,GAAG,GAAG8J,KAAK,CAAC9J,GAAG;QACnB,IAAI8J,KAAK,CAACJ,MAAM,EAAE;UACd1J,GAAG,GAAG,IAAIA,GAAG,GAAG;QACpB;QACAsJ,OAAO,CAACnb,IAAI,CAAC6R,GAAG,GAAG,GAAG,GAAG,IAAI,CAAC2O,KAAK,CAAC7E,KAAK,CAAC7Z,KAAK,CAAC,CAAC;MACrD;MACA,OAAO,IAAIqZ,OAAO,CAACxZ,IAAI,CAAC,GAAG,CAAC,GAAG;IACnC,CAAC,MACI,IAAI6T,IAAI,YAAYgE,YAAY,EAAE;MACnC,OAAO,WAAWhE,IAAI,CAAC1T,KAAK,CAAC2X,UAAU,MAAMjE,IAAI,CAAC1T,KAAK,CAACD,IAAI,GAAG;IACnE,CAAC,MACI,IAAI2T,IAAI,YAAYN,WAAW,EAAE;MAClC,OAAO,QAAQM,IAAI,CAAC3T,IAAI,GAAG;IAC/B,CAAC,MACI,IAAI2T,IAAI,YAAYD,UAAU,EAAE;MACjC,OAAO,UAAU,IAAI,CAACiL,KAAK,CAAChL,IAAI,CAACA,IAAI,CAAC,GAAG;IAC7C,CAAC,MACI;MACD,MAAM,IAAIjV,KAAK,CAAC,GAAG,IAAI,CAACnB,WAAW,CAACyC,IAAI,wCAAwC2T,IAAI,CAACpW,WAAW,CAACyC,IAAI,EAAE,CAAC;IAC5G;EACJ;AACJ;AACA,SAAS8f,UAAUA,CAACpW,CAAC,EAAE;EACnB,OAAOA,CAAC,YAAY2J,WAAW;AACnC;AACA,SAASmL,mBAAmBA,CAAC7K,IAAI,EAAE;EAC/B,OAAOA,IAAI,YAAY2B,WAAW,IAAI,OAAO3B,IAAI,CAAC1T,KAAK,KAAK,QAAQ,IAChE0T,IAAI,CAAC1T,KAAK,CAAC/B,MAAM,IAAIwf,2CAA2C;AACxE;AAEA,MAAMuC,IAAI,GAAG,eAAe;AAC5B,MAAMC,WAAW,CAAC;EACd;EACA;IAAS,IAAI,CAACC,UAAU,GAAG,SAAS;EAAE;EACtC;IAAS,IAAI,CAACC,gBAAgB,GAAG,WAAW;EAAE;EAC9C;IAAS,IAAI,CAACC,UAAU,GAAG,aAAa;EAAE;EAC1C;IAAS,IAAI,CAAClc,IAAI,GAAG;MAAEnE,IAAI,EAAE,IAAI;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACvD;EACA;IAAS,IAAI,CAACK,aAAa,GAAG;MAAEtgB,IAAI,EAAE,iBAAiB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7E;IAAS,IAAI,CAACM,eAAe,GAAG;MAAEvgB,IAAI,EAAE,mBAAmB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACjF;IAAS,IAAI,CAACO,YAAY,GAAG;MAAExgB,IAAI,EAAE,gBAAgB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3E;IAAS,IAAI,CAACziB,OAAO,GAAG;MAAEwC,IAAI,EAAE,WAAW;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACjE;IAAS,IAAI,CAACQ,YAAY,GAAG;MAAEzgB,IAAI,EAAE,gBAAgB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3E;IAAS,IAAI,CAACS,UAAU,GAAG;MAAE1gB,IAAI,EAAE,cAAc;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACvE;IAAS,IAAI,CAACU,OAAO,GAAG;MAAE3gB,IAAI,EAAE,WAAW;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACjE;IAAS,IAAI,CAACW,qBAAqB,GAAG;MAAE5gB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAACY,qBAAqB,GAAG;MAAE7gB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAAChhB,SAAS,GAAG;MAAEe,IAAI,EAAE,aAAa;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACrE;IAAS,IAAI,CAACa,qBAAqB,GAAG;MAAE9gB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAACc,qBAAqB,GAAG;MAAE/gB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAACe,qBAAqB,GAAG;MAAEhhB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAACgB,qBAAqB,GAAG;MAAEjhB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAACiB,qBAAqB,GAAG;MAAElhB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAACkB,qBAAqB,GAAG;MAAEnhB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAACmB,qBAAqB,GAAG;MAAEphB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAACoB,qBAAqB,GAAG;MAAErhB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAACqB,qBAAqB,GAAG;MAAEthB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAACsB,SAAS,GAAG;MAAEvhB,IAAI,EAAE,aAAa;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACrE;IAAS,IAAI,CAACuB,qBAAqB,GAAG;MAAExhB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAACwB,mBAAmB,GAAG;MAAEzhB,IAAI,EAAE,uBAAuB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACzF;IAAS,IAAI,CAACyB,gBAAgB,GAAG;MAAE1hB,IAAI,EAAE,oBAAoB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACnF;IAAS,IAAI,CAAC0B,QAAQ,GAAG;MAAE3hB,IAAI,EAAE,YAAY;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACnE;IAAS,IAAI,CAAC2B,oBAAoB,GAAG;MAAE5hB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAAC4B,oBAAoB,GAAG;MAAE7hB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAAC6B,oBAAoB,GAAG;MAAE9hB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAAC8B,oBAAoB,GAAG;MAAE/hB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAAC+B,oBAAoB,GAAG;MAAEhiB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAACgC,oBAAoB,GAAG;MAAEjiB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAACiC,oBAAoB,GAAG;MAAEliB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAACkC,oBAAoB,GAAG;MAAEniB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAACmC,oBAAoB,GAAG;MAAEpiB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAACoC,QAAQ,GAAG;MAAEriB,IAAI,EAAE,YAAY;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACnE;IAAS,IAAI,CAACqC,oBAAoB,GAAG;MAAEtiB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAACsC,oBAAoB,GAAG;MAAEviB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAACuC,oBAAoB,GAAG;MAAExiB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAACwC,oBAAoB,GAAG;MAAEziB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAACyC,oBAAoB,GAAG;MAAE1iB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAAC0C,oBAAoB,GAAG;MAAE3iB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAAC2C,oBAAoB,GAAG;MAAE5iB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAAC4C,oBAAoB,GAAG;MAAE7iB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAAC6C,oBAAoB,GAAG;MAAE9iB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAAC8C,SAAS,GAAG;MAAE/iB,IAAI,EAAE,aAAa;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACrE;IAAS,IAAI,CAAC+C,qBAAqB,GAAG;MAAEhjB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAACgD,qBAAqB,GAAG;MAAEjjB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAACiD,qBAAqB,GAAG;MAAEljB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAACkD,qBAAqB,GAAG;MAAEnjB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAACmD,qBAAqB,GAAG;MAAEpjB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAACoD,qBAAqB,GAAG;MAAErjB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAACqD,qBAAqB,GAAG;MAAEtjB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAACsD,qBAAqB,GAAG;MAAEvjB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAACuD,qBAAqB,GAAG;MAAExjB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAACwD,WAAW,GAAG;MAAEzjB,IAAI,EAAE,eAAe;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACzE;IAAS,IAAI,CAACyD,SAAS,GAAG;MAAE1jB,IAAI,EAAE,aAAa;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACrE;IAAS,IAAI,CAAC0D,cAAc,GAAG;MAAE3jB,IAAI,EAAE,YAAY;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACzE;IAAS,IAAI,CAAC2D,KAAK,GAAG;MAAE5jB,IAAI,EAAE,SAAS;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7D;IAAS,IAAI,CAAC3Y,IAAI,GAAG;MAAEtH,IAAI,EAAE,QAAQ;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3D;IAAS,IAAI,CAAC4D,cAAc,GAAG;MAAE7jB,IAAI,EAAE,kBAAkB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC/E;IAAS,IAAI,CAAC6D,eAAe,GAAG;MAAE9jB,IAAI,EAAE,mBAAmB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACjF;IAAS,IAAI,CAAC8D,cAAc,GAAG;MAAE/jB,IAAI,EAAE,kBAAkB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC/E;IAAS,IAAI,CAAC+D,eAAe,GAAG;MAAEhkB,IAAI,EAAE,mBAAmB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACjF;IAAS,IAAI,CAACgE,gBAAgB,GAAG;MAAEjkB,IAAI,EAAE,oBAAoB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACnF;IAAS,IAAI,CAACiE,gBAAgB,GAAG;MAAElkB,IAAI,EAAE,oBAAoB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACnF;IAAS,IAAI,CAACkE,gBAAgB,GAAG;MAAEnkB,IAAI,EAAE,oBAAoB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACnF;IAAS,IAAI,CAACmE,gBAAgB,GAAG;MAAEpkB,IAAI,EAAE,oBAAoB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACnF;IAAS,IAAI,CAACoE,gBAAgB,GAAG;MAAErkB,IAAI,EAAE,oBAAoB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACnF;IAAS,IAAI,CAACqE,gBAAgB,GAAG;MAAEtkB,IAAI,EAAE,oBAAoB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACnF;IAAS,IAAI,CAACsE,gBAAgB,GAAG;MAAEvkB,IAAI,EAAE,oBAAoB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACnF;IAAS,IAAI,CAACuE,gBAAgB,GAAG;MAAExkB,IAAI,EAAE,oBAAoB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACnF;IAAS,IAAI,CAACwE,gBAAgB,GAAG;MAAEzkB,IAAI,EAAE,oBAAoB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACnF;IAAS,IAAI,CAACyE,WAAW,GAAG;MAAE1kB,IAAI,EAAE,eAAe;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACzE;IAAS,IAAI,CAAC0E,aAAa,GAAG;MAAE3kB,IAAI,EAAE,iBAAiB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7E;IAAS,IAAI,CAAC2E,aAAa,GAAG;MAAE5kB,IAAI,EAAE,iBAAiB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7E;IAAS,IAAI,CAAC4E,aAAa,GAAG;MAAE7kB,IAAI,EAAE,iBAAiB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7E;IAAS,IAAI,CAAC6E,aAAa,GAAG;MAAE9kB,IAAI,EAAE,iBAAiB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7E;IAAS,IAAI,CAAC8E,aAAa,GAAG;MAAE/kB,IAAI,EAAE,iBAAiB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7E;IAAS,IAAI,CAAC+E,aAAa,GAAG;MAAEhlB,IAAI,EAAE,iBAAiB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7E;IAAS,IAAI,CAACgF,aAAa,GAAG;MAAEjlB,IAAI,EAAE,iBAAiB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7E;IAAS,IAAI,CAACiF,aAAa,GAAG;MAAEllB,IAAI,EAAE,iBAAiB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7E;IAAS,IAAI,CAACkF,aAAa,GAAG;MAAEnlB,IAAI,EAAE,iBAAiB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7E;IAAS,IAAI,CAACmF,aAAa,GAAG;MAAEplB,IAAI,EAAE,iBAAiB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7E;IAAS,IAAI,CAACoF,SAAS,GAAG;MAAErlB,IAAI,EAAE,aAAa;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACrE;IAAS,IAAI,CAACqF,SAAS,GAAG;MAAEtlB,IAAI,EAAE,aAAa;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACrE;IAAS,IAAI,CAACsF,SAAS,GAAG;MAAEvlB,IAAI,EAAE,aAAa;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACrE;IAAS,IAAI,CAACuF,SAAS,GAAG;MAAExlB,IAAI,EAAE,aAAa;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACrE;IAAS,IAAI,CAACwF,SAAS,GAAG;MAAEzlB,IAAI,EAAE,aAAa;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACrE;IAAS,IAAI,CAACyF,YAAY,GAAG;MAAE1lB,IAAI,EAAE,gBAAgB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3E;IAAS,IAAI,CAAC0F,QAAQ,GAAG;MAAE3lB,IAAI,EAAE,YAAY;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACnE;IAAS,IAAI,CAAC2F,mBAAmB,GAAG;MAAE5lB,IAAI,EAAE,uBAAuB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACzF;IAAS,IAAI,CAAC4F,oBAAoB,GAAG;MAAE7lB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAAC6F,oBAAoB,GAAG;MAAE9lB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAAC8F,oBAAoB,GAAG;MAAE/lB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAAC+F,oBAAoB,GAAG;MAAEhmB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAACgG,oBAAoB,GAAG;MAAEjmB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAACiG,oBAAoB,GAAG;MAAElmB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAACkG,oBAAoB,GAAG;MAAEnmB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAACmG,oBAAoB,GAAG;MAAEpmB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAACoG,oBAAoB,GAAG;MAAErmB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAACqG,IAAI,GAAG;MAAEtmB,IAAI,EAAE,QAAQ;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3D;IAAS,IAAI,CAACsG,cAAc,GAAG;MAAEvmB,IAAI,EAAE,kBAAkB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC/E;IAAS,IAAI,CAACuG,OAAO,GAAG;MAAExmB,IAAI,EAAE,WAAW;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACjE;IAAS,IAAI,CAACwG,SAAS,GAAG;MAAEzmB,IAAI,EAAE,aAAa;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACrE;IAAS,IAAI,CAACyG,OAAO,GAAG;MAAE1mB,IAAI,EAAE,WAAW;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACjE;IAAS,IAAI,CAAC0G,SAAS,GAAG;MAAE3mB,IAAI,EAAE,aAAa;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACrE;IAAS,IAAI,CAAC2G,eAAe,GAAG;MAAE5mB,IAAI,EAAE,mBAAmB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACjF;IAAS,IAAI,CAAC4G,IAAI,GAAG;MAAE7mB,IAAI,EAAE,QAAQ;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3D;IAAS,IAAI,CAAC6G,UAAU,GAAG;MAAE9mB,IAAI,EAAE,cAAc;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACvE;IAAS,IAAI,CAAC8G,aAAa,GAAG;MAAE/mB,IAAI,EAAE,iBAAiB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7E;IAAS,IAAI,CAAC+G,SAAS,GAAG;MAAEhnB,IAAI,EAAE,aAAa;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACrE;IAAS,IAAI,CAACgH,MAAM,GAAG;MAAEjnB,IAAI,EAAE,UAAU;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC/D;IAAS,IAAI,CAACiH,eAAe,GAAG;MAAElnB,IAAI,EAAE,mBAAmB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACjF;IAAS,IAAI,CAACkH,eAAe,GAAG;MAAEnnB,IAAI,EAAE,mBAAmB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACjF;IAAS,IAAI,CAACmH,cAAc,GAAG;MAAEpnB,IAAI,EAAE,kBAAkB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC/E;IAAS,IAAI,CAACoH,iBAAiB,GAAG;MAAErnB,IAAI,EAAE,qBAAqB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACrF;IAAS,IAAI,CAACqH,oBAAoB,GAAG;MAAEtnB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAACsH,UAAU,GAAG;MAAEvnB,IAAI,EAAE,YAAY;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACrE;IAAS,IAAI,CAACuH,iBAAiB,GAAG;MAAExnB,IAAI,EAAE,mBAAmB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACnF;IAAS,IAAI,CAACwH,kBAAkB,GAAG;MAAEznB,IAAI,EAAE,oBAAoB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACrF;IAAS,IAAI,CAACyH,iBAAiB,GAAG;MAAE1nB,IAAI,EAAE,uBAAuB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACvF;IAAS,IAAI,CAAC0H,qBAAqB,GAAG;MAAE3nB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAAC2H,aAAa,GAAG;MAAE5nB,IAAI,EAAE,iBAAiB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7E;IAAS,IAAI,CAAC4H,eAAe,GAAG;MAAE7nB,IAAI,EAAE,mBAAmB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACjF;IAAS,IAAI,CAAC6H,WAAW,GAAG;MAAE9nB,IAAI,EAAE,eAAe;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACzE;IAAS,IAAI,CAAC8H,eAAe,GAAG;MAAE/nB,IAAI,EAAE,mBAAmB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACjF;IAAS,IAAI,CAAC+H,gBAAgB,GAAG;MAAEhoB,IAAI,EAAE,sBAAsB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACrF;IAAS,IAAI,CAACgI,iBAAiB,GAAG;MAAEjoB,IAAI,EAAE,qBAAqB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACrF;IAAS,IAAI,CAAC7c,uBAAuB,GAAG;MACpCpD,IAAI,EAAE,yBAAyB;MAC/B4X,UAAU,EAAEqI;IAChB,CAAC;EAAE;EACH;IAAS,IAAI,CAAC9c,iBAAiB,GAAG;MAC9BnD,IAAI,EAAE,mBAAmB;MACzB4X,UAAU,EAAEqI;IAChB,CAAC;EAAE;EACH;IAAS,IAAI,CAACiI,oBAAoB,GAAG;MACjCloB,IAAI,EAAE,wBAAwB;MAC9B4X,UAAU,EAAEqI;IAChB,CAAC;EAAE;EACH;IAAS,IAAI,CAACkI,kBAAkB,GAAG;MAC/BnoB,IAAI,EAAE,sBAAsB;MAC5B4X,UAAU,EAAEqI;IAChB,CAAC;EAAE;EACH;IAAS,IAAI,CAACmI,cAAc,GAAG;MAAEpoB,IAAI,EAAE,oBAAoB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACjF;IAAS,IAAI,CAACoI,aAAa,GAAG;MAAEroB,IAAI,EAAE,iBAAiB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7E;IAAS,IAAI,CAACqI,eAAe,GAAG;MAAEtoB,IAAI,EAAE,mBAAmB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACjF;IAAS,IAAI,CAACsI,gBAAgB,GAAG;MAAEvoB,IAAI,EAAE,sBAAsB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACrF;IAAS,IAAI,CAACuI,oBAAoB,GAAG;MACjCxoB,IAAI,EAAE,wBAAwB;MAC9B4X,UAAU,EAAEqI;IAChB,CAAC;EAAE;EACH;IAAS,IAAI,CAACwI,WAAW,GAAG;MAAEzoB,IAAI,EAAE,eAAe;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACzE;IAAS,IAAI,CAACyI,mBAAmB,GAAG;MAAE1oB,IAAI,EAAE,uBAAuB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACzF;IAAS,IAAI,CAAC0I,cAAc,GAAG;MAAE3oB,IAAI,EAAE,kBAAkB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC/E;IAAS,IAAI,CAAC2I,eAAe,GAAG;MAAE5oB,IAAI,EAAE,qBAAqB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACnF;IAAS,IAAI,CAAC4I,mBAAmB,GAAG;MAChC7oB,IAAI,EAAE,uBAAuB;MAC7B4X,UAAU,EAAEqI;IAChB,CAAC;EAAE;EACH;IAAS,IAAI,CAAC6I,mBAAmB,GAAG;MAChC9oB,IAAI,EAAE,qBAAqB;MAC3B4X,UAAU,EAAEqI;IAChB,CAAC;EAAE;EACH;IAAS,IAAI,CAAC8I,cAAc,GAAG;MAAE/oB,IAAI,EAAE,kBAAkB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC/E;IAAS,IAAI,CAAC+I,eAAe,GAAG;MAAEhpB,IAAI,EAAE,qBAAqB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACnF;IAAS,IAAI,CAACgJ,gBAAgB,GAAG;MAAEjpB,IAAI,EAAE,oBAAoB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACnF;IAAS,IAAI,CAACiJ,oBAAoB,GAAG;MAAElpB,IAAI,EAAE,wBAAwB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3F;IAAS,IAAI,CAACkJ,eAAe,GAAG;MAAEnpB,IAAI,EAAE,mBAAmB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACjF;IAAS,IAAI,CAACmJ,UAAU,GAAG;MAAEppB,IAAI,EAAE,cAAc;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACvE;IAAS,IAAI,CAACoJ,WAAW,GAAG;MAAErpB,IAAI,EAAE,iBAAiB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3E;IAAS,IAAI,CAACqJ,oBAAoB,GAAG;MAAEtpB,IAAI,EAAE,0BAA0B;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAACsJ,gBAAgB,GAAG;MAAEvpB,IAAI,EAAE,mBAAmB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAClF;IAAS,IAAI,CAACuJ,YAAY,GAAG;MAAExpB,IAAI,EAAE,gBAAgB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3E;IAAS,IAAI,CAACwJ,SAAS,GAAG;MAAEzpB,IAAI,EAAE,aAAa;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACrE;IAAS,IAAI,CAACyJ,SAAS,GAAG;MAAE1pB,IAAI,EAAE,aAAa;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACrE;IAAS,IAAI,CAAC0J,YAAY,GAAG;MAAE3pB,IAAI,EAAE,gBAAgB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3E;IAAS,IAAI,CAAC2J,kBAAkB,GAAG;MAAE5pB,IAAI,EAAE,sBAAsB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACvF;IAAS,IAAI,CAAC4J,wBAAwB,GAAG;MAAE7pB,IAAI,EAAE,4BAA4B;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACnG;IAAS,IAAI,CAAC6J,qBAAqB,GAAG;MAAE9pB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAAC8J,iBAAiB,GAAG;MAAE/pB,IAAI,EAAE,qBAAqB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACrF;IAAS,IAAI,CAAC+J,gBAAgB,GAAG;MAAEhqB,IAAI,EAAE,oBAAoB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACnF;IAAS,IAAI,CAACgK,qBAAqB,GAAG;MAAEjqB,IAAI,EAAE,yBAAyB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7F;IAAS,IAAI,CAACiK,6BAA6B,GAAG;MAAElqB,IAAI,EAAE,0BAA0B;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACtG;IAAS,IAAI,CAACkK,QAAQ,GAAG;MAAEnqB,IAAI,EAAE,YAAY;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACnE;IAAS,IAAI,CAACmK,mBAAmB,GAAG;MAChCpqB,IAAI,EAAE,uBAAuB;MAC7B4X,UAAU,EAAEqI;IAChB,CAAC;EAAE;EACH;EACA;IAAS,IAAI,CAACoK,YAAY,GAAG;MAAErqB,IAAI,EAAE,gBAAgB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC3E;IAAS,IAAI,CAACqK,aAAa,GAAG;MAAEtqB,IAAI,EAAE,iBAAiB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC7E;IAAS,IAAI,CAACsK,mBAAmB,GAAG;MAAEvqB,IAAI,EAAE,uBAAuB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACzF;IAAS,IAAI,CAACuK,cAAc,GAAG;MAAExqB,IAAI,EAAE,kBAAkB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EAC/E;IAAS,IAAI,CAACwK,WAAW,GAAG;MAAEzqB,IAAI,EAAE,eAAe;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACzE;IAAS,IAAI,CAACyK,wBAAwB,GAAG;MAAE1qB,IAAI,EAAE,4BAA4B;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACnG;IAAS,IAAI,CAAC0K,iBAAiB,GAAG;MAAE3qB,IAAI,EAAE,qBAAqB;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACrF;IAAS,IAAI,CAAC2K,wBAAwB,GAAG;MAAE5qB,IAAI,EAAE,4BAA4B;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;EACnG;IAAS,IAAI,CAAC4K,uBAAuB,GAAG;MAAE7qB,IAAI,EAAE,2BAA2B;MAAE4X,UAAU,EAAEqI;IAAK,CAAC;EAAE;AACrG;AAEA,MAAM6K,gBAAgB,GAAG,eAAe;AACxC,SAASC,mBAAmBA,CAACC,KAAK,EAAE;EAChC,OAAOA,KAAK,CAACtrB,OAAO,CAACorB,gBAAgB,EAAE,CAAC,GAAGG,CAAC,KAAKA,CAAC,CAAC,CAAC,CAAC,CAACC,WAAW,CAAC,CAAC,CAAC;AACxE;AACA,SAASC,YAAYA,CAACH,KAAK,EAAEI,aAAa,EAAE;EACxC,OAAOC,QAAQ,CAACL,KAAK,EAAE,GAAG,EAAEI,aAAa,CAAC;AAC9C;AACA,SAASE,aAAaA,CAACN,KAAK,EAAEI,aAAa,EAAE;EACzC,OAAOC,QAAQ,CAACL,KAAK,EAAE,GAAG,EAAEI,aAAa,CAAC;AAC9C;AACA,SAASC,QAAQA,CAACL,KAAK,EAAEO,SAAS,EAAEH,aAAa,EAAE;EAC/C,MAAMI,cAAc,GAAGR,KAAK,CAACS,OAAO,CAACF,SAAS,CAAC;EAC/C,IAAIC,cAAc,IAAI,CAAC,CAAC,EACpB,OAAOJ,aAAa;EACxB,OAAO,CAACJ,KAAK,CAAClsB,KAAK,CAAC,CAAC,EAAE0sB,cAAc,CAAC,CAACE,IAAI,CAAC,CAAC,EAAEV,KAAK,CAAClsB,KAAK,CAAC0sB,cAAc,GAAG,CAAC,CAAC,CAACE,IAAI,CAAC,CAAC,CAAC;AAC1F;AACA,SAASC,WAAWA,CAACC,GAAG,EAAE;EACtB,OAAOA,GAAG,KAAKC,SAAS,GAAG,IAAI,GAAGD,GAAG;AACzC;AACA,SAASE,KAAKA,CAAC1gB,GAAG,EAAE;EAChB,MAAM,IAAI1M,KAAK,CAAC,mBAAmB0M,GAAG,EAAE,CAAC;AAC7C;AACA;AACA,SAAS2gB,YAAYA,CAACC,CAAC,EAAE;EACrB,OAAOA,CAAC,CAACtsB,OAAO,CAAC,4BAA4B,EAAE,MAAM,CAAC;AAC1D;AACA,SAASusB,UAAUA,CAACrjB,GAAG,EAAE;EACrB,IAAIsjB,OAAO,GAAG,EAAE;EAChB,KAAK,IAAIxhB,KAAK,GAAG,CAAC,EAAEA,KAAK,GAAG9B,GAAG,CAAC1K,MAAM,EAAEwM,KAAK,EAAE,EAAE;IAC7C,IAAIyhB,SAAS,GAAGvjB,GAAG,CAACwjB,UAAU,CAAC1hB,KAAK,CAAC;IACrC;IACA;IACA,IAAIyhB,SAAS,IAAI,MAAM,IAAIA,SAAS,IAAI,MAAM,IAAIvjB,GAAG,CAAC1K,MAAM,GAAIwM,KAAK,GAAG,CAAE,EAAE;MACxE,MAAMsB,GAAG,GAAGpD,GAAG,CAACwjB,UAAU,CAAC1hB,KAAK,GAAG,CAAC,CAAC;MACrC,IAAIsB,GAAG,IAAI,MAAM,IAAIA,GAAG,IAAI,MAAM,EAAE;QAChCtB,KAAK,EAAE;QACPyhB,SAAS,GAAG,CAAEA,SAAS,GAAG,MAAM,IAAK,EAAE,IAAIngB,GAAG,GAAG,MAAM,GAAG,OAAO;MACrE;IACJ;IACA,IAAImgB,SAAS,IAAI,IAAI,EAAE;MACnBD,OAAO,CAAC/tB,IAAI,CAACguB,SAAS,CAAC;IAC3B,CAAC,MACI,IAAIA,SAAS,IAAI,KAAK,EAAE;MACzBD,OAAO,CAAC/tB,IAAI,CAAGguB,SAAS,IAAI,CAAC,GAAI,IAAI,GAAI,IAAI,EAAGA,SAAS,GAAG,IAAI,GAAI,IAAI,CAAC;IAC7E,CAAC,MACI,IAAIA,SAAS,IAAI,MAAM,EAAE;MAC1BD,OAAO,CAAC/tB,IAAI,CAAEguB,SAAS,IAAI,EAAE,GAAI,IAAI,EAAIA,SAAS,IAAI,CAAC,GAAI,IAAI,GAAI,IAAI,EAAGA,SAAS,GAAG,IAAI,GAAI,IAAI,CAAC;IACvG,CAAC,MACI,IAAIA,SAAS,IAAI,QAAQ,EAAE;MAC5BD,OAAO,CAAC/tB,IAAI,CAAGguB,SAAS,IAAI,EAAE,GAAI,IAAI,GAAI,IAAI,EAAIA,SAAS,IAAI,EAAE,GAAI,IAAI,GAAI,IAAI,EAAIA,SAAS,IAAI,CAAC,GAAI,IAAI,GAAI,IAAI,EAAGA,SAAS,GAAG,IAAI,GAAI,IAAI,CAAC;IACnJ;EACJ;EACA,OAAOD,OAAO;AAClB;AACA,SAASG,SAASA,CAACC,KAAK,EAAE;EACtB,IAAI,OAAOA,KAAK,KAAK,QAAQ,EAAE;IAC3B,OAAOA,KAAK;EAChB;EACA,IAAIC,KAAK,CAACC,OAAO,CAACF,KAAK,CAAC,EAAE;IACtB,OAAO,GAAG,GAAGA,KAAK,CAACjqB,GAAG,CAACgqB,SAAS,CAAC,CAACvsB,IAAI,CAAC,IAAI,CAAC,GAAG,GAAG;EACtD;EACA,IAAIwsB,KAAK,IAAI,IAAI,EAAE;IACf,OAAO,EAAE,GAAGA,KAAK;EACrB;EACA,IAAIA,KAAK,CAACG,cAAc,EAAE;IACtB,OAAO,GAAGH,KAAK,CAACG,cAAc,EAAE;EACpC;EACA,IAAIH,KAAK,CAACtsB,IAAI,EAAE;IACZ,OAAO,GAAGssB,KAAK,CAACtsB,IAAI,EAAE;EAC1B;EACA,IAAI,CAACssB,KAAK,CAACnsB,QAAQ,EAAE;IACjB,OAAO,QAAQ;EACnB;EACA;EACA;EACA,MAAMnC,GAAG,GAAGsuB,KAAK,CAACnsB,QAAQ,CAAC,CAAC;EAC5B,IAAInC,GAAG,IAAI,IAAI,EAAE;IACb,OAAO,EAAE,GAAGA,GAAG;EACnB;EACA,MAAM0uB,YAAY,GAAG1uB,GAAG,CAACytB,OAAO,CAAC,IAAI,CAAC;EACtC,OAAOiB,YAAY,KAAK,CAAC,CAAC,GAAG1uB,GAAG,GAAGA,GAAG,CAAC2uB,SAAS,CAAC,CAAC,EAAED,YAAY,CAAC;AACrE;AACA,MAAME,OAAO,CAAC;EACVrvB,WAAWA,CAACsvB,IAAI,EAAE;IACd,IAAI,CAACA,IAAI,GAAGA,IAAI;IAChB,MAAMC,MAAM,GAAGD,IAAI,CAACE,KAAK,CAAC,GAAG,CAAC;IAC9B,IAAI,CAACC,KAAK,GAAGF,MAAM,CAAC,CAAC,CAAC;IACtB,IAAI,CAACG,KAAK,GAAGH,MAAM,CAAC,CAAC,CAAC;IACtB,IAAI,CAACI,KAAK,GAAGJ,MAAM,CAAChuB,KAAK,CAAC,CAAC,CAAC,CAACgB,IAAI,CAAC,GAAG,CAAC;EAC1C;AACJ;AACA,MAAMqtB,OAAO,GAAGC,UAAU;AAC1B,SAASC,QAAQA,CAAC1gB,IAAI,EAAE1M,KAAK,EAAE;EAC3B,MAAMqtB,IAAI,GAAG,EAAE;EACf,KAAK,IAAIhuB,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGqN,IAAI,EAAErN,CAAC,EAAE,EAAE;IAC3BguB,IAAI,CAACnvB,IAAI,CAAC8B,KAAK,CAAC;EACpB;EACA,OAAOqtB,IAAI;AACf;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASC,cAAcA,CAACC,GAAG,EAAEC,WAAW,EAAE;EACtC,MAAMC,MAAM,GAAG,EAAE;EACjB,MAAMC,KAAK,GAAG,EAAE;EAChB,KAAK,MAAMC,IAAI,IAAIJ,GAAG,EAAE;IACpB,CAACC,WAAW,CAACG,IAAI,CAAC,GAAGF,MAAM,GAAGC,KAAK,EAAExvB,IAAI,CAACyvB,IAAI,CAAC;EACnD;EACA,OAAO,CAACF,MAAM,EAAEC,KAAK,CAAC;AAC1B;;AAEA;AACA,MAAME,SAAS,GAAG,CAAC;AACnB,MAAMC,aAAa,GAAG,kDAAkD;AACxE,MAAMC,kBAAkB,CAAC;EACrBxwB,WAAWA,CAACywB,IAAI,GAAG,IAAI,EAAE;IACrB,IAAI,CAACA,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACC,cAAc,GAAG,IAAIxtB,GAAG,CAAC,CAAC;IAC/B,IAAI,CAACytB,KAAK,GAAG,EAAE;IACf,IAAI,CAACC,QAAQ,GAAG,CAAC;IACjB,IAAI,CAACC,WAAW,GAAG,KAAK;EAC5B;EACA;EACAC,SAASA,CAAClW,GAAG,EAAEmW,OAAO,GAAG,IAAI,EAAE;IAC3B,IAAI,CAAC,IAAI,CAACL,cAAc,CAAC/O,GAAG,CAAC/G,GAAG,CAAC,EAAE;MAC/B,IAAI,CAAC8V,cAAc,CAAC/rB,GAAG,CAACiW,GAAG,EAAEmW,OAAO,CAAC;IACzC;IACA,OAAO,IAAI;EACf;EACAC,OAAOA,CAAA,EAAG;IACN,IAAI,CAACL,KAAK,CAAC/vB,IAAI,CAAC,EAAE,CAAC;IACnB,IAAI,CAACgwB,QAAQ,GAAG,CAAC;IACjB,OAAO,IAAI;EACf;EACAK,UAAUA,CAACC,IAAI,EAAEC,SAAS,EAAEC,WAAW,EAAEC,UAAU,EAAE;IACjD,IAAI,CAAC,IAAI,CAACC,WAAW,EAAE;MACnB,MAAM,IAAInwB,KAAK,CAAC,mDAAmD,CAAC;IACxE;IACA,IAAIgwB,SAAS,IAAI,IAAI,IAAI,CAAC,IAAI,CAACT,cAAc,CAAC/O,GAAG,CAACwP,SAAS,CAAC,EAAE;MAC1D,MAAM,IAAIhwB,KAAK,CAAC,wBAAwBgwB,SAAS,GAAG,CAAC;IACzD;IACA,IAAID,IAAI,IAAI,IAAI,EAAE;MACd,MAAM,IAAI/vB,KAAK,CAAC,mDAAmD,CAAC;IACxE;IACA,IAAI+vB,IAAI,GAAG,IAAI,CAACN,QAAQ,EAAE;MACtB,MAAM,IAAIzvB,KAAK,CAAC,yCAAyC,CAAC;IAC9D;IACA,IAAIgwB,SAAS,KAAKC,WAAW,IAAI,IAAI,IAAIC,UAAU,IAAI,IAAI,CAAC,EAAE;MAC1D,MAAM,IAAIlwB,KAAK,CAAC,oEAAoE,CAAC;IACzF;IACA,IAAI,CAAC0vB,WAAW,GAAG,IAAI;IACvB,IAAI,CAACD,QAAQ,GAAGM,IAAI;IACpB,IAAI,CAACI,WAAW,CAAC1wB,IAAI,CAAC;MAAEswB,IAAI;MAAEC,SAAS;MAAEC,WAAW;MAAEC;IAAW,CAAC,CAAC;IACnE,OAAO,IAAI;EACf;EACA;AACJ;AACA;AACA;EACI,IAAIC,WAAWA,CAAA,EAAG;IACd,OAAO,IAAI,CAACX,KAAK,CAACpvB,KAAK,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC;EAClC;EACAgwB,MAAMA,CAAA,EAAG;IACL,IAAI,CAAC,IAAI,CAACV,WAAW,EAAE;MACnB,OAAO,IAAI;IACf;IACA,MAAMW,YAAY,GAAG,IAAItuB,GAAG,CAAC,CAAC;IAC9B,MAAMuuB,OAAO,GAAG,EAAE;IAClB,MAAMf,cAAc,GAAG,EAAE;IACzB1B,KAAK,CAAC0C,IAAI,CAAC,IAAI,CAAChB,cAAc,CAAClmB,IAAI,CAAC,CAAC,CAAC,CAAC3H,OAAO,CAAC,CAAC+X,GAAG,EAAE7Y,CAAC,KAAK;MACvDyvB,YAAY,CAAC7sB,GAAG,CAACiW,GAAG,EAAE7Y,CAAC,CAAC;MACxB0vB,OAAO,CAAC7wB,IAAI,CAACga,GAAG,CAAC;MACjB8V,cAAc,CAAC9vB,IAAI,CAAC,IAAI,CAAC8vB,cAAc,CAAChsB,GAAG,CAACkW,GAAG,CAAC,IAAI,IAAI,CAAC;IAC7D,CAAC,CAAC;IACF,IAAI+W,QAAQ,GAAG,EAAE;IACjB,IAAIf,QAAQ,GAAG,CAAC;IAChB,IAAIgB,eAAe,GAAG,CAAC;IACvB,IAAIC,eAAe,GAAG,CAAC;IACvB,IAAIC,cAAc,GAAG,CAAC;IACtB,IAAI,CAACnB,KAAK,CAAC9tB,OAAO,CAACkvB,QAAQ,IAAI;MAC3BnB,QAAQ,GAAG,CAAC;MACZe,QAAQ,IAAII,QAAQ,CACfjtB,GAAG,CAACktB,OAAO,IAAI;QAChB;QACA,IAAIC,QAAQ,GAAGC,WAAW,CAACF,OAAO,CAACd,IAAI,GAAGN,QAAQ,CAAC;QACnDA,QAAQ,GAAGoB,OAAO,CAACd,IAAI;QACvB,IAAIc,OAAO,CAACb,SAAS,IAAI,IAAI,EAAE;UAC3B;UACAc,QAAQ,IACJC,WAAW,CAACV,YAAY,CAAC9sB,GAAG,CAACstB,OAAO,CAACb,SAAS,CAAC,GAAGS,eAAe,CAAC;UACtEA,eAAe,GAAGJ,YAAY,CAAC9sB,GAAG,CAACstB,OAAO,CAACb,SAAS,CAAC;UACrD;UACAc,QAAQ,IAAIC,WAAW,CAACF,OAAO,CAACZ,WAAW,GAAGS,eAAe,CAAC;UAC9DA,eAAe,GAAGG,OAAO,CAACZ,WAAW;UACrC;UACAa,QAAQ,IAAIC,WAAW,CAACF,OAAO,CAACX,UAAU,GAAGS,cAAc,CAAC;UAC5DA,cAAc,GAAGE,OAAO,CAACX,UAAU;QACvC;QACA,OAAOY,QAAQ;MACnB,CAAC,CAAC,CACG1vB,IAAI,CAAC,GAAG,CAAC;MACdovB,QAAQ,IAAI,GAAG;IACnB,CAAC,CAAC;IACFA,QAAQ,GAAGA,QAAQ,CAACpwB,KAAK,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC;IAChC,OAAO;MACH,MAAM,EAAE,IAAI,CAACkvB,IAAI,IAAI,EAAE;MACvB,SAAS,EAAEH,SAAS;MACpB,YAAY,EAAE,EAAE;MAChB,SAAS,EAAEmB,OAAO;MAClB,gBAAgB,EAAEf,cAAc;MAChC,UAAU,EAAEiB;IAChB,CAAC;EACL;EACAQ,WAAWA,CAAA,EAAG;IACV,OAAO,IAAI,CAACtB,WAAW,GAAG,IAAI,GAAGN,aAAa,GAAG6B,cAAc,CAACC,IAAI,CAACvD,SAAS,CAAC,IAAI,EAAE,IAAI,EAAE,CAAC,CAAC,CAAC,GAC1F,EAAE;EACV;AACJ;AACA,SAASsD,cAAcA,CAAC1vB,KAAK,EAAE;EAC3B,IAAI4vB,GAAG,GAAG,EAAE;EACZ,MAAM3D,OAAO,GAAGD,UAAU,CAAChsB,KAAK,CAAC;EACjC,KAAK,IAAIX,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG4sB,OAAO,CAAChuB,MAAM,GAAG;IACjC,MAAM4xB,EAAE,GAAG5D,OAAO,CAAC5sB,CAAC,EAAE,CAAC;IACvB,MAAMywB,EAAE,GAAGzwB,CAAC,GAAG4sB,OAAO,CAAChuB,MAAM,GAAGguB,OAAO,CAAC5sB,CAAC,EAAE,CAAC,GAAG,IAAI;IACnD,MAAM0wB,EAAE,GAAG1wB,CAAC,GAAG4sB,OAAO,CAAChuB,MAAM,GAAGguB,OAAO,CAAC5sB,CAAC,EAAE,CAAC,GAAG,IAAI;IACnDuwB,GAAG,IAAII,aAAa,CAACH,EAAE,IAAI,CAAC,CAAC;IAC7BD,GAAG,IAAII,aAAa,CAAE,CAACH,EAAE,GAAG,CAAC,KAAK,CAAC,IAAKC,EAAE,KAAK,IAAI,GAAG,CAAC,GAAGA,EAAE,IAAI,CAAC,CAAC,CAAC;IACnEF,GAAG,IAAIE,EAAE,KAAK,IAAI,GAAG,GAAG,GAAGE,aAAa,CAAE,CAACF,EAAE,GAAG,EAAE,KAAK,CAAC,IAAKC,EAAE,KAAK,IAAI,GAAG,CAAC,GAAGA,EAAE,IAAI,CAAC,CAAC,CAAC;IACxFH,GAAG,IAAIE,EAAE,KAAK,IAAI,IAAIC,EAAE,KAAK,IAAI,GAAG,GAAG,GAAGC,aAAa,CAACD,EAAE,GAAG,EAAE,CAAC;EACpE;EACA,OAAOH,GAAG;AACd;AACA,SAASJ,WAAWA,CAACxvB,KAAK,EAAE;EACxBA,KAAK,GAAGA,KAAK,GAAG,CAAC,GAAG,CAAE,CAACA,KAAK,IAAK,CAAC,IAAI,CAAC,GAAGA,KAAK,IAAI,CAAC;EACpD,IAAIkd,GAAG,GAAG,EAAE;EACZ,GAAG;IACC,IAAI+S,KAAK,GAAGjwB,KAAK,GAAG,EAAE;IACtBA,KAAK,GAAGA,KAAK,IAAI,CAAC;IAClB,IAAIA,KAAK,GAAG,CAAC,EAAE;MACXiwB,KAAK,GAAGA,KAAK,GAAG,EAAE;IACtB;IACA/S,GAAG,IAAI8S,aAAa,CAACC,KAAK,CAAC;EAC/B,CAAC,QAAQjwB,KAAK,GAAG,CAAC;EAClB,OAAOkd,GAAG;AACd;AACA,MAAMgT,UAAU,GAAG,kEAAkE;AACrF,SAASF,aAAaA,CAAChwB,KAAK,EAAE;EAC1B,IAAIA,KAAK,GAAG,CAAC,IAAIA,KAAK,IAAI,EAAE,EAAE;IAC1B,MAAM,IAAIvB,KAAK,CAAC,4CAA4C,CAAC;EACjE;EACA,OAAOyxB,UAAU,CAAClwB,KAAK,CAAC;AAC5B;AAEA,MAAMmwB,8BAA8B,GAAG,gBAAgB;AACvD,MAAMC,oBAAoB,GAAG,uBAAuB;AACpD,MAAMC,YAAY,GAAG,IAAI;AACzB,MAAMC,YAAY,CAAC;EACfhzB,WAAWA,CAACizB,MAAM,EAAE;IAChB,IAAI,CAACA,MAAM,GAAGA,MAAM;IACpB,IAAI,CAACC,WAAW,GAAG,CAAC;IACpB,IAAI,CAACzpB,KAAK,GAAG,EAAE;IACf,IAAI,CAAC0pB,QAAQ,GAAG,EAAE;EACtB;AACJ;AACA,MAAMC,qBAAqB,CAAC;EACxB,OAAOC,UAAUA,CAAA,EAAG;IAChB,OAAO,IAAID,qBAAqB,CAAC,CAAC,CAAC;EACvC;EACApzB,WAAWA,CAACszB,OAAO,EAAE;IACjB,IAAI,CAACA,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACC,MAAM,GAAG,CAAC,IAAIP,YAAY,CAACM,OAAO,CAAC,CAAC;EAC7C;EACA;AACJ;AACA;AACA;EACI,IAAIE,YAAYA,CAAA,EAAG;IACf,OAAO,IAAI,CAACD,MAAM,CAAC,IAAI,CAACA,MAAM,CAAC5yB,MAAM,GAAG,CAAC,CAAC;EAC9C;EACA8yB,OAAOA,CAAC/B,IAAI,EAAEgC,QAAQ,GAAG,EAAE,EAAE;IACzB,IAAI,CAACC,KAAK,CAACjC,IAAI,IAAI,IAAI,EAAEgC,QAAQ,EAAE,IAAI,CAAC;EAC5C;EACAE,WAAWA,CAAA,EAAG;IACV,OAAO,IAAI,CAACJ,YAAY,CAAC/pB,KAAK,CAAC9I,MAAM,KAAK,CAAC;EAC/C;EACAkzB,UAAUA,CAAA,EAAG;IACT,OAAO,IAAI,CAACL,YAAY,CAACP,MAAM,GAAGF,YAAY,CAACpyB,MAAM,GAAG,IAAI,CAAC6yB,YAAY,CAACN,WAAW;EACzF;EACAS,KAAKA,CAACjC,IAAI,EAAEoC,IAAI,EAAEC,OAAO,GAAG,KAAK,EAAE;IAC/B,IAAID,IAAI,CAACnzB,MAAM,GAAG,CAAC,EAAE;MACjB,IAAI,CAAC6yB,YAAY,CAAC/pB,KAAK,CAAC7I,IAAI,CAACkzB,IAAI,CAAC;MAClC,IAAI,CAACN,YAAY,CAACN,WAAW,IAAIY,IAAI,CAACnzB,MAAM;MAC5C,IAAI,CAAC6yB,YAAY,CAACL,QAAQ,CAACvyB,IAAI,CAAC8wB,IAAI,IAAIA,IAAI,CAACpf,UAAU,IAAI,IAAI,CAAC;IACpE;IACA,IAAIyhB,OAAO,EAAE;MACT,IAAI,CAACR,MAAM,CAAC3yB,IAAI,CAAC,IAAIoyB,YAAY,CAAC,IAAI,CAACM,OAAO,CAAC,CAAC;IACpD;EACJ;EACAU,mBAAmBA,CAAA,EAAG;IAClB,IAAI,IAAI,CAACJ,WAAW,CAAC,CAAC,EAAE;MACpB,IAAI,CAACL,MAAM,CAACU,GAAG,CAAC,CAAC;IACrB;EACJ;EACAC,SAASA,CAAA,EAAG;IACR,IAAI,CAACZ,OAAO,EAAE;IACd,IAAI,IAAI,CAACM,WAAW,CAAC,CAAC,EAAE;MACpB,IAAI,CAACJ,YAAY,CAACP,MAAM,GAAG,IAAI,CAACK,OAAO;IAC3C;EACJ;EACAa,SAASA,CAAA,EAAG;IACR,IAAI,CAACb,OAAO,EAAE;IACd,IAAI,IAAI,CAACM,WAAW,CAAC,CAAC,EAAE;MACpB,IAAI,CAACJ,YAAY,CAACP,MAAM,GAAG,IAAI,CAACK,OAAO;IAC3C;EACJ;EACAc,QAAQA,CAAA,EAAG;IACP,OAAO,IAAI,CAACC,WAAW,CAClBvvB,GAAG,CAACiK,CAAC,IAAIA,CAAC,CAACtF,KAAK,CAAC9I,MAAM,GAAG,CAAC,GAAG2zB,aAAa,CAACvlB,CAAC,CAACkkB,MAAM,CAAC,GAAGlkB,CAAC,CAACtF,KAAK,CAAClH,IAAI,CAAC,EAAE,CAAC,GAAG,EAAE,CAAC,CAC9EA,IAAI,CAAC,IAAI,CAAC;EACnB;EACAgyB,oBAAoBA,CAACC,WAAW,EAAEC,YAAY,GAAG,CAAC,EAAE;IAChD,MAAM3vB,GAAG,GAAG,IAAI0rB,kBAAkB,CAACgE,WAAW,CAAC;IAC/C,IAAIE,iBAAiB,GAAG,KAAK;IAC7B,MAAMC,sBAAsB,GAAGA,CAAA,KAAM;MACjC,IAAI,CAACD,iBAAiB,EAAE;QACpB;QACA;QACA;QACA5vB,GAAG,CAACgsB,SAAS,CAAC0D,WAAW,EAAE,GAAG,CAAC,CAACvD,UAAU,CAAC,CAAC,EAAEuD,WAAW,EAAE,CAAC,EAAE,CAAC,CAAC;QAChEE,iBAAiB,GAAG,IAAI;MAC5B;IACJ,CAAC;IACD,KAAK,IAAI3yB,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG0yB,YAAY,EAAE1yB,CAAC,EAAE,EAAE;MACnC+C,GAAG,CAACksB,OAAO,CAAC,CAAC;MACb2D,sBAAsB,CAAC,CAAC;IAC5B;IACA,IAAI,CAACN,WAAW,CAACxxB,OAAO,CAAC,CAAC+xB,IAAI,EAAEC,OAAO,KAAK;MACxC/vB,GAAG,CAACksB,OAAO,CAAC,CAAC;MACb,MAAM8D,KAAK,GAAGF,IAAI,CAACzB,QAAQ;MAC3B,MAAM1pB,KAAK,GAAGmrB,IAAI,CAACnrB,KAAK;MACxB,IAAIynB,IAAI,GAAG0D,IAAI,CAAC3B,MAAM,GAAGF,YAAY,CAACpyB,MAAM;MAC5C,IAAIo0B,OAAO,GAAG,CAAC;MACf;MACA,OAAOA,OAAO,GAAGD,KAAK,CAACn0B,MAAM,IAAI,CAACm0B,KAAK,CAACC,OAAO,CAAC,EAAE;QAC9C7D,IAAI,IAAIznB,KAAK,CAACsrB,OAAO,CAAC,CAACp0B,MAAM;QAC7Bo0B,OAAO,EAAE;MACb;MACA,IAAIA,OAAO,GAAGD,KAAK,CAACn0B,MAAM,IAAIk0B,OAAO,KAAK,CAAC,IAAI3D,IAAI,KAAK,CAAC,EAAE;QACvDwD,iBAAiB,GAAG,IAAI;MAC5B,CAAC,MACI;QACDC,sBAAsB,CAAC,CAAC;MAC5B;MACA,OAAOI,OAAO,GAAGD,KAAK,CAACn0B,MAAM,EAAE;QAC3B,MAAMq0B,IAAI,GAAGF,KAAK,CAACC,OAAO,CAAC;QAC3B,MAAME,MAAM,GAAGD,IAAI,CAACE,KAAK,CAACzE,IAAI;QAC9B,MAAM0E,UAAU,GAAGH,IAAI,CAACE,KAAK,CAACN,IAAI;QAClC,MAAMQ,SAAS,GAAGJ,IAAI,CAACE,KAAK,CAACG,GAAG;QAChCvwB,GAAG,CAACgsB,SAAS,CAACmE,MAAM,CAACra,GAAG,EAAEqa,MAAM,CAAClE,OAAO,CAAC,CACpCE,UAAU,CAACC,IAAI,EAAE+D,MAAM,CAACra,GAAG,EAAEua,UAAU,EAAEC,SAAS,CAAC;QACxDlE,IAAI,IAAIznB,KAAK,CAACsrB,OAAO,CAAC,CAACp0B,MAAM;QAC7Bo0B,OAAO,EAAE;QACT;QACA,OAAOA,OAAO,GAAGD,KAAK,CAACn0B,MAAM,KAAKq0B,IAAI,KAAKF,KAAK,CAACC,OAAO,CAAC,IAAI,CAACD,KAAK,CAACC,OAAO,CAAC,CAAC,EAAE;UAC3E7D,IAAI,IAAIznB,KAAK,CAACsrB,OAAO,CAAC,CAACp0B,MAAM;UAC7Bo0B,OAAO,EAAE;QACb;MACJ;IACJ,CAAC,CAAC;IACF,OAAOjwB,GAAG;EACd;EACAwwB,MAAMA,CAACV,IAAI,EAAEW,MAAM,EAAE;IACjB,MAAMC,WAAW,GAAG,IAAI,CAACjC,MAAM,CAACqB,IAAI,CAAC;IACrC,IAAIY,WAAW,EAAE;MACb,IAAIC,WAAW,GAAGF,MAAM,GAAGjB,aAAa,CAACkB,WAAW,CAACvC,MAAM,CAAC,CAACtyB,MAAM;MACnE,KAAK,IAAIgZ,SAAS,GAAG,CAAC,EAAEA,SAAS,GAAG6b,WAAW,CAAC/rB,KAAK,CAAC9I,MAAM,EAAEgZ,SAAS,EAAE,EAAE;QACvE,MAAMma,IAAI,GAAG0B,WAAW,CAAC/rB,KAAK,CAACkQ,SAAS,CAAC;QACzC,IAAIma,IAAI,CAACnzB,MAAM,GAAG80B,WAAW,EAAE;UAC3B,OAAOD,WAAW,CAACrC,QAAQ,CAACxZ,SAAS,CAAC;QAC1C;QACA8b,WAAW,IAAI3B,IAAI,CAACnzB,MAAM;MAC9B;IACJ;IACA,OAAO,IAAI;EACf;EACA;AACJ;AACA;AACA;EACI,IAAI0zB,WAAWA,CAAA,EAAG;IACd,IAAI,IAAI,CAACd,MAAM,CAAC5yB,MAAM,IAAI,IAAI,CAAC4yB,MAAM,CAAC,IAAI,CAACA,MAAM,CAAC5yB,MAAM,GAAG,CAAC,CAAC,CAAC8I,KAAK,CAAC9I,MAAM,KAAK,CAAC,EAAE;MAC9E,OAAO,IAAI,CAAC4yB,MAAM,CAAChyB,KAAK,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC;IACnC;IACA,OAAO,IAAI,CAACgyB,MAAM;EACtB;AACJ;AACA,MAAMmC,sBAAsB,CAAC;EACzB11B,WAAWA,CAAC21B,sBAAsB,EAAE;IAChC,IAAI,CAACA,sBAAsB,GAAGA,sBAAsB;EACxD;EACAC,oBAAoBA,CAACvY,IAAI,EAAEwY,GAAG,EAAE;IAC5B,IAAIxY,IAAI,CAACH,eAAe,KAAKoR,SAAS,EAAE;MACpC;IACJ;IACA,KAAK,MAAMwH,OAAO,IAAIzY,IAAI,CAACH,eAAe,EAAE;MACxC,IAAI4Y,OAAO,YAAYhZ,YAAY,EAAE;QACjC+Y,GAAG,CAAClC,KAAK,CAACtW,IAAI,EAAE,KAAKyY,OAAO,CAAClzB,QAAQ,CAAC,CAAC,IAAI,EAAEkzB,OAAO,CAACjZ,eAAe,CAAC;MACzE,CAAC,MACI;QACD,IAAIiZ,OAAO,CAAClZ,SAAS,EAAE;UACnBiZ,GAAG,CAAClC,KAAK,CAACtW,IAAI,EAAE,MAAMyY,OAAO,CAAC/rB,IAAI,KAAK,EAAE+rB,OAAO,CAACjZ,eAAe,CAAC;QACrE,CAAC,MACI;UACDiZ,OAAO,CAAC/rB,IAAI,CAACylB,KAAK,CAAC,IAAI,CAAC,CAAC3sB,OAAO,CAAE+xB,IAAI,IAAK;YACvCiB,GAAG,CAACpC,OAAO,CAACpW,IAAI,EAAE,MAAMuX,IAAI,EAAE,CAAC;UACnC,CAAC,CAAC;QACN;MACJ;IACJ;EACJ;EACAnX,mBAAmBA,CAACJ,IAAI,EAAEwY,GAAG,EAAE;IAC3B,IAAI,CAACD,oBAAoB,CAACvY,IAAI,EAAEwY,GAAG,CAAC;IACpCxY,IAAI,CAACjH,IAAI,CAACJ,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IACpCA,GAAG,CAACpC,OAAO,CAACpW,IAAI,EAAE,GAAG,CAAC;IACtB,OAAO,IAAI;EACf;EACAM,eAAeA,CAACN,IAAI,EAAEwY,GAAG,EAAE;IACvB,IAAI,CAACD,oBAAoB,CAACvY,IAAI,EAAEwY,GAAG,CAAC;IACpCA,GAAG,CAAClC,KAAK,CAACtW,IAAI,EAAE,SAAS,CAAC;IAC1BA,IAAI,CAAC3a,KAAK,CAACsT,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IACrCA,GAAG,CAACpC,OAAO,CAACpW,IAAI,EAAE,GAAG,CAAC;IACtB,OAAO,IAAI;EACf;EACAQ,WAAWA,CAACR,IAAI,EAAEwY,GAAG,EAAE;IACnB,IAAI,CAACD,oBAAoB,CAACvY,IAAI,EAAEwY,GAAG,CAAC;IACpCA,GAAG,CAAClC,KAAK,CAACtW,IAAI,EAAE,MAAM,CAAC;IACvBA,IAAI,CAAC5C,SAAS,CAACzE,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IACzCA,GAAG,CAAClC,KAAK,CAACtW,IAAI,EAAE,KAAK,CAAC;IACtB,MAAM0Y,WAAW,GAAG1Y,IAAI,CAAClK,SAAS,IAAI,IAAI,IAAIkK,IAAI,CAAClK,SAAS,CAACxS,MAAM,GAAG,CAAC;IACvE,IAAI0c,IAAI,CAACnK,QAAQ,CAACvS,MAAM,IAAI,CAAC,IAAI,CAACo1B,WAAW,EAAE;MAC3CF,GAAG,CAAClC,KAAK,CAACtW,IAAI,EAAE,GAAG,CAAC;MACpB,IAAI,CAACY,kBAAkB,CAACZ,IAAI,CAACnK,QAAQ,EAAE2iB,GAAG,CAAC;MAC3CA,GAAG,CAAC7B,mBAAmB,CAAC,CAAC;MACzB6B,GAAG,CAAClC,KAAK,CAACtW,IAAI,EAAE,GAAG,CAAC;IACxB,CAAC,MACI;MACDwY,GAAG,CAACpC,OAAO,CAAC,CAAC;MACboC,GAAG,CAAC3B,SAAS,CAAC,CAAC;MACf,IAAI,CAACjW,kBAAkB,CAACZ,IAAI,CAACnK,QAAQ,EAAE2iB,GAAG,CAAC;MAC3CA,GAAG,CAAC1B,SAAS,CAAC,CAAC;MACf,IAAI4B,WAAW,EAAE;QACbF,GAAG,CAACpC,OAAO,CAACpW,IAAI,EAAE,UAAU,CAAC;QAC7BwY,GAAG,CAAC3B,SAAS,CAAC,CAAC;QACf,IAAI,CAACjW,kBAAkB,CAACZ,IAAI,CAAClK,SAAS,EAAE0iB,GAAG,CAAC;QAC5CA,GAAG,CAAC1B,SAAS,CAAC,CAAC;MACnB;IACJ;IACA0B,GAAG,CAACpC,OAAO,CAACpW,IAAI,EAAE,GAAG,CAAC;IACtB,OAAO,IAAI;EACf;EACA5G,iBAAiBA,CAACL,IAAI,EAAEyf,GAAG,EAAE;IACzB,MAAMG,YAAY,GAAGH,GAAG,CAACjC,WAAW,CAAC,CAAC;IACtC,IAAI,CAACoC,YAAY,EAAE;MACfH,GAAG,CAAClC,KAAK,CAACvd,IAAI,EAAE,GAAG,CAAC;IACxB;IACAyf,GAAG,CAAClC,KAAK,CAACvd,IAAI,EAAE,GAAGA,IAAI,CAAC3T,IAAI,KAAK,CAAC;IAClC2T,IAAI,CAAC1T,KAAK,CAACsT,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IACrC,IAAI,CAACG,YAAY,EAAE;MACfH,GAAG,CAAClC,KAAK,CAACvd,IAAI,EAAE,GAAG,CAAC;IACxB;IACA,OAAO,IAAI;EACf;EACAa,iBAAiBA,CAACb,IAAI,EAAEyf,GAAG,EAAE;IACzB,MAAMG,YAAY,GAAGH,GAAG,CAACjC,WAAW,CAAC,CAAC;IACtC,IAAI,CAACoC,YAAY,EAAE;MACfH,GAAG,CAAClC,KAAK,CAACvd,IAAI,EAAE,GAAG,CAAC;IACxB;IACAA,IAAI,CAACY,QAAQ,CAAChB,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IACxCA,GAAG,CAAClC,KAAK,CAACvd,IAAI,EAAE,GAAG,CAAC;IACpBA,IAAI,CAACjJ,KAAK,CAAC6I,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IACrCA,GAAG,CAAClC,KAAK,CAACvd,IAAI,EAAE,MAAM,CAAC;IACvBA,IAAI,CAAC1T,KAAK,CAACsT,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IACrC,IAAI,CAACG,YAAY,EAAE;MACfH,GAAG,CAAClC,KAAK,CAACvd,IAAI,EAAE,GAAG,CAAC;IACxB;IACA,OAAO,IAAI;EACf;EACAe,kBAAkBA,CAACf,IAAI,EAAEyf,GAAG,EAAE;IAC1B,MAAMG,YAAY,GAAGH,GAAG,CAACjC,WAAW,CAAC,CAAC;IACtC,IAAI,CAACoC,YAAY,EAAE;MACfH,GAAG,CAAClC,KAAK,CAACvd,IAAI,EAAE,GAAG,CAAC;IACxB;IACAA,IAAI,CAACY,QAAQ,CAAChB,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IACxCA,GAAG,CAAClC,KAAK,CAACvd,IAAI,EAAE,IAAIA,IAAI,CAAC3T,IAAI,KAAK,CAAC;IACnC2T,IAAI,CAAC1T,KAAK,CAACsT,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IACrC,IAAI,CAACG,YAAY,EAAE;MACfH,GAAG,CAAClC,KAAK,CAACvd,IAAI,EAAE,GAAG,CAAC;IACxB;IACA,OAAO,IAAI;EACf;EACAkB,uBAAuBA,CAAClB,IAAI,EAAEyf,GAAG,EAAE;IAC/Bzf,IAAI,CAACgB,EAAE,CAACpB,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IAClCA,GAAG,CAAClC,KAAK,CAACvd,IAAI,EAAE,GAAG,CAAC;IACpB,IAAI,CAAC4H,mBAAmB,CAAC5H,IAAI,CAACiB,IAAI,EAAEwe,GAAG,EAAE,GAAG,CAAC;IAC7CA,GAAG,CAAClC,KAAK,CAACvd,IAAI,EAAE,GAAG,CAAC;IACpB,OAAO,IAAI;EACf;EACAwB,uBAAuBA,CAACxB,IAAI,EAAEyf,GAAG,EAAE;IAC/Bzf,IAAI,CAAChV,GAAG,CAAC4U,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IACnCA,GAAG,CAAClC,KAAK,CAACvd,IAAI,EAAE,GAAG,GAAGA,IAAI,CAACqB,QAAQ,CAACC,QAAQ,CAAC,CAAC,CAAC,CAACU,OAAO,CAAC;IACxD,KAAK,IAAIrW,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGqU,IAAI,CAACqB,QAAQ,CAACC,QAAQ,CAAC/W,MAAM,EAAEoB,CAAC,EAAE,EAAE;MACpD8zB,GAAG,CAAClC,KAAK,CAACvd,IAAI,EAAE,IAAI,CAAC;MACrBA,IAAI,CAACqB,QAAQ,CAACE,WAAW,CAAC5V,CAAC,GAAG,CAAC,CAAC,CAACiU,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;MAC3DA,GAAG,CAAClC,KAAK,CAACvd,IAAI,EAAE,IAAIA,IAAI,CAACqB,QAAQ,CAACC,QAAQ,CAAC3V,CAAC,CAAC,CAACqW,OAAO,EAAE,CAAC;IAC5D;IACAyd,GAAG,CAAClC,KAAK,CAACvd,IAAI,EAAE,GAAG,CAAC;IACpB,OAAO,IAAI;EACf;EACAI,oBAAoBA,CAACuH,GAAG,EAAE8X,GAAG,EAAE;IAC3B,MAAM,IAAI10B,KAAK,CAAC,gDAAgD,CAAC;EACrE;EACAkV,eAAeA,CAACD,IAAI,EAAEyf,GAAG,EAAE;IACvBA,GAAG,CAAClC,KAAK,CAACvd,IAAI,EAAE,SAAS,CAAC;IAC1BA,IAAI,CAACA,IAAI,CAACJ,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;EACxC;EACA5f,gBAAgBA,CAAC8H,GAAG,EAAE8X,GAAG,EAAE;IACvBA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAEA,GAAG,CAACtb,IAAI,CAAC;IACxB,OAAO,IAAI;EACf;EACAqV,oBAAoBA,CAACiG,GAAG,EAAE8X,GAAG,EAAE;IAC3BA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,MAAM,CAAC;IACtBA,GAAG,CAAClG,SAAS,CAAC7B,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IACxCA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAG,CAAC;IACnB,IAAI,CAACC,mBAAmB,CAACD,GAAG,CAAC1G,IAAI,EAAEwe,GAAG,EAAE,GAAG,CAAC;IAC5CA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAG,CAAC;IACnB,OAAO,IAAI;EACf;EACA/F,gBAAgBA,CAAC+F,GAAG,EAAE8X,GAAG,EAAE;IACvB,MAAMnzB,KAAK,GAAGqb,GAAG,CAACrb,KAAK;IACvB,IAAI,OAAOA,KAAK,KAAK,QAAQ,EAAE;MAC3BmzB,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAEkY,gBAAgB,CAACvzB,KAAK,EAAE,IAAI,CAACizB,sBAAsB,CAAC,CAAC;IACxE,CAAC,MACI;MACDE,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAGrb,KAAK,EAAE,CAAC;IAC9B;IACA,OAAO,IAAI;EACf;EACAuW,oBAAoBA,CAAC8E,GAAG,EAAE8X,GAAG,EAAE;IAC3B,MAAMK,IAAI,GAAGnY,GAAG,CAAC7E,iBAAiB,CAAC,CAAC;IACpC2c,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,aAAa,GAAGmY,IAAI,CAAC/b,GAAG,CAAC;IACxC,KAAK,IAAIpY,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGgc,GAAG,CAAChF,YAAY,CAACpY,MAAM,EAAEoB,CAAC,EAAE,EAAE;MAC9C8zB,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,IAAI,CAAC;MACpBA,GAAG,CAACpG,WAAW,CAAC5V,CAAC,GAAG,CAAC,CAAC,CAACiU,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;MACjDA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,IAAIA,GAAG,CAACrE,yBAAyB,CAAC3X,CAAC,CAAC,CAACoY,GAAG,EAAE,CAAC;IAC9D;IACA0b,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAG,CAAC;IACnB,OAAO,IAAI;EACf;EACArD,oBAAoBA,CAACqD,GAAG,EAAE8X,GAAG,EAAE;IAC3BA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAG,CAAC;IACnBA,GAAG,CAACtD,SAAS,CAACzE,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IACxCA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,IAAI,CAAC;IACpBA,GAAG,CAAC7K,QAAQ,CAAC8C,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IACvCA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,IAAI,CAAC;IACpBA,GAAG,CAAC5K,SAAS,CAAC6C,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IACxCA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAG,CAAC;IACnB,OAAO,IAAI;EACf;EACAlD,sBAAsBA,CAACkD,GAAG,EAAE8X,GAAG,EAAE;IAC7BA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,UAAUA,GAAG,CAACnD,GAAG,GAAG,CAAC;EACxC;EACAG,YAAYA,CAACgD,GAAG,EAAE8X,GAAG,EAAE;IACnBA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAG,CAAC;IACnBA,GAAG,CAACtD,SAAS,CAACzE,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IACxC,OAAO,IAAI;EACf;EACApa,sBAAsBA,CAACsC,GAAG,EAAE8X,GAAG,EAAE;IAC7B,IAAIM,KAAK;IACT,QAAQpY,GAAG,CAACvC,QAAQ;MAChB,KAAK5J,aAAa,CAACsC,IAAI;QACnBiiB,KAAK,GAAG,GAAG;QACX;MACJ,KAAKvkB,aAAa,CAACoC,KAAK;QACpBmiB,KAAK,GAAG,GAAG;QACX;MACJ;QACI,MAAM,IAAIh1B,KAAK,CAAC,oBAAoB4c,GAAG,CAACvC,QAAQ,EAAE,CAAC;IAC3D;IACA,IAAIuC,GAAG,CAACnJ,MAAM,EACVihB,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAG,CAAC;IACvB8X,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAEoY,KAAK,CAAC;IACrBpY,GAAG,CAAC3H,IAAI,CAACJ,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IACnC,IAAI9X,GAAG,CAACnJ,MAAM,EACVihB,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAG,CAAC;IACvB,OAAO,IAAI;EACf;EACApC,uBAAuBA,CAACoC,GAAG,EAAE8X,GAAG,EAAE;IAC9B,IAAIM,KAAK;IACT,QAAQpY,GAAG,CAACvC,QAAQ;MAChB,KAAK3J,cAAc,CAAC2B,MAAM;QACtB2iB,KAAK,GAAG,IAAI;QACZ;MACJ,KAAKtkB,cAAc,CAAC+B,SAAS;QACzBuiB,KAAK,GAAG,KAAK;QACb;MACJ,KAAKtkB,cAAc,CAAC6B,SAAS;QACzByiB,KAAK,GAAG,IAAI;QACZ;MACJ,KAAKtkB,cAAc,CAACiC,YAAY;QAC5BqiB,KAAK,GAAG,KAAK;QACb;MACJ,KAAKtkB,cAAc,CAAC6C,GAAG;QACnByhB,KAAK,GAAG,IAAI;QACZ;MACJ,KAAKtkB,cAAc,CAACgD,UAAU;QAC1BshB,KAAK,GAAG,GAAG;QACX;MACJ,KAAKtkB,cAAc,CAACkD,EAAE;QAClBohB,KAAK,GAAG,IAAI;QACZ;MACJ,KAAKtkB,cAAc,CAACqC,IAAI;QACpBiiB,KAAK,GAAG,GAAG;QACX;MACJ,KAAKtkB,cAAc,CAACmC,KAAK;QACrBmiB,KAAK,GAAG,GAAG;QACX;MACJ,KAAKtkB,cAAc,CAACuC,MAAM;QACtB+hB,KAAK,GAAG,GAAG;QACX;MACJ,KAAKtkB,cAAc,CAACyC,QAAQ;QACxB6hB,KAAK,GAAG,GAAG;QACX;MACJ,KAAKtkB,cAAc,CAAC2C,MAAM;QACtB2hB,KAAK,GAAG,GAAG;QACX;MACJ,KAAKtkB,cAAc,CAACoD,KAAK;QACrBkhB,KAAK,GAAG,GAAG;QACX;MACJ,KAAKtkB,cAAc,CAACsD,WAAW;QAC3BghB,KAAK,GAAG,IAAI;QACZ;MACJ,KAAKtkB,cAAc,CAACwD,MAAM;QACtB8gB,KAAK,GAAG,GAAG;QACX;MACJ,KAAKtkB,cAAc,CAAC0D,YAAY;QAC5B4gB,KAAK,GAAG,IAAI;QACZ;MACJ,KAAKtkB,cAAc,CAAC8D,eAAe;QAC/BwgB,KAAK,GAAG,IAAI;QACZ;MACJ;QACI,MAAM,IAAIh1B,KAAK,CAAC,oBAAoB4c,GAAG,CAACvC,QAAQ,EAAE,CAAC;IAC3D;IACA,IAAIuC,GAAG,CAACnJ,MAAM,EACVihB,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAG,CAAC;IACvBA,GAAG,CAACrC,GAAG,CAAC1F,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IAClCA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,IAAIoY,KAAK,GAAG,CAAC;IAC5BpY,GAAG,CAACzK,GAAG,CAAC0C,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IAClC,IAAI9X,GAAG,CAACnJ,MAAM,EACVihB,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAG,CAAC;IACvB,OAAO,IAAI;EACf;EACAnC,iBAAiBA,CAACmC,GAAG,EAAE8X,GAAG,EAAE;IACxB9X,GAAG,CAAC/G,QAAQ,CAAChB,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IACvCA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAG,CAAC;IACnB8X,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAEA,GAAG,CAACtb,IAAI,CAAC;IACxB,OAAO,IAAI;EACf;EACAoZ,gBAAgBA,CAACkC,GAAG,EAAE8X,GAAG,EAAE;IACvB9X,GAAG,CAAC/G,QAAQ,CAAChB,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IACvCA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAG,CAAC;IACnBA,GAAG,CAAC5Q,KAAK,CAAC6I,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IACpCA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAG,CAAC;IACnB,OAAO,IAAI;EACf;EACA9B,qBAAqBA,CAAC8B,GAAG,EAAE8X,GAAG,EAAE;IAC5BA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAG,CAAC;IACnB,IAAI,CAACC,mBAAmB,CAACD,GAAG,CAAChC,OAAO,EAAE8Z,GAAG,EAAE,GAAG,CAAC;IAC/CA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAG,CAAC;IACnB,OAAO,IAAI;EACf;EACA1B,mBAAmBA,CAAC0B,GAAG,EAAE8X,GAAG,EAAE;IAC1BA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAG,CAAC;IACnB,IAAI,CAACqY,eAAe,CAAC7Z,KAAK,IAAI;MAC1BsZ,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAGkY,gBAAgB,CAAC1Z,KAAK,CAAC9J,GAAG,EAAE,IAAI,CAACkjB,sBAAsB,EAAEpZ,KAAK,CAACJ,MAAM,CAAC,GAAG,CAAC;MAC5FI,KAAK,CAAC7Z,KAAK,CAACsT,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IAC1C,CAAC,EAAE9X,GAAG,CAAChC,OAAO,EAAE8Z,GAAG,EAAE,GAAG,CAAC;IACzBA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAG,CAAC;IACnB,OAAO,IAAI;EACf;EACAtB,cAAcA,CAACsB,GAAG,EAAE8X,GAAG,EAAE;IACrBA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAG,CAAC;IACnB,IAAI,CAACC,mBAAmB,CAACD,GAAG,CAACtU,KAAK,EAAEosB,GAAG,EAAE,GAAG,CAAC;IAC7CA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAG,CAAC;IACnB,OAAO,IAAI;EACf;EACAC,mBAAmBA,CAACrG,WAAW,EAAEke,GAAG,EAAEQ,SAAS,EAAE;IAC7C,IAAI,CAACD,eAAe,CAAChgB,IAAI,IAAIA,IAAI,CAACJ,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC,EAAEle,WAAW,EAAEke,GAAG,EAAEQ,SAAS,CAAC;EAC9F;EACAD,eAAeA,CAACE,OAAO,EAAE3e,WAAW,EAAEke,GAAG,EAAEQ,SAAS,EAAE;IAClD,IAAIE,iBAAiB,GAAG,KAAK;IAC7B,KAAK,IAAIx0B,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG4V,WAAW,CAAChX,MAAM,EAAEoB,CAAC,EAAE,EAAE;MACzC,IAAIA,CAAC,GAAG,CAAC,EAAE;QACP,IAAI8zB,GAAG,CAAChC,UAAU,CAAC,CAAC,GAAG,EAAE,EAAE;UACvBgC,GAAG,CAAClC,KAAK,CAAC,IAAI,EAAE0C,SAAS,EAAE,IAAI,CAAC;UAChC,IAAI,CAACE,iBAAiB,EAAE;YACpB;YACAV,GAAG,CAAC3B,SAAS,CAAC,CAAC;YACf2B,GAAG,CAAC3B,SAAS,CAAC,CAAC;YACfqC,iBAAiB,GAAG,IAAI;UAC5B;QACJ,CAAC,MACI;UACDV,GAAG,CAAClC,KAAK,CAAC,IAAI,EAAE0C,SAAS,EAAE,KAAK,CAAC;QACrC;MACJ;MACAC,OAAO,CAAC3e,WAAW,CAAC5V,CAAC,CAAC,CAAC;IAC3B;IACA,IAAIw0B,iBAAiB,EAAE;MACnB;MACAV,GAAG,CAAC1B,SAAS,CAAC,CAAC;MACf0B,GAAG,CAAC1B,SAAS,CAAC,CAAC;IACnB;EACJ;EACAlW,kBAAkBA,CAAC9C,UAAU,EAAE0a,GAAG,EAAE;IAChC1a,UAAU,CAACtY,OAAO,CAAEwa,IAAI,IAAKA,IAAI,CAACC,cAAc,CAAC,IAAI,EAAEuY,GAAG,CAAC,CAAC;EAChE;AACJ;AACA,SAASI,gBAAgBA,CAACxI,KAAK,EAAE+I,YAAY,EAAEC,WAAW,GAAG,IAAI,EAAE;EAC/D,IAAIhJ,KAAK,IAAI,IAAI,EAAE;IACf,OAAO,IAAI;EACf;EACA,MAAMxO,IAAI,GAAGwO,KAAK,CAACtrB,OAAO,CAAC0wB,8BAA8B,EAAE,CAAC,GAAG/xB,KAAK,KAAK;IACrE,IAAIA,KAAK,CAAC,CAAC,CAAC,IAAI,GAAG,EAAE;MACjB,OAAO01B,YAAY,GAAG,KAAK,GAAG,GAAG;IACrC,CAAC,MACI,IAAI11B,KAAK,CAAC,CAAC,CAAC,IAAI,IAAI,EAAE;MACvB,OAAO,KAAK;IAChB,CAAC,MACI,IAAIA,KAAK,CAAC,CAAC,CAAC,IAAI,IAAI,EAAE;MACvB,OAAO,KAAK;IAChB,CAAC,MACI;MACD,OAAO,KAAKA,KAAK,CAAC,CAAC,CAAC,EAAE;IAC1B;EACJ,CAAC,CAAC;EACF,MAAM41B,cAAc,GAAGD,WAAW,IAAI,CAAC3D,oBAAoB,CAAC6D,IAAI,CAAC1X,IAAI,CAAC;EACtE,OAAOyX,cAAc,GAAG,IAAIzX,IAAI,GAAG,GAAGA,IAAI;AAC9C;AACA,SAASqV,aAAaA,CAACrlB,KAAK,EAAE;EAC1B,IAAIxO,GAAG,GAAG,EAAE;EACZ,KAAK,IAAIsB,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGkN,KAAK,EAAElN,CAAC,EAAE,EAAE;IAC5BtB,GAAG,IAAIsyB,YAAY;EACvB;EACA,OAAOtyB,GAAG;AACd;AAEA,SAASm2B,kBAAkBA,CAAChsB,IAAI,EAAEisB,SAAS,EAAE;EACzC,IAAIA,SAAS,KAAK,CAAC,EAAE;IACjB,OAAOpY,cAAc,CAAC7T,IAAI,CAAC;EAC/B;EACA,MAAMgI,MAAM,GAAG,EAAE;EACjB,KAAK,IAAI7Q,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG80B,SAAS,EAAE90B,CAAC,EAAE,EAAE;IAChC6Q,MAAM,CAAChS,IAAI,CAACkQ,YAAY,CAAC;EAC7B;EACA,OAAO2N,cAAc,CAAC7T,IAAI,EAAE0jB,SAAS,EAAE1b,MAAM,CAAC;AAClD;AACA,MAAMkkB,qBAAqB,GAAG,GAAG;AACjC,SAASC,4BAA4BA,CAACt0B,IAAI,EAAE;EACxC,OAAO,GAAGq0B,qBAAqB,GAAGr0B,IAAI,EAAE;AAC5C;AACA,SAASu0B,4BAA4BA,CAACv0B,IAAI,EAAEw0B,KAAK,EAAE;EAC/C,OAAO,GAAGH,qBAAqB,GAAGr0B,IAAI,IAAIw0B,KAAK,EAAE;AACrD;AACA,SAASC,2BAA2BA,CAACC,QAAQ,EAAE10B,IAAI,EAAE;EACjD,MAAM20B,WAAW,GAAGnB,gBAAgB,CAACxzB,IAAI,EAAE,KAAK,EAAE,KAAK,CAAC;EACxD,OAAO20B,WAAW,KAAK30B,IAAI,GAAG,GAAG00B,QAAQ,IAAIC,WAAW,GAAG,GAAG,GAAGD,QAAQ,IAAI10B,IAAI,EAAE;AACvF;AACA,SAAS40B,oCAAoCA,CAAC50B,IAAI,EAAEw0B,KAAK,EAAE;EACvD,OAAO,aAAax0B,IAAI,IAAIw0B,KAAK,EAAE;AACvC;AACA,SAASK,wBAAwBA,CAAClhB,IAAI,EAAE;EACpC,OAAOmhB,iBAAiB,CAAC,WAAW,EAAEnhB,IAAI,CAAC;AAC/C;AACA,SAASohB,wBAAwBA,CAACphB,IAAI,EAAE;EACpC,OAAOmhB,iBAAiB,CAAC,WAAW,EAAEnhB,IAAI,CAAC;AAC/C;AACA,SAASmhB,iBAAiBA,CAACE,KAAK,EAAErhB,IAAI,EAAE;EACpC,MAAMshB,SAAS,GAAG,IAAItd,YAAY,CAAC;IAAE3X,IAAI,EAAEg1B,KAAK;IAAEpd,UAAU,EAAE;EAAK,CAAC,CAAC;EACrE,MAAMsd,eAAe,GAAG,IAAIpkB,kBAAkB,CAAC1B,cAAc,CAAC+B,SAAS,EAAE,IAAIuC,UAAU,CAACuhB,SAAS,CAAC,EAAEpY,OAAO,CAAC,WAAW,CAAC,CAAC;EACzH,MAAMsY,oBAAoB,GAAG,IAAIrkB,kBAAkB,CAAC1B,cAAc,CAACkD,EAAE,EAAE4iB,eAAe,EAAED,SAAS,EAAE,UAAWpJ,SAAS,EACvH,gBAAiBA,SAAS,EAAE,IAAI,CAAC;EACjC,OAAO,IAAI/a,kBAAkB,CAAC1B,cAAc,CAAC6C,GAAG,EAAEkjB,oBAAoB,EAAExhB,IAAI,CAAC;AACjF;AACA,SAASyhB,aAAaA,CAACn1B,KAAK,EAAE;EAC1B,MAAMo1B,OAAO,GAAG,IAAIxhB,eAAe,CAAC5T,KAAK,CAAC;EAC1C,OAAO;IAAEA,KAAK,EAAEo1B,OAAO;IAAEltB,IAAI,EAAEktB;EAAQ,CAAC;AAC5C;AACA,SAASC,WAAWA,CAACC,IAAI,EAAEC,oBAAoB,EAAE;EAC7C,MAAMpZ,MAAM,GAAGD,UAAU,CAACoZ,IAAI,CAAClzB,GAAG,CAACozB,GAAG,IAAIA,GAAG,CAACx1B,KAAK,CAAC,CAAC;EACrD,OAAOu1B,oBAAoB,GAAG7gB,EAAE,CAAC,EAAE,EAAE,CAAC,IAAIsG,eAAe,CAACmB,MAAM,CAAC,CAAC,CAAC,GAAGA,MAAM;AAChF;AACA,SAASsZ,+BAA+BA,CAACxtB,UAAU,EAAEqf,UAAU,EAAE;EAC7D,OAAO;IAAErf,UAAU;IAAEqf;EAAW,CAAC;AACrC;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASoO,oCAAoCA,CAAC;EAAEztB,UAAU;EAAEqf;AAAW,CAAC,EAAE;EACtE,QAAQA,UAAU;IACd,KAAK,CAAC,CAAC;IACP,KAAK,CAAC,CAAC;MACH,OAAOrf,UAAU;IACrB,KAAK,CAAC,CAAC;MACH,OAAO0tB,kBAAkB,CAAC1tB,UAAU,CAAC;EAC7C;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAAS0tB,kBAAkBA,CAACjiB,IAAI,EAAE;EAC9B,OAAOkI,UAAU,CAACqE,WAAW,CAACqH,UAAU,CAAC,CAACrX,MAAM,CAAC,CAACyE,EAAE,CAAC,EAAE,EAAE,CAAC,IAAIsG,eAAe,CAACtH,IAAI,CAAC,CAAC,CAAC,CAAC,CAAC;AAC3F;AAEA,IAAIkiB,qBAAqB;AACzB,CAAC,UAAUA,qBAAqB,EAAE;EAC9BA,qBAAqB,CAACA,qBAAqB,CAAC,OAAO,CAAC,GAAG,CAAC,CAAC,GAAG,OAAO;EACnEA,qBAAqB,CAACA,qBAAqB,CAAC,UAAU,CAAC,GAAG,CAAC,CAAC,GAAG,UAAU;AAC7E,CAAC,EAAEA,qBAAqB,KAAKA,qBAAqB,GAAG,CAAC,CAAC,CAAC,CAAC;AACzD,IAAIC,eAAe;AACnB,CAAC,UAAUzN,aAAa,EAAE;EACtBA,aAAa,CAACA,aAAa,CAAC,WAAW,CAAC,GAAG,CAAC,CAAC,GAAG,WAAW;EAC3DA,aAAa,CAACA,aAAa,CAAC,WAAW,CAAC,GAAG,CAAC,CAAC,GAAG,WAAW;EAC3DA,aAAa,CAACA,aAAa,CAAC,YAAY,CAAC,GAAG,CAAC,CAAC,GAAG,YAAY;EAC7DA,aAAa,CAACA,aAAa,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,GAAG,MAAM;EACjDA,aAAa,CAACA,aAAa,CAAC,UAAU,CAAC,GAAG,CAAC,CAAC,GAAG,UAAU;AAC7D,CAAC,EAAEyN,eAAe,KAAKA,eAAe,GAAG,CAAC,CAAC,CAAC,CAAC;AAC7C;AACA;AACA;AACA,SAASC,sBAAsBA,CAACC,IAAI,EAAE;EAClC,MAAMC,CAAC,GAAGra,QAAQ,CAAC,GAAG,CAAC;EACvB,IAAIsa,cAAc,GAAG,IAAI;EACzB;EACA;EACA;EACA;EACA;EACA,MAAMC,WAAW,GAAG,CAACC,0BAA0B,CAACJ,IAAI,CAAC,GACjD,IAAIllB,kBAAkB,CAAC1B,cAAc,CAACkD,EAAE,EAAE2jB,CAAC,EAAED,IAAI,CAAC7tB,IAAI,CAAClI,KAAK,CAAC,GAC7Dg2B,CAAC;EACL,IAAII,QAAQ,GAAG,IAAI;EACnB,IAAIL,IAAI,CAACM,IAAI,KAAK,IAAI,EAAE;IACpB;IACA,IAAIN,IAAI,CAACM,IAAI,KAAK,SAAS,EAAE;MACzBD,QAAQ,GAAG,IAAI9lB,eAAe,CAAC4lB,WAAW,EAAEI,kBAAkB,CAACP,IAAI,CAACM,IAAI,EAAEN,IAAI,CAACQ,MAAM,CAAC,CAAC;IAC3F;EACJ,CAAC,MACI;IACD;IACAN,cAAc,GAAGta,QAAQ,CAAC,IAAIoa,IAAI,CAACh2B,IAAI,cAAc,CAAC;IACtDq2B,QAAQ,GAAGH,cAAc,CAAChmB,MAAM,CAAC,CAACimB,WAAW,CAAC,CAAC;EACnD;EACA,MAAM3Z,IAAI,GAAG,EAAE;EACf,IAAIia,OAAO,GAAG,IAAI;EAClB,SAASC,sBAAsBA,CAACC,WAAW,EAAE;IACzC,MAAMC,CAAC,GAAGhb,QAAQ,CAAC,GAAG,CAAC;IACvBY,IAAI,CAACre,IAAI,CAACy4B,CAAC,CAAC10B,GAAG,CAAC+X,SAAS,CAAC,CAAChG,UAAU,CAAC,CAAC,CAAC;IACxC,MAAM4iB,QAAQ,GAAGR,QAAQ,KAAK,IAAI,GAAGO,CAAC,CAAC10B,GAAG,CAACm0B,QAAQ,CAAC,CAACljB,MAAM,CAAC,CAAC,GACzD0I,UAAU,CAACqE,WAAW,CAACkH,cAAc,CAAC,CAAClX,MAAM,CAAC,EAAE,CAAC,CAACiD,MAAM,CAAC,CAAC;IAC9DqJ,IAAI,CAACre,IAAI,CAACse,MAAM,CAACwZ,CAAC,EAAE,CAACY,QAAQ,CAAC,EAAE,CAACD,CAAC,CAAC10B,GAAG,CAACy0B,WAAW,CAAC,CAACxjB,MAAM,CAAC,CAAC,CAAC,CAAC,CAAC;IAC/D,OAAOyjB,CAAC;EACZ;EACA,IAAIR,0BAA0B,CAACJ,IAAI,CAAC,EAAE;IAClC;IACA;IACA,MAAMc,YAAY,GAAGP,kBAAkB,CAACP,IAAI,CAACe,YAAY,EAAEf,IAAI,CAACQ,MAAM,CAAC;IACvE;IACA,MAAMQ,WAAW,GAAG,KAAKhB,IAAI,CAACiB,YAAY,KAAKpB,qBAAqB,CAACqB,KAAK,GACtE3mB,eAAe,GACfF,kBAAkB,EAAE2lB,IAAI,CAACmB,QAAQ,EAAEL,YAAY,CAAC;IACpDL,OAAO,GAAGC,sBAAsB,CAACM,WAAW,CAAC;EACjD,CAAC,MACI,IAAII,2BAA2B,CAACpB,IAAI,CAAC,EAAE;IACxC;IACAS,OAAO,GAAGC,sBAAsB,CAACV,IAAI,CAAC9tB,UAAU,CAAC;EACrD,CAAC,MACI;IACDuuB,OAAO,GAAGJ,QAAQ;EACtB;EACA,IAAII,OAAO,KAAK,IAAI,EAAE;IAClB;IACAja,IAAI,CAACre,IAAI,CAAC0d,UAAU,CAACqE,WAAW,CAACkH,cAAc,CAAC,CAAClX,MAAM,CAAC,EAAE,CAAC,CAACiD,MAAM,CAAC,CAAC,CAAC;EACzE,CAAC,MACI,IAAI+iB,cAAc,KAAK,IAAI,EAAE;IAC9B;IACA,MAAMmB,uBAAuB,GAAGxb,UAAU,CAACqE,WAAW,CAACkK,mBAAmB,CAAC,CAACla,MAAM,CAAC,CAAC8lB,IAAI,CAAC7tB,IAAI,CAAClI,KAAK,CAAC,CAAC;IACrG;IACA,MAAMq3B,WAAW,GAAG,IAAIxmB,kBAAkB,CAAC1B,cAAc,CAACkD,EAAE,EAAE4jB,cAAc,EAAEA,cAAc,CAACh0B,GAAG,CAACm1B,uBAAuB,CAAC,CAAC;IAC1H7a,IAAI,CAACre,IAAI,CAAC,IAAI8c,eAAe,CAACqc,WAAW,CAACpnB,MAAM,CAAC,CAACimB,WAAW,CAAC,CAAC,CAAC,CAAC;EACrE,CAAC,MACI;IACD;IACA3Z,IAAI,CAACre,IAAI,CAAC,IAAI8c,eAAe,CAACwb,OAAO,CAAC,CAAC;EAC3C;EACA,IAAIc,SAAS,GAAG5iB,EAAE,CAAC,CAAC,IAAI4D,OAAO,CAAC,GAAG,EAAElK,YAAY,CAAC,CAAC,EAAEmO,IAAI,EAAEjO,aAAa,EAAEsd,SAAS,EAAE,GAAGmK,IAAI,CAACh2B,IAAI,UAAU,CAAC;EAC5G,IAAIk2B,cAAc,KAAK,IAAI,EAAE;IACzB;IACA;IACAqB,SAAS,GAAG5iB,EAAE,CAAC,EAAE,EAAE,CACf,IAAIT,cAAc,CAACgiB,cAAc,CAACl2B,IAAI,CAAC,EAAE,IAAIib,eAAe,CAACsc,SAAS,CAAC,CAC1E,CAAC,CAACrnB,MAAM,CAAC,EAAE,EAAE,gBAAiB2b,SAAS,EAAE,UAAW,IAAI,CAAC;EAC9D;EACA,OAAO;IACH3jB,UAAU,EAAEqvB,SAAS;IACrB7e,UAAU,EAAE,EAAE;IACdvQ,IAAI,EAAEqvB,iBAAiB,CAACxB,IAAI;EAChC,CAAC;AACL;AACA,SAASwB,iBAAiBA,CAACxB,IAAI,EAAE;EAC7B,MAAMyB,YAAY,GAAGzB,IAAI,CAACM,IAAI,KAAK,IAAI,IAAIN,IAAI,CAACM,IAAI,KAAK,SAAS,GAAGoB,kBAAkB,CAAC1B,IAAI,CAACM,IAAI,CAAC,GAAGpnB,SAAS;EAC9G,OAAO8M,cAAc,CAACH,UAAU,CAACqE,WAAW,CAACiI,kBAAkB,EAAE,CAACgM,kBAAkB,CAAC6B,IAAI,CAAC7tB,IAAI,CAACA,IAAI,EAAE6tB,IAAI,CAAC2B,iBAAiB,CAAC,EAAEF,YAAY,CAAC,CAAC,CAAC;AACjJ;AACA,SAASlB,kBAAkBA,CAACD,IAAI,EAAEE,MAAM,EAAE;EACtC,OAAOF,IAAI,CAACj0B,GAAG,CAAC,CAACu1B,GAAG,EAAEltB,KAAK,KAAKmtB,uBAAuB,CAACD,GAAG,EAAEpB,MAAM,EAAE9rB,KAAK,CAAC,CAAC;AAChF;AACA,SAASmtB,uBAAuBA,CAACD,GAAG,EAAEpB,MAAM,EAAE9rB,KAAK,EAAE;EACjD;EACA,IAAIktB,GAAG,CAACtL,KAAK,KAAK,IAAI,EAAE;IACpB,OAAOzQ,UAAU,CAACqE,WAAW,CAACmH,iBAAiB,CAAC,CAACnX,MAAM,CAAC,CAAC2M,OAAO,CAACnS,KAAK,CAAC,CAAC,CAAC;EAC7E,CAAC,MACI,IAAIktB,GAAG,CAACE,iBAAiB,KAAK,IAAI,EAAE;IACrC;IACA,MAAMC,KAAK,GAAG,CAAC,CAAC,6BAA6BH,GAAG,CAACI,IAAI,GAAG,CAAC,CAAC,yBAAyB,CAAC,CAAC,IAChFJ,GAAG,CAACK,QAAQ,GAAG,CAAC,CAAC,6BAA6B,CAAC,CAAC,IAAIL,GAAG,CAACM,IAAI,GAAG,CAAC,CAAC,yBAAyB,CAAC,CAAC,IAC5FN,GAAG,CAACO,QAAQ,GAAG,CAAC,CAAC,6BAA6B,CAAC,CAAC,IAChD3B,MAAM,KAAKV,eAAe,CAACsC,IAAI,GAAG,EAAE,CAAC,4BAA4B,CAAC,CAAC;IACxE;IACA;IACA;IACA,IAAIC,UAAU,GAAIN,KAAK,KAAK,CAAC,CAAC,6BAA6BH,GAAG,CAACO,QAAQ,GAAItb,OAAO,CAACkb,KAAK,CAAC,GAAG,IAAI;IAChG;IACA,MAAMO,UAAU,GAAG,CAACV,GAAG,CAACtL,KAAK,CAAC;IAC9B,IAAI+L,UAAU,EAAE;MACZC,UAAU,CAACn6B,IAAI,CAACk6B,UAAU,CAAC;IAC/B;IACA,MAAME,QAAQ,GAAGC,WAAW,CAAChC,MAAM,CAAC;IACpC,OAAO3a,UAAU,CAAC0c,QAAQ,CAAC,CAACroB,MAAM,CAACooB,UAAU,CAAC;EAClD,CAAC,MACI;IACD;IACA;IACA;IACA;IACA;IACA;IACA;IACA,OAAOzc,UAAU,CAACqE,WAAW,CAACgH,eAAe,CAAC,CAAChX,MAAM,CAAC,CAAC0nB,GAAG,CAACtL,KAAK,CAAC,CAAC;EACtE;AACJ;AACA,SAASoL,kBAAkBA,CAACpB,IAAI,EAAE;EAC9B,IAAImC,QAAQ,GAAG,KAAK;EACpB,MAAMC,cAAc,GAAGpC,IAAI,CAACj0B,GAAG,CAACu1B,GAAG,IAAI;IACnC,MAAMzvB,IAAI,GAAGwwB,iBAAiB,CAACf,GAAG,CAAC;IACnC,IAAIzvB,IAAI,KAAK,IAAI,EAAE;MACfswB,QAAQ,GAAG,IAAI;MACf,OAAOtwB,IAAI;IACf,CAAC,MACI;MACD,OAAO0U,OAAO,CAAC,IAAI,CAAC;IACxB;EACJ,CAAC,CAAC;EACF,IAAI4b,QAAQ,EAAE;IACV,OAAOzc,cAAc,CAACG,UAAU,CAACuc,cAAc,CAAC,CAAC;EACrD,CAAC,MACI;IACD,OAAOxpB,SAAS;EACpB;AACJ;AACA,SAASypB,iBAAiBA,CAACf,GAAG,EAAE;EAC5B,MAAMte,OAAO,GAAG,EAAE;EAClB,IAAIse,GAAG,CAACE,iBAAiB,KAAK,IAAI,EAAE;IAChCxe,OAAO,CAACnb,IAAI,CAAC;MAAE6R,GAAG,EAAE,WAAW;MAAE/P,KAAK,EAAE23B,GAAG,CAACE,iBAAiB;MAAEpe,MAAM,EAAE;IAAM,CAAC,CAAC;EACnF;EACA,IAAIke,GAAG,CAACO,QAAQ,EAAE;IACd7e,OAAO,CAACnb,IAAI,CAAC;MAAE6R,GAAG,EAAE,UAAU;MAAE/P,KAAK,EAAE4c,OAAO,CAAC,IAAI,CAAC;MAAEnD,MAAM,EAAE;IAAM,CAAC,CAAC;EAC1E;EACA,IAAIke,GAAG,CAACM,IAAI,EAAE;IACV5e,OAAO,CAACnb,IAAI,CAAC;MAAE6R,GAAG,EAAE,MAAM;MAAE/P,KAAK,EAAE4c,OAAO,CAAC,IAAI,CAAC;MAAEnD,MAAM,EAAE;IAAM,CAAC,CAAC;EACtE;EACA,IAAIke,GAAG,CAACI,IAAI,EAAE;IACV1e,OAAO,CAACnb,IAAI,CAAC;MAAE6R,GAAG,EAAE,MAAM;MAAE/P,KAAK,EAAE4c,OAAO,CAAC,IAAI,CAAC;MAAEnD,MAAM,EAAE;IAAM,CAAC,CAAC;EACtE;EACA,IAAIke,GAAG,CAACK,QAAQ,EAAE;IACd3e,OAAO,CAACnb,IAAI,CAAC;MAAE6R,GAAG,EAAE,UAAU;MAAE/P,KAAK,EAAE4c,OAAO,CAAC,IAAI,CAAC;MAAEnD,MAAM,EAAE;IAAM,CAAC,CAAC;EAC1E;EACA,OAAOJ,OAAO,CAACpb,MAAM,GAAG,CAAC,GAAGme,UAAU,CAAC/C,OAAO,CAAC,GAAG,IAAI;AAC1D;AACA,SAAS8c,0BAA0BA,CAACJ,IAAI,EAAE;EACtC,OAAOA,IAAI,CAACiB,YAAY,KAAKpL,SAAS;AAC1C;AACA,SAASuL,2BAA2BA,CAACpB,IAAI,EAAE;EACvC,OAAOA,IAAI,CAAC9tB,UAAU,KAAK2jB,SAAS;AACxC;AACA,SAAS2M,WAAWA,CAAChC,MAAM,EAAE;EACzB,QAAQA,MAAM;IACV,KAAKV,eAAe,CAAC8C,SAAS;IAC9B,KAAK9C,eAAe,CAAC+C,SAAS;IAC9B,KAAK/C,eAAe,CAACsC,IAAI;MACrB,OAAOlY,WAAW,CAACiH,eAAe;IACtC,KAAK2O,eAAe,CAACgD,QAAQ;IAC7B,KAAKhD,eAAe,CAACiD,UAAU;IAC/B;MACI,OAAO7Y,WAAW,CAAC+G,MAAM;EACjC;AACJ;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA,MAAM+R,SAAS,CAAC;EACZz7B,WAAWA,CAAC0C,KAAK,EAAE4P,UAAU,EAAE;IAC3B,IAAI,CAAC5P,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC4P,UAAU,GAAGA,UAAU;EAChC;EACA3I,KAAKA,CAAC+xB,QAAQ,EAAE;IACZ,MAAM,IAAIv6B,KAAK,CAAC,qCAAqC,CAAC;EAC1D;AACJ;AACA,MAAMw6B,MAAM,CAAC;EACT37B,WAAWA,CAAC0C,KAAK,EAAE4P,UAAU,EAAE;IAC3B,IAAI,CAAC5P,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC4P,UAAU,GAAGA,UAAU;EAChC;EACA3I,KAAKA,CAACJ,OAAO,EAAE;IACX,OAAOA,OAAO,CAACO,SAAS,CAAC,IAAI,CAAC;EAClC;AACJ;AACA,MAAM8xB,SAAS,CAAC;EACZ57B,WAAWA,CAAC0C,KAAK,EAAE4P,UAAU,EAAEyW,IAAI,EAAE;IACjC,IAAI,CAACrmB,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC4P,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACyW,IAAI,GAAGA,IAAI;EACpB;EACApf,KAAKA,CAACJ,OAAO,EAAE;IACX,OAAOA,OAAO,CAACsyB,cAAc,CAAC,IAAI,CAAC;EACvC;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMC,aAAa,CAAC;EAChB97B,WAAWA,CAACyC,IAAI,EAAEC,KAAK,EAAE4P,UAAU,EAAEypB,OAAO,EAAEC,SAAS,EAAEjT,IAAI,EAAE;IAC3D,IAAI,CAACtmB,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACC,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC4P,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACypB,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACC,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAACjT,IAAI,GAAGA,IAAI;EACpB;EACApf,KAAKA,CAACJ,OAAO,EAAE;IACX,OAAOA,OAAO,CAAC0yB,kBAAkB,CAAC,IAAI,CAAC;EAC3C;AACJ;AACA,MAAMC,cAAc,CAAC;EACjBl8B,WAAWA,CAACyC,IAAI,EAAEmI,IAAI,EAAEuxB,eAAe,EAAEz5B,KAAK,EAAE05B,IAAI,EAAE9pB,UAAU,EAAEypB,OAAO,EAAEC,SAAS,EAAEjT,IAAI,EAAE;IACxF,IAAI,CAACtmB,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACmI,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACuxB,eAAe,GAAGA,eAAe;IACtC,IAAI,CAACz5B,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC05B,IAAI,GAAGA,IAAI;IAChB,IAAI,CAAC9pB,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACypB,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACC,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAACjT,IAAI,GAAGA,IAAI;EACpB;EACA,OAAOsT,wBAAwBA,CAAC9pB,IAAI,EAAEwW,IAAI,EAAE;IACxC,IAAIxW,IAAI,CAACwpB,OAAO,KAAKzN,SAAS,EAAE;MAC5B,MAAM,IAAIntB,KAAK,CAAC,kFAAkFoR,IAAI,CAAC9P,IAAI,KAAK8P,IAAI,CAACD,UAAU,EAAE,CAAC;IACtI;IACA,OAAO,IAAI4pB,cAAc,CAAC3pB,IAAI,CAAC9P,IAAI,EAAE8P,IAAI,CAAC3H,IAAI,EAAE2H,IAAI,CAAC4pB,eAAe,EAAE5pB,IAAI,CAAC7P,KAAK,EAAE6P,IAAI,CAAC6pB,IAAI,EAAE7pB,IAAI,CAACD,UAAU,EAAEC,IAAI,CAACwpB,OAAO,EAAExpB,IAAI,CAACypB,SAAS,EAAEjT,IAAI,CAAC;EACrJ;EACApf,KAAKA,CAACJ,OAAO,EAAE;IACX,OAAOA,OAAO,CAAC+yB,mBAAmB,CAAC,IAAI,CAAC;EAC5C;AACJ;AACA,MAAMC,UAAU,CAAC;EACbv8B,WAAWA,CAACyC,IAAI,EAAEmI,IAAI,EAAE0rB,OAAO,EAAE2C,MAAM,EAAEhC,KAAK,EAAE3kB,UAAU,EAAEkqB,WAAW,EAAET,OAAO,EAAE;IAC9E,IAAI,CAACt5B,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACmI,IAAI,GAAGA,IAAI;IAChB,IAAI,CAAC0rB,OAAO,GAAGA,OAAO;IACtB,IAAI,CAAC2C,MAAM,GAAGA,MAAM;IACpB,IAAI,CAAChC,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC3kB,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACkqB,WAAW,GAAGA,WAAW;IAC9B,IAAI,CAACT,OAAO,GAAGA,OAAO;EAC1B;EACA,OAAOU,eAAeA,CAACC,KAAK,EAAE;IAC1B,MAAMzD,MAAM,GAAGyD,KAAK,CAAC9xB,IAAI,KAAK,CAAC,CAAC,gCAAgC8xB,KAAK,CAACC,aAAa,GAAG,IAAI;IAC1F,MAAM1F,KAAK,GAAGyF,KAAK,CAAC9xB,IAAI,KAAK,CAAC,CAAC,kCAAkC8xB,KAAK,CAACC,aAAa,GAAG,IAAI;IAC3F,IAAID,KAAK,CAACX,OAAO,KAAKzN,SAAS,EAAE;MAC7B,MAAM,IAAIntB,KAAK,CAAC,6EAA6Eu7B,KAAK,CAACj6B,IAAI,KAAKi6B,KAAK,CAACpqB,UAAU,EAAE,CAAC;IACnI;IACA,OAAO,IAAIiqB,UAAU,CAACG,KAAK,CAACj6B,IAAI,EAAEi6B,KAAK,CAAC9xB,IAAI,EAAE8xB,KAAK,CAACpG,OAAO,EAAE2C,MAAM,EAAEhC,KAAK,EAAEyF,KAAK,CAACpqB,UAAU,EAAEoqB,KAAK,CAACF,WAAW,EAAEE,KAAK,CAACX,OAAO,CAAC;EACnI;EACApyB,KAAKA,CAACJ,OAAO,EAAE;IACX,OAAOA,OAAO,CAACqzB,eAAe,CAAC,IAAI,CAAC;EACxC;AACJ;AACA,MAAMC,SAAS,CAAC;EACZ78B,WAAWA,CAACyC,IAAI,EAAEq6B,UAAU,EAAEC,MAAM,EAAEC,OAAO,EAAE7yB,QAAQ,EAAE8yB,UAAU,EAAE3qB,UAAU,EAAE4qB,eAAe,EAAEC,aAAa,EAAEpU,IAAI,EAAE;IACnH,IAAI,CAACtmB,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACq6B,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACC,MAAM,GAAGA,MAAM;IACpB,IAAI,CAACC,OAAO,GAAGA,OAAO;IACtB,IAAI,CAAC7yB,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAAC8yB,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAAC3qB,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAAC4qB,eAAe,GAAGA,eAAe;IACtC,IAAI,CAACC,aAAa,GAAGA,aAAa;IAClC,IAAI,CAACpU,IAAI,GAAGA,IAAI;EACpB;EACApf,KAAKA,CAACJ,OAAO,EAAE;IACX,OAAOA,OAAO,CAAC6zB,YAAY,CAAC,IAAI,CAAC;EACrC;AACJ;AACA,MAAMC,eAAe,CAAC;EAClBr9B,WAAWA,CAACsS,UAAU,EAAE;IACpB,IAAI,CAACA,UAAU,GAAGA,UAAU;EAChC;EACA3I,KAAKA,CAACJ,OAAO,EAAE;IACX,OAAOA,OAAO,CAAC+zB,oBAAoB,CAAC,IAAI,CAAC;EAC7C;AACJ;AACA,MAAMC,oBAAoB,SAASF,eAAe,CAAC;EAC/Cr9B,WAAWA,CAAC0C,KAAK,EAAE4P,UAAU,EAAE;IAC3B,KAAK,CAACA,UAAU,CAAC;IACjB,IAAI,CAAC5P,KAAK,GAAGA,KAAK;EACtB;AACJ;AACA,MAAM86B,mBAAmB,SAASH,eAAe,CAAC;AAElD,MAAMI,wBAAwB,SAASJ,eAAe,CAAC;AAEvD,MAAMK,oBAAoB,SAASL,eAAe,CAAC;AAEnD,MAAMM,oBAAoB,SAASN,eAAe,CAAC;EAC/Cr9B,WAAWA,CAAC49B,KAAK,EAAEtrB,UAAU,EAAE;IAC3B,KAAK,CAACA,UAAU,CAAC;IACjB,IAAI,CAACsrB,KAAK,GAAGA,KAAK;EACtB;AACJ;AACA,MAAMC,0BAA0B,SAASR,eAAe,CAAC;EACrDr9B,WAAWA,CAACypB,SAAS,EAAEnX,UAAU,EAAE;IAC/B,KAAK,CAACA,UAAU,CAAC;IACjB,IAAI,CAACmX,SAAS,GAAGA,SAAS;EAC9B;AACJ;AACA,MAAMqU,uBAAuB,SAAST,eAAe,CAAC;EAClDr9B,WAAWA,CAACypB,SAAS,EAAEnX,UAAU,EAAE;IAC/B,KAAK,CAACA,UAAU,CAAC;IACjB,IAAI,CAACmX,SAAS,GAAGA,SAAS;EAC9B;AACJ;AACA,MAAMsU,wBAAwB,CAAC;EAC3B/9B,WAAWA,CAACmK,QAAQ,EAAE6zB,WAAW,EAAE1rB,UAAU,EAAE4qB,eAAe,EAAEC,aAAa,EAAE;IAC3E,IAAI,CAAChzB,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAAC6zB,WAAW,GAAGA,WAAW;IAC9B,IAAI,CAAC1rB,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAAC4qB,eAAe,GAAGA,eAAe;IACtC,IAAI,CAACC,aAAa,GAAGA,aAAa;EACtC;EACAxzB,KAAKA,CAACJ,OAAO,EAAE;IACX,OAAOA,OAAO,CAAC00B,6BAA6B,CAAC,IAAI,CAAC;EACtD;AACJ;AACA,MAAMC,oBAAoB,CAAC;EACvBl+B,WAAWA,CAACmK,QAAQ,EAAEg0B,SAAS,EAAEH,WAAW,EAAE1rB,UAAU,EAAE4qB,eAAe,EAAEC,aAAa,EAAE;IACtF,IAAI,CAAChzB,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACg0B,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAACH,WAAW,GAAGA,WAAW;IAC9B,IAAI,CAAC1rB,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAAC4qB,eAAe,GAAGA,eAAe;IACtC,IAAI,CAACC,aAAa,GAAGA,aAAa;EACtC;EACAxzB,KAAKA,CAACJ,OAAO,EAAE;IACX,OAAOA,OAAO,CAAC60B,yBAAyB,CAAC,IAAI,CAAC;EAClD;AACJ;AACA,MAAMC,kBAAkB,CAAC;EACrBr+B,WAAWA,CAACmK,QAAQ,EAAEmI,UAAU,EAAE4qB,eAAe,EAAEC,aAAa,EAAE;IAC9D,IAAI,CAAChzB,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACmI,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAAC4qB,eAAe,GAAGA,eAAe;IACtC,IAAI,CAACC,aAAa,GAAGA,aAAa;EACtC;EACAxzB,KAAKA,CAACJ,OAAO,EAAE;IACX,OAAOA,OAAO,CAAC+0B,uBAAuB,CAAC,IAAI,CAAC;EAChD;AACJ;AACA,MAAMC,aAAa,CAAC;EAChBv+B,WAAWA,CAACmK,QAAQ,EAAEq0B,QAAQ,EAAEC,gBAAgB,EAAE7kB,WAAW,EAAE8kB,OAAO,EAAEnQ,KAAK,EAAEjc,UAAU,EAAE4qB,eAAe,EAAEC,aAAa,EAAE;IACvH,IAAI,CAAChzB,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACq0B,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACC,gBAAgB,GAAGA,gBAAgB;IACxC,IAAI,CAAC7kB,WAAW,GAAGA,WAAW;IAC9B,IAAI,CAAC8kB,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACnQ,KAAK,GAAGA,KAAK;IAClB,IAAI,CAACjc,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAAC4qB,eAAe,GAAGA,eAAe;IACtC,IAAI,CAACC,aAAa,GAAGA,aAAa;EACtC;EACAxzB,KAAKA,CAACJ,OAAO,EAAE;IACX,OAAOA,OAAO,CAACo1B,kBAAkB,CAAC,IAAI,CAAC;EAC3C;AACJ;AACA,MAAMC,QAAQ,CAAC;EACX5+B,WAAWA;EACX;EACA;EACA;EACA;EACA6f,OAAO,EAAEid,UAAU,EAAEC,MAAM,EAAEC,OAAO,EAAE6B,aAAa,EAAE10B,QAAQ,EAAE8yB,UAAU,EAAE6B,SAAS,EAAExsB,UAAU,EAAE4qB,eAAe,EAAEC,aAAa,EAAEpU,IAAI,EAAE;IACpI,IAAI,CAAClJ,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACid,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACC,MAAM,GAAGA,MAAM;IACpB,IAAI,CAACC,OAAO,GAAGA,OAAO;IACtB,IAAI,CAAC6B,aAAa,GAAGA,aAAa;IAClC,IAAI,CAAC10B,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAAC8yB,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAAC6B,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAACxsB,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAAC4qB,eAAe,GAAGA,eAAe;IACtC,IAAI,CAACC,aAAa,GAAGA,aAAa;IAClC,IAAI,CAACpU,IAAI,GAAGA,IAAI;EACpB;EACApf,KAAKA,CAACJ,OAAO,EAAE;IACX,OAAOA,OAAO,CAACw1B,aAAa,CAAC,IAAI,CAAC;EACtC;AACJ;AACA,MAAMC,OAAO,CAAC;EACVh/B,WAAWA,CAACM,QAAQ,EAAEw8B,UAAU,EAAExqB,UAAU,EAAEyW,IAAI,EAAE;IAChD,IAAI,CAACzoB,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACw8B,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACxqB,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACyW,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACtmB,IAAI,GAAG,YAAY;EAC5B;EACAkH,KAAKA,CAACJ,OAAO,EAAE;IACX,OAAOA,OAAO,CAAC01B,YAAY,CAAC,IAAI,CAAC;EACrC;AACJ;AACA,MAAMC,QAAQ,CAAC;EACXl/B,WAAWA,CAACyC,IAAI,EAAEC,KAAK,EAAE4P,UAAU,EAAEypB,OAAO,EAAEC,SAAS,EAAE;IACrD,IAAI,CAACv5B,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACC,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC4P,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACypB,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACC,SAAS,GAAGA,SAAS;EAC9B;EACAryB,KAAKA,CAACJ,OAAO,EAAE;IACX,OAAOA,OAAO,CAAC41B,aAAa,CAAC,IAAI,CAAC;EACtC;AACJ;AACA,MAAMC,SAAS,CAAC;EACZp/B,WAAWA,CAACyC,IAAI,EAAEC,KAAK,EAAE4P,UAAU,EAAEypB,OAAO,EAAEC,SAAS,EAAE;IACrD,IAAI,CAACv5B,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACC,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC4P,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACypB,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACC,SAAS,GAAGA,SAAS;EAC9B;EACAryB,KAAKA,CAACJ,OAAO,EAAE;IACX,OAAOA,OAAO,CAAC81B,cAAc,CAAC,IAAI,CAAC;EACvC;AACJ;AACA,MAAMC,KAAK,CAAC;EACRt/B,WAAWA,CAACu/B,IAAI,EAAEC,YAAY,EAAEltB,UAAU,EAAEyW,IAAI,EAAE;IAC9C,IAAI,CAACwW,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACC,YAAY,GAAGA,YAAY;IAChC,IAAI,CAACltB,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACyW,IAAI,GAAGA,IAAI;EACpB;EACApf,KAAKA,CAACJ,OAAO,EAAE;IACX,OAAOA,OAAO,CAACc,QAAQ,CAAC,IAAI,CAAC;EACjC;AACJ;AACA,MAAMo1B,kBAAkB,CAAC;EACrBrC,YAAYA,CAACn9B,OAAO,EAAE;IAClBy/B,UAAU,CAAC,IAAI,EAAEz/B,OAAO,CAAC68B,UAAU,CAAC;IACpC4C,UAAU,CAAC,IAAI,EAAEz/B,OAAO,CAAC88B,MAAM,CAAC;IAChC2C,UAAU,CAAC,IAAI,EAAEz/B,OAAO,CAAC+8B,OAAO,CAAC;IACjC0C,UAAU,CAAC,IAAI,EAAEz/B,OAAO,CAACkK,QAAQ,CAAC;IAClCu1B,UAAU,CAAC,IAAI,EAAEz/B,OAAO,CAACg9B,UAAU,CAAC;EACxC;EACA8B,aAAaA,CAACtnB,QAAQ,EAAE;IACpBioB,UAAU,CAAC,IAAI,EAAEjoB,QAAQ,CAACqlB,UAAU,CAAC;IACrC4C,UAAU,CAAC,IAAI,EAAEjoB,QAAQ,CAACslB,MAAM,CAAC;IACjC2C,UAAU,CAAC,IAAI,EAAEjoB,QAAQ,CAACulB,OAAO,CAAC;IAClC0C,UAAU,CAAC,IAAI,EAAEjoB,QAAQ,CAACtN,QAAQ,CAAC;IACnCu1B,UAAU,CAAC,IAAI,EAAEjoB,QAAQ,CAACwlB,UAAU,CAAC;IACrCyC,UAAU,CAAC,IAAI,EAAEjoB,QAAQ,CAACqnB,SAAS,CAAC;EACxC;EACAH,kBAAkBA,CAACgB,QAAQ,EAAE;IACzBD,UAAU,CAAC,IAAI,EAAEC,QAAQ,CAACnB,QAAQ,CAAC;IACnCkB,UAAU,CAAC,IAAI,EAAEC,QAAQ,CAAClB,gBAAgB,CAAC;IAC3CiB,UAAU,CAAC,IAAI,EAAEC,QAAQ,CAACx1B,QAAQ,CAAC;IACnCw1B,QAAQ,CAAC/lB,WAAW,EAAEjQ,KAAK,CAAC,IAAI,CAAC;IACjCg2B,QAAQ,CAACjB,OAAO,EAAE/0B,KAAK,CAAC,IAAI,CAAC;IAC7Bg2B,QAAQ,CAACpR,KAAK,EAAE5kB,KAAK,CAAC,IAAI,CAAC;EAC/B;EACAs0B,6BAA6BA,CAAC2B,KAAK,EAAE;IACjCF,UAAU,CAAC,IAAI,EAAEE,KAAK,CAACz1B,QAAQ,CAAC;EACpC;EACAm0B,uBAAuBA,CAACsB,KAAK,EAAE;IAC3BF,UAAU,CAAC,IAAI,EAAEE,KAAK,CAACz1B,QAAQ,CAAC;EACpC;EACAi0B,yBAAyBA,CAACwB,KAAK,EAAE;IAC7BF,UAAU,CAAC,IAAI,EAAEE,KAAK,CAACz1B,QAAQ,CAAC;EACpC;EACA80B,YAAYA,CAAClO,OAAO,EAAE,CAAE;EACxBoO,aAAaA,CAAC9gB,QAAQ,EAAE,CAAE;EAC1BghB,cAAcA,CAAC5V,SAAS,EAAE,CAAE;EAC5BwS,kBAAkBA,CAACv6B,SAAS,EAAE,CAAE;EAChC46B,mBAAmBA,CAAC56B,SAAS,EAAE,CAAE;EACjCk7B,eAAeA,CAACl7B,SAAS,EAAE,CAAE;EAC7BoI,SAASA,CAACC,IAAI,EAAE,CAAE;EAClB8xB,cAAcA,CAAC9xB,IAAI,EAAE,CAAE;EACvBM,QAAQA,CAACC,GAAG,EAAE,CAAE;EAChBgzB,oBAAoBA,CAACuC,OAAO,EAAE,CAAE;AACpC;AACA,SAASH,UAAUA,CAACn2B,OAAO,EAAEJ,KAAK,EAAE;EAChC,MAAMtH,MAAM,GAAG,EAAE;EACjB,IAAI0H,OAAO,CAACI,KAAK,EAAE;IACf,KAAK,MAAM4M,IAAI,IAAIpN,KAAK,EAAE;MACtBI,OAAO,CAACI,KAAK,CAAC4M,IAAI,CAAC,IAAIA,IAAI,CAAC5M,KAAK,CAACJ,OAAO,CAAC;IAC9C;EACJ,CAAC,MACI;IACD,KAAK,MAAMgN,IAAI,IAAIpN,KAAK,EAAE;MACtB,MAAM22B,OAAO,GAAGvpB,IAAI,CAAC5M,KAAK,CAACJ,OAAO,CAAC;MACnC,IAAIu2B,OAAO,EAAE;QACTj+B,MAAM,CAACjB,IAAI,CAACk/B,OAAO,CAAC;MACxB;IACJ;EACJ;EACA,OAAOj+B,MAAM;AACjB;AAEA,MAAMk+B,OAAO,CAAC;EACV;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;EACI//B,WAAWA,CAACmJ,KAAK,EAAEq2B,YAAY,EAAEQ,oBAAoB,EAAE52B,OAAO,EAAE+P,WAAW,EAAEC,QAAQ,EAAE;IACnF,IAAI,CAACjQ,KAAK,GAAGA,KAAK;IAClB,IAAI,CAACq2B,YAAY,GAAGA,YAAY;IAChC,IAAI,CAACQ,oBAAoB,GAAGA,oBAAoB;IAChD,IAAI,CAAC52B,OAAO,GAAGA,OAAO;IACtB,IAAI,CAAC+P,WAAW,GAAGA,WAAW;IAC9B,IAAI,CAACC,QAAQ,GAAGA,QAAQ;IACxB;IACA,IAAI,CAACC,SAAS,GAAG,EAAE;IACnB,IAAI,CAACtQ,EAAE,GAAG,IAAI,CAACqQ,QAAQ;IACvB,IAAI,CAACU,aAAa,GAAGmmB,gBAAgB,CAAC,IAAI,CAAC92B,KAAK,CAAC;IACjD,IAAIA,KAAK,CAACxI,MAAM,EAAE;MACd,IAAI,CAAC8wB,OAAO,GAAG,CAAC;QACRyO,QAAQ,EAAE/2B,KAAK,CAAC,CAAC,CAAC,CAACmJ,UAAU,CAAC4iB,KAAK,CAACzE,IAAI,CAAC7V,GAAG;QAC5CulB,SAAS,EAAEh3B,KAAK,CAAC,CAAC,CAAC,CAACmJ,UAAU,CAAC4iB,KAAK,CAACN,IAAI,GAAG,CAAC;QAC7CwL,QAAQ,EAAEj3B,KAAK,CAAC,CAAC,CAAC,CAACmJ,UAAU,CAAC4iB,KAAK,CAACG,GAAG,GAAG,CAAC;QAC3CgL,OAAO,EAAEl3B,KAAK,CAACA,KAAK,CAACxI,MAAM,GAAG,CAAC,CAAC,CAAC2R,UAAU,CAACnE,GAAG,CAACymB,IAAI,GAAG,CAAC;QACxD0L,MAAM,EAAEn3B,KAAK,CAAC,CAAC,CAAC,CAACmJ,UAAU,CAAC4iB,KAAK,CAACG,GAAG,GAAG;MAC5C,CAAC,CAAC;IACV,CAAC,MACI;MACD,IAAI,CAAC5D,OAAO,GAAG,EAAE;IACrB;EACJ;AACJ;AACA,MAAM8O,MAAM,CAAC;EACTvgC,WAAWA,CAAC0C,KAAK,EAAE4P,UAAU,EAAE;IAC3B,IAAI,CAAC5P,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC4P,UAAU,GAAGA,UAAU;EAChC;EACA3I,KAAKA,CAACJ,OAAO,EAAES,OAAO,EAAE;IACpB,OAAOT,OAAO,CAACO,SAAS,CAAC,IAAI,EAAEE,OAAO,CAAC;EAC3C;AACJ;AACA;AACA,MAAMw2B,SAAS,CAAC;EACZxgC,WAAWA,CAACmK,QAAQ,EAAEmI,UAAU,EAAE;IAC9B,IAAI,CAACnI,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACmI,UAAU,GAAGA,UAAU;EAChC;EACA3I,KAAKA,CAACJ,OAAO,EAAES,OAAO,EAAE;IACpB,OAAOT,OAAO,CAACU,cAAc,CAAC,IAAI,EAAED,OAAO,CAAC;EAChD;AACJ;AACA,MAAMy2B,GAAG,CAAC;EACNzgC,WAAWA,CAAC2K,UAAU,EAAEC,IAAI,EAAEH,KAAK,EAAE6H,UAAU,EAAEouB,qBAAqB,EAAE;IACpE,IAAI,CAAC/1B,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACC,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACH,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC6H,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACouB,qBAAqB,GAAGA,qBAAqB;EACtD;EACA/2B,KAAKA,CAACJ,OAAO,EAAES,OAAO,EAAE;IACpB,OAAOT,OAAO,CAACc,QAAQ,CAAC,IAAI,EAAEL,OAAO,CAAC;EAC1C;AACJ;AACA,MAAM22B,cAAc,CAAC;EACjB3gC,WAAWA,CAACoB,GAAG,EAAEjB,KAAK,EAAE6K,SAAS,EAAEC,SAAS,EAAEd,QAAQ,EAAEY,MAAM;EAC9D;EACAuH,UAAU,EAAE4qB,eAAe,EAAEC,aAAa,EAAE;IACxC,IAAI,CAAC/7B,GAAG,GAAGA,GAAG;IACd,IAAI,CAACjB,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC6K,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAACC,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAACd,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACY,MAAM,GAAGA,MAAM;IACpB,IAAI,CAACuH,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAAC4qB,eAAe,GAAGA,eAAe;IACtC,IAAI,CAACC,aAAa,GAAGA,aAAa;EACtC;EACAxzB,KAAKA,CAACJ,OAAO,EAAES,OAAO,EAAE;IACpB,OAAOT,OAAO,CAACsB,mBAAmB,CAAC,IAAI,EAAEb,OAAO,CAAC;EACrD;AACJ;AACA,MAAM42B,WAAW,CAAC;EACd5gC,WAAWA,CAAC0C,KAAK,EAAED,IAAI,EAAE6P,UAAU,EAAE;IACjC,IAAI,CAAC5P,KAAK,GAAGA,KAAK;IAClB,IAAI,CAACD,IAAI,GAAGA,IAAI;IAChB,IAAI,CAAC6P,UAAU,GAAGA,UAAU;EAChC;EACA3I,KAAKA,CAACJ,OAAO,EAAES,OAAO,EAAE;IACpB,OAAOT,OAAO,CAAC2B,gBAAgB,CAAC,IAAI,EAAElB,OAAO,CAAC;EAClD;AACJ;AACA,MAAM62B,cAAc,CAAC;EACjB7gC,WAAWA,CAAC0C,KAAK,EAAED,IAAI,EAAE6P,UAAU,EAAE;IACjC,IAAI,CAAC5P,KAAK,GAAGA,KAAK;IAClB,IAAI,CAACD,IAAI,GAAGA,IAAI;IAChB,IAAI,CAAC6P,UAAU,GAAGA,UAAU;EAChC;EACA3I,KAAKA,CAACJ,OAAO,EAAES,OAAO,EAAE;IACpB,OAAOT,OAAO,CAAC4B,mBAAmB,CAAC,IAAI,EAAEnB,OAAO,CAAC;EACrD;AACJ;AACA;AACA,MAAM82B,YAAY,CAAC;EACfh3B,SAASA,CAACC,IAAI,EAAEC,OAAO,EAAE;IACrB,OAAO,IAAIu2B,MAAM,CAACx2B,IAAI,CAACrH,KAAK,EAAEqH,IAAI,CAACuI,UAAU,CAAC;EAClD;EACArI,cAAcA,CAACC,SAAS,EAAEF,OAAO,EAAE;IAC/B,MAAMG,QAAQ,GAAGD,SAAS,CAACC,QAAQ,CAACrF,GAAG,CAACi8B,CAAC,IAAIA,CAAC,CAACp3B,KAAK,CAAC,IAAI,EAAEK,OAAO,CAAC,CAAC;IACpE,OAAO,IAAIw2B,SAAS,CAACr2B,QAAQ,EAAED,SAAS,CAACoI,UAAU,CAAC;EACxD;EACAjI,QAAQA,CAACC,GAAG,EAAEN,OAAO,EAAE;IACnB,MAAMS,KAAK,GAAG,CAAC,CAAC;IAChB5D,MAAM,CAAC2D,IAAI,CAACF,GAAG,CAACG,KAAK,CAAC,CAAC5H,OAAO,CAAC4P,GAAG,IAAIhI,KAAK,CAACgI,GAAG,CAAC,GAAGnI,GAAG,CAACG,KAAK,CAACgI,GAAG,CAAC,CAAC9I,KAAK,CAAC,IAAI,EAAEK,OAAO,CAAC,CAAC;IACvF,MAAM6D,GAAG,GAAG,IAAI4yB,GAAG,CAACn2B,GAAG,CAACK,UAAU,EAAEL,GAAG,CAACM,IAAI,EAAEH,KAAK,EAAEH,GAAG,CAACgI,UAAU,EAAEhI,GAAG,CAACo2B,qBAAqB,CAAC;IAC/F,OAAO7yB,GAAG;EACd;EACAhD,mBAAmBA,CAACC,EAAE,EAAEd,OAAO,EAAE;IAC7B,MAAMG,QAAQ,GAAGW,EAAE,CAACX,QAAQ,CAACrF,GAAG,CAACi8B,CAAC,IAAIA,CAAC,CAACp3B,KAAK,CAAC,IAAI,EAAEK,OAAO,CAAC,CAAC;IAC7D,OAAO,IAAI22B,cAAc,CAAC71B,EAAE,CAAC1J,GAAG,EAAE0J,EAAE,CAAC3K,KAAK,EAAE2K,EAAE,CAACE,SAAS,EAAEF,EAAE,CAACG,SAAS,EAAEd,QAAQ,EAAEW,EAAE,CAACC,MAAM,EAAED,EAAE,CAACwH,UAAU,EAAExH,EAAE,CAACoyB,eAAe,EAAEpyB,EAAE,CAACqyB,aAAa,CAAC;EACrJ;EACAjyB,gBAAgBA,CAACJ,EAAE,EAAEd,OAAO,EAAE;IAC1B,OAAO,IAAI42B,WAAW,CAAC91B,EAAE,CAACpI,KAAK,EAAEoI,EAAE,CAACrI,IAAI,EAAEqI,EAAE,CAACwH,UAAU,CAAC;EAC5D;EACAnH,mBAAmBA,CAACL,EAAE,EAAEd,OAAO,EAAE;IAC7B,OAAO,IAAI62B,cAAc,CAAC/1B,EAAE,CAACpI,KAAK,EAAEoI,EAAE,CAACrI,IAAI,EAAEqI,EAAE,CAACwH,UAAU,CAAC;EAC/D;AACJ;AACA;AACA,MAAM0uB,cAAc,CAAC;EACjBl3B,SAASA,CAACC,IAAI,EAAEC,OAAO,EAAE,CAAE;EAC3BC,cAAcA,CAACC,SAAS,EAAEF,OAAO,EAAE;IAC/BE,SAAS,CAACC,QAAQ,CAACtH,OAAO,CAACuH,KAAK,IAAIA,KAAK,CAACT,KAAK,CAAC,IAAI,CAAC,CAAC;EAC1D;EACAU,QAAQA,CAACC,GAAG,EAAEN,OAAO,EAAE;IACnBnD,MAAM,CAAC2D,IAAI,CAACF,GAAG,CAACG,KAAK,CAAC,CAAC5H,OAAO,CAAC6H,CAAC,IAAI;MAChCJ,GAAG,CAACG,KAAK,CAACC,CAAC,CAAC,CAACf,KAAK,CAAC,IAAI,CAAC;IAC5B,CAAC,CAAC;EACN;EACAkB,mBAAmBA,CAACC,EAAE,EAAEd,OAAO,EAAE;IAC7Bc,EAAE,CAACX,QAAQ,CAACtH,OAAO,CAACuH,KAAK,IAAIA,KAAK,CAACT,KAAK,CAAC,IAAI,CAAC,CAAC;EACnD;EACAuB,gBAAgBA,CAACJ,EAAE,EAAEd,OAAO,EAAE,CAAE;EAChCmB,mBAAmBA,CAACL,EAAE,EAAEd,OAAO,EAAE,CAAE;AACvC;AACA;AACA;AACA;AACA,SAASi2B,gBAAgBA,CAACgB,YAAY,EAAE;EACpC,MAAM13B,OAAO,GAAG,IAAI23B,4BAA4B,CAAC,CAAC;EAClD,MAAM71B,GAAG,GAAG41B,YAAY,CAACn8B,GAAG,CAACi8B,CAAC,IAAIA,CAAC,CAACp3B,KAAK,CAACJ,OAAO,CAAC,CAAC,CAAChH,IAAI,CAAC,EAAE,CAAC;EAC5D,OAAO8I,GAAG;AACd;AACA,MAAM61B,4BAA4B,CAAC;EAC/Bp3B,SAASA,CAACC,IAAI,EAAE;IACZ,OAAOA,IAAI,CAACrH,KAAK;EACrB;EACAuH,cAAcA,CAACC,SAAS,EAAE;IACtB,OAAOA,SAAS,CAACC,QAAQ,CAACrF,GAAG,CAACsF,KAAK,IAAIA,KAAK,CAACT,KAAK,CAAC,IAAI,CAAC,CAAC,CAACpH,IAAI,CAAC,EAAE,CAAC;EACtE;EACA8H,QAAQA,CAACC,GAAG,EAAE;IACV,MAAMC,QAAQ,GAAG1D,MAAM,CAAC2D,IAAI,CAACF,GAAG,CAACG,KAAK,CAAC,CAAC3F,GAAG,CAAE4F,CAAC,IAAK,GAAGA,CAAC,KAAKJ,GAAG,CAACG,KAAK,CAACC,CAAC,CAAC,CAACf,KAAK,CAAC,IAAI,CAAC,GAAG,CAAC;IACxF,OAAO,IAAIW,GAAG,CAACo2B,qBAAqB,KAAKp2B,GAAG,CAACM,IAAI,KAAKL,QAAQ,CAAChI,IAAI,CAAC,GAAG,CAAC,GAAG;EAC/E;EACAsI,mBAAmBA,CAACC,EAAE,EAAE;IACpB,MAAMX,QAAQ,GAAGW,EAAE,CAACX,QAAQ,CAACrF,GAAG,CAACsF,KAAK,IAAIA,KAAK,CAACT,KAAK,CAAC,IAAI,CAAC,CAAC,CAACpH,IAAI,CAAC,EAAE,CAAC;IACrE,OAAO,KAAKuI,EAAE,CAACE,SAAS,IAAIb,QAAQ,KAAKW,EAAE,CAACG,SAAS,GAAG;EAC5D;EACAC,gBAAgBA,CAACJ,EAAE,EAAE;IACjB,OAAO,KAAKA,EAAE,CAACrI,IAAI,GAAG;EAC1B;EACA0I,mBAAmBA,CAACL,EAAE,EAAE;IACpB,OAAO,KAAKA,EAAE,CAACrI,IAAI,GAAG;EAC1B;AACJ;AAEA,MAAM0+B,UAAU,CAAC;EACb;EACA;EACAC,gBAAgBA,CAACt4B,OAAO,EAAE;IACtB,OAAO,IAAI;EACf;AACJ;AACA;AACA;AACA;AACA,MAAMu4B,uBAAuB,SAASL,cAAc,CAAC;EACjD;EACAhhC,WAAWA,CAAC8I,OAAO,EAAEw4B,OAAO,EAAE;IAC1B,KAAK,CAAC,CAAC;IACP,IAAI,CAACA,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACC,gBAAgB,GAAG,CAAC,CAAC;IAC1B,IAAI,CAACC,cAAc,GAAG,CAAC,CAAC;IACxB,IAAI,CAACC,gBAAgB,GAAG,CAAC,CAAC;IAC1B34B,OAAO,CAACK,KAAK,CAACtG,OAAO,CAAC0T,IAAI,IAAIA,IAAI,CAAC5M,KAAK,CAAC,IAAI,CAAC,CAAC;EACnD;EACA+3B,YAAYA,CAACC,YAAY,EAAE;IACvB,OAAO,IAAI,CAACJ,gBAAgB,CAACK,cAAc,CAACD,YAAY,CAAC,GACrD,IAAI,CAACJ,gBAAgB,CAACI,YAAY,CAAC,GACnC,IAAI;EACZ;EACAE,cAAcA,CAACC,UAAU,EAAE;IACvB,OAAO,IAAI,CAACL,gBAAgB,CAACG,cAAc,CAACE,UAAU,CAAC,GAAG,IAAI,CAACL,gBAAgB,CAACK,UAAU,CAAC,GACvF,IAAI;EACZ;EACAh4B,SAASA,CAACC,IAAI,EAAEC,OAAO,EAAE;IACrB,OAAO,IAAI;EACf;EACAa,mBAAmBA,CAACC,EAAE,EAAEd,OAAO,EAAE;IAC7B,IAAI,CAAC+3B,oBAAoB,CAACj3B,EAAE,CAACE,SAAS,CAAC;IACvC,KAAK,CAACH,mBAAmB,CAACC,EAAE,EAAEd,OAAO,CAAC;IACtC,IAAI,CAAC+3B,oBAAoB,CAACj3B,EAAE,CAACG,SAAS,CAAC;EAC3C;EACAC,gBAAgBA,CAACJ,EAAE,EAAEd,OAAO,EAAE;IAC1B,IAAI,CAAC+3B,oBAAoB,CAACj3B,EAAE,CAACrI,IAAI,CAAC;EACtC;EACA0I,mBAAmBA,CAACL,EAAE,EAAEd,OAAO,EAAE;IAC7B,IAAI,CAAC+3B,oBAAoB,CAACj3B,EAAE,CAACrI,IAAI,CAAC;EACtC;EACA;EACAs/B,oBAAoBA,CAACJ,YAAY,EAAE;IAC/B,IAAI,CAACA,YAAY,IAAI,IAAI,CAACJ,gBAAgB,CAACK,cAAc,CAACD,YAAY,CAAC,EAAE;MACrE;IACJ;IACA,IAAIG,UAAU,GAAG,IAAI,CAACR,OAAO,CAACK,YAAY,CAAC;IAC3C,IAAI,IAAI,CAACF,gBAAgB,CAACG,cAAc,CAACE,UAAU,CAAC,EAAE;MAClD;MACA,MAAME,MAAM,GAAG,IAAI,CAACR,cAAc,CAACM,UAAU,CAAC;MAC9C,IAAI,CAACN,cAAc,CAACM,UAAU,CAAC,GAAGE,MAAM,GAAG,CAAC;MAC5CF,UAAU,GAAG,GAAGA,UAAU,IAAIE,MAAM,EAAE;IAC1C,CAAC,MACI;MACD,IAAI,CAACR,cAAc,CAACM,UAAU,CAAC,GAAG,CAAC;IACvC;IACA,IAAI,CAACP,gBAAgB,CAACI,YAAY,CAAC,GAAGG,UAAU;IAChD,IAAI,CAACL,gBAAgB,CAACK,UAAU,CAAC,GAAGH,YAAY;EACpD;AACJ;AAEA,MAAMM,UAAU,CAAC;EACbC,QAAQA,CAAC9gC,GAAG,EAAE;IACV,MAAM+gC,QAAQ,GAAG,IAAI,CAACC,oBAAoB,CAAChhC,GAAG,CAACjB,KAAK,CAAC;IACrD,IAAIiB,GAAG,CAAC+I,QAAQ,CAACxJ,MAAM,IAAI,CAAC,EAAE;MAC1B,OAAO,IAAIS,GAAG,CAACqB,IAAI,GAAG0/B,QAAQ,IAAI;IACtC;IACA,MAAME,WAAW,GAAGjhC,GAAG,CAAC+I,QAAQ,CAACrF,GAAG,CAACyR,IAAI,IAAIA,IAAI,CAAC5M,KAAK,CAAC,IAAI,CAAC,CAAC;IAC9D,OAAO,IAAIvI,GAAG,CAACqB,IAAI,GAAG0/B,QAAQ,IAAIE,WAAW,CAAC9/B,IAAI,CAAC,EAAE,CAAC,KAAKnB,GAAG,CAACqB,IAAI,GAAG;EAC1E;EACAqH,SAASA,CAACC,IAAI,EAAE;IACZ,OAAOA,IAAI,CAACrH,KAAK;EACrB;EACA4/B,gBAAgBA,CAACC,IAAI,EAAE;IACnB,OAAO,QAAQ,IAAI,CAACH,oBAAoB,CAACG,IAAI,CAACpiC,KAAK,CAAC,KAAK;EAC7D;EACAiiC,oBAAoBA,CAACjiC,KAAK,EAAE;IACxB,MAAMgiC,QAAQ,GAAGt7B,MAAM,CAAC2D,IAAI,CAACrK,KAAK,CAAC,CAAC2E,GAAG,CAAErC,IAAI,IAAK,GAAGA,IAAI,KAAKtC,KAAK,CAACsC,IAAI,CAAC,GAAG,CAAC,CAACF,IAAI,CAAC,GAAG,CAAC;IACvF,OAAO4/B,QAAQ,CAACxhC,MAAM,GAAG,CAAC,GAAG,GAAG,GAAGwhC,QAAQ,GAAG,EAAE;EACpD;EACAK,YAAYA,CAACC,OAAO,EAAE;IAClB,OAAO,aAAaA,OAAO,CAACC,OAAO,OAAOD,OAAO,CAACE,GAAG,MAAM;EAC/D;AACJ;AACA,MAAMjH,QAAQ,GAAG,IAAIuG,UAAU,CAAC,CAAC;AACjC,SAASW,SAASA,CAACz5B,KAAK,EAAE;EACtB,OAAOA,KAAK,CAACrE,GAAG,CAAEyR,IAAI,IAAKA,IAAI,CAAC5M,KAAK,CAAC+xB,QAAQ,CAAC,CAAC,CAACn5B,IAAI,CAAC,EAAE,CAAC;AAC7D;AACA,MAAMsgC,WAAW,CAAC;EACd7iC,WAAWA,CAAC8iC,cAAc,EAAE;IACxB,IAAI,CAAC3iC,KAAK,GAAG,CAAC,CAAC;IACf0G,MAAM,CAAC2D,IAAI,CAACs4B,cAAc,CAAC,CAACjgC,OAAO,CAAE6H,CAAC,IAAK;MACvC,IAAI,CAACvK,KAAK,CAACuK,CAAC,CAAC,GAAGq4B,SAAS,CAACD,cAAc,CAACp4B,CAAC,CAAC,CAAC;IAChD,CAAC,CAAC;EACN;EACAf,KAAKA,CAACJ,OAAO,EAAE;IACX,OAAOA,OAAO,CAAC+4B,gBAAgB,CAAC,IAAI,CAAC;EACzC;AACJ;AACA,MAAMU,OAAO,CAAC;EACVhjC,WAAWA,CAAC0iC,OAAO,EAAEC,GAAG,EAAE;IACtB,IAAI,CAACD,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACC,GAAG,GAAGA,GAAG;EAClB;EACAh5B,KAAKA,CAACJ,OAAO,EAAE;IACX,OAAOA,OAAO,CAACi5B,YAAY,CAAC,IAAI,CAAC;EACrC;AACJ;AACA,MAAMS,GAAG,CAAC;EACNjjC,WAAWA,CAACyC,IAAI,EAAEqgC,cAAc,GAAG,CAAC,CAAC,EAAE34B,QAAQ,GAAG,EAAE,EAAE;IAClD,IAAI,CAAC1H,IAAI,GAAGA,IAAI;IAChB,IAAI,CAAC0H,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAAChK,KAAK,GAAG,CAAC,CAAC;IACf0G,MAAM,CAAC2D,IAAI,CAACs4B,cAAc,CAAC,CAACjgC,OAAO,CAAE6H,CAAC,IAAK;MACvC,IAAI,CAACvK,KAAK,CAACuK,CAAC,CAAC,GAAGq4B,SAAS,CAACD,cAAc,CAACp4B,CAAC,CAAC,CAAC;IAChD,CAAC,CAAC;EACN;EACAf,KAAKA,CAACJ,OAAO,EAAE;IACX,OAAOA,OAAO,CAAC24B,QAAQ,CAAC,IAAI,CAAC;EACjC;AACJ;AACA,MAAMgB,MAAM,CAAC;EACTljC,WAAWA,CAACmjC,cAAc,EAAE;IACxB,IAAI,CAACzgC,KAAK,GAAGqgC,SAAS,CAACI,cAAc,CAAC;EAC1C;EACAx5B,KAAKA,CAACJ,OAAO,EAAE;IACX,OAAOA,OAAO,CAACO,SAAS,CAAC,IAAI,CAAC;EAClC;AACJ;AACA,MAAMs5B,EAAE,SAASF,MAAM,CAAC;EACpBljC,WAAWA,CAACqjC,EAAE,GAAG,CAAC,EAAE;IAChB,KAAK,CAAC,KAAK,IAAIrU,KAAK,CAACqU,EAAE,GAAG,CAAC,CAAC,CAAC9gC,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC;EAC7C;AACJ;AACA,MAAM+gC,cAAc,GAAG,CACnB,CAAC,IAAI,EAAE,OAAO,CAAC,EACf,CAAC,IAAI,EAAE,QAAQ,CAAC,EAChB,CAAC,IAAI,EAAE,QAAQ,CAAC,EAChB,CAAC,IAAI,EAAE,MAAM,CAAC,EACd,CAAC,IAAI,EAAE,MAAM,CAAC,CACjB;AACD;AACA,SAASP,SAASA,CAACh5B,IAAI,EAAE;EACrB,OAAOu5B,cAAc,CAACv2B,MAAM,CAAC,CAAChD,IAAI,EAAEwS,KAAK,KAAKxS,IAAI,CAAC5H,OAAO,CAACoa,KAAK,CAAC,CAAC,CAAC,EAAEA,KAAK,CAAC,CAAC,CAAC,CAAC,EAAExS,IAAI,CAAC;AACzF;AAEA,MAAMw5B,aAAa,GAAG,eAAe;AACrC,MAAMC,YAAY,GAAG,KAAK;AAC1B,MAAMC,kBAAkB,GAAG,IAAI;AAC/B,MAAMC,YAAY,GAAG,IAAI;AACzB,MAAMC,aAAa,GAAG,QAAQ;AAC9B,MAAMC,QAAQ,GAAG;AACjB;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,wBAAwB;AACxB,MAAMC,GAAG,SAAS1C,UAAU,CAAC;EACzB2C,KAAKA,CAACC,QAAQ,EAAEC,MAAM,EAAE;IACpB,MAAMC,cAAc,GAAG,IAAIC,cAAc,CAAC,CAAC;IAC3C,MAAM36B,OAAO,GAAG,IAAI46B,UAAU,CAAC,CAAC;IAChC,IAAIC,QAAQ,GAAG,IAAInB,GAAG,CAACM,aAAa,CAAC;IACrCQ,QAAQ,CAAClhC,OAAO,CAACiG,OAAO,IAAI;MACxB,MAAM3I,KAAK,GAAG;QAAE4I,EAAE,EAAED,OAAO,CAACC;MAAG,CAAC;MAChC,IAAID,OAAO,CAACqQ,WAAW,EAAE;QACrBhZ,KAAK,CAAC,MAAM,CAAC,GAAG2I,OAAO,CAACqQ,WAAW;MACvC;MACA,IAAIrQ,OAAO,CAACM,OAAO,EAAE;QACjBjJ,KAAK,CAAC,SAAS,CAAC,GAAG2I,OAAO,CAACM,OAAO;MACtC;MACA,IAAIi7B,UAAU,GAAG,EAAE;MACnBv7B,OAAO,CAAC2oB,OAAO,CAAC5uB,OAAO,CAAEoyB,MAAM,IAAK;QAChCoP,UAAU,CAACzjC,IAAI,CAAC,IAAIqiC,GAAG,CAACU,aAAa,EAAE,CAAC,CAAC,EAAE,CAAC,IAAIT,MAAM,CAAC,GAAGjO,MAAM,CAACiL,QAAQ,IAAIjL,MAAM,CAACkL,SAAS,GAAGlL,MAAM,CAACoL,OAAO,KAAKpL,MAAM,CAACkL,SAAS,GAAG,GAAG,GAAGlL,MAAM,CAACoL,OAAO,GAAG,EAAE,EAAE,CAAC,CAAC,CAAC,CAAC;MACzK,CAAC,CAAC;MACF+D,QAAQ,CAACj6B,QAAQ,CAACvJ,IAAI,CAAC,IAAIwiC,EAAE,CAAC,CAAC,CAAC,EAAE,IAAIH,GAAG,CAACO,YAAY,EAAErjC,KAAK,EAAE,CAAC,GAAGkkC,UAAU,EAAE,GAAG96B,OAAO,CAACq5B,SAAS,CAAC95B,OAAO,CAACK,KAAK,CAAC,CAAC,CAAC,CAAC;IACzH,CAAC,CAAC;IACFi7B,QAAQ,CAACj6B,QAAQ,CAACvJ,IAAI,CAAC,IAAIwiC,EAAE,CAAC,CAAC,CAAC;IAChC,OAAOR,SAAS,CAAC,CACb,IAAIC,WAAW,CAAC;MAAEyB,OAAO,EAAE,KAAK;MAAEC,QAAQ,EAAE;IAAQ,CAAC,CAAC,EACtD,IAAInB,EAAE,CAAC,CAAC,EACR,IAAIJ,OAAO,CAACO,aAAa,EAAEK,QAAQ,CAAC,EACpC,IAAIR,EAAE,CAAC,CAAC,EACRa,cAAc,CAACO,kBAAkB,CAACJ,QAAQ,CAAC,EAC3C,IAAIhB,EAAE,CAAC,CAAC,CACX,CAAC;EACN;EACAqB,IAAIA,CAAC1T,OAAO,EAAEnW,GAAG,EAAE;IACf,MAAM,IAAIzZ,KAAK,CAAC,aAAa,CAAC;EAClC;EACAujC,MAAMA,CAAC57B,OAAO,EAAE;IACZ,OAAO47B,MAAM,CAAC57B,OAAO,CAAC;EAC1B;EACAs4B,gBAAgBA,CAACt4B,OAAO,EAAE;IACtB,OAAO,IAAIu4B,uBAAuB,CAACv4B,OAAO,EAAE44B,YAAY,CAAC;EAC7D;AACJ;AACA,MAAMyC,UAAU,CAAC;EACbr6B,SAASA,CAACC,IAAI,EAAEC,OAAO,EAAE;IACrB,OAAO,CAAC,IAAIk5B,MAAM,CAACn5B,IAAI,CAACrH,KAAK,CAAC,CAAC;EACnC;EACAuH,cAAcA,CAACC,SAAS,EAAEF,OAAO,EAAE;IAC/B,MAAMb,KAAK,GAAG,EAAE;IAChBe,SAAS,CAACC,QAAQ,CAACtH,OAAO,CAAE0T,IAAI,IAAKpN,KAAK,CAACvI,IAAI,CAAC,GAAG2V,IAAI,CAAC5M,KAAK,CAAC,IAAI,CAAC,CAAC,CAAC;IACrE,OAAOR,KAAK;EAChB;EACAkB,QAAQA,CAACC,GAAG,EAAEN,OAAO,EAAE;IACnB,MAAMb,KAAK,GAAG,CAAC,IAAI+5B,MAAM,CAAC,IAAI54B,GAAG,CAACo2B,qBAAqB,KAAKp2B,GAAG,CAACM,IAAI,IAAI,CAAC,CAAC;IAC1E/D,MAAM,CAAC2D,IAAI,CAACF,GAAG,CAACG,KAAK,CAAC,CAAC5H,OAAO,CAAEoJ,CAAC,IAAK;MAClC9C,KAAK,CAACvI,IAAI,CAAC,IAAIsiC,MAAM,CAAC,GAAGj3B,CAAC,IAAI,CAAC,EAAE,GAAG3B,GAAG,CAACG,KAAK,CAACwB,CAAC,CAAC,CAACtC,KAAK,CAAC,IAAI,CAAC,EAAE,IAAIu5B,MAAM,CAAC,IAAI,CAAC,CAAC;IACnF,CAAC,CAAC;IACF/5B,KAAK,CAACvI,IAAI,CAAC,IAAIsiC,MAAM,CAAC,GAAG,CAAC,CAAC;IAC3B,OAAO/5B,KAAK;EAChB;EACA0B,mBAAmBA,CAACC,EAAE,EAAEd,OAAO,EAAE;IAC7B,MAAM26B,cAAc,GAAG,IAAIzB,MAAM,CAAC,IAAIp4B,EAAE,CAAC1J,GAAG,GAAG,CAAC;IAChD,MAAMwjC,OAAO,GAAG,IAAI3B,GAAG,CAACS,YAAY,EAAE,CAAC,CAAC,EAAE,CAACiB,cAAc,CAAC,CAAC;IAC3D;IACA,MAAME,UAAU,GAAG,IAAI5B,GAAG,CAACQ,kBAAkB,EAAE;MAAEhhC,IAAI,EAAEqI,EAAE,CAACE;IAAU,CAAC,EAAE,CAAC45B,OAAO,EAAED,cAAc,CAAC,CAAC;IACjG,IAAI75B,EAAE,CAACC,MAAM,EAAE;MACX;MACA,OAAO,CAAC85B,UAAU,CAAC;IACvB;IACA,MAAMC,cAAc,GAAG,IAAI5B,MAAM,CAAC,KAAKp4B,EAAE,CAAC1J,GAAG,GAAG,CAAC;IACjD,MAAM2jC,OAAO,GAAG,IAAI9B,GAAG,CAACS,YAAY,EAAE,CAAC,CAAC,EAAE,CAACoB,cAAc,CAAC,CAAC;IAC3D;IACA,MAAME,UAAU,GAAG,IAAI/B,GAAG,CAACQ,kBAAkB,EAAE;MAAEhhC,IAAI,EAAEqI,EAAE,CAACG;IAAU,CAAC,EAAE,CAAC85B,OAAO,EAAED,cAAc,CAAC,CAAC;IACjG,OAAO,CAACD,UAAU,EAAE,GAAG,IAAI,CAACjC,SAAS,CAAC93B,EAAE,CAACX,QAAQ,CAAC,EAAE66B,UAAU,CAAC;EACnE;EACA95B,gBAAgBA,CAACJ,EAAE,EAAEd,OAAO,EAAE;IAC1B,MAAMi7B,mBAAmB,GAAG,IAAI/B,MAAM,CAAC,KAAKp4B,EAAE,CAACpI,KAAK,IAAI,CAAC;IACzD;IACA,MAAMwiC,KAAK,GAAG,IAAIjC,GAAG,CAACS,YAAY,EAAE,CAAC,CAAC,EAAE,CAACuB,mBAAmB,CAAC,CAAC;IAC9D,OAAO;IACH;IACA,IAAIhC,GAAG,CAACQ,kBAAkB,EAAE;MAAEhhC,IAAI,EAAEqI,EAAE,CAACrI;IAAK,CAAC,EAAE,CAACyiC,KAAK,EAAED,mBAAmB,CAAC,CAAC,CAC/E;EACL;EACA95B,mBAAmBA,CAACL,EAAE,EAAEd,OAAO,EAAE;IAC7B,MAAMm7B,aAAa,GAAGr6B,EAAE,CAACpI,KAAK,CAACiI,UAAU;IACzC,MAAMy6B,OAAO,GAAGt6B,EAAE,CAACpI,KAAK,CAACkI,IAAI;IAC7B,MAAMy6B,QAAQ,GAAGx+B,MAAM,CAAC2D,IAAI,CAACM,EAAE,CAACpI,KAAK,CAAC+H,KAAK,CAAC,CAAC3F,GAAG,CAAEpC,KAAK,IAAKA,KAAK,GAAG,QAAQ,CAAC,CAACH,IAAI,CAAC,GAAG,CAAC;IACvF,MAAM+iC,SAAS,GAAG,IAAIpC,MAAM,CAAC,IAAIiC,aAAa,KAAKC,OAAO,KAAKC,QAAQ,GAAG,CAAC;IAC3E,MAAMH,KAAK,GAAG,IAAIjC,GAAG,CAACS,YAAY,EAAE,CAAC,CAAC,EAAE,CAAC4B,SAAS,CAAC,CAAC;IACpD,OAAO;IACH;IACA,IAAIrC,GAAG,CAACQ,kBAAkB,EAAE;MAAEhhC,IAAI,EAAEqI,EAAE,CAACrI;IAAK,CAAC,EAAE,CAACyiC,KAAK,EAAEI,SAAS,CAAC,CAAC,CACrE;EACL;EACA1C,SAASA,CAACz5B,KAAK,EAAE;IACb,OAAO,EAAE,CAAC3G,MAAM,CAAC,GAAG2G,KAAK,CAACrE,GAAG,CAACyR,IAAI,IAAIA,IAAI,CAAC5M,KAAK,CAAC,IAAI,CAAC,CAAC,CAAC;EAC5D;AACJ;AACA,SAAS+6B,MAAMA,CAAC57B,OAAO,EAAE;EACrB,OAAOO,aAAa,CAACP,OAAO,CAAC;AACjC;AACA;AACA,MAAMo7B,cAAc,CAAC;EACjBM,kBAAkBA,CAACjuB,IAAI,EAAE;IACrBA,IAAI,CAAC5M,KAAK,CAAC,IAAI,CAAC;IAChB,OAAO4M,IAAI;EACf;EACA2rB,QAAQA,CAAC9gC,GAAG,EAAE;IACV,IAAIA,GAAG,CAACqB,IAAI,KAAKghC,kBAAkB,EAAE;MACjC,IAAI,CAACriC,GAAG,CAAC+I,QAAQ,IAAI/I,GAAG,CAAC+I,QAAQ,CAACxJ,MAAM,IAAI,CAAC,EAAE;QAC3C,MAAM4kC,MAAM,GAAG,IAAIrC,MAAM,CAAC9hC,GAAG,CAACjB,KAAK,CAAC,MAAM,CAAC,IAAI,KAAK,CAAC;QACrDiB,GAAG,CAAC+I,QAAQ,GAAG,CAAC,IAAI84B,GAAG,CAACS,YAAY,EAAE,CAAC,CAAC,EAAE,CAAC6B,MAAM,CAAC,CAAC,CAAC;MACxD;IACJ,CAAC,MACI,IAAInkC,GAAG,CAAC+I,QAAQ,EAAE;MACnB/I,GAAG,CAAC+I,QAAQ,CAACtH,OAAO,CAAC0T,IAAI,IAAIA,IAAI,CAAC5M,KAAK,CAAC,IAAI,CAAC,CAAC;IAClD;EACJ;EACAG,SAASA,CAACC,IAAI,EAAE,CAAE;EAClBu4B,gBAAgBA,CAACC,IAAI,EAAE,CAAE;EACzBC,YAAYA,CAACC,OAAO,EAAE,CAAE;AAC5B;AACA;AACA,SAASf,YAAYA,CAACC,YAAY,EAAE;EAChC,OAAOA,YAAY,CAAChU,WAAW,CAAC,CAAC,CAACxrB,OAAO,CAAC,aAAa,EAAE,GAAG,CAAC;AACjE;;AAEA;AACA,MAAMqjC,8BAA8B,GAAG,MAAM;AAC7C;AACA;AACA;AACA;AACA;AACA,MAAMC,sBAAsB,GAAG,OAAO;AACtC;AACA,MAAMC,SAAS,GAAG,MAAM;AACxB,MAAMC,gBAAgB,GAAG,OAAO;AAChC;AACA,MAAMC,mBAAmB,GAAG,MAAM;AAClC;AACA,MAAMC,uBAAuB,GAAG,WAAW;AAC3C;AACA,MAAMC,uBAAuB,GAAG,GAAG;AACnC,SAASC,eAAeA,CAACtjC,IAAI,EAAE;EAC3B,OAAOA,IAAI,KAAKijC,SAAS,IAAIjjC,IAAI,CAACujC,UAAU,CAACL,gBAAgB,CAAC;AAClE;AACA,SAASM,cAAcA,CAACxN,IAAI,EAAE;EAC1B,OAAOA,IAAI,YAAYsH,OAAO;AAClC;AACA,SAASmG,eAAeA,CAACzN,IAAI,EAAE;EAC3B,OAAOwN,cAAc,CAACxN,IAAI,CAAC,IAAIA,IAAI,CAACtvB,KAAK,CAACxI,MAAM,KAAK,CAAC,IAAI83B,IAAI,CAACtvB,KAAK,CAAC,CAAC,CAAC,YAAYs3B,GAAG;AAC1F;AACA,SAAS0F,WAAWA,CAAC5vB,IAAI,EAAE;EACvB,OAAO,CAAC,CAACA,IAAI,CAACwS,IAAI;AACtB;AACA,SAASqd,YAAYA,CAACnmC,OAAO,EAAE;EAC3B,OAAOA,OAAO,CAACE,KAAK,CAACkmC,IAAI,CAAEzkC,IAAI,IAAKmkC,eAAe,CAACnkC,IAAI,CAACa,IAAI,CAAC,CAAC;AACnE;AACA,SAAS6jC,kBAAkBA,CAACx9B,OAAO,EAAE;EACjC,OAAOA,OAAO,CAACK,KAAK,CAAC,CAAC,CAAC;AAC3B;AACA,SAASo9B,mBAAmBA,CAACxV,OAAO,EAAEyV,SAAS,GAAG,CAAC,EAAE;EACjD,MAAMC,OAAO,GAAGD,SAAS,GAAG,CAAC,GAAG,IAAIA,SAAS,EAAE,GAAG,EAAE;EACpD,OAAO,GAAGV,uBAAuB,GAAG/U,OAAO,GAAG0V,OAAO,GAAGX,uBAAuB,EAAE;AACrF;AACA,SAASY,uBAAuBA,CAACC,OAAO,EAAEC,iBAAiB,GAAG,CAAC,EAAEJ,SAAS,GAAG,CAAC,EAAE;EAC5E,IAAI,CAACG,OAAO,CAAChmC,MAAM,EACf,OAAO,EAAE;EACb,IAAIkmC,GAAG,GAAG,EAAE;EACZ,MAAMC,OAAO,GAAGH,OAAO,CAAChmC,MAAM,GAAG,CAAC;EAClC,KAAK,IAAIoB,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG+kC,OAAO,EAAE/kC,CAAC,EAAE,EAAE;IAC9B8kC,GAAG,IAAI,GAAGF,OAAO,CAAC5kC,CAAC,CAAC,GAAGwkC,mBAAmB,CAACK,iBAAiB,GAAG7kC,CAAC,EAAEykC,SAAS,CAAC,EAAE;EAClF;EACAK,GAAG,IAAIF,OAAO,CAACG,OAAO,CAAC;EACvB,OAAOD,GAAG;AACd;AACA,SAASE,qBAAqBA,CAACC,QAAQ,GAAG,CAAC,EAAE;EACzC,IAAIjmC,OAAO,GAAGimC,QAAQ;EACtB,OAAO,MAAMjmC,OAAO,EAAE;AAC1B;AACA,SAASkmC,oBAAoBA,CAACzH,YAAY,EAAE;EACxC,MAAM5sB,MAAM,GAAG,CAAC,CAAC;EACjB4sB,YAAY,CAAC38B,OAAO,CAAC,CAACgc,MAAM,EAAEpM,GAAG,KAAK;IAClCG,MAAM,CAACH,GAAG,CAAC,GAAG6M,OAAO,CAACT,MAAM,CAACle,MAAM,GAAG,CAAC,GAAG,IAAIke,MAAM,CAACtc,IAAI,CAAC,GAAG,CAAC,GAAG,GAAGsc,MAAM,CAAC,CAAC,CAAC,CAAC;EAClF,CAAC,CAAC;EACF,OAAOjM,MAAM;AACjB;AACA,SAASs0B,oBAAoBA,CAACpiC,GAAG,EAAErC,IAAI,EAAE,GAAGoc,MAAM,EAAE;EAChD,MAAM9d,OAAO,GAAG+D,GAAG,CAACJ,GAAG,CAACjC,IAAI,CAAC,IAAI,EAAE;EACnC1B,OAAO,CAACH,IAAI,CAAC,GAAGie,MAAM,CAAC;EACvB/Z,GAAG,CAACH,GAAG,CAAClC,IAAI,EAAE1B,OAAO,CAAC;AAC1B;AACA,SAASomC,6BAA6BA,CAAC1O,IAAI,EAAEmO,iBAAiB,GAAG,CAAC,EAAEJ,SAAS,GAAG,CAAC,EAAE;EAC/E,MAAMY,QAAQ,GAAGR,iBAAiB;EAClC,MAAMpH,YAAY,GAAG,IAAIt8B,GAAG,CAAC,CAAC;EAC9B,MAAMqT,IAAI,GAAGkiB,IAAI,YAAYsH,OAAO,GAAGtH,IAAI,CAACtvB,KAAK,CAACk+B,IAAI,CAAC9wB,IAAI,IAAIA,IAAI,YAAYiqB,SAAS,CAAC,GAAG/H,IAAI;EAChG,IAAIliB,IAAI,EAAE;IACNA,IAAI,CACCpM,QAAQ,CACRiY,MAAM,CAAEhY,KAAK,IAAKA,KAAK,YAAYw2B,WAAW,CAAC,CAC/C/9B,OAAO,CAAC,CAACuH,KAAK,EAAEk9B,GAAG,KAAK;MACzB,MAAMvW,OAAO,GAAGwV,mBAAmB,CAACa,QAAQ,GAAGE,GAAG,EAAEd,SAAS,CAAC;MAC9DU,oBAAoB,CAAC1H,YAAY,EAAEp1B,KAAK,CAAC3H,IAAI,EAAEsuB,OAAO,CAAC;IAC3D,CAAC,CAAC;EACN;EACA,OAAOyO,YAAY;AACvB;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAAS+H,+BAA+BA,CAAC30B,MAAM,GAAG,CAAC,CAAC,EAAE40B,YAAY,EAAE;EAChE,MAAMC,OAAO,GAAG,CAAC,CAAC;EAClB,IAAI70B,MAAM,IAAI/L,MAAM,CAAC2D,IAAI,CAACoI,MAAM,CAAC,CAACjS,MAAM,EAAE;IACtCkG,MAAM,CAAC2D,IAAI,CAACoI,MAAM,CAAC,CAAC/P,OAAO,CAAC4P,GAAG,IAAIg1B,OAAO,CAACC,yBAAyB,CAACj1B,GAAG,EAAE+0B,YAAY,CAAC,CAAC,GAAG50B,MAAM,CAACH,GAAG,CAAC,CAAC;EAC3G;EACA,OAAOg1B,OAAO;AAClB;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASC,yBAAyBA,CAACjlC,IAAI,EAAE+kC,YAAY,GAAG,IAAI,EAAE;EAC1D,MAAM1F,UAAU,GAAGJ,YAAY,CAACj/B,IAAI,CAAC;EACrC,IAAI,CAAC+kC,YAAY,EAAE;IACf,OAAO1F,UAAU;EACrB;EACA,MAAM6F,MAAM,GAAG7F,UAAU,CAACtS,KAAK,CAAC,GAAG,CAAC;EACpC,IAAImY,MAAM,CAAChnC,MAAM,KAAK,CAAC,EAAE;IACrB;IACA,OAAO8B,IAAI,CAACE,WAAW,CAAC,CAAC;EAC7B;EACA,IAAIilC,OAAO;EACX;EACA,IAAI,OAAO,CAACjR,IAAI,CAACgR,MAAM,CAACA,MAAM,CAAChnC,MAAM,GAAG,CAAC,CAAC,CAAC,EAAE;IACzCinC,OAAO,GAAGD,MAAM,CAAC1T,GAAG,CAAC,CAAC;EAC1B;EACA,IAAI9Z,GAAG,GAAGwtB,MAAM,CAACE,KAAK,CAAC,CAAC,CAACllC,WAAW,CAAC,CAAC;EACtC,IAAIglC,MAAM,CAAChnC,MAAM,EAAE;IACfwZ,GAAG,IAAIwtB,MAAM,CAAC7iC,GAAG,CAACmH,CAAC,IAAIA,CAAC,CAAChK,MAAM,CAAC,CAAC,CAAC,CAAC0rB,WAAW,CAAC,CAAC,GAAG1hB,CAAC,CAAC1K,KAAK,CAAC,CAAC,CAAC,CAACoB,WAAW,CAAC,CAAC,CAAC,CAACJ,IAAI,CAAC,EAAE,CAAC;EACzF;EACA,OAAOqlC,OAAO,GAAG,GAAGztB,GAAG,IAAIytB,OAAO,EAAE,GAAGztB,GAAG;AAC9C;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAAS2tB,yBAAyBA,CAACC,KAAK,EAAE;EACtC,OAAO,GAAGvC,8BAA8B,GAAGuC,KAAK,EAAE,CAACpa,WAAW,CAAC,CAAC;AACpE;AACA;AACA;AACA;AACA;AACA,SAASqa,mBAAmBA,CAAC3pB,QAAQ,EAAE;EACnC,OAAO,IAAI1H,cAAc,CAAC0H,QAAQ,CAAC5b,IAAI,EAAE6rB,SAAS,EAAEtd,aAAa,EAAEsd,SAAS,EAAEjQ,QAAQ,CAAC/L,UAAU,CAAC;AACtG;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAM21B,6BAA6B,GAAG,MAAM;AAC5C;AACA,MAAMC,cAAc,GAAG,IAAI;AAC3B;AACA,MAAMC,YAAY,GAAG,KAAK;AAC1B;AACA,MAAMC,YAAY,GAAG,IAAI;AACzB;AACA,MAAMC,gBAAgB,GAAG,IAAI;AAC7B;AACA,MAAMC,kBAAkB,GAAG,WAAW;AACtC;AACA,MAAMC,iBAAiB,GAAG,eAAe;AACzC;AACA,MAAMC,0BAA0B,GAAG,aAAa;AAChD;AACA;AACA;AACA;AACA;AACA,MAAMC,gBAAgB,GAAG,GAAG;AAC5B;AACA,MAAMC,sBAAsB,GAAG,IAAIC,GAAG,CAAC,CACnChmB,WAAW,CAAC1iB,OAAO,EACnB0iB,WAAW,CAACO,YAAY,EACxBP,WAAW,CAACQ,UAAU,EACtBR,WAAW,CAACwB,gBAAgB,EAC5BxB,WAAW,CAACsB,qBAAqB,EACjCtB,WAAW,CAACuB,mBAAmB,EAC/BvB,WAAW,CAACsG,OAAO,EACnBtG,WAAW,CAACiK,QAAQ,EACpBjK,WAAW,CAACqB,SAAS,EACrBrB,WAAW,CAACW,qBAAqB,EACjCX,WAAW,CAACwF,YAAY,EACxBxF,WAAW,CAACU,qBAAqB,EACjCV,WAAW,CAACyF,QAAQ,EACpBzF,WAAW,CAAC2F,oBAAoB,EAChC3F,WAAW,CAAC4F,oBAAoB,EAChC5F,WAAW,CAAC6F,oBAAoB,EAChC7F,WAAW,CAAC8F,oBAAoB,EAChC9F,WAAW,CAAC+F,oBAAoB,EAChC/F,WAAW,CAACgG,oBAAoB,EAChChG,WAAW,CAACiG,oBAAoB,EAChCjG,WAAW,CAACkG,oBAAoB,EAChClG,WAAW,CAACmG,oBAAoB,EAChCnG,WAAW,CAACjhB,SAAS,EACrBihB,WAAW,CAACY,qBAAqB,EACjCZ,WAAW,CAACa,qBAAqB,EACjCb,WAAW,CAACc,qBAAqB,EACjCd,WAAW,CAACe,qBAAqB,EACjCf,WAAW,CAACgB,qBAAqB,EACjChB,WAAW,CAACiB,qBAAqB,EACjCjB,WAAW,CAACkB,qBAAqB,EACjClB,WAAW,CAACmB,qBAAqB,EACjCnB,WAAW,CAACoB,qBAAqB,EACjCpB,WAAW,CAAC6C,SAAS,EACrB7C,WAAW,CAAC8C,qBAAqB,EACjC9C,WAAW,CAAC+C,qBAAqB,EACjC/C,WAAW,CAACgD,qBAAqB,EACjChD,WAAW,CAACiD,qBAAqB,EACjCjD,WAAW,CAACkD,qBAAqB,EACjClD,WAAW,CAACmD,qBAAqB,EACjCnD,WAAW,CAACoD,qBAAqB,EACjCpD,WAAW,CAACqD,qBAAqB,EACjCrD,WAAW,CAACsD,qBAAqB,EACjCtD,WAAW,CAAC8D,eAAe,EAC3B9D,WAAW,CAAC+D,gBAAgB,EAC5B/D,WAAW,CAACgE,gBAAgB,EAC5BhE,WAAW,CAACiE,gBAAgB,EAC5BjE,WAAW,CAACkE,gBAAgB,EAC5BlE,WAAW,CAACmE,gBAAgB,EAC5BnE,WAAW,CAACoE,gBAAgB,EAC5BpE,WAAW,CAACqE,gBAAgB,EAC5BrE,WAAW,CAACsE,gBAAgB,EAC5BtE,WAAW,CAACuE,gBAAgB,CAC/B,CAAC;AACF;AACA,SAAS0hB,iBAAiBA,CAAC5T,IAAI,EAAEvL,SAAS,EAAE7W,MAAM,EAAE;EAChD,OAAO0L,UAAU,CAACmL,SAAS,EAAE,IAAI,EAAEuL,IAAI,CAAC,CAACriB,MAAM,CAACC,MAAM,EAAEoiB,IAAI,CAAC;AACjE;AACA;AACA;AACA;AACA;AACA;AACA,SAAS6T,kBAAkBA,CAAC1tB,UAAU,EAAE1Y,IAAI,EAAE;EAC1C,IAAIqK,IAAI,GAAG,IAAI;EACf,OAAO,MAAM;IACT,IAAI,CAACA,IAAI,EAAE;MACPqO,UAAU,CAACva,IAAI,CAAC,IAAI+V,cAAc,CAACuxB,cAAc,EAAE5Z,SAAS,EAAExd,YAAY,CAAC,CAAC;MAC5EhE,IAAI,GAAGuR,QAAQ,CAAC5b,IAAI,CAAC;IACzB;IACA,OAAOqK,IAAI;EACf,CAAC;AACL;AACA,SAASg8B,OAAOA,CAACvxB,GAAG,EAAE;EAClB,MAAM,IAAIpW,KAAK,CAAC,0BAA0B,IAAI,CAACnB,WAAW,CAACyC,IAAI,mBAAmB8U,GAAG,CAACvX,WAAW,CAACyC,IAAI,EAAE,CAAC;AAC7G;AACA,SAASsmC,SAASA,CAACrmC,KAAK,EAAE;EACtB,IAAIssB,KAAK,CAACC,OAAO,CAACvsB,KAAK,CAAC,EAAE;IACtB,OAAOkc,UAAU,CAAClc,KAAK,CAACoC,GAAG,CAACikC,SAAS,CAAC,CAAC;EAC3C;EACA,OAAOzpB,OAAO,CAAC5c,KAAK,EAAEsO,aAAa,CAAC;AACxC;AACA,SAASg4B,0CAA0CA,CAAClkC,GAAG,EAAEmkC,YAAY,EAAE;EACnE,MAAMz+B,IAAI,GAAG3D,MAAM,CAACqiC,mBAAmB,CAACpkC,GAAG,CAAC;EAC5C,IAAI0F,IAAI,CAAC7J,MAAM,KAAK,CAAC,EAAE;IACnB,OAAO,IAAI;EACf;EACA,OAAOme,UAAU,CAACtU,IAAI,CAAC1F,GAAG,CAAC2N,GAAG,IAAI;IAC9B,MAAM/P,KAAK,GAAGoC,GAAG,CAAC2N,GAAG,CAAC;IACtB,IAAI02B,YAAY;IAChB,IAAIrH,UAAU;IACd,IAAIsH,YAAY;IAChB,IAAIC,eAAe;IACnB,IAAI,OAAO3mC,KAAK,KAAK,QAAQ,EAAE;MAC3B;MACAymC,YAAY,GAAG12B,GAAG;MAClB22B,YAAY,GAAG32B,GAAG;MAClBqvB,UAAU,GAAGp/B,KAAK;MAClB2mC,eAAe,GAAGN,SAAS,CAACjH,UAAU,CAAC;IAC3C,CAAC,MACI;MACDsH,YAAY,GAAG32B,GAAG;MAClB02B,YAAY,GAAGzmC,KAAK,CAAC4mC,iBAAiB;MACtCxH,UAAU,GAAGp/B,KAAK,CAAC6mC,mBAAmB;MACtC,IAAIN,YAAY,KAAKnH,UAAU,KAAKqH,YAAY,IAAIzmC,KAAK,CAAC8mC,iBAAiB,IAAI,IAAI,CAAC,EAAE;QAClF,MAAMC,cAAc,GAAG,CAACV,SAAS,CAACjH,UAAU,CAAC,EAAEiH,SAAS,CAACI,YAAY,CAAC,CAAC;QACvE,IAAIzmC,KAAK,CAAC8mC,iBAAiB,IAAI,IAAI,EAAE;UACjCC,cAAc,CAAC7oC,IAAI,CAAC8B,KAAK,CAAC8mC,iBAAiB,CAAC;QAChD;QACAH,eAAe,GAAGzqB,UAAU,CAAC6qB,cAAc,CAAC;MAChD,CAAC,MACI;QACDJ,eAAe,GAAGN,SAAS,CAACjH,UAAU,CAAC;MAC3C;IACJ;IACA,OAAO;MACHrvB,GAAG,EAAE22B,YAAY;MACjB;MACAjtB,MAAM,EAAE8rB,6BAA6B,CAACtR,IAAI,CAACyS,YAAY,CAAC;MACxD1mC,KAAK,EAAE2mC;IACX,CAAC;EACL,CAAC,CAAC,CAAC;AACP;AACA;AACA;AACA;AACA,SAASK,iBAAiBA,CAACpnB,UAAU,EAAE;EACnC,OAAO7C,MAAM,CAAC6C,UAAU,CAACA,UAAU,CAAC3hB,MAAM,GAAG,CAAC,CAAC,CAAC,EAAE;IAC9C2hB,UAAU,CAAC2R,GAAG,CAAC,CAAC;EACpB;EACA,OAAO3R,UAAU;AACrB;AACA,SAASqnB,iBAAiBA,CAACC,KAAK,EAAEC,YAAY,EAAE;EAC5C,IAAI7a,KAAK,CAACC,OAAO,CAAC2a,KAAK,CAACE,SAAS,CAAC,EAAE;IAChC,IAAIA,SAAS,GAAG,EAAE;IAClBF,KAAK,CAACE,SAAS,CAACjnC,OAAO,CAAEvC,QAAQ,IAAK;MAClC;MACA;MACA;MACA,MAAMkF,SAAS,GAAGlF,QAAQ,CAACkvB,KAAK,CAAC,GAAG,CAAC,CAAC1qB,GAAG,CAACiqB,KAAK,IAAIzP,OAAO,CAACyP,KAAK,CAACZ,IAAI,CAAC,CAAC,CAAC,CAAC;MACzE2b,SAAS,CAAClpC,IAAI,CAAC,GAAG4E,SAAS,CAAC;IAChC,CAAC,CAAC;IACF,OAAOqkC,YAAY,CAAC9oB,eAAe,CAACnC,UAAU,CAACkrB,SAAS,CAAC,EAAE,IAAI,CAAC;EACpE,CAAC,MACI;IACD;IACA,QAAQF,KAAK,CAACE,SAAS,CAAC9f,UAAU;MAC9B,KAAK,CAAC,CAAC;MACP,KAAK,CAAC,CAAC;QACH,OAAO4f,KAAK,CAACE,SAAS,CAACn/B,UAAU;MACrC,KAAK,CAAC,CAAC;QACH,OAAO2T,UAAU,CAACqE,WAAW,CAACsH,iBAAiB,CAAC,CAACtX,MAAM,CAAC,CAACi3B,KAAK,CAACE,SAAS,CAACn/B,UAAU,CAAC,CAAC;IAC7F;EACJ;AACJ;AACA;AACA;AACA;AACA;AACA;AACA,MAAMo/B,aAAa,CAAC;EAChB/pC,WAAWA,CAAA,EAAG;IACV,IAAI,CAAC6e,MAAM,GAAG,EAAE;EACpB;EACAla,GAAGA,CAAC8N,GAAG,EAAE/P,KAAK,EAAE;IACZ,IAAIA,KAAK,EAAE;MACP,IAAI,CAACmc,MAAM,CAACje,IAAI,CAAC;QAAE6R,GAAG,EAAEA,GAAG;QAAE/P,KAAK;QAAEyZ,MAAM,EAAE;MAAM,CAAC,CAAC;IACxD;EACJ;EACA6tB,YAAYA,CAAA,EAAG;IACX,OAAOlrB,UAAU,CAAC,IAAI,CAACD,MAAM,CAAC;EAClC;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASorB,4BAA4BA,CAACC,OAAO,EAAE;EAC3C,MAAMC,aAAa,GAAG,CAAC,CAAC;EACxB,IAAID,OAAO,YAAYtL,QAAQ,IAAIsL,OAAO,CAACrqB,OAAO,KAAK,aAAa,EAAE;IAClEqqB,OAAO,CAACrL,aAAa,CAACh8B,OAAO,CAAC6G,CAAC,IAAIygC,aAAa,CAACzgC,CAAC,CAACjH,IAAI,CAAC,GAAG,EAAE,CAAC;EAClE,CAAC,MACI;IACDynC,OAAO,CAACpN,UAAU,CAACj6B,OAAO,CAAC6G,CAAC,IAAI;MAC5B,IAAI,CAACq8B,eAAe,CAACr8B,CAAC,CAACjH,IAAI,CAAC,EAAE;QAC1B0nC,aAAa,CAACzgC,CAAC,CAACjH,IAAI,CAAC,GAAGiH,CAAC,CAAChH,KAAK;MACnC;IACJ,CAAC,CAAC;IACFwnC,OAAO,CAACnN,MAAM,CAACl6B,OAAO,CAACd,CAAC,IAAI;MACxB,IAAIA,CAAC,CAAC6I,IAAI,KAAK,CAAC,CAAC,4BAA4B;QACzCu/B,aAAa,CAACpoC,CAAC,CAACU,IAAI,CAAC,GAAG,EAAE;MAC9B;IACJ,CAAC,CAAC;IACFynC,OAAO,CAAClN,OAAO,CAACn6B,OAAO,CAACunC,CAAC,IAAI;MACzBD,aAAa,CAACC,CAAC,CAAC3nC,IAAI,CAAC,GAAG,EAAE;IAC9B,CAAC,CAAC;EACN;EACA,OAAO0nC,aAAa;AACxB;AACA;AACA;AACA;AACA;AACA;AACA,SAASE,0BAA0BA,CAACC,aAAa,EAAE;EAC/C,MAAM;IAAE3yB,WAAW;IAAEgvB;EAAQ,CAAC,GAAG2D,aAAa;EAC9C,IAAI3yB,WAAW,CAAChX,MAAM,KAAK,CAAC,IAAIgmC,OAAO,CAAChmC,MAAM,KAAK,CAAC,IAAIgmC,OAAO,CAAC,CAAC,CAAC,KAAK,EAAE,IAAIA,OAAO,CAAC,CAAC,CAAC,KAAK,EAAE,EAAE;IAC5F;IACA;IACA;IACA,OAAO,CAAC;EACZ,CAAC,MACI;IACD,OAAOhvB,WAAW,CAAChX,MAAM,GAAGgmC,OAAO,CAAChmC,MAAM;EAC9C;AACJ;AACA;AACA;AACA;AACA;AACA,SAAS4pC,wBAAwBA,CAACC,YAAY,EAAE;EAC5C,MAAMrvB,UAAU,GAAG,EAAE;EACrB,IAAIsvB,iBAAiB,GAAG,IAAI;EAC5B,IAAIC,qBAAqB,GAAG,IAAI;EAChC,IAAIC,WAAW,GAAG,CAAC;EACnB,KAAK,MAAM5pC,OAAO,IAAIypC,YAAY,EAAE;IAChC,MAAMI,cAAc,GAAG,CAAC,OAAO7pC,OAAO,CAAC8pC,UAAU,KAAK,UAAU,GAAG9pC,OAAO,CAAC8pC,UAAU,CAAC,CAAC,GAAG9pC,OAAO,CAAC8pC,UAAU,KACxG,EAAE;IACN,MAAMj4B,MAAM,GAAGoc,KAAK,CAACC,OAAO,CAAC2b,cAAc,CAAC,GAAGA,cAAc,GAAG,CAACA,cAAc,CAAC;IAChF;IACA;IACA,IAAID,WAAW,GAAGlC,gBAAgB,IAAIiC,qBAAqB,KAAK3pC,OAAO,CAAC0oB,SAAS,IAC7Eif,sBAAsB,CAAC/mB,GAAG,CAAC+oB,qBAAqB,CAAC,EAAE;MACnD;MACAD,iBAAiB,GAAGA,iBAAiB,CAAC93B,MAAM,CAACC,MAAM,EAAE63B,iBAAiB,CAACn4B,UAAU,CAAC;MAClFq4B,WAAW,EAAE;IACjB,CAAC,MACI;MACD,IAAIF,iBAAiB,KAAK,IAAI,EAAE;QAC5BtvB,UAAU,CAACva,IAAI,CAAC6pC,iBAAiB,CAAC70B,MAAM,CAAC,CAAC,CAAC;MAC/C;MACA60B,iBAAiB,GAAG7B,iBAAiB,CAAC7nC,OAAO,CAACi0B,IAAI,EAAEj0B,OAAO,CAAC0oB,SAAS,EAAE7W,MAAM,CAAC;MAC9E83B,qBAAqB,GAAG3pC,OAAO,CAAC0oB,SAAS;MACzCkhB,WAAW,GAAG,CAAC;IACnB;EACJ;EACA;EACA;EACA,IAAIF,iBAAiB,KAAK,IAAI,EAAE;IAC5BtvB,UAAU,CAACva,IAAI,CAAC6pC,iBAAiB,CAAC70B,MAAM,CAAC,CAAC,CAAC;EAC/C;EACA,OAAOuF,UAAU;AACrB;AAEA,SAAS2vB,iBAAiBA,CAACrS,IAAI,EAAEsS,kBAAkB,EAAE;EACjD,IAAIlpC,MAAM,GAAG,IAAI;EACjB,MAAMmpC,WAAW,GAAG;IAChBvoC,IAAI,EAAEg2B,IAAI,CAACh2B,IAAI;IACfmI,IAAI,EAAE6tB,IAAI,CAAC7tB,IAAI;IACfwvB,iBAAiB,EAAE3B,IAAI,CAAC2B,iBAAiB;IACzCrB,IAAI,EAAE,EAAE;IACRE,MAAM,EAAEV,eAAe,CAACiD;EAC5B,CAAC;EACD,IAAI/C,IAAI,CAACwS,QAAQ,KAAK3c,SAAS,EAAE;IAC7B;IACA;IACA;IACA;IACA;IACA;IACA,MAAM4c,cAAc,GAAGzS,IAAI,CAACwS,QAAQ,CAACtgC,UAAU,CAACoH,YAAY,CAAC0mB,IAAI,CAAC7tB,IAAI,CAAClI,KAAK,CAAC;IAC7E,IAAIq2B,IAAI,GAAGzK,SAAS;IACpB,IAAImK,IAAI,CAACM,IAAI,KAAKzK,SAAS,EAAE;MACzByK,IAAI,GAAGN,IAAI,CAACM,IAAI;IACpB;IACA,IAAIA,IAAI,KAAKzK,SAAS,EAAE;MACpB;MACAzsB,MAAM,GAAG22B,sBAAsB,CAAC;QAC5B,GAAGwS,WAAW;QACdpR,QAAQ,EAAEnB,IAAI,CAACwS,QAAQ,CAACtgC,UAAU;QAClC6uB,YAAY,EAAET,IAAI;QAClBW,YAAY,EAAEpB,qBAAqB,CAACqB;MACxC,CAAC,CAAC;IACN,CAAC,MACI,IAAIuR,cAAc,EAAE;MACrBrpC,MAAM,GAAG22B,sBAAsB,CAACwS,WAAW,CAAC;IAChD,CAAC,MACI;MACDnpC,MAAM,GAAG;QACLsZ,UAAU,EAAE,EAAE;QACdxQ,UAAU,EAAEwgC,iBAAiB,CAAC1S,IAAI,CAAC7tB,IAAI,CAAClI,KAAK,EAAE+1B,IAAI,CAACwS,QAAQ,CAACtgC,UAAU,EAAEogC,kBAAkB;MAC/F,CAAC;IACL;EACJ,CAAC,MACI,IAAItS,IAAI,CAAC2S,UAAU,KAAK9c,SAAS,EAAE;IACpC,IAAImK,IAAI,CAACM,IAAI,KAAKzK,SAAS,EAAE;MACzBzsB,MAAM,GAAG22B,sBAAsB,CAAC;QAC5B,GAAGwS,WAAW;QACdpR,QAAQ,EAAEnB,IAAI,CAAC2S,UAAU;QACzB5R,YAAY,EAAEf,IAAI,CAACM,IAAI,IAAI,EAAE;QAC7BW,YAAY,EAAEpB,qBAAqB,CAACryB;MACxC,CAAC,CAAC;IACN,CAAC,MACI;MACDpE,MAAM,GAAG;QACLsZ,UAAU,EAAE,EAAE;QACdxQ,UAAU,EAAEyM,EAAE,CAAC,EAAE,EAAE,CAAC,IAAIsG,eAAe,CAAC+a,IAAI,CAAC2S,UAAU,CAACz4B,MAAM,CAAC,EAAE,CAAC,CAAC,CAAC;MACxE,CAAC;IACL;EACJ,CAAC,MACI,IAAI8lB,IAAI,CAAC4S,QAAQ,KAAK/c,SAAS,EAAE;IAClC;IACA;IACA;IACAzsB,MAAM,GAAG22B,sBAAsB,CAAC;MAC5B,GAAGwS,WAAW;MACdrgC,UAAU,EAAE8tB,IAAI,CAAC4S,QAAQ,CAAC1gC;IAC9B,CAAC,CAAC;EACN,CAAC,MACI,IAAI8tB,IAAI,CAAC6S,WAAW,KAAKhd,SAAS,EAAE;IACrC;IACAzsB,MAAM,GAAG22B,sBAAsB,CAAC;MAC5B,GAAGwS,WAAW;MACdrgC,UAAU,EAAE2T,UAAU,CAACqE,WAAW,CAAC+G,MAAM,CAAC,CAAC/W,MAAM,CAAC,CAAC8lB,IAAI,CAAC6S,WAAW,CAAC3gC,UAAU,CAAC;IACnF,CAAC,CAAC;EACN,CAAC,MACI;IACD9I,MAAM,GAAG;MACLsZ,UAAU,EAAE,EAAE;MACdxQ,UAAU,EAAEwgC,iBAAiB,CAAC1S,IAAI,CAAC7tB,IAAI,CAAClI,KAAK,EAAE+1B,IAAI,CAAC7tB,IAAI,CAAClI,KAAK,EAAEqoC,kBAAkB;IACtF,CAAC;EACL;EACA,MAAMhc,KAAK,GAAG0J,IAAI,CAAC7tB,IAAI,CAAClI,KAAK;EAC7B,MAAM6oC,eAAe,GAAG,IAAIxB,aAAa,CAAC,CAAC;EAC3CwB,eAAe,CAAC5mC,GAAG,CAAC,OAAO,EAAEoqB,KAAK,CAAC;EACnCwc,eAAe,CAAC5mC,GAAG,CAAC,SAAS,EAAE9C,MAAM,CAAC8I,UAAU,CAAC;EACjD;EACA,IAAI8tB,IAAI,CAAC+S,UAAU,CAAC7gC,UAAU,CAACjI,KAAK,KAAK,IAAI,EAAE;IAC3C6oC,eAAe,CAAC5mC,GAAG,CAAC,YAAY,EAAEyzB,oCAAoC,CAACK,IAAI,CAAC+S,UAAU,CAAC,CAAC;EAC5F;EACA,MAAM7gC,UAAU,GAAG2T,UAAU,CAACqE,WAAW,CAACuH,kBAAkB,CAAC,CACxDvX,MAAM,CAAC,CAAC44B,eAAe,CAACvB,YAAY,CAAC,CAAC,CAAC,EAAE1b,SAAS,EAAE,IAAI,CAAC;EAC9D,OAAO;IACH3jB,UAAU;IACVC,IAAI,EAAE6gC,oBAAoB,CAAChT,IAAI,CAAC;IAChCtd,UAAU,EAAEtZ,MAAM,CAACsZ;EACvB,CAAC;AACL;AACA,SAASswB,oBAAoBA,CAAChT,IAAI,EAAE;EAChC,OAAO,IAAItoB,cAAc,CAACmO,UAAU,CAACqE,WAAW,CAACyH,qBAAqB,EAAE,CAACwM,kBAAkB,CAAC6B,IAAI,CAAC7tB,IAAI,CAACA,IAAI,EAAE6tB,IAAI,CAAC2B,iBAAiB,CAAC,CAAC,CAAC,CAAC;AAC1I;AACA,SAAS+Q,iBAAiBA,CAACvgC,IAAI,EAAE8gC,OAAO,EAAEC,iBAAiB,EAAE;EACzD,IAAI/gC,IAAI,CAAC2L,IAAI,KAAKm1B,OAAO,CAACn1B,IAAI,EAAE;IAC5B;IACA;IACA;IACA;IACA,OAAOm1B,OAAO,CAACn5B,IAAI,CAAC,MAAM,CAAC;EAC/B;EACA,IAAI,CAACo5B,iBAAiB,EAAE;IACpB;IACA;IACA;IACA;IACA;IACA,OAAOC,qBAAqB,CAACF,OAAO,CAAC;EACzC;EACA;EACA;EACA;EACA;EACA;EACA,MAAMG,aAAa,GAAGvtB,UAAU,CAACqE,WAAW,CAACsH,iBAAiB,CAAC,CAACtX,MAAM,CAAC,CAAC+4B,OAAO,CAAC,CAAC;EACjF,OAAOE,qBAAqB,CAACC,aAAa,CAAC;AAC/C;AACA,SAASD,qBAAqBA,CAAChhC,IAAI,EAAE;EACjC,OAAOwM,EAAE,CAAC,CAAC,IAAI4D,OAAO,CAAC,GAAG,EAAElK,YAAY,CAAC,CAAC,EAAE,CAAC,IAAI4M,eAAe,CAAC9S,IAAI,CAAC2H,IAAI,CAAC,MAAM,CAAC,CAACI,MAAM,CAAC,CAAC0L,QAAQ,CAAC,GAAG,CAAC,CAAC,CAAC,CAAC,CAAC,CAAC;AACjH;AAEA,MAAMytB,8BAA8B,GAAG,CACnC,OAAO,EACP,MAAM,EACN,QAAQ,EACR,aAAa,EACb,OAAO,CAAE;AAAA,CACZ;AACD,SAASC,0BAA0BA,CAACC,UAAU,EAAEtpC,KAAK,EAAE;EACnD,IAAIA,KAAK,IAAI,IAAI,IAAI,EAAEssB,KAAK,CAACC,OAAO,CAACvsB,KAAK,CAAC,IAAIA,KAAK,CAAC/B,MAAM,IAAI,CAAC,CAAC,EAAE;IAC/D,MAAM,IAAIQ,KAAK,CAAC,aAAa6qC,UAAU,iCAAiC,CAAC;EAC7E,CAAC,MACI,IAAItpC,KAAK,IAAI,IAAI,EAAE;IACpB,MAAMwyB,KAAK,GAAGxyB,KAAK,CAAC,CAAC,CAAC;IACtB,MAAMyL,GAAG,GAAGzL,KAAK,CAAC,CAAC,CAAC;IACpB;IACAopC,8BAA8B,CAACjpC,OAAO,CAACopC,MAAM,IAAI;MAC7C,IAAIA,MAAM,CAACtV,IAAI,CAACzB,KAAK,CAAC,IAAI+W,MAAM,CAACtV,IAAI,CAACxoB,GAAG,CAAC,EAAE;QACxC,MAAM,IAAIhN,KAAK,CAAC,KAAK+zB,KAAK,OAAO/mB,GAAG,4CAA4C,CAAC;MACrF;IACJ,CAAC,CAAC;EACN;AACJ;AAEA,MAAM+9B,mBAAmB,CAAC;EACtB,OAAOC,SAASA,CAACC,OAAO,EAAE;IACtB,IAAI,CAACA,OAAO,EAAE;MACV,OAAOC,4BAA4B;IACvC;IACAN,0BAA0B,CAAC,eAAe,EAAEK,OAAO,CAAC;IACpD,OAAO,IAAIF,mBAAmB,CAACE,OAAO,CAAC,CAAC,CAAC,EAAEA,OAAO,CAAC,CAAC,CAAC,CAAC;EAC1D;EACApsC,WAAWA,CAACk1B,KAAK,EAAE/mB,GAAG,EAAE;IACpB,IAAI,CAAC+mB,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC/mB,GAAG,GAAGA,GAAG;EAClB;AACJ;AACA,MAAMk+B,4BAA4B,GAAG,IAAIH,mBAAmB,CAAC,IAAI,EAAE,IAAI,CAAC;AAExE,MAAMI,IAAI,GAAG,CAAC;AACd,MAAMC,OAAO,GAAG,CAAC;AACjB,MAAMC,IAAI,GAAG,CAAC;AACd,MAAMC,GAAG,GAAG,EAAE;AACd,MAAMC,KAAK,GAAG,EAAE;AAChB,MAAMC,GAAG,GAAG,EAAE;AACd,MAAMC,GAAG,GAAG,EAAE;AACd,MAAMC,MAAM,GAAG,EAAE;AACjB,MAAMC,KAAK,GAAG,EAAE;AAChB,MAAMC,GAAG,GAAG,EAAE;AACd,MAAMC,KAAK,GAAG,EAAE;AAChB,MAAMC,EAAE,GAAG,EAAE;AACb,MAAMC,QAAQ,GAAG,EAAE;AACnB,MAAMC,UAAU,GAAG,EAAE;AACrB,MAAMC,GAAG,GAAG,EAAE;AACd,MAAMC,OAAO,GAAG,EAAE;AAClB,MAAMC,OAAO,GAAG,EAAE;AAClB,MAAMC,KAAK,GAAG,EAAE;AAChB,MAAMC,KAAK,GAAG,EAAE;AAChB,MAAMC,MAAM,GAAG,EAAE;AACjB,MAAMC,MAAM,GAAG,EAAE;AACjB,MAAMC,OAAO,GAAG,EAAE;AAClB,MAAMC,MAAM,GAAG,EAAE;AACjB,MAAMC,MAAM,GAAG,EAAE;AACjB,MAAMC,UAAU,GAAG,EAAE;AACrB,MAAMC,GAAG,GAAG,EAAE;AACd,MAAMC,GAAG,GAAG,EAAE;AACd,MAAMC,GAAG,GAAG,EAAE;AACd,MAAMC,SAAS,GAAG,EAAE;AACpB,MAAMC,EAAE,GAAG,EAAE;AACb,MAAMC,EAAE,GAAG,EAAE;AACb,MAAMC,EAAE,GAAG,EAAE;AACb,MAAMC,EAAE,GAAG,EAAE;AACb,MAAMC,EAAE,GAAG,EAAE;AACb,MAAMC,EAAE,GAAG,EAAE;AACb,MAAMC,EAAE,GAAG,EAAE;AACb,MAAMC,EAAE,GAAG,EAAE;AACb,MAAMC,SAAS,GAAG,EAAE;AACpB,MAAMC,UAAU,GAAG,EAAE;AACrB,MAAMC,SAAS,GAAG,EAAE;AACpB,MAAMC,MAAM,GAAG,EAAE;AACjB,MAAMC,EAAE,GAAG,EAAE;AACb,MAAMC,EAAE,GAAG,EAAE;AACb,MAAMC,EAAE,GAAG,EAAE;AACb,MAAMC,EAAE,GAAG,GAAG;AACd,MAAMC,EAAE,GAAG,GAAG;AACd,MAAMC,EAAE,GAAG,GAAG;AACd,MAAMC,EAAE,GAAG,GAAG;AACd,MAAMC,EAAE,GAAG,GAAG;AACd,MAAMC,EAAE,GAAG,GAAG;AACd,MAAMC,EAAE,GAAG,GAAG;AACd,MAAMC,EAAE,GAAG,GAAG;AACd,MAAMC,EAAE,GAAG,GAAG;AACd,MAAMC,OAAO,GAAG,GAAG;AACnB,MAAMC,IAAI,GAAG,GAAG;AAChB,MAAMC,OAAO,GAAG,GAAG;AACnB,MAAMC,KAAK,GAAG,GAAG;AACjB,MAAMC,KAAK,GAAG,GAAG;AACjB,MAAMC,MAAM,GAAG,GAAG;AAClB,MAAMC,GAAG,GAAG,EAAE;AACd,MAAMC,GAAG,GAAG,EAAE;AACd,SAASC,YAAYA,CAACC,IAAI,EAAE;EACxB,OAAQA,IAAI,IAAI5D,IAAI,IAAI4D,IAAI,IAAIvD,MAAM,IAAMuD,IAAI,IAAIN,KAAM;AAC9D;AACA,SAASO,OAAOA,CAACD,IAAI,EAAE;EACnB,OAAOjC,EAAE,IAAIiC,IAAI,IAAIA,IAAI,IAAI/B,EAAE;AACnC;AACA,SAASiC,aAAaA,CAACF,IAAI,EAAE;EACzB,OAAOA,IAAI,IAAIpB,EAAE,IAAIoB,IAAI,IAAIV,EAAE,IAAIU,IAAI,IAAI9B,EAAE,IAAI8B,IAAI,IAAI1B,EAAE;AAC/D;AACA,SAAS6B,eAAeA,CAACH,IAAI,EAAE;EAC3B,OAAOA,IAAI,IAAIpB,EAAE,IAAIoB,IAAI,IAAIjB,EAAE,IAAIiB,IAAI,IAAI9B,EAAE,IAAI8B,IAAI,IAAI5B,EAAE,IAAI6B,OAAO,CAACD,IAAI,CAAC;AAChF;AACA,SAASI,SAASA,CAACJ,IAAI,EAAE;EACrB,OAAOA,IAAI,KAAK3D,GAAG,IAAI2D,IAAI,KAAKxD,GAAG;AACvC;AACA,SAAS6D,YAAYA,CAACL,IAAI,EAAE;EACxB,OAAOjC,EAAE,IAAIiC,IAAI,IAAIA,IAAI,IAAIhC,EAAE;AACnC;AACA,SAASsC,OAAOA,CAACN,IAAI,EAAE;EACnB,OAAOA,IAAI,KAAKhD,GAAG,IAAIgD,IAAI,KAAKrD,GAAG,IAAIqD,IAAI,KAAKF,GAAG;AACvD;AAEA,MAAMS,aAAa,CAAC;EAChB3wC,WAAWA,CAACywB,IAAI,EAAEmgB,MAAM,EAAEhc,IAAI,EAAES,GAAG,EAAE;IACjC,IAAI,CAAC5E,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACmgB,MAAM,GAAGA,MAAM;IACpB,IAAI,CAAChc,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACS,GAAG,GAAGA,GAAG;EAClB;EACAzyB,QAAQA,CAAA,EAAG;IACP,OAAO,IAAI,CAACguC,MAAM,IAAI,IAAI,GAAG,GAAG,IAAI,CAACngB,IAAI,CAAC7V,GAAG,IAAI,IAAI,CAACga,IAAI,IAAI,IAAI,CAACS,GAAG,EAAE,GAAG,IAAI,CAAC5E,IAAI,CAAC7V,GAAG;EAC5F;EACAi2B,MAAMA,CAACC,KAAK,EAAE;IACV,MAAM7b,MAAM,GAAG,IAAI,CAACxE,IAAI,CAACM,OAAO;IAChC,MAAMllB,GAAG,GAAGopB,MAAM,CAACt0B,MAAM;IACzB,IAAIiwC,MAAM,GAAG,IAAI,CAACA,MAAM;IACxB,IAAIhc,IAAI,GAAG,IAAI,CAACA,IAAI;IACpB,IAAIS,GAAG,GAAG,IAAI,CAACA,GAAG;IAClB,OAAOub,MAAM,GAAG,CAAC,IAAIE,KAAK,GAAG,CAAC,EAAE;MAC5BF,MAAM,EAAE;MACRE,KAAK,EAAE;MACP,MAAMC,EAAE,GAAG9b,MAAM,CAACpG,UAAU,CAAC+hB,MAAM,CAAC;MACpC,IAAIG,EAAE,IAAItE,GAAG,EAAE;QACX7X,IAAI,EAAE;QACN,MAAMoc,SAAS,GAAG/b,MAAM,CAAC7F,SAAS,CAAC,CAAC,EAAEwhB,MAAM,GAAG,CAAC,CAAC,CAACK,WAAW,CAACx/B,MAAM,CAACy/B,YAAY,CAACzE,GAAG,CAAC,CAAC;QACvFpX,GAAG,GAAG2b,SAAS,GAAG,CAAC,GAAGJ,MAAM,GAAGI,SAAS,GAAGJ,MAAM;MACrD,CAAC,MACI;QACDvb,GAAG,EAAE;MACT;IACJ;IACA,OAAOub,MAAM,GAAG/kC,GAAG,IAAIilC,KAAK,GAAG,CAAC,EAAE;MAC9B,MAAMC,EAAE,GAAG9b,MAAM,CAACpG,UAAU,CAAC+hB,MAAM,CAAC;MACpCA,MAAM,EAAE;MACRE,KAAK,EAAE;MACP,IAAIC,EAAE,IAAItE,GAAG,EAAE;QACX7X,IAAI,EAAE;QACNS,GAAG,GAAG,CAAC;MACX,CAAC,MACI;QACDA,GAAG,EAAE;MACT;IACJ;IACA,OAAO,IAAIsb,aAAa,CAAC,IAAI,CAAClgB,IAAI,EAAEmgB,MAAM,EAAEhc,IAAI,EAAES,GAAG,CAAC;EAC1D;EACA;EACA;EACA8b,UAAUA,CAACC,QAAQ,EAAEC,QAAQ,EAAE;IAC3B,MAAMtgB,OAAO,GAAG,IAAI,CAACN,IAAI,CAACM,OAAO;IACjC,IAAIugB,WAAW,GAAG,IAAI,CAACV,MAAM;IAC7B,IAAIU,WAAW,IAAI,IAAI,EAAE;MACrB,IAAIA,WAAW,GAAGvgB,OAAO,CAACpwB,MAAM,GAAG,CAAC,EAAE;QAClC2wC,WAAW,GAAGvgB,OAAO,CAACpwB,MAAM,GAAG,CAAC;MACpC;MACA,IAAI4wC,SAAS,GAAGD,WAAW;MAC3B,IAAIE,QAAQ,GAAG,CAAC;MAChB,IAAIC,QAAQ,GAAG,CAAC;MAChB,OAAOD,QAAQ,GAAGJ,QAAQ,IAAIE,WAAW,GAAG,CAAC,EAAE;QAC3CA,WAAW,EAAE;QACbE,QAAQ,EAAE;QACV,IAAIzgB,OAAO,CAACugB,WAAW,CAAC,IAAI,IAAI,EAAE;UAC9B,IAAI,EAAEG,QAAQ,IAAIJ,QAAQ,EAAE;YACxB;UACJ;QACJ;MACJ;MACAG,QAAQ,GAAG,CAAC;MACZC,QAAQ,GAAG,CAAC;MACZ,OAAOD,QAAQ,GAAGJ,QAAQ,IAAIG,SAAS,GAAGxgB,OAAO,CAACpwB,MAAM,GAAG,CAAC,EAAE;QAC1D4wC,SAAS,EAAE;QACXC,QAAQ,EAAE;QACV,IAAIzgB,OAAO,CAACwgB,SAAS,CAAC,IAAI,IAAI,EAAE;UAC5B,IAAI,EAAEE,QAAQ,IAAIJ,QAAQ,EAAE;YACxB;UACJ;QACJ;MACJ;MACA,OAAO;QACHK,MAAM,EAAE3gB,OAAO,CAAC3B,SAAS,CAACkiB,WAAW,EAAE,IAAI,CAACV,MAAM,CAAC;QACnDe,KAAK,EAAE5gB,OAAO,CAAC3B,SAAS,CAAC,IAAI,CAACwhB,MAAM,EAAEW,SAAS,GAAG,CAAC;MACvD,CAAC;IACL;IACA,OAAO,IAAI;EACf;AACJ;AACA,MAAMK,eAAe,CAAC;EAClB5xC,WAAWA,CAAC+wB,OAAO,EAAEnW,GAAG,EAAE;IACtB,IAAI,CAACmW,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACnW,GAAG,GAAGA,GAAG;EAClB;AACJ;AACA,MAAMi3B,eAAe,CAAC;EAClB;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACI7xC,WAAWA,CAACk1B,KAAK,EAAE/mB,GAAG,EAAE2jC,SAAS,GAAG5c,KAAK,EAAE6c,OAAO,GAAG,IAAI,EAAE;IACvD,IAAI,CAAC7c,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC/mB,GAAG,GAAGA,GAAG;IACd,IAAI,CAAC2jC,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAACC,OAAO,GAAGA,OAAO;EAC1B;EACAnvC,QAAQA,CAAA,EAAG;IACP,OAAO,IAAI,CAACsyB,KAAK,CAACzE,IAAI,CAACM,OAAO,CAAC3B,SAAS,CAAC,IAAI,CAAC8F,KAAK,CAAC0b,MAAM,EAAE,IAAI,CAACziC,GAAG,CAACyiC,MAAM,CAAC;EAChF;AACJ;AACA,IAAIoB,eAAe;AACnB,CAAC,UAAUA,eAAe,EAAE;EACxBA,eAAe,CAACA,eAAe,CAAC,SAAS,CAAC,GAAG,CAAC,CAAC,GAAG,SAAS;EAC3DA,eAAe,CAACA,eAAe,CAAC,OAAO,CAAC,GAAG,CAAC,CAAC,GAAG,OAAO;AAC3D,CAAC,EAAEA,eAAe,KAAKA,eAAe,GAAG,CAAC,CAAC,CAAC,CAAC;AAC7C,MAAMC,UAAU,CAAC;EACbjyC,WAAWA,CAACg1B,IAAI,EAAEnnB,GAAG,EAAEqkC,KAAK,GAAGF,eAAe,CAACG,KAAK,EAAE;IAClD,IAAI,CAACnd,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACnnB,GAAG,GAAGA,GAAG;IACd,IAAI,CAACqkC,KAAK,GAAGA,KAAK;EACtB;EACAE,iBAAiBA,CAAA,EAAG;IAChB,MAAMvc,GAAG,GAAG,IAAI,CAACb,IAAI,CAACE,KAAK,CAACic,UAAU,CAAC,GAAG,EAAE,CAAC,CAAC;IAC9C,OAAOtb,GAAG,GAAG,GAAG,IAAI,CAAChoB,GAAG,MAAMgoB,GAAG,CAAC6b,MAAM,IAAIM,eAAe,CAAC,IAAI,CAACE,KAAK,CAAC,OAAOrc,GAAG,CAAC8b,KAAK,IAAI,GACvF,IAAI,CAAC9jC,GAAG;EAChB;EACAjL,QAAQA,CAAA,EAAG;IACP,MAAMmvC,OAAO,GAAG,IAAI,CAAC/c,IAAI,CAAC+c,OAAO,GAAG,KAAK,IAAI,CAAC/c,IAAI,CAAC+c,OAAO,EAAE,GAAG,EAAE;IACjE,OAAO,GAAG,IAAI,CAACK,iBAAiB,CAAC,CAAC,KAAK,IAAI,CAACpd,IAAI,CAACE,KAAK,GAAG6c,OAAO,EAAE;EACtE;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASM,mBAAmBA,CAACC,IAAI,EAAEC,QAAQ,EAAEphB,SAAS,EAAE;EACpD,MAAMqhB,cAAc,GAAG,MAAMF,IAAI,IAAIC,QAAQ,OAAOphB,SAAS,EAAE;EAC/D,MAAMshB,UAAU,GAAG,IAAIb,eAAe,CAAC,EAAE,EAAEY,cAAc,CAAC;EAC1D,OAAO,IAAIX,eAAe,CAAC,IAAIlB,aAAa,CAAC8B,UAAU,EAAE,CAAC,CAAC,EAAE,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,EAAE,IAAI9B,aAAa,CAAC8B,UAAU,EAAE,CAAC,CAAC,EAAE,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,CAAC;AACpH;AACA,IAAIC,mBAAmB,GAAG,CAAC;AAC3B,SAASC,cAAcA,CAACC,iBAAiB,EAAE;EACvC,IAAI,CAACA,iBAAiB,IAAI,CAACA,iBAAiB,CAACnpB,SAAS,EAAE;IACpD,OAAO,IAAI;EACf;EACA,MAAMyO,GAAG,GAAG0a,iBAAiB,CAACnpB,SAAS;EACvC,IAAIyO,GAAG,CAAC,iBAAiB,CAAC,EAAE;IACxB,OAAOA,GAAG,CAAC,iBAAiB,CAAC;EACjC;EACA,IAAIA,GAAG,CAAC,iBAAiB,CAAC,EAAE;IACxB;IACA;IACA,OAAO,iBAAiB;EAC5B;EACA,IAAI8T,UAAU,GAAGld,SAAS,CAACoJ,GAAG,CAAC;EAC/B,IAAI8T,UAAU,CAAC9d,OAAO,CAAC,GAAG,CAAC,IAAI,CAAC,EAAE;IAC9B;IACA8d,UAAU,GAAG,aAAa0G,mBAAmB,EAAE,EAAE;IACjDxa,GAAG,CAAC,iBAAiB,CAAC,GAAG8T,UAAU;EACvC,CAAC,MACI;IACDA,UAAU,GAAG6G,kBAAkB,CAAC7G,UAAU,CAAC;EAC/C;EACA,OAAOA,UAAU;AACrB;AACA,SAAS6G,kBAAkBA,CAACpwC,IAAI,EAAE;EAC9B,OAAOA,IAAI,CAACN,OAAO,CAAC,KAAK,EAAE,GAAG,CAAC;AACnC;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAM2wC,0BAA0B,GAAG,mIAAmI;AACtK,MAAMC,wBAAwB,SAASrd,sBAAsB,CAAC;EAC1D11B,WAAWA,CAAA,EAAG;IACV,KAAK,CAAC,KAAK,CAAC;EAChB;EACAwW,oBAAoBA,CAACuH,GAAG,EAAE8X,GAAG,EAAE;IAC3B,MAAM,IAAI10B,KAAK,CAAC,8CAA8C,CAAC;EACnE;EACAoc,mBAAmBA,CAACF,IAAI,EAAEwY,GAAG,EAAE;IAC3BA,GAAG,CAAClC,KAAK,CAACtW,IAAI,EAAE,OAAOA,IAAI,CAAC5a,IAAI,EAAE,CAAC;IACnC,IAAI4a,IAAI,CAAC3a,KAAK,EAAE;MACZmzB,GAAG,CAAClC,KAAK,CAACtW,IAAI,EAAE,KAAK,CAAC;MACtBA,IAAI,CAAC3a,KAAK,CAACsT,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IACzC;IACAA,GAAG,CAACpC,OAAO,CAACpW,IAAI,EAAE,GAAG,CAAC;IACtB,OAAO,IAAI;EACf;EACAzF,uBAAuBA,CAACmG,GAAG,EAAE8X,GAAG,EAAE;IAC9B;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA,MAAMne,QAAQ,GAAGqG,GAAG,CAACtG,QAAQ,CAACC,QAAQ;IACtCqG,GAAG,CAAC3c,GAAG,CAAC4U,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IAClCA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,IAAI+0B,0BAA0B,GAAG,CAAC;IACjDjd,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,IAAIrG,QAAQ,CAAC5S,GAAG,CAACgvB,IAAI,IAAImC,gBAAgB,CAACnC,IAAI,CAAC/pB,IAAI,EAAE,KAAK,CAAC,CAAC,CAACxH,IAAI,CAAC,IAAI,CAAC,KAAK,CAAC;IAC5FszB,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,IAAIrG,QAAQ,CAAC5S,GAAG,CAACgvB,IAAI,IAAImC,gBAAgB,CAACnC,IAAI,CAAC1b,OAAO,EAAE,KAAK,CAAC,CAAC,CAAC7V,IAAI,CAAC,IAAI,CAAC,IAAI,CAAC;IAC9Fwb,GAAG,CAACtG,QAAQ,CAACE,WAAW,CAAC9U,OAAO,CAAC8H,UAAU,IAAI;MAC3CkrB,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,IAAI,CAAC;MACpBpT,UAAU,CAACqL,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IACzC,CAAC,CAAC;IACFA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAG,CAAC;IACnB,OAAO,IAAI;EACf;EACA3C,iBAAiBA,CAAC2C,GAAG,EAAE8X,GAAG,EAAE;IACxBA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,WAAWA,GAAG,CAACtb,IAAI,GAAG,GAAG,GAAGsb,GAAG,CAACtb,IAAI,GAAG,EAAE,GAAG,CAAC;IAC5D,IAAI,CAACuwC,YAAY,CAACj1B,GAAG,CAACnL,MAAM,EAAEijB,GAAG,CAAC;IAClCA,GAAG,CAACpC,OAAO,CAAC1V,GAAG,EAAE,KAAK,CAAC;IACvB8X,GAAG,CAAC3B,SAAS,CAAC,CAAC;IACf,IAAI,CAACjW,kBAAkB,CAACF,GAAG,CAAC5C,UAAU,EAAE0a,GAAG,CAAC;IAC5CA,GAAG,CAAC1B,SAAS,CAAC,CAAC;IACf0B,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAG,CAAC;IACnB,OAAO,IAAI;EACf;EACAP,wBAAwBA,CAACH,IAAI,EAAEwY,GAAG,EAAE;IAChCA,GAAG,CAAClC,KAAK,CAACtW,IAAI,EAAE,YAAYA,IAAI,CAAC5a,IAAI,GAAG,CAAC;IACzC,IAAI,CAACuwC,YAAY,CAAC31B,IAAI,CAACzK,MAAM,EAAEijB,GAAG,CAAC;IACnCA,GAAG,CAACpC,OAAO,CAACpW,IAAI,EAAE,KAAK,CAAC;IACxBwY,GAAG,CAAC3B,SAAS,CAAC,CAAC;IACf,IAAI,CAACjW,kBAAkB,CAACZ,IAAI,CAAClC,UAAU,EAAE0a,GAAG,CAAC;IAC7CA,GAAG,CAAC1B,SAAS,CAAC,CAAC;IACf0B,GAAG,CAACpC,OAAO,CAACpW,IAAI,EAAE,GAAG,CAAC;IACtB,OAAO,IAAI;EACf;EACApE,oBAAoBA,CAAC8E,GAAG,EAAE8X,GAAG,EAAE;IAC3B;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACAA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,aAAa+0B,0BAA0B,GAAG,CAAC;IAC1D,MAAMrpC,KAAK,GAAG,CAACsU,GAAG,CAAC7E,iBAAiB,CAAC,CAAC,CAAC;IACvC,KAAK,IAAInX,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGgc,GAAG,CAAChF,YAAY,CAACpY,MAAM,EAAEoB,CAAC,EAAE,EAAE;MAC9C0H,KAAK,CAAC7I,IAAI,CAACmd,GAAG,CAACrE,yBAAyB,CAAC3X,CAAC,CAAC,CAAC;IAChD;IACA8zB,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,IAAItU,KAAK,CAAC3E,GAAG,CAACgvB,IAAI,IAAImC,gBAAgB,CAACnC,IAAI,CAAC5Z,MAAM,EAAE,KAAK,CAAC,CAAC,CAAC3X,IAAI,CAAC,IAAI,CAAC,KAAK,CAAC;IAC3FszB,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,IAAItU,KAAK,CAAC3E,GAAG,CAACgvB,IAAI,IAAImC,gBAAgB,CAACnC,IAAI,CAAC3Z,GAAG,EAAE,KAAK,CAAC,CAAC,CAAC5X,IAAI,CAAC,IAAI,CAAC,IAAI,CAAC;IACvFwb,GAAG,CAACpG,WAAW,CAAC9U,OAAO,CAAC8H,UAAU,IAAI;MAClCkrB,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,IAAI,CAAC;MACpBpT,UAAU,CAACqL,eAAe,CAAC,IAAI,EAAE6f,GAAG,CAAC;IACzC,CAAC,CAAC;IACFA,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,GAAG,CAAC;IACnB,OAAO,IAAI;EACf;EACAi1B,YAAYA,CAACpgC,MAAM,EAAEijB,GAAG,EAAE;IACtB,IAAI,CAACO,eAAe,CAACnb,KAAK,IAAI4a,GAAG,CAAClC,KAAK,CAAC,IAAI,EAAE1Y,KAAK,CAACxY,IAAI,CAAC,EAAEmQ,MAAM,EAAEijB,GAAG,EAAE,GAAG,CAAC;EAChF;AACJ;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,IAAIod,MAAM;AACV;AACA;AACA;AACA;AACA,SAASC,SAASA,CAAA,EAAG;EACjB,IAAID,MAAM,KAAK3kB,SAAS,EAAE;IACtB2kB,MAAM,GAAG,IAAI;IACb,IAAIrjB,OAAO,CAACujB,YAAY,EAAE;MACtB,IAAI;QACAF,MAAM,GACFrjB,OAAO,CAACujB,YAAY,CAACC,YAAY,CAAC,oBAAoB,EAAE;UACpDC,YAAY,EAAG5kB,CAAC,IAAKA;QACzB,CAAC,CAAC;MACV,CAAC,CACD,MAAM;QACF;QACA;QACA;QACA;MAAA;IAER;EACJ;EACA,OAAOwkB,MAAM;AACjB;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASK,uBAAuBA,CAACC,MAAM,EAAE;EACrC,OAAOL,SAAS,CAAC,CAAC,EAAEG,YAAY,CAACE,MAAM,CAAC,IAAIA,MAAM;AACtD;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASC,wBAAwBA,CAAC,GAAGn8B,IAAI,EAAE;EACvC,IAAI,CAACuY,OAAO,CAACujB,YAAY,EAAE;IACvB;IACA;IACA,OAAO,IAAIltC,QAAQ,CAAC,GAAGoR,IAAI,CAAC;EAChC;EACA;EACA;EACA;EACA;EACA,MAAMo8B,MAAM,GAAGp8B,IAAI,CAAC9V,KAAK,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,CAACgB,IAAI,CAAC,GAAG,CAAC;EAC1C,MAAMmxC,MAAM,GAAGr8B,IAAI,CAACA,IAAI,CAAC1W,MAAM,GAAG,CAAC,CAAC;EACpC,MAAMse,IAAI,GAAG,uBAAuBw0B,MAAM;AAC9C,MAAMC,MAAM;AACZ,GAAG;EACC;EACA;EACA;EACA,MAAMt8B,EAAE,GAAGwY,OAAO,CAAC,MAAM,CAAC,CAAC0jB,uBAAuB,CAACr0B,IAAI,CAAC,CAAC;EACzD,IAAI7H,EAAE,CAACu8B,IAAI,KAAKrlB,SAAS,EAAE;IACvB;IACA;IACA;IACA;IACA,OAAO,IAAIroB,QAAQ,CAAC,GAAGoR,IAAI,CAAC;EAChC;EACA;EACA;EACA;EACAD,EAAE,CAACxU,QAAQ,GAAG,MAAMqc,IAAI;EACxB;EACA,OAAO7H,EAAE,CAACu8B,IAAI,CAAC/jB,OAAO,CAAC;EACvB;EACA;EACA;AACJ;;AAEA;AACA;AACA;AACA,MAAMgkB,YAAY,CAAC;EACf;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIC,kBAAkBA,CAAC1iB,SAAS,EAAEhW,UAAU,EAAE24B,WAAW,EAAEC,gBAAgB,EAAE;IACrE,MAAMC,SAAS,GAAG,IAAIC,iBAAiB,CAACH,WAAW,CAAC;IACpD,MAAMje,GAAG,GAAGzC,qBAAqB,CAACC,UAAU,CAAC,CAAC;IAC9C;IACA,IAAIlY,UAAU,CAACxa,MAAM,GAAG,CAAC,IAAI,CAACuzC,oBAAoB,CAAC/4B,UAAU,CAAC,CAAC,CAAC,CAAC,EAAE;MAC/DA,UAAU,GAAG,CACTmE,OAAO,CAAC,YAAY,CAAC,CAAC1J,MAAM,CAAC,CAAC,EAC9B,GAAGuF,UAAU,CAChB;IACL;IACA64B,SAAS,CAAC/1B,kBAAkB,CAAC9C,UAAU,EAAE0a,GAAG,CAAC;IAC7Cme,SAAS,CAACG,gBAAgB,CAACte,GAAG,CAAC;IAC/B,OAAO,IAAI,CAACue,YAAY,CAACjjB,SAAS,EAAE0E,GAAG,EAAEme,SAAS,CAACK,OAAO,CAAC,CAAC,EAAEN,gBAAgB,CAAC;EACnF;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIK,YAAYA,CAACjjB,SAAS,EAAE0E,GAAG,EAAE0J,IAAI,EAAE+U,eAAe,EAAE;IAChD,IAAIZ,MAAM,GAAG,gBAAgB7d,GAAG,CAACzB,QAAQ,CAAC,CAAC,mBAAmBjD,SAAS,EAAE;IACzE,MAAMojB,UAAU,GAAG,EAAE;IACrB,MAAMC,WAAW,GAAG,EAAE;IACtB,KAAK,MAAMC,OAAO,IAAIlV,IAAI,EAAE;MACxBiV,WAAW,CAAC5zC,IAAI,CAAC2+B,IAAI,CAACkV,OAAO,CAAC,CAAC;MAC/BF,UAAU,CAAC3zC,IAAI,CAAC6zC,OAAO,CAAC;IAC5B;IACA,IAAIH,eAAe,EAAE;MACjB;MACA;MACA;MACA;MACA;MACA,MAAMI,OAAO,GAAGlB,wBAAwB,CAAC,GAAGe,UAAU,CAAC/xC,MAAM,CAAC,cAAc,CAAC,CAAC,CAACI,QAAQ,CAAC,CAAC;MACzF,MAAM+xC,WAAW,GAAGD,OAAO,CAACnzC,KAAK,CAAC,CAAC,EAAEmzC,OAAO,CAACxmB,OAAO,CAAC,cAAc,CAAC,CAAC,CAACsB,KAAK,CAAC,IAAI,CAAC,CAAC7uB,MAAM,GAAG,CAAC;MAC5F+yC,MAAM,IAAI,KAAK7d,GAAG,CAACtB,oBAAoB,CAACpD,SAAS,EAAEwjB,WAAW,CAAC,CAACxiB,WAAW,CAAC,CAAC,EAAE;IACnF;IACA,MAAM/a,EAAE,GAAGo8B,wBAAwB,CAAC,GAAGe,UAAU,CAAC/xC,MAAM,CAACkxC,MAAM,CAAC,CAAC;IACjE,OAAO,IAAI,CAACkB,eAAe,CAACx9B,EAAE,EAAEo9B,WAAW,CAAC;EAChD;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACII,eAAeA,CAACx9B,EAAE,EAAEC,IAAI,EAAE;IACtB,OAAOD,EAAE,CAAC,GAAGC,IAAI,CAAC;EACtB;AACJ;AACA;AACA;AACA;AACA,MAAM48B,iBAAiB,SAASlB,wBAAwB,CAAC;EACrD/yC,WAAWA,CAAC8zC,WAAW,EAAE;IACrB,KAAK,CAAC,CAAC;IACP,IAAI,CAACA,WAAW,GAAGA,WAAW;IAC9B,IAAI,CAACe,aAAa,GAAG,EAAE;IACvB,IAAI,CAACC,cAAc,GAAG,EAAE;IACxB,IAAI,CAACC,iBAAiB,GAAG,EAAE;EAC/B;EACAZ,gBAAgBA,CAACte,GAAG,EAAE;IAClB,MAAMxY,IAAI,GAAG,IAAIK,eAAe,CAAC,IAAItB,cAAc,CAAC,IAAI,CAAC24B,iBAAiB,CAACjwC,GAAG,CAACkwC,SAAS,IAAI,IAAI94B,eAAe,CAAC84B,SAAS,EAAE32B,QAAQ,CAAC22B,SAAS,CAAC,EAAE,KAAK,CAAC,CAAC,CAAC,CAAC;IACzJ33B,IAAI,CAACC,cAAc,CAAC,IAAI,EAAEuY,GAAG,CAAC;EAClC;EACAwe,OAAOA,CAAA,EAAG;IACN,MAAMxyC,MAAM,GAAG,CAAC,CAAC;IACjB,KAAK,IAAIE,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG,IAAI,CAAC8yC,aAAa,CAACl0C,MAAM,EAAEoB,CAAC,EAAE,EAAE;MAChDF,MAAM,CAAC,IAAI,CAACgzC,aAAa,CAAC9yC,CAAC,CAAC,CAAC,GAAG,IAAI,CAAC+yC,cAAc,CAAC/yC,CAAC,CAAC;IAC1D;IACA,OAAOF,MAAM;EACjB;EACA0Y,iBAAiBA,CAACwD,GAAG,EAAE8X,GAAG,EAAE;IACxB,IAAI,CAACof,wBAAwB,CAACl3B,GAAG,EAAE,IAAI,CAAC+1B,WAAW,CAACoB,wBAAwB,CAACn3B,GAAG,CAACrb,KAAK,CAAC,EAAEmzB,GAAG,CAAC;IAC7F,OAAO,IAAI;EACf;EACArf,oBAAoBA,CAACuH,GAAG,EAAE8X,GAAG,EAAE;IAC3B,IAAI,CAACof,wBAAwB,CAACl3B,GAAG,EAAEA,GAAG,CAACxH,IAAI,EAAEsf,GAAG,CAAC;IACjD,OAAO,IAAI;EACf;EACAtY,mBAAmBA,CAACF,IAAI,EAAEwY,GAAG,EAAE;IAC3B,IAAIxY,IAAI,CAACxN,WAAW,CAACgH,YAAY,CAACs+B,QAAQ,CAAC,EAAE;MACzC,IAAI,CAACJ,iBAAiB,CAACn0C,IAAI,CAACyc,IAAI,CAAC5a,IAAI,CAAC;IAC1C;IACA,OAAO,KAAK,CAAC8a,mBAAmB,CAACF,IAAI,EAAEwY,GAAG,CAAC;EAC/C;EACArY,wBAAwBA,CAACH,IAAI,EAAEwY,GAAG,EAAE;IAChC,IAAIxY,IAAI,CAACxN,WAAW,CAACgH,YAAY,CAACs+B,QAAQ,CAAC,EAAE;MACzC,IAAI,CAACJ,iBAAiB,CAACn0C,IAAI,CAACyc,IAAI,CAAC5a,IAAI,CAAC;IAC1C;IACA,OAAO,KAAK,CAAC+a,wBAAwB,CAACH,IAAI,EAAEwY,GAAG,CAAC;EACpD;EACAof,wBAAwBA,CAACl3B,GAAG,EAAErb,KAAK,EAAEmzB,GAAG,EAAE;IACtC,IAAI9sB,EAAE,GAAG,IAAI,CAAC+rC,cAAc,CAAC5mB,OAAO,CAACxrB,KAAK,CAAC;IAC3C,IAAIqG,EAAE,KAAK,CAAC,CAAC,EAAE;MACXA,EAAE,GAAG,IAAI,CAAC+rC,cAAc,CAACn0C,MAAM;MAC/B,IAAI,CAACm0C,cAAc,CAACl0C,IAAI,CAAC8B,KAAK,CAAC;MAC/B,MAAMD,IAAI,GAAGkwC,cAAc,CAAC;QAAElpB,SAAS,EAAE/mB;MAAM,CAAC,CAAC,IAAI,KAAK;MAC1D,IAAI,CAACmyC,aAAa,CAACj0C,IAAI,CAAC,OAAO6B,IAAI,IAAIsG,EAAE,EAAE,CAAC;IAChD;IACA8sB,GAAG,CAAClC,KAAK,CAAC5V,GAAG,EAAE,IAAI,CAAC82B,aAAa,CAAC9rC,EAAE,CAAC,CAAC;EAC1C;AACJ;AACA,SAASmrC,oBAAoBA,CAACkB,SAAS,EAAE;EACrC,OAAOA,SAAS,CAACrjC,YAAY,CAACuN,OAAO,CAAC,YAAY,CAAC,CAAC1J,MAAM,CAAC,CAAC,CAAC;AACjE;AAEA,SAASy/B,eAAeA,CAAC5c,IAAI,EAAE;EAC3B,MAAM6c,aAAa,GAAG,IAAIvL,aAAa,CAAC,CAAC;EACzC,IAAItR,IAAI,CAAC8c,SAAS,KAAK,IAAI,EAAE;IACzBD,aAAa,CAAC3wC,GAAG,CAAC,WAAW,EAAE8zB,IAAI,CAAC8c,SAAS,CAAC;EAClD;EACA,IAAI9c,IAAI,CAAC+c,OAAO,CAAC70C,MAAM,GAAG,CAAC,EAAE;IACzB20C,aAAa,CAAC3wC,GAAG,CAAC,SAAS,EAAEia,UAAU,CAAC6Z,IAAI,CAAC+c,OAAO,CAAC,CAAC;EAC1D;EACA,MAAM7qC,UAAU,GAAG2T,UAAU,CAACqE,WAAW,CAACyI,cAAc,CAAC,CAACzY,MAAM,CAAC,CAAC2iC,aAAa,CAACtL,YAAY,CAAC,CAAC,CAAC,EAAE1b,SAAS,EAAE,IAAI,CAAC;EACjH,MAAM1jB,IAAI,GAAG6qC,kBAAkB,CAAChd,IAAI,CAAC;EACrC,OAAO;IAAE9tB,UAAU;IAAEC,IAAI;IAAEuQ,UAAU,EAAE;EAAG,CAAC;AAC/C;AACA,SAASs6B,kBAAkBA,CAAChd,IAAI,EAAE;EAC9B,OAAO,IAAItoB,cAAc,CAACmO,UAAU,CAACqE,WAAW,CAACwI,mBAAmB,EAAE,CAAC,IAAIhb,cAAc,CAACsoB,IAAI,CAAC7tB,IAAI,CAACA,IAAI,CAAC,CAAC,CAAC,CAAC;AAChH;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA,MAAM8qC,cAAc,CAAC;EACjB11C,WAAWA,CAACgK,OAAO,EAAE;IACjB,IAAI,CAACA,OAAO,GAAGA,OAAO;EAC1B;EACAkrC,wBAAwBA,CAAChd,GAAG,EAAE;IAC1B;IACA,IAAIA,GAAG,CAAC7d,UAAU,KAAK,eAAe,EAAE;MACpC,MAAM,IAAIlZ,KAAK,CAAC,wCAAwC+2B,GAAG,CAAC7d,UAAU,mDAAmD,CAAC;IAC9H;IACA,IAAI,CAAC,IAAI,CAACrQ,OAAO,CAAC43B,cAAc,CAAC1J,GAAG,CAACz1B,IAAI,CAAC,EAAE;MACxC,MAAM,IAAItB,KAAK,CAAC,+CAA+C+2B,GAAG,CAACz1B,IAAI,IAAI,CAAC;IAChF;IACA,OAAO,IAAI,CAACuH,OAAO,CAACkuB,GAAG,CAACz1B,IAAI,CAAC;EACjC;AACJ;;AAEA;AACA;AACA;AACA;AACA,IAAIkzC,mBAAmB;AACvB,CAAC,UAAUA,mBAAmB,EAAE;EAC5B;AACJ;AACA;AACA;AACA;AACA;AACA;EACIA,mBAAmB,CAACA,mBAAmB,CAAC,QAAQ,CAAC,GAAG,CAAC,CAAC,GAAG,QAAQ;EACjE;AACJ;AACA;AACA;AACA;AACA;AACA;EACIA,mBAAmB,CAACA,mBAAmB,CAAC,YAAY,CAAC,GAAG,CAAC,CAAC,GAAG,YAAY;EACzE;AACJ;AACA;AACA;AACA;EACIA,mBAAmB,CAACA,mBAAmB,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,GAAG,MAAM;AACjE,CAAC,EAAEA,mBAAmB,KAAKA,mBAAmB,GAAG,CAAC,CAAC,CAAC,CAAC;AACrD;AACA;AACA;AACA;AACA;AACA;AACA,IAAIC,sBAAsB;AAC1B,CAAC,UAAUA,sBAAsB,EAAE;EAC/BA,sBAAsB,CAACA,sBAAsB,CAAC,QAAQ,CAAC,GAAG,CAAC,CAAC,GAAG,QAAQ;EACvEA,sBAAsB,CAACA,sBAAsB,CAAC,OAAO,CAAC,GAAG,CAAC,CAAC,GAAG,OAAO;AACzE,CAAC,EAAEA,sBAAsB,KAAKA,sBAAsB,GAAG,CAAC,CAAC,CAAC,CAAC;AAC3D;AACA;AACA;AACA,SAASC,eAAeA,CAACpd,IAAI,EAAE;EAC3B,MAAMtd,UAAU,GAAG,EAAE;EACrB,MAAMm6B,aAAa,GAAG,IAAIvL,aAAa,CAAC,CAAC;EACzCuL,aAAa,CAAC3wC,GAAG,CAAC,MAAM,EAAE8zB,IAAI,CAAC7tB,IAAI,CAAClI,KAAK,CAAC;EAC1C;EACA,IAAI+1B,IAAI,CAAC6Z,IAAI,KAAKsD,sBAAsB,CAACE,MAAM,EAAE;IAC7C,IAAIrd,IAAI,CAACsd,SAAS,CAACp1C,MAAM,GAAG,CAAC,EAAE;MAC3B20C,aAAa,CAAC3wC,GAAG,CAAC,WAAW,EAAEozB,WAAW,CAACU,IAAI,CAACsd,SAAS,EAAEtd,IAAI,CAACud,oBAAoB,CAAC,CAAC;IAC1F;EACJ,CAAC,MACI;IACD,IAAIvd,IAAI,CAACwd,mBAAmB,EAAE;MAC1BX,aAAa,CAAC3wC,GAAG,CAAC,WAAW,EAAE8zB,IAAI,CAACwd,mBAAmB,CAAC;IAC5D;EACJ;EACA,IAAIxd,IAAI,CAACyd,iBAAiB,KAAKP,mBAAmB,CAACQ,MAAM,EAAE;IACvD;IACA;IACA,IAAI1d,IAAI,CAAC2d,YAAY,CAACz1C,MAAM,GAAG,CAAC,EAAE;MAC9B20C,aAAa,CAAC3wC,GAAG,CAAC,cAAc,EAAEozB,WAAW,CAACU,IAAI,CAAC2d,YAAY,EAAE3d,IAAI,CAACud,oBAAoB,CAAC,CAAC;IAChG;IACA,IAAIvd,IAAI,CAAC+c,OAAO,CAAC70C,MAAM,GAAG,CAAC,EAAE;MACzB20C,aAAa,CAAC3wC,GAAG,CAAC,SAAS,EAAEozB,WAAW,CAACU,IAAI,CAAC+c,OAAO,EAAE/c,IAAI,CAACud,oBAAoB,CAAC,CAAC;IACtF;IACA,IAAIvd,IAAI,CAAC4d,OAAO,CAAC11C,MAAM,GAAG,CAAC,EAAE;MACzB20C,aAAa,CAAC3wC,GAAG,CAAC,SAAS,EAAEozB,WAAW,CAACU,IAAI,CAAC4d,OAAO,EAAE5d,IAAI,CAACud,oBAAoB,CAAC,CAAC;IACtF;EACJ,CAAC,MACI,IAAIvd,IAAI,CAACyd,iBAAiB,KAAKP,mBAAmB,CAACW,UAAU,EAAE;IAChE;IACA;IACA;IACA;IACA,MAAMC,oBAAoB,GAAGC,4BAA4B,CAAC/d,IAAI,CAAC;IAC/D,IAAI8d,oBAAoB,KAAK,IAAI,EAAE;MAC/Bp7B,UAAU,CAACva,IAAI,CAAC21C,oBAAoB,CAAC;IACzC;EACJ,CAAC,MACI;IACD;EAAA;EAEJ,IAAI9d,IAAI,CAACge,OAAO,KAAK,IAAI,IAAIhe,IAAI,CAACge,OAAO,CAAC91C,MAAM,GAAG,CAAC,EAAE;IAClD20C,aAAa,CAAC3wC,GAAG,CAAC,SAAS,EAAEia,UAAU,CAAC6Z,IAAI,CAACge,OAAO,CAAC3xC,GAAG,CAACozB,GAAG,IAAIA,GAAG,CAACx1B,KAAK,CAAC,CAAC,CAAC;EAChF;EACA,IAAI+1B,IAAI,CAAC1vB,EAAE,KAAK,IAAI,EAAE;IAClBusC,aAAa,CAAC3wC,GAAG,CAAC,IAAI,EAAE8zB,IAAI,CAAC1vB,EAAE,CAAC;IAChC;IACA;IACAoS,UAAU,CAACva,IAAI,CAAC0d,UAAU,CAACqE,WAAW,CAACgJ,oBAAoB,CAAC,CAAChZ,MAAM,CAAC,CAAC8lB,IAAI,CAAC7tB,IAAI,CAAClI,KAAK,EAAE+1B,IAAI,CAAC1vB,EAAE,CAAC,CAAC,CAAC6M,MAAM,CAAC,CAAC,CAAC;EAC7G;EACA,MAAMjL,UAAU,GAAG2T,UAAU,CAACqE,WAAW,CAAC6I,cAAc,CAAC,CAAC7Y,MAAM,CAAC,CAAC2iC,aAAa,CAACtL,YAAY,CAAC,CAAC,CAAC,EAAE1b,SAAS,EAAE,IAAI,CAAC;EACjH,MAAM1jB,IAAI,GAAG8rC,kBAAkB,CAACje,IAAI,CAAC;EACrC,OAAO;IAAE9tB,UAAU;IAAEC,IAAI;IAAEuQ;EAAW,CAAC;AAC3C;AACA;AACA;AACA;AACA;AACA,SAASw7B,oCAAoCA,CAACle,IAAI,EAAE;EAChD,MAAM6c,aAAa,GAAG,IAAIvL,aAAa,CAAC,CAAC;EACzCuL,aAAa,CAAC3wC,GAAG,CAAC,MAAM,EAAE,IAAI2R,eAAe,CAACmiB,IAAI,CAAC7tB,IAAI,CAAC,CAAC;EACzD,IAAI6tB,IAAI,CAACsd,SAAS,KAAKznB,SAAS,EAAE;IAC9BgnB,aAAa,CAAC3wC,GAAG,CAAC,WAAW,EAAE,IAAI2R,eAAe,CAACmiB,IAAI,CAACsd,SAAS,CAAC,CAAC;EACvE;EACA,IAAItd,IAAI,CAAC2d,YAAY,KAAK9nB,SAAS,EAAE;IACjCgnB,aAAa,CAAC3wC,GAAG,CAAC,cAAc,EAAE,IAAI2R,eAAe,CAACmiB,IAAI,CAAC2d,YAAY,CAAC,CAAC;EAC7E;EACA,IAAI3d,IAAI,CAAC+c,OAAO,KAAKlnB,SAAS,EAAE;IAC5BgnB,aAAa,CAAC3wC,GAAG,CAAC,SAAS,EAAE,IAAI2R,eAAe,CAACmiB,IAAI,CAAC+c,OAAO,CAAC,CAAC;EACnE;EACA,IAAI/c,IAAI,CAAC4d,OAAO,KAAK/nB,SAAS,EAAE;IAC5BgnB,aAAa,CAAC3wC,GAAG,CAAC,SAAS,EAAE,IAAI2R,eAAe,CAACmiB,IAAI,CAAC4d,OAAO,CAAC,CAAC;EACnE;EACA,IAAI5d,IAAI,CAACge,OAAO,KAAKnoB,SAAS,EAAE;IAC5BgnB,aAAa,CAAC3wC,GAAG,CAAC,SAAS,EAAE,IAAI2R,eAAe,CAACmiB,IAAI,CAACge,OAAO,CAAC,CAAC;EACnE;EACA,IAAIhe,IAAI,CAAC1vB,EAAE,KAAKulB,SAAS,EAAE;IACvBgnB,aAAa,CAAC3wC,GAAG,CAAC,IAAI,EAAE,IAAI2R,eAAe,CAACmiB,IAAI,CAAC1vB,EAAE,CAAC,CAAC;EACzD;EACA,OAAOuV,UAAU,CAACqE,WAAW,CAAC6I,cAAc,CAAC,CAAC7Y,MAAM,CAAC,CAAC2iC,aAAa,CAACtL,YAAY,CAAC,CAAC,CAAC,CAAC;AACxF;AACA,SAAS0M,kBAAkBA,CAACje,IAAI,EAAE;EAC9B,IAAIA,IAAI,CAAC6Z,IAAI,KAAKsD,sBAAsB,CAACgB,KAAK,EAAE;IAC5C,OAAO,IAAIzmC,cAAc,CAACsoB,IAAI,CAAC7tB,IAAI,CAAClI,KAAK,CAAC;EAC9C;EACA,MAAM;IAAEkI,IAAI,EAAEisC,UAAU;IAAET,YAAY;IAAEC,OAAO;IAAEb,OAAO;IAAEsB,kBAAkB;IAAEC;EAAuB,CAAC,GAAGte,IAAI;EAC7G,OAAO,IAAItoB,cAAc,CAACmO,UAAU,CAACqE,WAAW,CAAC2I,mBAAmB,EAAE,CAClE,IAAInb,cAAc,CAAC0mC,UAAU,CAACjsC,IAAI,CAAC,EACnCmsC,sBAAsB,KAAK,IAAI,GAAGC,WAAW,CAACZ,YAAY,CAAC,GACvDa,YAAY,CAACF,sBAAsB,CAAC,EACxCD,kBAAkB,GAAGE,WAAW,CAACxB,OAAO,CAAC,GAAG7jC,SAAS,EACrDqlC,WAAW,CAACX,OAAO,CAAC,CACvB,CAAC,CAAC;AACP;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASG,4BAA4BA,CAAC/d,IAAI,EAAE;EACxC,MAAMye,QAAQ,GAAG,IAAInN,aAAa,CAAC,CAAC;EACpC,IAAItR,IAAI,CAAC6Z,IAAI,KAAKsD,sBAAsB,CAACE,MAAM,EAAE;IAC7C,IAAIrd,IAAI,CAAC2d,YAAY,CAACz1C,MAAM,GAAG,CAAC,EAAE;MAC9Bu2C,QAAQ,CAACvyC,GAAG,CAAC,cAAc,EAAEozB,WAAW,CAACU,IAAI,CAAC2d,YAAY,EAAE3d,IAAI,CAACud,oBAAoB,CAAC,CAAC;IAC3F;EACJ,CAAC,MACI;IACD,IAAIvd,IAAI,CAAC0e,sBAAsB,EAAE;MAC7BD,QAAQ,CAACvyC,GAAG,CAAC,cAAc,EAAE8zB,IAAI,CAAC0e,sBAAsB,CAAC;IAC7D;EACJ;EACA,IAAI1e,IAAI,CAAC6Z,IAAI,KAAKsD,sBAAsB,CAACE,MAAM,EAAE;IAC7C,IAAIrd,IAAI,CAAC+c,OAAO,CAAC70C,MAAM,GAAG,CAAC,EAAE;MACzBu2C,QAAQ,CAACvyC,GAAG,CAAC,SAAS,EAAEozB,WAAW,CAACU,IAAI,CAAC+c,OAAO,EAAE/c,IAAI,CAACud,oBAAoB,CAAC,CAAC;IACjF;EACJ,CAAC,MACI;IACD,IAAIvd,IAAI,CAAC2e,iBAAiB,EAAE;MACxBF,QAAQ,CAACvyC,GAAG,CAAC,SAAS,EAAE8zB,IAAI,CAAC2e,iBAAiB,CAAC;IACnD;EACJ;EACA,IAAI3e,IAAI,CAAC6Z,IAAI,KAAKsD,sBAAsB,CAACE,MAAM,EAAE;IAC7C,IAAIrd,IAAI,CAAC4d,OAAO,CAAC11C,MAAM,GAAG,CAAC,EAAE;MACzBu2C,QAAQ,CAACvyC,GAAG,CAAC,SAAS,EAAEozB,WAAW,CAACU,IAAI,CAAC4d,OAAO,EAAE5d,IAAI,CAACud,oBAAoB,CAAC,CAAC;IACjF;EACJ,CAAC,MACI;IACD,IAAIvd,IAAI,CAAC4e,iBAAiB,EAAE;MACxBH,QAAQ,CAACvyC,GAAG,CAAC,SAAS,EAAE8zB,IAAI,CAAC4e,iBAAiB,CAAC;IACnD;EACJ;EACA,IAAIxwC,MAAM,CAAC2D,IAAI,CAAC0sC,QAAQ,CAACr4B,MAAM,CAAC,CAACle,MAAM,KAAK,CAAC,EAAE;IAC3C,OAAO,IAAI;EACf;EACA;EACA,MAAM22C,MAAM,GAAG,IAAIxkC,kBAAkB,CACrC,QAASwL,UAAU,CAACqE,WAAW,CAAC+I,gBAAgB,CAAC,EACjD,UAAW,CAAC+M,IAAI,CAAC7tB,IAAI,CAAClI,KAAK,EAAEw0C,QAAQ,CAAClN,YAAY,CAAC,CAAC,CAAC,CAAC;EACtD;EACA,MAAMuN,WAAW,GAAGjgB,wBAAwB,CAACggB,MAAM,CAAC;EACpD;EACA,MAAME,IAAI,GAAG,IAAIt8B,YAAY,CAC7B,YAAa,EAAE,EACf,gBAAiB,CAACq8B,WAAW,CAAC3hC,MAAM,CAAC,CAAC,CAAC,CAAC;EACxC;EACA,MAAM6hC,QAAQ,GAAG,IAAI3kC,kBAAkB,CACvC,QAAS0kC,IAAI,EACb,UAAW,EAAE,CAAC;EACd,OAAOC,QAAQ,CAAC7hC,MAAM,CAAC,CAAC;AAC5B;AACA,SAASohC,WAAWA,CAACt3B,GAAG,EAAE;EACtB,MAAMg4B,KAAK,GAAGh4B,GAAG,CAAC5a,GAAG,CAACozB,GAAG,IAAIvZ,UAAU,CAACuZ,GAAG,CAACttB,IAAI,CAAC,CAAC;EAClD,OAAO8U,GAAG,CAAC/e,MAAM,GAAG,CAAC,GAAG8d,cAAc,CAACG,UAAU,CAAC84B,KAAK,CAAC,CAAC,GAAG/lC,SAAS;AACzE;AACA,SAASslC,YAAYA,CAACS,KAAK,EAAE;EACzB,MAAMC,WAAW,GAAGD,KAAK,CAAC5yC,GAAG,CAAC8F,IAAI,IAAI+T,UAAU,CAAC/T,IAAI,CAAC,CAAC;EACvD,OAAO8sC,KAAK,CAAC/2C,MAAM,GAAG,CAAC,GAAG8d,cAAc,CAACG,UAAU,CAAC+4B,WAAW,CAAC,CAAC,GAAGhmC,SAAS;AACjF;AAEA,SAASimC,uBAAuBA,CAACC,QAAQ,EAAE;EACvC,MAAMC,mBAAmB,GAAG,EAAE;EAC9B;EACAA,mBAAmB,CAACl3C,IAAI,CAAC;IAAE6R,GAAG,EAAE,MAAM;IAAE/P,KAAK,EAAE4c,OAAO,CAACu4B,QAAQ,CAACE,QAAQ,CAAC;IAAE57B,MAAM,EAAE;EAAM,CAAC,CAAC;EAC3F;EACA27B,mBAAmB,CAACl3C,IAAI,CAAC;IAAE6R,GAAG,EAAE,MAAM;IAAE/P,KAAK,EAAEm1C,QAAQ,CAACjtC,IAAI,CAAClI,KAAK;IAAEyZ,MAAM,EAAE;EAAM,CAAC,CAAC;EACpF;EACA27B,mBAAmB,CAACl3C,IAAI,CAAC;IAAE6R,GAAG,EAAE,MAAM;IAAE/P,KAAK,EAAE4c,OAAO,CAACu4B,QAAQ,CAAChlC,IAAI,CAAC;IAAEsJ,MAAM,EAAE;EAAM,CAAC,CAAC;EACvF,IAAI07B,QAAQ,CAACG,YAAY,EAAE;IACvBF,mBAAmB,CAACl3C,IAAI,CAAC;MAAE6R,GAAG,EAAE,YAAY;MAAE/P,KAAK,EAAE4c,OAAO,CAAC,IAAI,CAAC;MAAEnD,MAAM,EAAE;IAAM,CAAC,CAAC;EACxF;EACA,MAAMxR,UAAU,GAAG2T,UAAU,CAACqE,WAAW,CAACkJ,UAAU,CAAC,CAAClZ,MAAM,CAAC,CAACmM,UAAU,CAACg5B,mBAAmB,CAAC,CAAC,EAAExpB,SAAS,EAAE,IAAI,CAAC;EAChH,MAAM1jB,IAAI,GAAGqtC,cAAc,CAACJ,QAAQ,CAAC;EACrC,OAAO;IAAEltC,UAAU;IAAEC,IAAI;IAAEuQ,UAAU,EAAE;EAAG,CAAC;AAC/C;AACA,SAAS88B,cAAcA,CAACJ,QAAQ,EAAE;EAC9B,OAAO,IAAI1nC,cAAc,CAACmO,UAAU,CAACqE,WAAW,CAACiJ,eAAe,EAAE,CAC9DgL,kBAAkB,CAACihB,QAAQ,CAACjtC,IAAI,CAACA,IAAI,EAAEitC,QAAQ,CAACzd,iBAAiB,CAAC,EAClE,IAAIjqB,cAAc,CAAC,IAAI4H,WAAW,CAAC8/B,QAAQ,CAACE,QAAQ,CAAC,CAAC,EACtD,IAAI5nC,cAAc,CAAC,IAAI4H,WAAW,CAAC8/B,QAAQ,CAACG,YAAY,CAAC,CAAC,CAC7D,CAAC,CAAC;AACP;AAEA,IAAIE,wBAAwB;AAC5B,CAAC,UAAUA,wBAAwB,EAAE;EACjCA,wBAAwB,CAACA,wBAAwB,CAAC,WAAW,CAAC,GAAG,CAAC,CAAC,GAAG,WAAW;EACjFA,wBAAwB,CAACA,wBAAwB,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,GAAG,MAAM;EACvEA,wBAAwB,CAACA,wBAAwB,CAAC,UAAU,CAAC,GAAG,CAAC,CAAC,GAAG,UAAU;AACnF,CAAC,EAAEA,wBAAwB,KAAKA,wBAAwB,GAAG,CAAC,CAAC,CAAC,CAAC;AAE/D,MAAMC,WAAW,CAAC;EACdn4C,WAAWA,CAAC8I,OAAO,EAAE2kB,KAAK,EAAE2qB,WAAW,EAAEC,WAAW,EAAE;IAClD,IAAI,CAAC5qB,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC2qB,WAAW,GAAGA,WAAW;IAC9B,IAAI,CAACC,WAAW,GAAGA,WAAW;IAC9B,IAAI,CAACvvC,OAAO,GAAG,iBAAiBA,OAAO,IAAIsvC,WAAW,KAAK3qB,KAAK,QAAQ4qB,WAAW,EAAE;EACzF;AACJ;AACA,MAAMC,SAAS,CAAC;EACZt4C,WAAWA,CAACk1B,KAAK,EAAE/mB,GAAG,EAAE;IACpB,IAAI,CAAC+mB,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC/mB,GAAG,GAAGA,GAAG;EAClB;EACAoqC,UAAUA,CAACC,cAAc,EAAE;IACvB,OAAO,IAAIC,kBAAkB,CAACD,cAAc,GAAG,IAAI,CAACtjB,KAAK,EAAEsjB,cAAc,GAAG,IAAI,CAACrqC,GAAG,CAAC;EACzF;AACJ;AACA,MAAMuqC,GAAG,CAAC;EACN14C,WAAWA,CAACg1B,IAAI;EAChB;AACJ;AACA;EACI1iB,UAAU,EAAE;IACR,IAAI,CAAC0iB,IAAI,GAAGA,IAAI;IAChB,IAAI,CAAC1iB,UAAU,GAAGA,UAAU;EAChC;EACA1P,QAAQA,CAAA,EAAG;IACP,OAAO,KAAK;EAChB;AACJ;AACA,MAAM+1C,WAAW,SAASD,GAAG,CAAC;EAC1B14C,WAAWA,CAACg1B,IAAI,EAAE1iB,UAAU,EAAEsmC,QAAQ,EAAE;IACpC,KAAK,CAAC5jB,IAAI,EAAE1iB,UAAU,CAAC;IACvB,IAAI,CAACsmC,QAAQ,GAAGA,QAAQ;EAC5B;AACJ;AACA,MAAMC,WAAW,SAASH,GAAG,CAAC;EAC1B/uC,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B;EAAA;AAER;AACA,MAAM8uC,gBAAgB,SAASJ,GAAG,CAAC;EAC/B/uC,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B,OAAOT,OAAO,CAACwvC,qBAAqB,CAAC,IAAI,EAAE/uC,OAAO,CAAC;EACvD;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMgvC,YAAY,SAASF,gBAAgB,CAAC;EACxCnvC,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B,OAAOT,OAAO,CAAC0vC,iBAAiB,GAAG,IAAI,EAAEjvC,OAAO,CAAC;EACrD;AACJ;AACA;AACA;AACA;AACA,MAAMkvC,KAAK,SAASR,GAAG,CAAC;EACpB14C,WAAWA,CAACg1B,IAAI,EAAE1iB,UAAU,EAAEqF,WAAW,EAAE;IACvC,KAAK,CAACqd,IAAI,EAAE1iB,UAAU,CAAC;IACvB,IAAI,CAACqF,WAAW,GAAGA,WAAW;EAClC;EACAhO,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B,OAAOT,OAAO,CAAC4vC,UAAU,CAAC,IAAI,EAAEnvC,OAAO,CAAC;EAC5C;AACJ;AACA,MAAMovC,WAAW,SAASV,GAAG,CAAC;EAC1B14C,WAAWA,CAACg1B,IAAI,EAAE1iB,UAAU,EAAEmI,SAAS,EAAE4+B,OAAO,EAAEC,QAAQ,EAAE;IACxD,KAAK,CAACtkB,IAAI,EAAE1iB,UAAU,CAAC;IACvB,IAAI,CAACmI,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAAC4+B,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACC,QAAQ,GAAGA,QAAQ;EAC5B;EACA3vC,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B,OAAOT,OAAO,CAACgwC,gBAAgB,CAAC,IAAI,EAAEvvC,OAAO,CAAC;EAClD;AACJ;AACA,MAAMwvC,YAAY,SAASb,WAAW,CAAC;EACnC34C,WAAWA,CAACg1B,IAAI,EAAE1iB,UAAU,EAAEsmC,QAAQ,EAAE5hC,QAAQ,EAAEvU,IAAI,EAAE;IACpD,KAAK,CAACuyB,IAAI,EAAE1iB,UAAU,EAAEsmC,QAAQ,CAAC;IACjC,IAAI,CAAC5hC,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACvU,IAAI,GAAGA,IAAI;EACpB;EACAkH,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B,OAAOT,OAAO,CAACkwC,iBAAiB,CAAC,IAAI,EAAEzvC,OAAO,CAAC;EACnD;AACJ;AACA,MAAM0vC,aAAa,SAASf,WAAW,CAAC;EACpC34C,WAAWA,CAACg1B,IAAI,EAAE1iB,UAAU,EAAEsmC,QAAQ,EAAE5hC,QAAQ,EAAEvU,IAAI,EAAEC,KAAK,EAAE;IAC3D,KAAK,CAACsyB,IAAI,EAAE1iB,UAAU,EAAEsmC,QAAQ,CAAC;IACjC,IAAI,CAAC5hC,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACvU,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACC,KAAK,GAAGA,KAAK;EACtB;EACAiH,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B,OAAOT,OAAO,CAACowC,kBAAkB,CAAC,IAAI,EAAE3vC,OAAO,CAAC;EACpD;AACJ;AACA,MAAM4vC,gBAAgB,SAASjB,WAAW,CAAC;EACvC34C,WAAWA,CAACg1B,IAAI,EAAE1iB,UAAU,EAAEsmC,QAAQ,EAAE5hC,QAAQ,EAAEvU,IAAI,EAAE;IACpD,KAAK,CAACuyB,IAAI,EAAE1iB,UAAU,EAAEsmC,QAAQ,CAAC;IACjC,IAAI,CAAC5hC,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACvU,IAAI,GAAGA,IAAI;EACpB;EACAkH,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B,OAAOT,OAAO,CAACswC,qBAAqB,CAAC,IAAI,EAAE7vC,OAAO,CAAC;EACvD;AACJ;AACA,MAAM8vC,SAAS,SAASpB,GAAG,CAAC;EACxB14C,WAAWA,CAACg1B,IAAI,EAAE1iB,UAAU,EAAE0E,QAAQ,EAAEvE,GAAG,EAAE;IACzC,KAAK,CAACuiB,IAAI,EAAE1iB,UAAU,CAAC;IACvB,IAAI,CAAC0E,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACvE,GAAG,GAAGA,GAAG;EAClB;EACA9I,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B,OAAOT,OAAO,CAACwwC,cAAc,CAAC,IAAI,EAAE/vC,OAAO,CAAC;EAChD;AACJ;AACA,MAAMgwC,aAAa,SAAStB,GAAG,CAAC;EAC5B14C,WAAWA,CAACg1B,IAAI,EAAE1iB,UAAU,EAAE0E,QAAQ,EAAEvE,GAAG,EAAE;IACzC,KAAK,CAACuiB,IAAI,EAAE1iB,UAAU,CAAC;IACvB,IAAI,CAAC0E,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACvE,GAAG,GAAGA,GAAG;EAClB;EACA9I,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B,OAAOT,OAAO,CAAC0wC,kBAAkB,CAAC,IAAI,EAAEjwC,OAAO,CAAC;EACpD;AACJ;AACA,MAAMkwC,UAAU,SAASxB,GAAG,CAAC;EACzB14C,WAAWA,CAACg1B,IAAI,EAAE1iB,UAAU,EAAE0E,QAAQ,EAAEvE,GAAG,EAAE/P,KAAK,EAAE;IAChD,KAAK,CAACsyB,IAAI,EAAE1iB,UAAU,CAAC;IACvB,IAAI,CAAC0E,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACvE,GAAG,GAAGA,GAAG;IACd,IAAI,CAAC/P,KAAK,GAAGA,KAAK;EACtB;EACAiH,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B,OAAOT,OAAO,CAAC4wC,eAAe,CAAC,IAAI,EAAEnwC,OAAO,CAAC;EACjD;AACJ;AACA,MAAMowC,WAAW,SAASzB,WAAW,CAAC;EAClC34C,WAAWA,CAACg1B,IAAI,EAAE1iB,UAAU,EAAEoN,GAAG,EAAEjd,IAAI,EAAE4U,IAAI,EAAEuhC,QAAQ,EAAE;IACrD,KAAK,CAAC5jB,IAAI,EAAE1iB,UAAU,EAAEsmC,QAAQ,CAAC;IACjC,IAAI,CAACl5B,GAAG,GAAGA,GAAG;IACd,IAAI,CAACjd,IAAI,GAAGA,IAAI;IAChB,IAAI,CAAC4U,IAAI,GAAGA,IAAI;EACpB;EACA1N,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B,OAAOT,OAAO,CAAC8wC,SAAS,CAAC,IAAI,EAAErwC,OAAO,CAAC;EAC3C;AACJ;AACA,MAAMswC,gBAAgB,SAAS5B,GAAG,CAAC;EAC/B14C,WAAWA,CAACg1B,IAAI,EAAE1iB,UAAU,EAAE5P,KAAK,EAAE;IACjC,KAAK,CAACsyB,IAAI,EAAE1iB,UAAU,CAAC;IACvB,IAAI,CAAC5P,KAAK,GAAGA,KAAK;EACtB;EACAiH,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B,OAAOT,OAAO,CAACgxC,qBAAqB,CAAC,IAAI,EAAEvwC,OAAO,CAAC;EACvD;AACJ;AACA,MAAMwwC,YAAY,SAAS9B,GAAG,CAAC;EAC3B14C,WAAWA,CAACg1B,IAAI,EAAE1iB,UAAU,EAAEqF,WAAW,EAAE;IACvC,KAAK,CAACqd,IAAI,EAAE1iB,UAAU,CAAC;IACvB,IAAI,CAACqF,WAAW,GAAGA,WAAW;EAClC;EACAhO,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B,OAAOT,OAAO,CAACkxC,iBAAiB,CAAC,IAAI,EAAEzwC,OAAO,CAAC;EACnD;AACJ;AACA,MAAM0wC,UAAU,SAAShC,GAAG,CAAC;EACzB14C,WAAWA,CAACg1B,IAAI,EAAE1iB,UAAU,EAAE9H,IAAI,EAAEqU,MAAM,EAAE;IACxC,KAAK,CAACmW,IAAI,EAAE1iB,UAAU,CAAC;IACvB,IAAI,CAAC9H,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACqU,MAAM,GAAGA,MAAM;EACxB;EACAlV,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B,OAAOT,OAAO,CAACoxC,eAAe,CAAC,IAAI,EAAE3wC,OAAO,CAAC;EACjD;AACJ;AACA,MAAM4wC,eAAe,SAASlC,GAAG,CAAC;EAC9B14C,WAAWA,CAACg1B,IAAI,EAAE1iB,UAAU,EAAEq0B,OAAO,EAAEhvB,WAAW,EAAE;IAChD,KAAK,CAACqd,IAAI,EAAE1iB,UAAU,CAAC;IACvB,IAAI,CAACq0B,OAAO,GAAGA,OAAO;IACtB,IAAI,CAAChvB,WAAW,GAAGA,WAAW;EAClC;EACAhO,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B,OAAOT,OAAO,CAACsxC,kBAAkB,CAAC,IAAI,EAAE7wC,OAAO,CAAC;EACpD;AACJ;AACA,MAAM8wC,MAAM,SAASpC,GAAG,CAAC;EACrB14C,WAAWA,CAACg1B,IAAI,EAAE1iB,UAAU,EAAEyoC,SAAS,EAAEC,IAAI,EAAEC,KAAK,EAAE;IAClD,KAAK,CAACjmB,IAAI,EAAE1iB,UAAU,CAAC;IACvB,IAAI,CAACyoC,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAACC,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACC,KAAK,GAAGA,KAAK;EACtB;EACAtxC,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B,OAAOT,OAAO,CAAC2xC,WAAW,CAAC,IAAI,EAAElxC,OAAO,CAAC;EAC7C;AACJ;AACA;AACA;AACA;AACA;AACA;AACA,MAAMmxC,KAAK,SAASL,MAAM,CAAC;EACvB;AACJ;AACA;EACI,OAAOM,WAAWA,CAACpmB,IAAI,EAAE1iB,UAAU,EAAE8D,IAAI,EAAE;IACvC,OAAO,IAAI+kC,KAAK,CAACnmB,IAAI,EAAE1iB,UAAU,EAAE,GAAG,EAAE8D,IAAI,EAAE,GAAG,EAAE,IAAIkkC,gBAAgB,CAACtlB,IAAI,EAAE1iB,UAAU,EAAE,CAAC,CAAC,EAAE8D,IAAI,CAAC;EACvG;EACA;AACJ;AACA;EACI,OAAOilC,UAAUA,CAACrmB,IAAI,EAAE1iB,UAAU,EAAE8D,IAAI,EAAE;IACtC,OAAO,IAAI+kC,KAAK,CAACnmB,IAAI,EAAE1iB,UAAU,EAAE,GAAG,EAAE8D,IAAI,EAAE,GAAG,EAAEA,IAAI,EAAE,IAAIkkC,gBAAgB,CAACtlB,IAAI,EAAE1iB,UAAU,EAAE,CAAC,CAAC,CAAC;EACvG;EACA;AACJ;AACA;AACA;EACItS,WAAWA,CAACg1B,IAAI,EAAE1iB,UAAU,EAAEkJ,QAAQ,EAAEpF,IAAI,EAAEklC,QAAQ,EAAEC,UAAU,EAAEC,WAAW,EAAE;IAC7E,KAAK,CAACxmB,IAAI,EAAE1iB,UAAU,EAAEgpC,QAAQ,EAAEC,UAAU,EAAEC,WAAW,CAAC;IAC1D,IAAI,CAAChgC,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACpF,IAAI,GAAGA,IAAI;IAChB;IACA;IACA,IAAI,CAAC4kC,IAAI,GAAG,IAAI;IAChB,IAAI,CAACC,KAAK,GAAG,IAAI;IACjB,IAAI,CAACF,SAAS,GAAG,IAAI;EACzB;EACApxC,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B,IAAIT,OAAO,CAACkyC,UAAU,KAAKntB,SAAS,EAAE;MAClC,OAAO/kB,OAAO,CAACkyC,UAAU,CAAC,IAAI,EAAEzxC,OAAO,CAAC;IAC5C;IACA,OAAOT,OAAO,CAAC2xC,WAAW,CAAC,IAAI,EAAElxC,OAAO,CAAC;EAC7C;AACJ;AACA,MAAM0xC,SAAS,SAAShD,GAAG,CAAC;EACxB14C,WAAWA,CAACg1B,IAAI,EAAE1iB,UAAU,EAAE3H,UAAU,EAAE;IACtC,KAAK,CAACqqB,IAAI,EAAE1iB,UAAU,CAAC;IACvB,IAAI,CAAC3H,UAAU,GAAGA,UAAU;EAChC;EACAhB,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B,OAAOT,OAAO,CAACoyC,cAAc,CAAC,IAAI,EAAE3xC,OAAO,CAAC;EAChD;AACJ;AACA,MAAM4xC,aAAa,SAASlD,GAAG,CAAC;EAC5B14C,WAAWA,CAACg1B,IAAI,EAAE1iB,UAAU,EAAE3H,UAAU,EAAE;IACtC,KAAK,CAACqqB,IAAI,EAAE1iB,UAAU,CAAC;IACvB,IAAI,CAAC3H,UAAU,GAAGA,UAAU;EAChC;EACAhB,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B,OAAOT,OAAO,CAACsyC,kBAAkB,CAAC,IAAI,EAAE7xC,OAAO,CAAC;EACpD;AACJ;AACA,MAAM8xC,IAAI,SAASpD,GAAG,CAAC;EACnB14C,WAAWA,CAACg1B,IAAI,EAAE1iB,UAAU,EAAE0E,QAAQ,EAAEK,IAAI,EAAE0kC,YAAY,EAAE;IACxD,KAAK,CAAC/mB,IAAI,EAAE1iB,UAAU,CAAC;IACvB,IAAI,CAAC0E,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACK,IAAI,GAAGA,IAAI;IAChB,IAAI,CAAC0kC,YAAY,GAAGA,YAAY;EACpC;EACApyC,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B,OAAOT,OAAO,CAACyyC,SAAS,CAAC,IAAI,EAAEhyC,OAAO,CAAC;EAC3C;AACJ;AACA,MAAMiyC,QAAQ,SAASvD,GAAG,CAAC;EACvB14C,WAAWA,CAACg1B,IAAI,EAAE1iB,UAAU,EAAE0E,QAAQ,EAAEK,IAAI,EAAE0kC,YAAY,EAAE;IACxD,KAAK,CAAC/mB,IAAI,EAAE1iB,UAAU,CAAC;IACvB,IAAI,CAAC0E,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACK,IAAI,GAAGA,IAAI;IAChB,IAAI,CAAC0kC,YAAY,GAAGA,YAAY;EACpC;EACApyC,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B,OAAOT,OAAO,CAAC2yC,aAAa,CAAC,IAAI,EAAElyC,OAAO,CAAC;EAC/C;AACJ;AACA;AACA;AACA;AACA;AACA,MAAMyuC,kBAAkB,CAAC;EACrBz4C,WAAWA,CAACk1B,KAAK,EAAE/mB,GAAG,EAAE;IACpB,IAAI,CAAC+mB,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC/mB,GAAG,GAAGA,GAAG;EAClB;AACJ;AACA,MAAMguC,aAAa,SAASzD,GAAG,CAAC;EAC5B14C,WAAWA,CAAC+d,GAAG,EAAEkX,MAAM,EAAEmnB,QAAQ,EAAE5D,cAAc,EAAE6D,MAAM,EAAE;IACvD,KAAK,CAAC,IAAI/D,SAAS,CAAC,CAAC,EAAErjB,MAAM,KAAK,IAAI,GAAG,CAAC,GAAGA,MAAM,CAACt0B,MAAM,CAAC,EAAE,IAAI83C,kBAAkB,CAACD,cAAc,EAAEvjB,MAAM,KAAK,IAAI,GAAGujB,cAAc,GAAGA,cAAc,GAAGvjB,MAAM,CAACt0B,MAAM,CAAC,CAAC;IACvK,IAAI,CAACod,GAAG,GAAGA,GAAG;IACd,IAAI,CAACkX,MAAM,GAAGA,MAAM;IACpB,IAAI,CAACmnB,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACC,MAAM,GAAGA,MAAM;EACxB;EACA1yC,KAAKA,CAACJ,OAAO,EAAES,OAAO,GAAG,IAAI,EAAE;IAC3B,IAAIT,OAAO,CAAC+yC,kBAAkB,EAAE;MAC5B,OAAO/yC,OAAO,CAAC+yC,kBAAkB,CAAC,IAAI,EAAEtyC,OAAO,CAAC;IACpD;IACA,OAAO,IAAI,CAAC+T,GAAG,CAACpU,KAAK,CAACJ,OAAO,EAAES,OAAO,CAAC;EAC3C;EACApH,QAAQA,CAAA,EAAG;IACP,OAAO,GAAG,IAAI,CAACqyB,MAAM,OAAO,IAAI,CAACmnB,QAAQ,EAAE;EAC/C;AACJ;AACA,MAAMG,eAAe,CAAC;EAClB;AACJ;AACA;AACA;AACA;EACIv8C,WAAWA,CAACsS,UAAU,EAAEG,GAAG,EAAE/P,KAAK,EAAE;IAChC,IAAI,CAAC4P,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACG,GAAG,GAAGA,GAAG;IACd,IAAI,CAAC/P,KAAK,GAAGA,KAAK;EACtB;AACJ;AACA,MAAM85C,iBAAiB,CAAC;EACpB;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIx8C,WAAWA,CAACsS,UAAU,EAAEG,GAAG,EAAE/P,KAAK,EAAE;IAChC,IAAI,CAAC4P,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACG,GAAG,GAAGA,GAAG;IACd,IAAI,CAAC/P,KAAK,GAAGA,KAAK;EACtB;AACJ;AACA,MAAMqd,mBAAmB,CAAC;EACtBpW,KAAKA,CAACoU,GAAG,EAAE/T,OAAO,EAAE;IAChB;IACA;IACA;IACA+T,GAAG,CAACpU,KAAK,CAAC,IAAI,EAAEK,OAAO,CAAC;EAC5B;EACAyxC,UAAUA,CAAC19B,GAAG,EAAE/T,OAAO,EAAE;IACrB,IAAI,CAACL,KAAK,CAACoU,GAAG,CAAC3H,IAAI,EAAEpM,OAAO,CAAC;EACjC;EACAkxC,WAAWA,CAACn9B,GAAG,EAAE/T,OAAO,EAAE;IACtB,IAAI,CAACL,KAAK,CAACoU,GAAG,CAACi9B,IAAI,EAAEhxC,OAAO,CAAC;IAC7B,IAAI,CAACL,KAAK,CAACoU,GAAG,CAACk9B,KAAK,EAAEjxC,OAAO,CAAC;EAClC;EACAmvC,UAAUA,CAACp7B,GAAG,EAAE/T,OAAO,EAAE;IACrB,IAAI,CAACyyC,QAAQ,CAAC1+B,GAAG,CAACpG,WAAW,EAAE3N,OAAO,CAAC;EAC3C;EACAuvC,gBAAgBA,CAACx7B,GAAG,EAAE/T,OAAO,EAAE;IAC3B,IAAI,CAACL,KAAK,CAACoU,GAAG,CAACtD,SAAS,EAAEzQ,OAAO,CAAC;IAClC,IAAI,CAACL,KAAK,CAACoU,GAAG,CAACs7B,OAAO,EAAErvC,OAAO,CAAC;IAChC,IAAI,CAACL,KAAK,CAACoU,GAAG,CAACu7B,QAAQ,EAAEtvC,OAAO,CAAC;EACrC;EACAqwC,SAASA,CAACt8B,GAAG,EAAE/T,OAAO,EAAE;IACpB,IAAI,CAACL,KAAK,CAACoU,GAAG,CAAC2B,GAAG,EAAE1V,OAAO,CAAC;IAC5B,IAAI,CAACyyC,QAAQ,CAAC1+B,GAAG,CAAC1G,IAAI,EAAErN,OAAO,CAAC;EACpC;EACA+uC,qBAAqBA,CAACh7B,GAAG,EAAE/T,OAAO,EAAE,CAAE;EACtCivC,iBAAiBA,CAACl7B,GAAG,EAAE/T,OAAO,EAAE,CAAE;EAClC6wC,kBAAkBA,CAAC98B,GAAG,EAAE/T,OAAO,EAAE;IAC7B,IAAI,CAACyyC,QAAQ,CAAC1+B,GAAG,CAACpG,WAAW,EAAE3N,OAAO,CAAC;EAC3C;EACA+vC,cAAcA,CAACh8B,GAAG,EAAE/T,OAAO,EAAE;IACzB,IAAI,CAACL,KAAK,CAACoU,GAAG,CAAC/G,QAAQ,EAAEhN,OAAO,CAAC;IACjC,IAAI,CAACL,KAAK,CAACoU,GAAG,CAACtL,GAAG,EAAEzI,OAAO,CAAC;EAChC;EACAmwC,eAAeA,CAACp8B,GAAG,EAAE/T,OAAO,EAAE;IAC1B,IAAI,CAACL,KAAK,CAACoU,GAAG,CAAC/G,QAAQ,EAAEhN,OAAO,CAAC;IACjC,IAAI,CAACL,KAAK,CAACoU,GAAG,CAACtL,GAAG,EAAEzI,OAAO,CAAC;IAC5B,IAAI,CAACL,KAAK,CAACoU,GAAG,CAACrb,KAAK,EAAEsH,OAAO,CAAC;EAClC;EACAywC,iBAAiBA,CAAC18B,GAAG,EAAE/T,OAAO,EAAE;IAC5B,IAAI,CAACyyC,QAAQ,CAAC1+B,GAAG,CAACpG,WAAW,EAAE3N,OAAO,CAAC;EAC3C;EACA2wC,eAAeA,CAAC58B,GAAG,EAAE/T,OAAO,EAAE;IAC1B,IAAI,CAACyyC,QAAQ,CAAC1+B,GAAG,CAACc,MAAM,EAAE7U,OAAO,CAAC;EACtC;EACAuwC,qBAAqBA,CAACx8B,GAAG,EAAE/T,OAAO,EAAE,CAAE;EACtC2xC,cAAcA,CAAC59B,GAAG,EAAE/T,OAAO,EAAE;IACzB,IAAI,CAACL,KAAK,CAACoU,GAAG,CAACpT,UAAU,EAAEX,OAAO,CAAC;EACvC;EACA6xC,kBAAkBA,CAAC99B,GAAG,EAAE/T,OAAO,EAAE;IAC7B,IAAI,CAACL,KAAK,CAACoU,GAAG,CAACpT,UAAU,EAAEX,OAAO,CAAC;EACvC;EACAyvC,iBAAiBA,CAAC17B,GAAG,EAAE/T,OAAO,EAAE;IAC5B,IAAI,CAACL,KAAK,CAACoU,GAAG,CAAC/G,QAAQ,EAAEhN,OAAO,CAAC;EACrC;EACA2vC,kBAAkBA,CAAC57B,GAAG,EAAE/T,OAAO,EAAE;IAC7B,IAAI,CAACL,KAAK,CAACoU,GAAG,CAAC/G,QAAQ,EAAEhN,OAAO,CAAC;IACjC,IAAI,CAACL,KAAK,CAACoU,GAAG,CAACrb,KAAK,EAAEsH,OAAO,CAAC;EAClC;EACA6vC,qBAAqBA,CAAC97B,GAAG,EAAE/T,OAAO,EAAE;IAChC,IAAI,CAACL,KAAK,CAACoU,GAAG,CAAC/G,QAAQ,EAAEhN,OAAO,CAAC;EACrC;EACAiwC,kBAAkBA,CAACl8B,GAAG,EAAE/T,OAAO,EAAE;IAC7B,IAAI,CAACL,KAAK,CAACoU,GAAG,CAAC/G,QAAQ,EAAEhN,OAAO,CAAC;IACjC,IAAI,CAACL,KAAK,CAACoU,GAAG,CAACtL,GAAG,EAAEzI,OAAO,CAAC;EAChC;EACAgyC,SAASA,CAACj+B,GAAG,EAAE/T,OAAO,EAAE;IACpB,IAAI,CAACL,KAAK,CAACoU,GAAG,CAAC/G,QAAQ,EAAEhN,OAAO,CAAC;IACjC,IAAI,CAACyyC,QAAQ,CAAC1+B,GAAG,CAAC1G,IAAI,EAAErN,OAAO,CAAC;EACpC;EACAkyC,aAAaA,CAACn+B,GAAG,EAAE/T,OAAO,EAAE;IACxB,IAAI,CAACL,KAAK,CAACoU,GAAG,CAAC/G,QAAQ,EAAEhN,OAAO,CAAC;IACjC,IAAI,CAACyyC,QAAQ,CAAC1+B,GAAG,CAAC1G,IAAI,EAAErN,OAAO,CAAC;EACpC;EACA;EACAyyC,QAAQA,CAACC,IAAI,EAAE1yC,OAAO,EAAE;IACpB,KAAK,MAAM+T,GAAG,IAAI2+B,IAAI,EAAE;MACpB,IAAI,CAAC/yC,KAAK,CAACoU,GAAG,EAAE/T,OAAO,CAAC;IAC5B;EACJ;AACJ;AACA,MAAM2yC,cAAc,CAAC;EACjB5D,qBAAqBA,CAACh7B,GAAG,EAAE/T,OAAO,EAAE;IAChC,OAAO+T,GAAG;EACd;EACAk7B,iBAAiBA,CAACl7B,GAAG,EAAE/T,OAAO,EAAE;IAC5B,OAAO+T,GAAG;EACd;EACA88B,kBAAkBA,CAAC98B,GAAG,EAAE/T,OAAO,EAAE;IAC7B,OAAO,IAAI4wC,eAAe,CAAC78B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAAC4oB,OAAO,EAAE,IAAI,CAAC8V,QAAQ,CAAC1+B,GAAG,CAACpG,WAAW,CAAC,CAAC;EACrG;EACA4iC,qBAAqBA,CAACx8B,GAAG,EAAE/T,OAAO,EAAE;IAChC,OAAO,IAAIswC,gBAAgB,CAACv8B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAACrb,KAAK,CAAC;EACpE;EACA+2C,iBAAiBA,CAAC17B,GAAG,EAAE/T,OAAO,EAAE;IAC5B,OAAO,IAAIwvC,YAAY,CAACz7B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAAC66B,QAAQ,EAAE76B,GAAG,CAAC/G,QAAQ,CAACrN,KAAK,CAAC,IAAI,CAAC,EAAEoU,GAAG,CAACtb,IAAI,CAAC;EACvG;EACAk3C,kBAAkBA,CAAC57B,GAAG,EAAE/T,OAAO,EAAE;IAC7B,OAAO,IAAI0vC,aAAa,CAAC37B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAAC66B,QAAQ,EAAE76B,GAAG,CAAC/G,QAAQ,CAACrN,KAAK,CAAC,IAAI,CAAC,EAAEoU,GAAG,CAACtb,IAAI,EAAEsb,GAAG,CAACrb,KAAK,CAACiH,KAAK,CAAC,IAAI,CAAC,CAAC;EAC/H;EACAkwC,qBAAqBA,CAAC97B,GAAG,EAAE/T,OAAO,EAAE;IAChC,OAAO,IAAI4vC,gBAAgB,CAAC77B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAAC66B,QAAQ,EAAE76B,GAAG,CAAC/G,QAAQ,CAACrN,KAAK,CAAC,IAAI,CAAC,EAAEoU,GAAG,CAACtb,IAAI,CAAC;EAC3G;EACAg4C,iBAAiBA,CAAC18B,GAAG,EAAE/T,OAAO,EAAE;IAC5B,OAAO,IAAIwwC,YAAY,CAACz8B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAE,IAAI,CAACmqC,QAAQ,CAAC1+B,GAAG,CAACpG,WAAW,CAAC,CAAC;EACrF;EACAgjC,eAAeA,CAAC58B,GAAG,EAAE/T,OAAO,EAAE;IAC1B,OAAO,IAAI0wC,UAAU,CAAC38B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAACvT,IAAI,EAAE,IAAI,CAACiyC,QAAQ,CAAC1+B,GAAG,CAACc,MAAM,CAAC,CAAC;EACxF;EACA48B,UAAUA,CAAC19B,GAAG,EAAE/T,OAAO,EAAE;IACrB,QAAQ+T,GAAG,CAACvC,QAAQ;MAChB,KAAK,GAAG;QACJ,OAAO2/B,KAAK,CAACE,UAAU,CAACt9B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAAC3H,IAAI,CAACzM,KAAK,CAAC,IAAI,CAAC,CAAC;MAC3E,KAAK,GAAG;QACJ,OAAOwxC,KAAK,CAACC,WAAW,CAACr9B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAAC3H,IAAI,CAACzM,KAAK,CAAC,IAAI,CAAC,CAAC;MAC5E;QACI,MAAM,IAAIxI,KAAK,CAAC,0BAA0B4c,GAAG,CAACvC,QAAQ,EAAE,CAAC;IACjE;EACJ;EACA0/B,WAAWA,CAACn9B,GAAG,EAAE/T,OAAO,EAAE;IACtB,OAAO,IAAI8wC,MAAM,CAAC/8B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAACg9B,SAAS,EAAEh9B,GAAG,CAACi9B,IAAI,CAACrxC,KAAK,CAAC,IAAI,CAAC,EAAEoU,GAAG,CAACk9B,KAAK,CAACtxC,KAAK,CAAC,IAAI,CAAC,CAAC;EAC3G;EACAgyC,cAAcA,CAAC59B,GAAG,EAAE/T,OAAO,EAAE;IACzB,OAAO,IAAI0xC,SAAS,CAAC39B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAACpT,UAAU,CAAChB,KAAK,CAAC,IAAI,CAAC,CAAC;EAC9E;EACAkyC,kBAAkBA,CAAC99B,GAAG,EAAE/T,OAAO,EAAE;IAC7B,OAAO,IAAI4xC,aAAa,CAAC79B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAACpT,UAAU,CAAChB,KAAK,CAAC,IAAI,CAAC,CAAC;EAClF;EACA4vC,gBAAgBA,CAACx7B,GAAG,EAAE/T,OAAO,EAAE;IAC3B,OAAO,IAAIovC,WAAW,CAACr7B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAACtD,SAAS,CAAC9Q,KAAK,CAAC,IAAI,CAAC,EAAEoU,GAAG,CAACs7B,OAAO,CAAC1vC,KAAK,CAAC,IAAI,CAAC,EAAEoU,GAAG,CAACu7B,QAAQ,CAAC3vC,KAAK,CAAC,IAAI,CAAC,CAAC;EAClI;EACA0wC,SAASA,CAACt8B,GAAG,EAAE/T,OAAO,EAAE;IACpB,OAAO,IAAIowC,WAAW,CAACr8B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAAC2B,GAAG,CAAC/V,KAAK,CAAC,IAAI,CAAC,EAAEoU,GAAG,CAACtb,IAAI,EAAE,IAAI,CAACg6C,QAAQ,CAAC1+B,GAAG,CAAC1G,IAAI,CAAC,EAAE0G,GAAG,CAAC66B,QAAQ,CAAC;EAC1H;EACAmB,cAAcA,CAACh8B,GAAG,EAAE/T,OAAO,EAAE;IACzB,OAAO,IAAI8vC,SAAS,CAAC/7B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAAC/G,QAAQ,CAACrN,KAAK,CAAC,IAAI,CAAC,EAAEoU,GAAG,CAACtL,GAAG,CAAC9I,KAAK,CAAC,IAAI,CAAC,CAAC;EACjG;EACAwwC,eAAeA,CAACp8B,GAAG,EAAE/T,OAAO,EAAE;IAC1B,OAAO,IAAIkwC,UAAU,CAACn8B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAAC/G,QAAQ,CAACrN,KAAK,CAAC,IAAI,CAAC,EAAEoU,GAAG,CAACtL,GAAG,CAAC9I,KAAK,CAAC,IAAI,CAAC,EAAEoU,GAAG,CAACrb,KAAK,CAACiH,KAAK,CAAC,IAAI,CAAC,CAAC;EACzH;EACAqyC,SAASA,CAACj+B,GAAG,EAAE/T,OAAO,EAAE;IACpB,OAAO,IAAI8xC,IAAI,CAAC/9B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAAC/G,QAAQ,CAACrN,KAAK,CAAC,IAAI,CAAC,EAAE,IAAI,CAAC8yC,QAAQ,CAAC1+B,GAAG,CAAC1G,IAAI,CAAC,EAAE0G,GAAG,CAACg+B,YAAY,CAAC;EAClH;EACAG,aAAaA,CAACn+B,GAAG,EAAE/T,OAAO,EAAE;IACxB,OAAO,IAAIiyC,QAAQ,CAACl+B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAAC/G,QAAQ,CAACrN,KAAK,CAAC,IAAI,CAAC,EAAE,IAAI,CAAC8yC,QAAQ,CAAC1+B,GAAG,CAAC1G,IAAI,CAAC,EAAE0G,GAAG,CAACg+B,YAAY,CAAC;EACtH;EACAU,QAAQA,CAACC,IAAI,EAAE;IACX,MAAMj8C,GAAG,GAAG,EAAE;IACd,KAAK,IAAIsB,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG26C,IAAI,CAAC/7C,MAAM,EAAE,EAAEoB,CAAC,EAAE;MAClCtB,GAAG,CAACsB,CAAC,CAAC,GAAG26C,IAAI,CAAC36C,CAAC,CAAC,CAAC4H,KAAK,CAAC,IAAI,CAAC;IAChC;IACA,OAAOlJ,GAAG;EACd;EACA04C,UAAUA,CAACp7B,GAAG,EAAE/T,OAAO,EAAE;IACrB,OAAO,IAAIkvC,KAAK,CAACn7B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAE,IAAI,CAACmqC,QAAQ,CAAC1+B,GAAG,CAACpG,WAAW,CAAC,CAAC;EAC9E;EACAsiC,kBAAkBA,CAACl8B,GAAG,EAAE/T,OAAO,EAAE;IAC7B,OAAO,IAAIgwC,aAAa,CAACj8B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAAC/G,QAAQ,CAACrN,KAAK,CAAC,IAAI,CAAC,EAAEoU,GAAG,CAACtL,GAAG,CAAC9I,KAAK,CAAC,IAAI,CAAC,CAAC;EACrG;AACJ;AACA;AACA;AACA,MAAMizC,6BAA6B,CAAC;EAChC7D,qBAAqBA,CAACh7B,GAAG,EAAE/T,OAAO,EAAE;IAChC,OAAO+T,GAAG;EACd;EACAk7B,iBAAiBA,CAACl7B,GAAG,EAAE/T,OAAO,EAAE;IAC5B,OAAO+T,GAAG;EACd;EACA88B,kBAAkBA,CAAC98B,GAAG,EAAE/T,OAAO,EAAE;IAC7B,MAAM2N,WAAW,GAAG,IAAI,CAAC8kC,QAAQ,CAAC1+B,GAAG,CAACpG,WAAW,CAAC;IAClD,IAAIA,WAAW,KAAKoG,GAAG,CAACpG,WAAW,EAC/B,OAAO,IAAIijC,eAAe,CAAC78B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAAC4oB,OAAO,EAAEhvB,WAAW,CAAC;IAClF,OAAOoG,GAAG;EACd;EACAw8B,qBAAqBA,CAACx8B,GAAG,EAAE/T,OAAO,EAAE;IAChC,OAAO+T,GAAG;EACd;EACA07B,iBAAiBA,CAAC17B,GAAG,EAAE/T,OAAO,EAAE;IAC5B,MAAMgN,QAAQ,GAAG+G,GAAG,CAAC/G,QAAQ,CAACrN,KAAK,CAAC,IAAI,CAAC;IACzC,IAAIqN,QAAQ,KAAK+G,GAAG,CAAC/G,QAAQ,EAAE;MAC3B,OAAO,IAAIwiC,YAAY,CAACz7B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAAC66B,QAAQ,EAAE5hC,QAAQ,EAAE+G,GAAG,CAACtb,IAAI,CAAC;IACvF;IACA,OAAOsb,GAAG;EACd;EACA47B,kBAAkBA,CAAC57B,GAAG,EAAE/T,OAAO,EAAE;IAC7B,MAAMgN,QAAQ,GAAG+G,GAAG,CAAC/G,QAAQ,CAACrN,KAAK,CAAC,IAAI,CAAC;IACzC,MAAMjH,KAAK,GAAGqb,GAAG,CAACrb,KAAK,CAACiH,KAAK,CAAC,IAAI,CAAC;IACnC,IAAIqN,QAAQ,KAAK+G,GAAG,CAAC/G,QAAQ,IAAItU,KAAK,KAAKqb,GAAG,CAACrb,KAAK,EAAE;MAClD,OAAO,IAAIg3C,aAAa,CAAC37B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAAC66B,QAAQ,EAAE5hC,QAAQ,EAAE+G,GAAG,CAACtb,IAAI,EAAEC,KAAK,CAAC;IAC/F;IACA,OAAOqb,GAAG;EACd;EACA87B,qBAAqBA,CAAC97B,GAAG,EAAE/T,OAAO,EAAE;IAChC,MAAMgN,QAAQ,GAAG+G,GAAG,CAAC/G,QAAQ,CAACrN,KAAK,CAAC,IAAI,CAAC;IACzC,IAAIqN,QAAQ,KAAK+G,GAAG,CAAC/G,QAAQ,EAAE;MAC3B,OAAO,IAAI4iC,gBAAgB,CAAC77B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAAC66B,QAAQ,EAAE5hC,QAAQ,EAAE+G,GAAG,CAACtb,IAAI,CAAC;IAC3F;IACA,OAAOsb,GAAG;EACd;EACA08B,iBAAiBA,CAAC18B,GAAG,EAAE/T,OAAO,EAAE;IAC5B,MAAM2N,WAAW,GAAG,IAAI,CAAC8kC,QAAQ,CAAC1+B,GAAG,CAACpG,WAAW,CAAC;IAClD,IAAIA,WAAW,KAAKoG,GAAG,CAACpG,WAAW,EAAE;MACjC,OAAO,IAAI6iC,YAAY,CAACz8B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEqF,WAAW,CAAC;IAClE;IACA,OAAOoG,GAAG;EACd;EACA48B,eAAeA,CAAC58B,GAAG,EAAE/T,OAAO,EAAE;IAC1B,MAAM6U,MAAM,GAAG,IAAI,CAAC49B,QAAQ,CAAC1+B,GAAG,CAACc,MAAM,CAAC;IACxC,IAAIA,MAAM,KAAKd,GAAG,CAACc,MAAM,EAAE;MACvB,OAAO,IAAI67B,UAAU,CAAC38B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAACvT,IAAI,EAAEqU,MAAM,CAAC;IACrE;IACA,OAAOd,GAAG;EACd;EACA09B,UAAUA,CAAC19B,GAAG,EAAE/T,OAAO,EAAE;IACrB,MAAMoM,IAAI,GAAG2H,GAAG,CAAC3H,IAAI,CAACzM,KAAK,CAAC,IAAI,CAAC;IACjC,IAAIyM,IAAI,KAAK2H,GAAG,CAAC3H,IAAI,EAAE;MACnB,QAAQ2H,GAAG,CAACvC,QAAQ;QAChB,KAAK,GAAG;UACJ,OAAO2/B,KAAK,CAACE,UAAU,CAACt9B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAE8D,IAAI,CAAC;QAC3D,KAAK,GAAG;UACJ,OAAO+kC,KAAK,CAACC,WAAW,CAACr9B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAE8D,IAAI,CAAC;QAC5D;UACI,MAAM,IAAIjV,KAAK,CAAC,0BAA0B4c,GAAG,CAACvC,QAAQ,EAAE,CAAC;MACjE;IACJ;IACA,OAAOuC,GAAG;EACd;EACAm9B,WAAWA,CAACn9B,GAAG,EAAE/T,OAAO,EAAE;IACtB,MAAMgxC,IAAI,GAAGj9B,GAAG,CAACi9B,IAAI,CAACrxC,KAAK,CAAC,IAAI,CAAC;IACjC,MAAMsxC,KAAK,GAAGl9B,GAAG,CAACk9B,KAAK,CAACtxC,KAAK,CAAC,IAAI,CAAC;IACnC,IAAIqxC,IAAI,KAAKj9B,GAAG,CAACi9B,IAAI,IAAIC,KAAK,KAAKl9B,GAAG,CAACk9B,KAAK,EAAE;MAC1C,OAAO,IAAIH,MAAM,CAAC/8B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAACg9B,SAAS,EAAEC,IAAI,EAAEC,KAAK,CAAC;IAC3E;IACA,OAAOl9B,GAAG;EACd;EACA49B,cAAcA,CAAC59B,GAAG,EAAE/T,OAAO,EAAE;IACzB,MAAMW,UAAU,GAAGoT,GAAG,CAACpT,UAAU,CAAChB,KAAK,CAAC,IAAI,CAAC;IAC7C,IAAIgB,UAAU,KAAKoT,GAAG,CAACpT,UAAU,EAAE;MAC/B,OAAO,IAAI+wC,SAAS,CAAC39B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAE3H,UAAU,CAAC;IAC9D;IACA,OAAOoT,GAAG;EACd;EACA89B,kBAAkBA,CAAC99B,GAAG,EAAE/T,OAAO,EAAE;IAC7B,MAAMW,UAAU,GAAGoT,GAAG,CAACpT,UAAU,CAAChB,KAAK,CAAC,IAAI,CAAC;IAC7C,IAAIgB,UAAU,KAAKoT,GAAG,CAACpT,UAAU,EAAE;MAC/B,OAAO,IAAIixC,aAAa,CAAC79B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAE3H,UAAU,CAAC;IAClE;IACA,OAAOoT,GAAG;EACd;EACAw7B,gBAAgBA,CAACx7B,GAAG,EAAE/T,OAAO,EAAE;IAC3B,MAAMyQ,SAAS,GAAGsD,GAAG,CAACtD,SAAS,CAAC9Q,KAAK,CAAC,IAAI,CAAC;IAC3C,MAAM0vC,OAAO,GAAGt7B,GAAG,CAACs7B,OAAO,CAAC1vC,KAAK,CAAC,IAAI,CAAC;IACvC,MAAM2vC,QAAQ,GAAGv7B,GAAG,CAACu7B,QAAQ,CAAC3vC,KAAK,CAAC,IAAI,CAAC;IACzC,IAAI8Q,SAAS,KAAKsD,GAAG,CAACtD,SAAS,IAAI4+B,OAAO,KAAKt7B,GAAG,CAACs7B,OAAO,IAAIC,QAAQ,KAAKv7B,GAAG,CAACu7B,QAAQ,EAAE;MACrF,OAAO,IAAIF,WAAW,CAACr7B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEmI,SAAS,EAAE4+B,OAAO,EAAEC,QAAQ,CAAC;IAClF;IACA,OAAOv7B,GAAG;EACd;EACAs8B,SAASA,CAACt8B,GAAG,EAAE/T,OAAO,EAAE;IACpB,MAAM0V,GAAG,GAAG3B,GAAG,CAAC2B,GAAG,CAAC/V,KAAK,CAAC,IAAI,CAAC;IAC/B,MAAM0N,IAAI,GAAG,IAAI,CAAColC,QAAQ,CAAC1+B,GAAG,CAAC1G,IAAI,CAAC;IACpC,IAAIqI,GAAG,KAAK3B,GAAG,CAAC2B,GAAG,IAAIrI,IAAI,KAAK0G,GAAG,CAAC1G,IAAI,EAAE;MACtC,OAAO,IAAI+iC,WAAW,CAACr8B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEoN,GAAG,EAAE3B,GAAG,CAACtb,IAAI,EAAE4U,IAAI,EAAE0G,GAAG,CAAC66B,QAAQ,CAAC;IACvF;IACA,OAAO76B,GAAG;EACd;EACAg8B,cAAcA,CAACh8B,GAAG,EAAE/T,OAAO,EAAE;IACzB,MAAM6yC,GAAG,GAAG9+B,GAAG,CAAC/G,QAAQ,CAACrN,KAAK,CAAC,IAAI,CAAC;IACpC,MAAM8I,GAAG,GAAGsL,GAAG,CAACtL,GAAG,CAAC9I,KAAK,CAAC,IAAI,CAAC;IAC/B,IAAIkzC,GAAG,KAAK9+B,GAAG,CAAC/G,QAAQ,IAAIvE,GAAG,KAAKsL,GAAG,CAACtL,GAAG,EAAE;MACzC,OAAO,IAAIqnC,SAAS,CAAC/7B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEuqC,GAAG,EAAEpqC,GAAG,CAAC;IAC5D;IACA,OAAOsL,GAAG;EACd;EACAo8B,eAAeA,CAACp8B,GAAG,EAAE/T,OAAO,EAAE;IAC1B,MAAM6yC,GAAG,GAAG9+B,GAAG,CAAC/G,QAAQ,CAACrN,KAAK,CAAC,IAAI,CAAC;IACpC,MAAM8I,GAAG,GAAGsL,GAAG,CAACtL,GAAG,CAAC9I,KAAK,CAAC,IAAI,CAAC;IAC/B,MAAMjH,KAAK,GAAGqb,GAAG,CAACrb,KAAK,CAACiH,KAAK,CAAC,IAAI,CAAC;IACnC,IAAIkzC,GAAG,KAAK9+B,GAAG,CAAC/G,QAAQ,IAAIvE,GAAG,KAAKsL,GAAG,CAACtL,GAAG,IAAI/P,KAAK,KAAKqb,GAAG,CAACrb,KAAK,EAAE;MAChE,OAAO,IAAIw3C,UAAU,CAACn8B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEuqC,GAAG,EAAEpqC,GAAG,EAAE/P,KAAK,CAAC;IACpE;IACA,OAAOqb,GAAG;EACd;EACA0+B,QAAQA,CAACC,IAAI,EAAE;IACX,MAAMj8C,GAAG,GAAG,EAAE;IACd,IAAIq8C,QAAQ,GAAG,KAAK;IACpB,KAAK,IAAI/6C,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG26C,IAAI,CAAC/7C,MAAM,EAAE,EAAEoB,CAAC,EAAE;MAClC,MAAMwe,QAAQ,GAAGm8B,IAAI,CAAC36C,CAAC,CAAC;MACxB,MAAMW,KAAK,GAAG6d,QAAQ,CAAC5W,KAAK,CAAC,IAAI,CAAC;MAClClJ,GAAG,CAACsB,CAAC,CAAC,GAAGW,KAAK;MACdo6C,QAAQ,GAAGA,QAAQ,IAAIp6C,KAAK,KAAK6d,QAAQ;IAC7C;IACA,OAAOu8B,QAAQ,GAAGr8C,GAAG,GAAGi8C,IAAI;EAChC;EACAvD,UAAUA,CAACp7B,GAAG,EAAE/T,OAAO,EAAE;IACrB,MAAM2N,WAAW,GAAG,IAAI,CAAC8kC,QAAQ,CAAC1+B,GAAG,CAACpG,WAAW,CAAC;IAClD,IAAIA,WAAW,KAAKoG,GAAG,CAACpG,WAAW,EAAE;MACjC,OAAO,IAAIuhC,KAAK,CAACn7B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEqF,WAAW,CAAC;IAC3D;IACA,OAAOoG,GAAG;EACd;EACAi+B,SAASA,CAACj+B,GAAG,EAAE/T,OAAO,EAAE;IACpB,MAAMgN,QAAQ,GAAG+G,GAAG,CAAC/G,QAAQ,CAACrN,KAAK,CAAC,IAAI,CAAC;IACzC,MAAM0N,IAAI,GAAG,IAAI,CAAColC,QAAQ,CAAC1+B,GAAG,CAAC1G,IAAI,CAAC;IACpC,IAAIL,QAAQ,KAAK+G,GAAG,CAAC/G,QAAQ,IAAIK,IAAI,KAAK0G,GAAG,CAAC1G,IAAI,EAAE;MAChD,OAAO,IAAIykC,IAAI,CAAC/9B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAE0E,QAAQ,EAAEK,IAAI,EAAE0G,GAAG,CAACg+B,YAAY,CAAC;IAC/E;IACA,OAAOh+B,GAAG;EACd;EACAm+B,aAAaA,CAACn+B,GAAG,EAAE/T,OAAO,EAAE;IACxB,MAAMgN,QAAQ,GAAG+G,GAAG,CAAC/G,QAAQ,CAACrN,KAAK,CAAC,IAAI,CAAC;IACzC,MAAM0N,IAAI,GAAG,IAAI,CAAColC,QAAQ,CAAC1+B,GAAG,CAAC1G,IAAI,CAAC;IACpC,IAAIL,QAAQ,KAAK+G,GAAG,CAAC/G,QAAQ,IAAIK,IAAI,KAAK0G,GAAG,CAAC1G,IAAI,EAAE;MAChD,OAAO,IAAI4kC,QAAQ,CAACl+B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAE0E,QAAQ,EAAEK,IAAI,EAAE0G,GAAG,CAACg+B,YAAY,CAAC;IACnF;IACA,OAAOh+B,GAAG;EACd;EACAk8B,kBAAkBA,CAACl8B,GAAG,EAAE/T,OAAO,EAAE;IAC7B,MAAM6yC,GAAG,GAAG9+B,GAAG,CAAC/G,QAAQ,CAACrN,KAAK,CAAC,IAAI,CAAC;IACpC,MAAM8I,GAAG,GAAGsL,GAAG,CAACtL,GAAG,CAAC9I,KAAK,CAAC,IAAI,CAAC;IAC/B,IAAIkzC,GAAG,KAAK9+B,GAAG,CAAC/G,QAAQ,IAAIvE,GAAG,KAAKsL,GAAG,CAACtL,GAAG,EAAE;MACzC,OAAO,IAAIunC,aAAa,CAACj8B,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAEuqC,GAAG,EAAEpqC,GAAG,CAAC;IAChE;IACA,OAAOsL,GAAG;EACd;AACJ;AACA;AACA,MAAMg/B,cAAc,CAAC;EACjB/8C,WAAWA,CAACyC,IAAI,EAAEkI,UAAU,EAAEC,IAAI,EAAE0H,UAAU,EAAEypB,OAAO,EAAEC,SAAS,EAAE;IAChE,IAAI,CAACv5B,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACkI,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACC,IAAI,GAAGA,IAAI;IAChB,IAAI,CAAC0H,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACypB,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACC,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAACghB,SAAS,GAAG,IAAI,CAACpyC,IAAI,KAAKqyC,kBAAkB,CAACC,YAAY;IAC9D,IAAI,CAACC,WAAW,GAAG,IAAI,CAACvyC,IAAI,KAAKqyC,kBAAkB,CAACG,SAAS;EACjE;AACJ;AACA,IAAIH,kBAAkB;AACtB,CAAC,UAAUA,kBAAkB,EAAE;EAC3BA,kBAAkB,CAACA,kBAAkB,CAAC,SAAS,CAAC,GAAG,CAAC,CAAC,GAAG,SAAS;EACjEA,kBAAkB,CAACA,kBAAkB,CAAC,cAAc,CAAC,GAAG,CAAC,CAAC,GAAG,cAAc;EAC3EA,kBAAkB,CAACA,kBAAkB,CAAC,WAAW,CAAC,GAAG,CAAC,CAAC,GAAG,WAAW;AACzE,CAAC,EAAEA,kBAAkB,KAAKA,kBAAkB,GAAG,CAAC,CAAC,CAAC,CAAC;AACnD,MAAMI,WAAW,CAAC;EACd;EACA;EACAr9C,WAAWA,CAACyC,IAAI,EAAEk6B,aAAa,EAAE/xB,IAAI,EAAE0rB,OAAO,EAAEhkB,UAAU,EAAEkqB,WAAW,EAAET,OAAO,EAAE;IAC9E,IAAI,CAACt5B,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACk6B,aAAa,GAAGA,aAAa;IAClC,IAAI,CAAC/xB,IAAI,GAAGA,IAAI;IAChB,IAAI,CAAC0rB,OAAO,GAAGA,OAAO;IACtB,IAAI,CAAChkB,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACkqB,WAAW,GAAGA,WAAW;IAC9B,IAAI,CAACT,OAAO,GAAGA,OAAO;EAC1B;AACJ;AACA;AACA;AACA;AACA,MAAMuhB,cAAc,CAAC;EACjBt9C,WAAWA,CAACyC,IAAI,EAAEC,KAAK,EAAE4P,UAAU,EAAEypB,OAAO,EAAEC,SAAS,EAAE;IACrD,IAAI,CAACv5B,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACC,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC4P,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACypB,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACC,SAAS,GAAGA,SAAS;EAC9B;AACJ;AACA,MAAMuhB,oBAAoB,CAAC;EACvBv9C,WAAWA,CAACyC,IAAI,EAAEmI,IAAI,EAAEuxB,eAAe,EAAEz5B,KAAK,EAAE05B,IAAI,EAAE9pB,UAAU,EAAEypB,OAAO,EAAEC,SAAS,EAAE;IAClF,IAAI,CAACv5B,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACmI,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACuxB,eAAe,GAAGA,eAAe;IACtC,IAAI,CAACz5B,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC05B,IAAI,GAAGA,IAAI;IAChB,IAAI,CAAC9pB,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACypB,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACC,SAAS,GAAGA,SAAS;EAC9B;AACJ;AAEA,MAAMwhB,gBAAgB,CAAC;EACnB;IAAS,IAAI,CAAC9gB,KAAK,GAAGre,QAAQ,CAAC,QAAQ,CAAC;EAAE;AAC9C;AACA;AACA;AACA;AACA;AACA,SAASo/B,oBAAoBA,CAACC,aAAa,EAAEC,gBAAgB,EAAEC,MAAM,EAAEC,SAAS,EAAEC,cAAc,EAAEC,wBAAwB,EAAEC,OAAO,EAAE;EACjI,IAAI,CAACN,aAAa,EAAE;IAChBA,aAAa,GAAG,IAAIO,oBAAoB,CAACD,OAAO,CAAC;EACrD;EACA,MAAME,qBAAqB,GAAGC,8BAA8B,CAAC;IACzDC,2BAA2B,EAAGC,QAAQ,IAAK;MACvC;MACA,OAAQhnC,IAAI,IAAKuH,UAAU,CAACvH,IAAI,CAAC;IACrC,CAAC;IACDinC,yBAAyB,EAAG9zC,IAAI,IAAK;MACjC;MACA,OAAQqU,MAAM,IAAK;QACf,MAAM9C,OAAO,GAAGvR,IAAI,CAAC1F,GAAG,CAAC,CAAC4F,CAAC,EAAE3I,CAAC,MAAM;UAChC0Q,GAAG,EAAE/H,CAAC,CAAC+H,GAAG;UACV/P,KAAK,EAAEmc,MAAM,CAAC9c,CAAC,CAAC;UAChBoa,MAAM,EAAEzR,CAAC,CAACyR;QACd,CAAC,CAAC,CAAC;QACH,OAAO2C,UAAU,CAAC/C,OAAO,CAAC;MAC9B,CAAC;IACL,CAAC;IACDwiC,mBAAmB,EAAG97C,IAAI,IAAK;MAC3B,MAAM,IAAItB,KAAK,CAAC,kEAAkEsB,IAAI,EAAE,CAAC;IAC7F;EACJ,CAAC,EAAEm7C,MAAM,CAAC;EACV,MAAMr0C,OAAO,GAAG,IAAIi1C,eAAe,CAACd,aAAa,EAAEC,gBAAgB,EAAEE,SAAS,EAAE,2BAA4B,KAAK,EAAEC,cAAc,EAAEC,wBAAwB,CAAC;EAC5J,MAAMU,WAAW,GAAG,EAAE;EACtBC,iBAAiB,CAACR,qBAAqB,CAACv0C,KAAK,CAACJ,OAAO,EAAEo1C,KAAK,CAAC1hC,SAAS,CAAC,EAAEwhC,WAAW,CAAC;EACrFG,qBAAqB,CAACr1C,OAAO,CAACs1C,cAAc,EAAEhB,SAAS,EAAEY,WAAW,CAAC;EACrE,IAAIl1C,OAAO,CAACu1C,oBAAoB,EAAE;IAC9BpB,aAAa,CAACqB,yBAAyB,CAAC,CAAC;EAC7C;EACA,MAAM99C,SAAS,GAAGw9C,WAAW,CAAC99C,MAAM,GAAG,CAAC;EACxC,IAAIM,SAAS,IAAI,CAAC,EAAE;IAChB,MAAM+9C,aAAa,GAAGP,WAAW,CAACx9C,SAAS,CAAC;IAC5C;IACA,IAAI+9C,aAAa,YAAYnpC,mBAAmB,EAAE;MAC9C4oC,WAAW,CAACx9C,SAAS,CAAC,GAAG,IAAIyc,eAAe,CAACshC,aAAa,CAAC5oC,IAAI,CAAC;IACpE;EACJ;EACA,OAAOqoC,WAAW;AACtB;AACA,SAASN,8BAA8BA,CAACc,gBAAgB,EAAElhC,GAAG,EAAE;EAC3D,OAAOmhC,eAAe,CAACD,gBAAgB,EAAElhC,GAAG,CAAC;AACjD;AACA,MAAMohC,4BAA4B,CAAC;EAC/Bn/C,WAAWA,CAACme,KAAK,EAAEihC,WAAW,EAAE;IAC5B,IAAI,CAACjhC,KAAK,GAAGA,KAAK;IAClB,IAAI,CAACihC,WAAW,GAAGA,WAAW;EAClC;AACJ;AACA;AACA;AACA;AACA;AACA;AACA,SAASC,sBAAsBA,CAAC3B,aAAa,EAAEC,gBAAgB,EAAE2B,yBAAyB,EAAEzB,SAAS,EAAE;EACnG,IAAI,CAACH,aAAa,EAAE;IAChBA,aAAa,GAAG,IAAIO,oBAAoB,CAAC,CAAC;EAC9C;EACA,MAAM10C,OAAO,GAAG,IAAIi1C,eAAe,CAACd,aAAa,EAAEC,gBAAgB,EAAEE,SAAS,EAAE,2BAA4B,KAAK,CAAC;EAClH,MAAM0B,UAAU,GAAGD,yBAAyB,CAAC31C,KAAK,CAACJ,OAAO,EAAEo1C,KAAK,CAACtsC,UAAU,CAAC;EAC7E,MAAM8L,KAAK,GAAGqhC,wBAAwB,CAACj2C,OAAO,EAAEs0C,SAAS,CAAC;EAC1D,IAAIt0C,OAAO,CAACu1C,oBAAoB,EAAE;IAC9BpB,aAAa,CAACqB,yBAAyB,CAAC,CAAC;EAC7C;EACA,OAAO,IAAII,4BAA4B,CAAChhC,KAAK,EAAEohC,UAAU,CAAC;AAC9D;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASE,sBAAsBA,CAAC/B,aAAa,EAAEgC,yBAAyB,EAAEC,gCAAgC,EAAE9B,SAAS,EAAE;EACnH,MAAMt0C,OAAO,GAAG,IAAIi1C,eAAe,CAACd,aAAa,EAAEgC,yBAAyB,EAAE7B,SAAS,EAAE,2BAA4B,IAAI,CAAC;EAC1H,MAAM0B,UAAU,GAAGh2C,OAAO,CAACsxC,kBAAkB,CAAC8E,gCAAgC,EAAEhB,KAAK,CAACtsC,UAAU,CAAC;EACjG,IAAI9I,OAAO,CAACu1C,oBAAoB,EAAE;IAC9BpB,aAAa,CAACqB,yBAAyB,CAAC,CAAC;EAC7C;EACA,MAAM5gC,KAAK,GAAGqhC,wBAAwB,CAACj2C,OAAO,EAAEs0C,SAAS,CAAC;EAC1D,MAAMxmC,IAAI,GAAGkoC,UAAU,CAACloC,IAAI;EAC5B,OAAO;IAAE8G,KAAK;IAAE9G;EAAK,CAAC;AAC1B;AACA,SAASmoC,wBAAwBA,CAACj2C,OAAO,EAAEs0C,SAAS,EAAE;EAClD,MAAM1/B,KAAK,GAAG,EAAE;EAChB,KAAK,IAAIpc,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGwH,OAAO,CAACs1C,cAAc,EAAE98C,CAAC,EAAE,EAAE;IAC7Coc,KAAK,CAACvd,IAAI,CAACg/C,oBAAoB,CAAC/B,SAAS,EAAE97C,CAAC,CAAC,CAAC;EAClD;EACA,OAAOoc,KAAK;AAChB;AACA,SAAS+gC,eAAeA,CAACD,gBAAgB,EAAElhC,GAAG,EAAE;EAC5C,MAAMxU,OAAO,GAAG,IAAIs2C,oBAAoB,CAACZ,gBAAgB,CAAC;EAC1D,OAAOlhC,GAAG,CAACpU,KAAK,CAACJ,OAAO,CAAC;AAC7B;AACA,SAASu2C,aAAaA,CAACjC,SAAS,EAAEkC,eAAe,EAAE;EAC/C,OAAO,OAAOlC,SAAS,IAAIkC,eAAe,EAAE;AAChD;AACA,SAASH,oBAAoBA,CAAC/B,SAAS,EAAEkC,eAAe,EAAE;EACtD,OAAO,IAAIppC,cAAc,CAACmpC,aAAa,CAACjC,SAAS,EAAEkC,eAAe,CAAC,CAAC;AACxE;AACA,SAASnB,qBAAqBA,CAACC,cAAc,EAAEhB,SAAS,EAAE1iC,UAAU,EAAE;EAClE,KAAK,IAAIpZ,CAAC,GAAG88C,cAAc,GAAG,CAAC,EAAE98C,CAAC,IAAI,CAAC,EAAEA,CAAC,EAAE,EAAE;IAC1CoZ,UAAU,CAAC6kC,OAAO,CAACJ,oBAAoB,CAAC/B,SAAS,EAAE97C,CAAC,CAAC,CAAC;EAC1D;AACJ;AACA,IAAI48C,KAAK;AACT,CAAC,UAAUA,KAAK,EAAE;EACdA,KAAK,CAACA,KAAK,CAAC,WAAW,CAAC,GAAG,CAAC,CAAC,GAAG,WAAW;EAC3CA,KAAK,CAACA,KAAK,CAAC,YAAY,CAAC,GAAG,CAAC,CAAC,GAAG,YAAY;AACjD,CAAC,EAAEA,KAAK,KAAKA,KAAK,GAAG,CAAC,CAAC,CAAC,CAAC;AACzB,SAASsB,mBAAmBA,CAACC,IAAI,EAAEniC,GAAG,EAAE;EACpC,IAAImiC,IAAI,KAAKvB,KAAK,CAAC1hC,SAAS,EAAE;IAC1B,MAAM,IAAI9b,KAAK,CAAC,iCAAiC4c,GAAG,EAAE,CAAC;EAC3D;AACJ;AACA,SAASoiC,oBAAoBA,CAACD,IAAI,EAAEniC,GAAG,EAAE;EACrC,IAAImiC,IAAI,KAAKvB,KAAK,CAACtsC,UAAU,EAAE;IAC3B,MAAM,IAAIlR,KAAK,CAAC,mCAAmC4c,GAAG,EAAE,CAAC;EAC7D;AACJ;AACA,SAASqiC,0BAA0BA,CAACF,IAAI,EAAE9pC,IAAI,EAAE;EAC5C,IAAI8pC,IAAI,KAAKvB,KAAK,CAAC1hC,SAAS,EAAE;IAC1B,OAAO7G,IAAI,CAACR,MAAM,CAAC,CAAC;EACxB,CAAC,MACI;IACD,OAAOQ,IAAI;EACf;AACJ;AACA,MAAMypC,oBAAoB,SAASlD,cAAc,CAAC;EAC9C38C,WAAWA,CAACqgD,iBAAiB,EAAE;IAC3B,KAAK,CAAC,CAAC;IACP,IAAI,CAACA,iBAAiB,GAAGA,iBAAiB;EAC9C;EACAhG,SAASA,CAACt8B,GAAG,EAAE/T,OAAO,EAAE;IACpB,MAAMqN,IAAI,GAAG,CAAC0G,GAAG,CAAC2B,GAAG,EAAE,GAAG3B,GAAG,CAAC1G,IAAI,CAAC,CAACvS,GAAG,CAACiZ,GAAG,IAAIA,GAAG,CAACpU,KAAK,CAAC,IAAI,EAAEK,OAAO,CAAC,CAAC;IACxE,OAAO,IAAIs2C,mBAAmB,CAACviC,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAE+E,IAAI,EAAE,IAAI,CAACgpC,iBAAiB,CAAC9B,mBAAmB,CAACxgC,GAAG,CAACtb,IAAI,EAAE4U,IAAI,CAAC1W,MAAM,CAAC,CAAC;EACrI;EACA85C,iBAAiBA,CAAC18B,GAAG,EAAE/T,OAAO,EAAE;IAC5B,MAAMqN,IAAI,GAAG0G,GAAG,CAACpG,WAAW,CAAC7S,GAAG,CAACiZ,GAAG,IAAIA,GAAG,CAACpU,KAAK,CAAC,IAAI,EAAEK,OAAO,CAAC,CAAC;IACjE,OAAO,IAAIs2C,mBAAmB,CAACviC,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAE+E,IAAI,EAAE,IAAI,CAACgpC,iBAAiB,CAACjC,2BAA2B,CAACrgC,GAAG,CAACpG,WAAW,CAAChX,MAAM,CAAC,CAAC;EAC9I;EACAg6C,eAAeA,CAAC58B,GAAG,EAAE/T,OAAO,EAAE;IAC1B,MAAMqN,IAAI,GAAG0G,GAAG,CAACc,MAAM,CAAC/Z,GAAG,CAACiZ,GAAG,IAAIA,GAAG,CAACpU,KAAK,CAAC,IAAI,EAAEK,OAAO,CAAC,CAAC;IAC5D,OAAO,IAAIs2C,mBAAmB,CAACviC,GAAG,CAACiX,IAAI,EAAEjX,GAAG,CAACzL,UAAU,EAAE+E,IAAI,EAAE,IAAI,CAACgpC,iBAAiB,CAAC/B,yBAAyB,CAACvgC,GAAG,CAACvT,IAAI,CAAC,CAAC;EAC9H;AACJ;AACA,MAAMg0C,eAAe,CAAC;EAClBx+C,WAAWA,CAACugD,cAAc,EAAEC,iBAAiB,EAAE3C,SAAS,EAAE4C,qBAAqB,EAAE3C,cAAc,EAAEC,wBAAwB,EAAE;IACvH,IAAI,CAACwC,cAAc,GAAGA,cAAc;IACpC,IAAI,CAACC,iBAAiB,GAAGA,iBAAiB;IAC1C,IAAI,CAAC3C,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAAC4C,qBAAqB,GAAGA,qBAAqB;IAClD,IAAI,CAAC3C,cAAc,GAAGA,cAAc;IACpC,IAAI,CAACC,wBAAwB,GAAGA,wBAAwB;IACxD,IAAI,CAAC2C,QAAQ,GAAG,IAAIx9C,GAAG,CAAC,CAAC;IACzB,IAAI,CAACy9C,UAAU,GAAG,IAAIz9C,GAAG,CAAC,CAAC;IAC3B,IAAI,CAAC09C,iBAAiB,GAAG,CAAC;IAC1B,IAAI,CAAC/B,cAAc,GAAG,CAAC;IACvB,IAAI,CAACC,oBAAoB,GAAG,KAAK;EACrC;EACArD,UAAUA,CAAC19B,GAAG,EAAEmiC,IAAI,EAAE;IAClB,IAAIW,EAAE;IACN,QAAQ9iC,GAAG,CAACvC,QAAQ;MAChB,KAAK,GAAG;QACJqlC,EAAE,GAAGjvC,aAAa,CAACsC,IAAI;QACvB;MACJ,KAAK,GAAG;QACJ2sC,EAAE,GAAGjvC,aAAa,CAACoC,KAAK;QACxB;MACJ;QACI,MAAM,IAAI7S,KAAK,CAAC,wBAAwB4c,GAAG,CAACvC,QAAQ,EAAE,CAAC;IAC/D;IACA,OAAO4kC,0BAA0B,CAACF,IAAI,EAAE,IAAI3kC,iBAAiB,CAACslC,EAAE,EAAE,IAAI,CAACC,MAAM,CAAC/iC,GAAG,CAAC3H,IAAI,EAAEuoC,KAAK,CAACtsC,UAAU,CAAC,EAAEic,SAAS,EAAE,IAAI,CAACyyB,iBAAiB,CAAChjC,GAAG,CAACiX,IAAI,CAAC,CAAC,CAAC;EAC5J;EACAkmB,WAAWA,CAACn9B,GAAG,EAAEmiC,IAAI,EAAE;IACnB,IAAIW,EAAE;IACN,QAAQ9iC,GAAG,CAACg9B,SAAS;MACjB,KAAK,GAAG;QACJ8F,EAAE,GAAGhvC,cAAc,CAACqC,IAAI;QACxB;MACJ,KAAK,GAAG;QACJ2sC,EAAE,GAAGhvC,cAAc,CAACmC,KAAK;QACzB;MACJ,KAAK,GAAG;QACJ6sC,EAAE,GAAGhvC,cAAc,CAACyC,QAAQ;QAC5B;MACJ,KAAK,GAAG;QACJusC,EAAE,GAAGhvC,cAAc,CAACuC,MAAM;QAC1B;MACJ,KAAK,GAAG;QACJysC,EAAE,GAAGhvC,cAAc,CAAC2C,MAAM;QAC1B;MACJ,KAAK,IAAI;QACLqsC,EAAE,GAAGhvC,cAAc,CAAC6C,GAAG;QACvB;MACJ,KAAK,IAAI;QACLmsC,EAAE,GAAGhvC,cAAc,CAACkD,EAAE;QACtB;MACJ,KAAK,IAAI;QACL8rC,EAAE,GAAGhvC,cAAc,CAAC2B,MAAM;QAC1B;MACJ,KAAK,IAAI;QACLqtC,EAAE,GAAGhvC,cAAc,CAAC6B,SAAS;QAC7B;MACJ,KAAK,KAAK;QACNmtC,EAAE,GAAGhvC,cAAc,CAAC+B,SAAS;QAC7B;MACJ,KAAK,KAAK;QACNitC,EAAE,GAAGhvC,cAAc,CAACiC,YAAY;QAChC;MACJ,KAAK,GAAG;QACJ+sC,EAAE,GAAGhvC,cAAc,CAACoD,KAAK;QACzB;MACJ,KAAK,GAAG;QACJ4rC,EAAE,GAAGhvC,cAAc,CAACwD,MAAM;QAC1B;MACJ,KAAK,IAAI;QACLwrC,EAAE,GAAGhvC,cAAc,CAACsD,WAAW;QAC/B;MACJ,KAAK,IAAI;QACL0rC,EAAE,GAAGhvC,cAAc,CAAC0D,YAAY;QAChC;MACJ,KAAK,IAAI;QACL,OAAO,IAAI,CAACyrC,sBAAsB,CAACjjC,GAAG,EAAEmiC,IAAI,CAAC;MACjD;QACI,MAAM,IAAI/+C,KAAK,CAAC,yBAAyB4c,GAAG,CAACg9B,SAAS,EAAE,CAAC;IACjE;IACA,OAAOqF,0BAA0B,CAACF,IAAI,EAAE,IAAI3sC,kBAAkB,CAACstC,EAAE,EAAE,IAAI,CAACC,MAAM,CAAC/iC,GAAG,CAACi9B,IAAI,EAAE2D,KAAK,CAACtsC,UAAU,CAAC,EAAE,IAAI,CAACyuC,MAAM,CAAC/iC,GAAG,CAACk9B,KAAK,EAAE0D,KAAK,CAACtsC,UAAU,CAAC,EAAEic,SAAS,EAAE,IAAI,CAACyyB,iBAAiB,CAAChjC,GAAG,CAACiX,IAAI,CAAC,CAAC,CAAC;EACvM;EACAmkB,UAAUA,CAACp7B,GAAG,EAAEmiC,IAAI,EAAE;IAClBD,mBAAmB,CAACC,IAAI,EAAEniC,GAAG,CAAC;IAC9B,OAAO,IAAI,CAAC0+B,QAAQ,CAAC1+B,GAAG,CAACpG,WAAW,EAAEuoC,IAAI,CAAC;EAC/C;EACA3G,gBAAgBA,CAACx7B,GAAG,EAAEmiC,IAAI,EAAE;IACxB,MAAMx9C,KAAK,GAAG,IAAI,CAACo+C,MAAM,CAAC/iC,GAAG,CAACtD,SAAS,EAAEkkC,KAAK,CAACtsC,UAAU,CAAC;IAC1D,OAAO+tC,0BAA0B,CAACF,IAAI,EAAEx9C,KAAK,CAACuQ,WAAW,CAAC,IAAI,CAAC6tC,MAAM,CAAC/iC,GAAG,CAACs7B,OAAO,EAAEsF,KAAK,CAACtsC,UAAU,CAAC,EAAE,IAAI,CAACyuC,MAAM,CAAC/iC,GAAG,CAACu7B,QAAQ,EAAEqF,KAAK,CAACtsC,UAAU,CAAC,EAAE,IAAI,CAAC0uC,iBAAiB,CAAChjC,GAAG,CAACiX,IAAI,CAAC,CAAC,CAAC;EACzL;EACAqlB,SAASA,CAACt8B,GAAG,EAAEmiC,IAAI,EAAE;IACjB,MAAM,IAAI/+C,KAAK,CAAC,yEAAyE4c,GAAG,CAACtb,IAAI,EAAE,CAAC;EACxG;EACAs2C,qBAAqBA,CAACh7B,GAAG,EAAEmiC,IAAI,EAAE;IAC7BC,oBAAoB,CAACD,IAAI,EAAEniC,GAAG,CAAC;IAC/B,IAAI,CAAC+gC,oBAAoB,GAAG,IAAI;IAChC,OAAO,IAAI,CAAC0B,iBAAiB;EACjC;EACAvH,iBAAiBA,CAACl7B,GAAG,EAAEmiC,IAAI,EAAE;IACzB,OAAO,IAAI,CAACnH,qBAAqB,CAACh7B,GAAG,EAAEmiC,IAAI,CAAC;EAChD;EACArF,kBAAkBA,CAAC98B,GAAG,EAAEmiC,IAAI,EAAE;IAC1B,IAAI,CAAC,IAAI,CAACO,qBAAqB,EAAE;MAC7B,MAAM,IAAIt/C,KAAK,CAAC,0BAA0B,CAAC;IAC/C;IACAg/C,oBAAoB,CAACD,IAAI,EAAEniC,GAAG,CAAC;IAC/B,IAAI1G,IAAI,GAAG,EAAE;IACb,KAAK,IAAItV,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGgc,GAAG,CAAC4oB,OAAO,CAAChmC,MAAM,GAAG,CAAC,EAAEoB,CAAC,EAAE,EAAE;MAC7CsV,IAAI,CAACzW,IAAI,CAAC0e,OAAO,CAACvB,GAAG,CAAC4oB,OAAO,CAAC5kC,CAAC,CAAC,CAAC,CAAC;MAClCsV,IAAI,CAACzW,IAAI,CAAC,IAAI,CAACkgD,MAAM,CAAC/iC,GAAG,CAACpG,WAAW,CAAC5V,CAAC,CAAC,EAAE48C,KAAK,CAACtsC,UAAU,CAAC,CAAC;IAChE;IACAgF,IAAI,CAACzW,IAAI,CAAC0e,OAAO,CAACvB,GAAG,CAAC4oB,OAAO,CAAC5oB,GAAG,CAAC4oB,OAAO,CAAChmC,MAAM,GAAG,CAAC,CAAC,CAAC,CAAC;IACvD;IACA;IACA,MAAMgmC,OAAO,GAAG5oB,GAAG,CAAC4oB,OAAO;IAC3B,IAAIA,OAAO,CAAChmC,MAAM,KAAK,CAAC,IAAIgmC,OAAO,CAAC,CAAC,CAAC,KAAK,EAAE,IAAIA,OAAO,CAAC,CAAC,CAAC,KAAK,EAAE,EAAE;MAChE;MACAtvB,IAAI,GAAG,CAACA,IAAI,CAAC,CAAC,CAAC,CAAC;IACpB,CAAC,MACI,IAAI0G,GAAG,CAACpG,WAAW,CAAChX,MAAM,IAAI,CAAC,EAAE;MAClC;MACA;MACA0W,IAAI,GAAG,CAACuH,UAAU,CAACvH,IAAI,CAAC,CAAC;IAC7B;IACA,OAAO,IAAI4pC,uBAAuB,CAAC5pC,IAAI,CAAC;EAC5C;EACA0iC,cAAcA,CAACh8B,GAAG,EAAEmiC,IAAI,EAAE;IACtB,MAAMgB,YAAY,GAAG,IAAI,CAACC,gBAAgB,CAACpjC,GAAG,CAAC;IAC/C,IAAImjC,YAAY,EAAE;MACd,OAAO,IAAI,CAACE,iBAAiB,CAACrjC,GAAG,EAAEmjC,YAAY,EAAEhB,IAAI,CAAC;IAC1D,CAAC,MACI;MACD,OAAOE,0BAA0B,CAACF,IAAI,EAAE,IAAI,CAACY,MAAM,CAAC/iC,GAAG,CAAC/G,QAAQ,EAAE2nC,KAAK,CAACtsC,UAAU,CAAC,CAACI,GAAG,CAAC,IAAI,CAACquC,MAAM,CAAC/iC,GAAG,CAACtL,GAAG,EAAEksC,KAAK,CAACtsC,UAAU,CAAC,CAAC,CAAC;IACpI;EACJ;EACA8nC,eAAeA,CAACp8B,GAAG,EAAEmiC,IAAI,EAAE;IACvB,MAAMrD,GAAG,GAAG,IAAI,CAACiE,MAAM,CAAC/iC,GAAG,CAAC/G,QAAQ,EAAE2nC,KAAK,CAACtsC,UAAU,CAAC;IACvD,MAAMI,GAAG,GAAG,IAAI,CAACquC,MAAM,CAAC/iC,GAAG,CAACtL,GAAG,EAAEksC,KAAK,CAACtsC,UAAU,CAAC;IAClD,MAAM3P,KAAK,GAAG,IAAI,CAACo+C,MAAM,CAAC/iC,GAAG,CAACrb,KAAK,EAAEi8C,KAAK,CAACtsC,UAAU,CAAC;IACtD,IAAIwqC,GAAG,KAAK,IAAI,CAAC2D,iBAAiB,EAAE;MAChC,IAAI,CAACD,cAAc,CAACc,gBAAgB,CAAC,CAAC;IAC1C;IACA,OAAOjB,0BAA0B,CAACF,IAAI,EAAErD,GAAG,CAACpqC,GAAG,CAACA,GAAG,CAAC,CAAC9N,GAAG,CAACjC,KAAK,CAAC,CAAC;EACpE;EACA+3C,iBAAiBA,CAAC18B,GAAG,EAAEmiC,IAAI,EAAE;IACzB,MAAM,IAAI/+C,KAAK,CAAC,yEAAyE,CAAC;EAC9F;EACAw5C,eAAeA,CAAC58B,GAAG,EAAEmiC,IAAI,EAAE;IACvB,MAAM,IAAI/+C,KAAK,CAAC,uEAAuE,CAAC;EAC5F;EACAo5C,qBAAqBA,CAACx8B,GAAG,EAAEmiC,IAAI,EAAE;IAC7B;IACA;IACA,MAAMt1C,IAAI,GAAGmT,GAAG,CAACrb,KAAK,KAAK,IAAI,IAAIqb,GAAG,CAACrb,KAAK,KAAK4rB,SAAS,IAAIvQ,GAAG,CAACrb,KAAK,KAAK,IAAI,IAAIqb,GAAG,CAACrb,KAAK,KAAK,IAAI,GAClGsO,aAAa,GACbsd,SAAS;IACb,OAAO8xB,0BAA0B,CAACF,IAAI,EAAE5gC,OAAO,CAACvB,GAAG,CAACrb,KAAK,EAAEkI,IAAI,EAAE,IAAI,CAACm2C,iBAAiB,CAAChjC,GAAG,CAACiX,IAAI,CAAC,CAAC,CAAC;EACvG;EACAssB,SAASA,CAAC7+C,IAAI,EAAEuU,QAAQ,EAAE;IACtB,IAAI,IAAI,CAACupC,cAAc,CAACvC,OAAO,EAAEr8B,GAAG,CAAClf,IAAI,CAAC,IAAIuU,QAAQ,YAAYgiC,YAAY,EAAE;MAC5E,OAAO,IAAI;IACf;IACA,OAAO,IAAI,CAACuH,cAAc,CAACgB,QAAQ,CAAC9+C,IAAI,CAAC;EAC7C;EACAk5C,cAAcA,CAAC59B,GAAG,EAAEmiC,IAAI,EAAE;IACtB,OAAOE,0BAA0B,CAACF,IAAI,EAAElhC,GAAG,CAAC,IAAI,CAAC8hC,MAAM,CAAC/iC,GAAG,CAACpT,UAAU,EAAEg0C,KAAK,CAACtsC,UAAU,CAAC,CAAC,CAAC;EAC/F;EACAwpC,kBAAkBA,CAAC99B,GAAG,EAAEmiC,IAAI,EAAE;IAC1B,OAAOE,0BAA0B,CAACF,IAAI,EAAE,IAAI,CAACY,MAAM,CAAC/iC,GAAG,CAACpT,UAAU,EAAEg0C,KAAK,CAACtsC,UAAU,CAAC,CAAC;EAC1F;EACAonC,iBAAiBA,CAAC17B,GAAG,EAAEmiC,IAAI,EAAE;IACzB,MAAMgB,YAAY,GAAG,IAAI,CAACC,gBAAgB,CAACpjC,GAAG,CAAC;IAC/C,IAAImjC,YAAY,EAAE;MACd,OAAO,IAAI,CAACE,iBAAiB,CAACrjC,GAAG,EAAEmjC,YAAY,EAAEhB,IAAI,CAAC;IAC1D,CAAC,MACI;MACD,IAAIr+C,MAAM,GAAG,IAAI;MACjB,MAAM2/C,wBAAwB,GAAG,IAAI,CAAC1C,oBAAoB;MAC1D,MAAM9nC,QAAQ,GAAG,IAAI,CAAC8pC,MAAM,CAAC/iC,GAAG,CAAC/G,QAAQ,EAAE2nC,KAAK,CAACtsC,UAAU,CAAC;MAC5D,IAAI2E,QAAQ,KAAK,IAAI,CAACwpC,iBAAiB,EAAE;QACrC3+C,MAAM,GAAG,IAAI,CAACy/C,SAAS,CAACvjC,GAAG,CAACtb,IAAI,EAAEsb,GAAG,CAAC/G,QAAQ,CAAC;QAC/C,IAAInV,MAAM,EAAE;UACR;UACA;UACA,IAAI,CAACi9C,oBAAoB,GAAG0C,wBAAwB;UACpD,IAAI,CAACC,yBAAyB,CAAC1jC,GAAG,CAACtb,IAAI,CAAC;QAC5C;MACJ;MACA,IAAIZ,MAAM,IAAI,IAAI,EAAE;QAChBA,MAAM,GAAGmV,QAAQ,CAACzE,IAAI,CAACwL,GAAG,CAACtb,IAAI,EAAE,IAAI,CAACs+C,iBAAiB,CAAChjC,GAAG,CAACiX,IAAI,CAAC,CAAC;MACtE;MACA,OAAOorB,0BAA0B,CAACF,IAAI,EAAEr+C,MAAM,CAAC;IACnD;EACJ;EACA83C,kBAAkBA,CAAC57B,GAAG,EAAEmiC,IAAI,EAAE;IAC1B,MAAMlpC,QAAQ,GAAG,IAAI,CAAC8pC,MAAM,CAAC/iC,GAAG,CAAC/G,QAAQ,EAAE2nC,KAAK,CAACtsC,UAAU,CAAC;IAC5D,MAAMmvC,wBAAwB,GAAG,IAAI,CAAC1C,oBAAoB;IAC1D,IAAI4C,OAAO,GAAG,IAAI;IAClB,IAAI1qC,QAAQ,KAAK,IAAI,CAACwpC,iBAAiB,EAAE;MACrC,MAAMmB,SAAS,GAAG,IAAI,CAACL,SAAS,CAACvjC,GAAG,CAACtb,IAAI,EAAEsb,GAAG,CAAC/G,QAAQ,CAAC;MACxD,IAAI2qC,SAAS,EAAE;QACX,IAAIA,SAAS,YAAYnvC,YAAY,EAAE;UACnC;UACA;UACA;UACAkvC,OAAO,GAAGC,SAAS;UACnB;UACA;UACA,IAAI,CAAC7C,oBAAoB,GAAG0C,wBAAwB;UACpD,IAAI,CAACC,yBAAyB,CAAC1jC,GAAG,CAACtb,IAAI,CAAC;QAC5C,CAAC,MACI;UACD;UACA,MAAMuU,QAAQ,GAAG+G,GAAG,CAACtb,IAAI;UACzB,MAAMC,KAAK,GAAIqb,GAAG,CAACrb,KAAK,YAAY82C,YAAY,GAAIz7B,GAAG,CAACrb,KAAK,CAACD,IAAI,GAAG6rB,SAAS;UAC9E,MAAM,IAAIntB,KAAK,CAAC,wBAAwBuB,KAAK,2BAA2BsU,QAAQ,sCAAsC,CAAC;QAC3H;MACJ;IACJ;IACA;IACA;IACA,IAAI0qC,OAAO,KAAK,IAAI,EAAE;MAClBA,OAAO,GAAG1qC,QAAQ,CAACzE,IAAI,CAACwL,GAAG,CAACtb,IAAI,EAAE,IAAI,CAACs+C,iBAAiB,CAAChjC,GAAG,CAACiX,IAAI,CAAC,CAAC;IACvE;IACA,OAAOorB,0BAA0B,CAACF,IAAI,EAAEwB,OAAO,CAAC/8C,GAAG,CAAC,IAAI,CAACm8C,MAAM,CAAC/iC,GAAG,CAACrb,KAAK,EAAEi8C,KAAK,CAACtsC,UAAU,CAAC,CAAC,CAAC;EAClG;EACAwnC,qBAAqBA,CAAC97B,GAAG,EAAEmiC,IAAI,EAAE;IAC7B,OAAO,IAAI,CAACkB,iBAAiB,CAACrjC,GAAG,EAAE,IAAI,CAACojC,gBAAgB,CAACpjC,GAAG,CAAC,EAAEmiC,IAAI,CAAC;EACxE;EACAjG,kBAAkBA,CAACl8B,GAAG,EAAEmiC,IAAI,EAAE;IAC1B,OAAO,IAAI,CAACkB,iBAAiB,CAACrjC,GAAG,EAAE,IAAI,CAACojC,gBAAgB,CAACpjC,GAAG,CAAC,EAAEmiC,IAAI,CAAC;EACxE;EACAzD,QAAQA,CAACC,IAAI,EAAEwD,IAAI,EAAE;IACjB,OAAOxD,IAAI,CAAC53C,GAAG,CAACiZ,GAAG,IAAI,IAAI,CAAC+iC,MAAM,CAAC/iC,GAAG,EAAEmiC,IAAI,CAAC,CAAC;EAClD;EACAlE,SAASA,CAACj+B,GAAG,EAAEmiC,IAAI,EAAE;IACjB,MAAMgB,YAAY,GAAG,IAAI,CAACC,gBAAgB,CAACpjC,GAAG,CAAC;IAC/C,IAAImjC,YAAY,EAAE;MACd,OAAO,IAAI,CAACE,iBAAiB,CAACrjC,GAAG,EAAEmjC,YAAY,EAAEhB,IAAI,CAAC;IAC1D;IACA,MAAM0B,aAAa,GAAG,IAAI,CAACnF,QAAQ,CAAC1+B,GAAG,CAAC1G,IAAI,EAAEsnC,KAAK,CAACtsC,UAAU,CAAC;IAC/D,IAAI0L,GAAG,YAAYuiC,mBAAmB,EAAE;MACpC,OAAOF,0BAA0B,CAACF,IAAI,EAAEniC,GAAG,CAACi2B,SAAS,CAAC4N,aAAa,CAAC,CAAC;IACzE;IACA,MAAM5qC,QAAQ,GAAG+G,GAAG,CAAC/G,QAAQ;IAC7B,IAAIA,QAAQ,YAAYwiC,YAAY,IAChCxiC,QAAQ,CAACA,QAAQ,YAAY8hC,gBAAgB,IAC7C,EAAE9hC,QAAQ,CAACA,QAAQ,YAAYgiC,YAAY,CAAC,IAAIhiC,QAAQ,CAACvU,IAAI,KAAK,MAAM,EAAE;MAC1E,IAAIm/C,aAAa,CAACjhD,MAAM,KAAK,CAAC,EAAE;QAC5B,MAAM,IAAIQ,KAAK,CAAC,0DAA0DygD,aAAa,CAACjhD,MAAM,IAAI,MAAM,EAAE,CAAC;MAC/G;MACA,OAAOy/C,0BAA0B,CAACF,IAAI,EAAE0B,aAAa,CAAC,CAAC,CAAC,CAAC;IAC7D;IACA,MAAMC,IAAI,GAAG,IAAI,CAACf,MAAM,CAAC9pC,QAAQ,EAAE2nC,KAAK,CAACtsC,UAAU,CAAC,CAC/CM,MAAM,CAACivC,aAAa,EAAE,IAAI,CAACb,iBAAiB,CAAChjC,GAAG,CAACiX,IAAI,CAAC,CAAC;IAC5D,OAAOorB,0BAA0B,CAACF,IAAI,EAAE2B,IAAI,CAAC;EACjD;EACA3F,aAAaA,CAACn+B,GAAG,EAAEmiC,IAAI,EAAE;IACrB,OAAO,IAAI,CAACkB,iBAAiB,CAACrjC,GAAG,EAAE,IAAI,CAACojC,gBAAgB,CAACpjC,GAAG,CAAC,EAAEmiC,IAAI,CAAC;EACxE;EACAY,MAAMA,CAAC/iC,GAAG,EAAEmiC,IAAI,EAAE;IACd,MAAMr+C,MAAM,GAAG,IAAI,CAAC8+C,UAAU,CAACj8C,GAAG,CAACqZ,GAAG,CAAC;IACvC,IAAIlc,MAAM,EACN,OAAOA,MAAM;IACjB,OAAO,CAAC,IAAI,CAAC6+C,QAAQ,CAACh8C,GAAG,CAACqZ,GAAG,CAAC,IAAIA,GAAG,EAAEpU,KAAK,CAAC,IAAI,EAAEu2C,IAAI,CAAC;EAC5D;EACAkB,iBAAiBA,CAACrjC,GAAG,EAAEmjC,YAAY,EAAEhB,IAAI,EAAE;IACvC;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA,IAAI3oB,iBAAiB,GAAG,IAAI,CAACupB,MAAM,CAACI,YAAY,CAAClqC,QAAQ,EAAE2nC,KAAK,CAACtsC,UAAU,CAAC;IAC5E,IAAIyvC,SAAS,GAAGxzB,SAAS;IACzB,IAAI,IAAI,CAACyzB,0BAA0B,CAACb,YAAY,CAAClqC,QAAQ,CAAC,EAAE;MACxD;MACA;MACA8qC,SAAS,GAAG,IAAI,CAACE,iBAAiB,CAAC,CAAC;MACpC;MACAzqB,iBAAiB,GAAGuqB,SAAS,CAACn9C,GAAG,CAAC4yB,iBAAiB,CAAC;MACpD;MACA,IAAI,CAACopB,UAAU,CAACh8C,GAAG,CAACu8C,YAAY,CAAClqC,QAAQ,EAAE8qC,SAAS,CAAC;IACzD;IACA,MAAMrnC,SAAS,GAAG8c,iBAAiB,CAAC/hB,OAAO,CAAC,CAAC;IAC7C;IACA;IACA,IAAI0rC,YAAY,YAAYjF,QAAQ,EAAE;MAClC,IAAI,CAACyE,QAAQ,CAAC/7C,GAAG,CAACu8C,YAAY,EAAE,IAAIpF,IAAI,CAACoF,YAAY,CAAClsB,IAAI,EAAEksB,YAAY,CAAC5uC,UAAU,EAAE4uC,YAAY,CAAClqC,QAAQ,EAAEkqC,YAAY,CAAC7pC,IAAI,EAAE6pC,YAAY,CAACnF,YAAY,CAAC,CAAC;IAC9J,CAAC,MACI,IAAImF,YAAY,YAAYlH,aAAa,EAAE;MAC5C,IAAI,CAAC0G,QAAQ,CAAC/7C,GAAG,CAACu8C,YAAY,EAAE,IAAIpH,SAAS,CAACoH,YAAY,CAAClsB,IAAI,EAAEksB,YAAY,CAAC5uC,UAAU,EAAE4uC,YAAY,CAAClqC,QAAQ,EAAEkqC,YAAY,CAACzuC,GAAG,CAAC,CAAC;IACvI,CAAC,MACI;MACD,IAAI,CAACiuC,QAAQ,CAAC/7C,GAAG,CAACu8C,YAAY,EAAE,IAAI1H,YAAY,CAAC0H,YAAY,CAAClsB,IAAI,EAAEksB,YAAY,CAAC5uC,UAAU,EAAE4uC,YAAY,CAACtI,QAAQ,EAAEsI,YAAY,CAAClqC,QAAQ,EAAEkqC,YAAY,CAACz+C,IAAI,CAAC,CAAC;IAClK;IACA;IACA,MAAMw/C,MAAM,GAAG,IAAI,CAACnB,MAAM,CAAC/iC,GAAG,EAAE4gC,KAAK,CAACtsC,UAAU,CAAC;IACjD;IACA;IACA,IAAI,CAACquC,QAAQ,CAACwB,MAAM,CAAChB,YAAY,CAAC;IAClC;IACA,IAAIY,SAAS,EAAE;MACX,IAAI,CAACK,gBAAgB,CAACL,SAAS,CAAC;IACpC;IACA;IACA,OAAO1B,0BAA0B,CAACF,IAAI,EAAEzlC,SAAS,CAACxH,WAAW,CAACyJ,SAAS,EAAEulC,MAAM,CAAC,CAAC;EACrF;EACAjB,sBAAsBA,CAACjjC,GAAG,EAAEmiC,IAAI,EAAE;IAC9B,MAAMlF,IAAI,GAAG,IAAI,CAAC8F,MAAM,CAAC/iC,GAAG,CAACi9B,IAAI,EAAE2D,KAAK,CAACtsC,UAAU,CAAC;IACpD,MAAM4oC,KAAK,GAAG,IAAI,CAAC6F,MAAM,CAAC/iC,GAAG,CAACk9B,KAAK,EAAE0D,KAAK,CAACtsC,UAAU,CAAC;IACtD,MAAMyvC,SAAS,GAAG,IAAI,CAACE,iBAAiB,CAAC,CAAC;IAC1C,IAAI,CAACG,gBAAgB,CAACL,SAAS,CAAC;IAChC;IACA;IACA;IACA;IACA,OAAO1B,0BAA0B,CAACF,IAAI,EAAE4B,SAAS,CAACn9C,GAAG,CAACq2C,IAAI,CAAC,CACtDnnC,YAAY,CAAC6I,SAAS,CAAC,CACvBjI,GAAG,CAACqtC,SAAS,CAACjuC,YAAY,CAACyL,OAAO,CAACgP,SAAS,CAAC,CAAC,CAAC,CAC/Crb,WAAW,CAAC6uC,SAAS,EAAE7G,KAAK,CAAC,CAAC;EACvC;EACA;EACA;EACA;EACA;EACA;EACA;EACA;EACAkG,gBAAgBA,CAACpjC,GAAG,EAAE;IAClB,MAAMpU,KAAK,GAAGA,CAACJ,OAAO,EAAEwU,GAAG,KAAK;MAC5B,OAAO,CAAC,IAAI,CAAC2iC,QAAQ,CAACh8C,GAAG,CAACqZ,GAAG,CAAC,IAAIA,GAAG,EAAEpU,KAAK,CAACJ,OAAO,CAAC;IACzD,CAAC;IACD,OAAOwU,GAAG,CAACpU,KAAK,CAAC;MACb8xC,UAAUA,CAAC19B,GAAG,EAAE;QACZ,OAAO,IAAI;MACf,CAAC;MACDm9B,WAAWA,CAACn9B,GAAG,EAAE;QACb,OAAO,IAAI;MACf,CAAC;MACDo7B,UAAUA,CAACp7B,GAAG,EAAE;QACZ,OAAO,IAAI;MACf,CAAC;MACDw7B,gBAAgBA,CAACx7B,GAAG,EAAE;QAClB,OAAO,IAAI;MACf,CAAC;MACDi+B,SAASA,CAACj+B,GAAG,EAAE;QACX,OAAOpU,KAAK,CAAC,IAAI,EAAEoU,GAAG,CAAC/G,QAAQ,CAAC;MACpC,CAAC;MACDklC,aAAaA,CAACn+B,GAAG,EAAE;QACf,OAAOpU,KAAK,CAAC,IAAI,EAAEoU,GAAG,CAAC/G,QAAQ,CAAC,IAAI+G,GAAG;MAC3C,CAAC;MACDg7B,qBAAqBA,CAACh7B,GAAG,EAAE;QACvB,OAAO,IAAI;MACf,CAAC;MACDk7B,iBAAiBA,CAACl7B,GAAG,EAAE;QACnB,OAAO,IAAI;MACf,CAAC;MACD88B,kBAAkBA,CAAC98B,GAAG,EAAE;QACpB,OAAO,IAAI;MACf,CAAC;MACDg8B,cAAcA,CAACh8B,GAAG,EAAE;QAChB,OAAOpU,KAAK,CAAC,IAAI,EAAEoU,GAAG,CAAC/G,QAAQ,CAAC;MACpC,CAAC;MACDmjC,eAAeA,CAACp8B,GAAG,EAAE;QACjB,OAAO,IAAI;MACf,CAAC;MACD08B,iBAAiBA,CAAC18B,GAAG,EAAE;QACnB,OAAO,IAAI;MACf,CAAC;MACD48B,eAAeA,CAAC58B,GAAG,EAAE;QACjB,OAAO,IAAI;MACf,CAAC;MACDw8B,qBAAqBA,CAACx8B,GAAG,EAAE;QACvB,OAAO,IAAI;MACf,CAAC;MACDs8B,SAASA,CAACt8B,GAAG,EAAE;QACX,OAAO,IAAI;MACf,CAAC;MACD49B,cAAcA,CAAC59B,GAAG,EAAE;QAChB,OAAO,IAAI;MACf,CAAC;MACD89B,kBAAkBA,CAAC99B,GAAG,EAAE;QACpB,OAAOpU,KAAK,CAAC,IAAI,EAAEoU,GAAG,CAACpT,UAAU,CAAC;MACtC,CAAC;MACD8uC,iBAAiBA,CAAC17B,GAAG,EAAE;QACnB,OAAOpU,KAAK,CAAC,IAAI,EAAEoU,GAAG,CAAC/G,QAAQ,CAAC;MACpC,CAAC;MACD2iC,kBAAkBA,CAAC57B,GAAG,EAAE;QACpB,OAAO,IAAI;MACf,CAAC;MACD87B,qBAAqBA,CAAC97B,GAAG,EAAE;QACvB,OAAOpU,KAAK,CAAC,IAAI,EAAEoU,GAAG,CAAC/G,QAAQ,CAAC,IAAI+G,GAAG;MAC3C,CAAC;MACDk8B,kBAAkBA,CAACl8B,GAAG,EAAE;QACpB,OAAOpU,KAAK,CAAC,IAAI,EAAEoU,GAAG,CAAC/G,QAAQ,CAAC,IAAI+G,GAAG;MAC3C;IACJ,CAAC,CAAC;EACN;EACA;EACA;EACA;EACAgkC,0BAA0BA,CAAChkC,GAAG,EAAE;IAC5B,MAAMpU,KAAK,GAAGA,CAACJ,OAAO,EAAEwU,GAAG,KAAK;MAC5B,OAAOA,GAAG,IAAI,CAAC,IAAI,CAAC2iC,QAAQ,CAACh8C,GAAG,CAACqZ,GAAG,CAAC,IAAIA,GAAG,EAAEpU,KAAK,CAACJ,OAAO,CAAC;IAChE,CAAC;IACD,MAAM64C,SAAS,GAAGA,CAAC74C,OAAO,EAAEwU,GAAG,KAAK;MAChC,OAAOA,GAAG,CAACsoB,IAAI,CAACtoB,GAAG,IAAIpU,KAAK,CAACJ,OAAO,EAAEwU,GAAG,CAAC,CAAC;IAC/C,CAAC;IACD,OAAOA,GAAG,CAACpU,KAAK,CAAC;MACb8xC,UAAUA,CAAC19B,GAAG,EAAE;QACZ,OAAOpU,KAAK,CAAC,IAAI,EAAEoU,GAAG,CAAC3H,IAAI,CAAC;MAChC,CAAC;MACD8kC,WAAWA,CAACn9B,GAAG,EAAE;QACb,OAAOpU,KAAK,CAAC,IAAI,EAAEoU,GAAG,CAACi9B,IAAI,CAAC,IAAIrxC,KAAK,CAAC,IAAI,EAAEoU,GAAG,CAACk9B,KAAK,CAAC;MAC1D,CAAC;MACD9B,UAAUA,CAACp7B,GAAG,EAAE;QACZ,OAAO,KAAK;MAChB,CAAC;MACDw7B,gBAAgBA,CAACx7B,GAAG,EAAE;QAClB,OAAOpU,KAAK,CAAC,IAAI,EAAEoU,GAAG,CAACtD,SAAS,CAAC,IAAI9Q,KAAK,CAAC,IAAI,EAAEoU,GAAG,CAACs7B,OAAO,CAAC,IAAI1vC,KAAK,CAAC,IAAI,EAAEoU,GAAG,CAACu7B,QAAQ,CAAC;MAC9F,CAAC;MACD0C,SAASA,CAACj+B,GAAG,EAAE;QACX,OAAO,IAAI;MACf,CAAC;MACDm+B,aAAaA,CAACn+B,GAAG,EAAE;QACf,OAAO,IAAI;MACf,CAAC;MACDg7B,qBAAqBA,CAACh7B,GAAG,EAAE;QACvB,OAAO,KAAK;MAChB,CAAC;MACDk7B,iBAAiBA,CAACl7B,GAAG,EAAE;QACnB,OAAO,KAAK;MAChB,CAAC;MACD88B,kBAAkBA,CAAC98B,GAAG,EAAE;QACpB,OAAOqkC,SAAS,CAAC,IAAI,EAAErkC,GAAG,CAACpG,WAAW,CAAC;MAC3C,CAAC;MACDoiC,cAAcA,CAACh8B,GAAG,EAAE;QAChB,OAAO,KAAK;MAChB,CAAC;MACDo8B,eAAeA,CAACp8B,GAAG,EAAE;QACjB,OAAO,KAAK;MAChB,CAAC;MACD08B,iBAAiBA,CAAC18B,GAAG,EAAE;QACnB,OAAO,IAAI;MACf,CAAC;MACD48B,eAAeA,CAAC58B,GAAG,EAAE;QACjB,OAAO,IAAI;MACf,CAAC;MACDw8B,qBAAqBA,CAACx8B,GAAG,EAAE;QACvB,OAAO,KAAK;MAChB,CAAC;MACDs8B,SAASA,CAACt8B,GAAG,EAAE;QACX,OAAO,IAAI;MACf,CAAC;MACD49B,cAAcA,CAAC59B,GAAG,EAAE;QAChB,OAAOpU,KAAK,CAAC,IAAI,EAAEoU,GAAG,CAACpT,UAAU,CAAC;MACtC,CAAC;MACDkxC,kBAAkBA,CAAC99B,GAAG,EAAE;QACpB,OAAOpU,KAAK,CAAC,IAAI,EAAEoU,GAAG,CAACpT,UAAU,CAAC;MACtC,CAAC;MACD8uC,iBAAiBA,CAAC17B,GAAG,EAAE;QACnB,OAAO,KAAK;MAChB,CAAC;MACD47B,kBAAkBA,CAAC57B,GAAG,EAAE;QACpB,OAAO,KAAK;MAChB,CAAC;MACD87B,qBAAqBA,CAAC97B,GAAG,EAAE;QACvB,OAAO,KAAK;MAChB,CAAC;MACDk8B,kBAAkBA,CAACl8B,GAAG,EAAE;QACpB,OAAO,KAAK;MAChB;IACJ,CAAC,CAAC;EACN;EACAikC,iBAAiBA,CAAA,EAAG;IAChB,MAAMK,UAAU,GAAG,IAAI,CAACzB,iBAAiB,EAAE;IAC3C,IAAI,CAAC/B,cAAc,GAAGn3C,IAAI,CAACC,GAAG,CAAC,IAAI,CAACi5C,iBAAiB,EAAE,IAAI,CAAC/B,cAAc,CAAC;IAC3E,OAAO,IAAI/oC,WAAW,CAACgqC,aAAa,CAAC,IAAI,CAACjC,SAAS,EAAEwE,UAAU,CAAC,CAAC;EACrE;EACAF,gBAAgBA,CAACL,SAAS,EAAE;IACxB,IAAI,CAAClB,iBAAiB,EAAE;IACxB,IAAIkB,SAAS,CAACr/C,IAAI,IAAIq9C,aAAa,CAAC,IAAI,CAACjC,SAAS,EAAE,IAAI,CAAC+C,iBAAiB,CAAC,EAAE;MACzE,MAAM,IAAIz/C,KAAK,CAAC,aAAa2gD,SAAS,CAACr/C,IAAI,wBAAwB,CAAC;IACxE;EACJ;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIs+C,iBAAiBA,CAAC/rB,IAAI,EAAE;IACpB,IAAI,IAAI,CAAC8oB,cAAc,EAAE;MACrB,MAAM5oB,KAAK,GAAG,IAAI,CAAC4oB,cAAc,CAAC5oB,KAAK,CAAC2b,MAAM,CAAC7b,IAAI,CAACE,KAAK,CAAC;MAC1D,MAAM/mB,GAAG,GAAG,IAAI,CAAC2vC,cAAc,CAAC5oB,KAAK,CAAC2b,MAAM,CAAC7b,IAAI,CAAC7mB,GAAG,CAAC;MACtD,MAAM2jC,SAAS,GAAG,IAAI,CAACgM,cAAc,CAAChM,SAAS,CAACjB,MAAM,CAAC7b,IAAI,CAACE,KAAK,CAAC;MAClE,OAAO,IAAI2c,eAAe,CAAC3c,KAAK,EAAE/mB,GAAG,EAAE2jC,SAAS,CAAC;IACrD,CAAC,MACI;MACD,OAAO,IAAI;IACf;EACJ;EACA;EACA2P,yBAAyBA,CAACh/C,IAAI,EAAE;IAC5B,IAAI,IAAI,CAACs7C,wBAAwB,EAAE;MAC/B,IAAI,CAACA,wBAAwB,CAACz2C,GAAG,CAAC7E,IAAI,CAAC;IAC3C;EACJ;AACJ;AACA,SAASi8C,iBAAiBA,CAACnnC,GAAG,EAAE+qC,MAAM,EAAE;EACpC,IAAItzB,KAAK,CAACC,OAAO,CAAC1X,GAAG,CAAC,EAAE;IACpBA,GAAG,CAAC1U,OAAO,CAAE0Z,KAAK,IAAKmiC,iBAAiB,CAACniC,KAAK,EAAE+lC,MAAM,CAAC,CAAC;EAC5D,CAAC,MACI;IACDA,MAAM,CAAC1hD,IAAI,CAAC2W,GAAG,CAAC;EACpB;AACJ;AACA,SAASgrC,WAAWA,CAAA,EAAG;EACnB,MAAM,IAAIphD,KAAK,CAAC,uBAAuB,CAAC;AAC5C;AACA,MAAM8/C,uBAAuB,SAAS5uC,UAAU,CAAC;EAC7CrS,WAAWA,CAACqX,IAAI,EAAE;IACd,KAAK,CAAC,IAAI,EAAE,IAAI,CAAC;IACjB,IAAI,CAACA,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACtB,UAAU,GAAGwsC,WAAW;IAC7B,IAAI,CAACxwC,YAAY,GAAGwwC,WAAW;IAC/B,IAAI,CAACvsC,eAAe,GAAGusC,WAAW;IAClC,IAAI,CAACl7C,KAAK,GAAGk7C,WAAW;EAC5B;AACJ;AACA,MAAMtE,oBAAoB,CAAC;EACvBj+C,WAAWA,CAACg+C,OAAO,EAAE;IACjB,IAAI,CAACA,OAAO,GAAGA,OAAO;EAC1B;EACAe,yBAAyBA,CAAA,EAAG,CAAE;EAC9BsC,gBAAgBA,CAAA,EAAG,CAAE;EACrBE,QAAQA,CAAC9+C,IAAI,EAAE;IACX,IAAIA,IAAI,KAAK+6C,gBAAgB,CAAC9gB,KAAK,CAACj6B,IAAI,EAAE;MACtC,OAAO+6C,gBAAgB,CAAC9gB,KAAK;IACjC;IACA,OAAO,IAAI;EACf;AACJ;AACA,MAAM4jB,mBAAmB,SAASxE,IAAI,CAAC;EACnC97C,WAAWA,CAACg1B,IAAI,EAAE1iB,UAAU,EAAE+E,IAAI,EAAE28B,SAAS,EAAE;IAC3C,KAAK,CAAChf,IAAI,EAAE1iB,UAAU,EAAE,IAAIumC,WAAW,CAAC7jB,IAAI,EAAE1iB,UAAU,CAAC,EAAE+E,IAAI,EAAE,IAAI,CAAC;IACtE,IAAI,CAAC28B,SAAS,GAAGA,SAAS;EAC9B;AACJ;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,IAAIwO,gBAAgB;AACpB,SAASC,eAAeA,CAAA,EAAG;EACvB,IAAI,CAACD,gBAAgB,EAAE;IACnBA,gBAAgB,GAAG,CAAC,CAAC;IACrB;IACAE,eAAe,CAACx8C,eAAe,CAACy8C,IAAI,EAAE,CAClC,eAAe,EACf,aAAa,EACb,aAAa,CAChB,CAAC;IACFD,eAAe,CAACx8C,eAAe,CAAC08C,KAAK,EAAE,CAAC,SAAS,CAAC,CAAC;IACnD;IACAF,eAAe,CAACx8C,eAAe,CAAC28C,GAAG,EAAE,CACjC,cAAc,EACd,WAAW,EACX,WAAW,EACX,WAAW,EACX,QAAQ,EACR,QAAQ,EACR,iBAAiB,EACjB,iBAAiB,EACjB,UAAU,EACV,aAAa,EACb,SAAS,EACT,WAAW,EACX,UAAU,EACV,QAAQ,EACR,YAAY,EACZ,WAAW,EACX,cAAc,EACd,WAAW,CACd,CAAC;IACFH,eAAe,CAACx8C,eAAe,CAAC48C,YAAY,EAAE,CAC1C,aAAa,EACb,iBAAiB,EACjB,WAAW,EACX,WAAW,EACX,WAAW,EACX,cAAc,EACd,eAAe,EACf,YAAY,EACZ,WAAW,EACX,WAAW,EACX,iBAAiB,EACjB,aAAa,EACb,YAAY,CACf,CAAC;EACN;EACA,OAAON,gBAAgB;AAC3B;AACA,SAASE,eAAeA,CAAC7sB,GAAG,EAAEktB,KAAK,EAAE;EACjC,KAAK,MAAMC,IAAI,IAAID,KAAK,EACpBP,gBAAgB,CAACQ,IAAI,CAACrgD,WAAW,CAAC,CAAC,CAAC,GAAGkzB,GAAG;AAClD;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMotB,+BAA+B,GAAG,IAAIta,GAAG,CAAC,CAAC,SAAS,EAAE,OAAO,EAAE,iBAAiB,EAAE,gBAAgB,EAAE,KAAK,EAAE,eAAe,CAAC,CAAC;AAClI;AACA;AACA;AACA;AACA,SAASua,6BAA6BA,CAACC,QAAQ,EAAE;EAC7C;EACA;EACA,OAAOF,+BAA+B,CAACthC,GAAG,CAACwhC,QAAQ,CAACxgD,WAAW,CAAC,CAAC,CAAC;AACtE;;AAEA;AACA;AACA;AACA;AACA;AACA,MAAMygD,iBAAiB,GAAG,IAAIza,GAAG,CAAC;AAC9B;AACA,SAAS,EAAE,SAAS,EAAE,QAAQ,EAAE,OAAO;AACvC;AACA,WAAW,EAAE,mBAAmB,EAAE,QAAQ,EAAE,SAAS;AACrD;AACA,WAAW,EAAE,MAAM,EAAE,UAAU,EAAE,MAAM;AACvC;AACA,QAAQ,EAAE,SAAS;AACnB;AACA,MAAM,EAAE,SAAS,EAAE,aAAa,EAAE,UAAU,EAAE,QAAQ,EAAE,YAAY,EAAE,UAAU;AAChF;AACA,KAAK,EAAE,WAAW,EAAE,UAAU,EAAE,WAAW,EAAE,YAAY,EAAE,OAAO,CACrE,CAAC;AACF;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAM0a,SAAS,CAAC;EACZrjD,WAAWA,CAAA,EAAG;IACV;AACR;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;IACQ,IAAI,CAACsjD,gCAAgC,GAAG,iFAAiF;EAC7H;EACA;AACJ;AACA;AACA;AACA;AACA;EACIC,WAAWA,CAACC,OAAO,EAAEljD,QAAQ,EAAEmjD,YAAY,GAAG,EAAE,EAAE;IAC9C;IACA;IACA;IACA;IACA,MAAMC,QAAQ,GAAG,EAAE;IACnBF,OAAO,GAAGA,OAAO,CAACrhD,OAAO,CAACwhD,UAAU,EAAGj2B,CAAC,IAAK;MACzC,IAAIA,CAAC,CAAC5sB,KAAK,CAAC8iD,kBAAkB,CAAC,EAAE;QAC7BF,QAAQ,CAAC9iD,IAAI,CAAC8sB,CAAC,CAAC;MACpB,CAAC,MACI;QACD;QACA;QACA,MAAMm2B,eAAe,GAAGn2B,CAAC,CAAC5sB,KAAK,CAACgjD,WAAW,CAAC;QAC5CJ,QAAQ,CAAC9iD,IAAI,CAAC,CAACijD,eAAe,EAAEthD,IAAI,CAAC,EAAE,CAAC,IAAI,EAAE,IAAI,IAAI,CAAC;MAC3D;MACA,OAAOwhD,mBAAmB;IAC9B,CAAC,CAAC;IACFP,OAAO,GAAG,IAAI,CAACQ,iBAAiB,CAACR,OAAO,CAAC;IACzC,MAAMS,aAAa,GAAG,IAAI,CAACC,aAAa,CAACV,OAAO,EAAEljD,QAAQ,EAAEmjD,YAAY,CAAC;IACzE;IACA,IAAIU,UAAU,GAAG,CAAC;IAClB,OAAOF,aAAa,CAAC9hD,OAAO,CAACiiD,6BAA6B,EAAE,MAAMV,QAAQ,CAACS,UAAU,EAAE,CAAC,CAAC;EAC7F;EACAH,iBAAiBA,CAACR,OAAO,EAAE;IACvBA,OAAO,GAAG,IAAI,CAACa,kCAAkC,CAACb,OAAO,CAAC;IAC1D,OAAO,IAAI,CAACc,6BAA6B,CAACd,OAAO,CAAC;EACtD;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIe,yBAAyBA,CAACf,OAAO,EAAEgB,aAAa,EAAE;IAC9C,MAAMC,oBAAoB,GAAG,IAAI9b,GAAG,CAAC,CAAC;IACtC,MAAM+b,sBAAsB,GAAGC,YAAY,CAACnB,OAAO,EAAEoB,IAAI,IAAI,IAAI,CAACC,+BAA+B,CAACD,IAAI,EAAEJ,aAAa,EAAEC,oBAAoB,CAAC,CAAC;IAC7I,OAAOE,YAAY,CAACD,sBAAsB,EAAEE,IAAI,IAAI,IAAI,CAACE,mBAAmB,CAACF,IAAI,EAAEJ,aAAa,EAAEC,oBAAoB,CAAC,CAAC;EAC5H;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACII,+BAA+BA,CAACD,IAAI,EAAEJ,aAAa,EAAEC,oBAAoB,EAAE;IACvE,OAAO;MACH,GAAGG,IAAI;MACPtkD,QAAQ,EAAEskD,IAAI,CAACtkD,QAAQ,CAAC6B,OAAO,CAAC,sDAAsD,EAAE,CAAC4iD,CAAC,EAAE7vB,KAAK,EAAE8vB,KAAK,EAAEC,YAAY,EAAEC,SAAS,KAAK;QAClIT,oBAAoB,CAACn9C,GAAG,CAAC69C,cAAc,CAACF,YAAY,EAAED,KAAK,CAAC,CAAC;QAC7D,OAAO,GAAG9vB,KAAK,GAAG8vB,KAAK,GAAGR,aAAa,IAAIS,YAAY,GAAGD,KAAK,GAAGE,SAAS,EAAE;MACjF,CAAC;IACL,CAAC;EACL;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIE,uBAAuBA,CAACC,QAAQ,EAAEb,aAAa,EAAEC,oBAAoB,EAAE;IACnE,OAAOY,QAAQ,CAACljD,OAAO,CAAC,4BAA4B,EAAE,CAAC4iD,CAAC,EAAEO,OAAO,EAAEN,KAAK,EAAEviD,IAAI,EAAE8iD,OAAO,KAAK;MACxF9iD,IAAI,GAAG,GAAGgiD,oBAAoB,CAAC9iC,GAAG,CAACwjC,cAAc,CAAC1iD,IAAI,EAAEuiD,KAAK,CAAC,CAAC,GAAGR,aAAa,GAAG,GAAG,GAAG,EAAE,GAAG/hD,IAAI,EAAE;MACnG,OAAO,GAAG6iD,OAAO,GAAGN,KAAK,GAAGviD,IAAI,GAAGuiD,KAAK,GAAGO,OAAO,EAAE;IACxD,CAAC,CAAC;EACN;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIT,mBAAmBA,CAACF,IAAI,EAAEJ,aAAa,EAAEC,oBAAoB,EAAE;IAC3D,IAAI1zB,OAAO,GAAG6zB,IAAI,CAAC7zB,OAAO,CAAC5uB,OAAO,CAAC,4DAA4D,EAAE,CAAC4iD,CAAC,EAAE7vB,KAAK,EAAEswB,qBAAqB,KAAKtwB,KAAK,GACvIswB,qBAAqB,CAACrjD,OAAO,CAAC,IAAI,CAACmhD,gCAAgC,EAAE,CAAC/iC,QAAQ,EAAEklC,aAAa,EAAET,KAAK,GAAG,EAAE,EAAEU,UAAU,EAAEC,aAAa,KAAK;MACrI,IAAID,UAAU,EAAE;QACZ,OAAO,GAAGD,aAAa,GAAG,IAAI,CAACL,uBAAuB,CAAC,GAAGJ,KAAK,GAAGU,UAAU,GAAGV,KAAK,EAAE,EAAER,aAAa,EAAEC,oBAAoB,CAAC,EAAE;MAClI,CAAC,MACI;QACD,OAAOrB,iBAAiB,CAACzhC,GAAG,CAACgkC,aAAa,CAAC,GACvCplC,QAAQ,GACR,GAAGklC,aAAa,GAAG,IAAI,CAACL,uBAAuB,CAACO,aAAa,EAAEnB,aAAa,EAAEC,oBAAoB,CAAC,EAAE;MAC7G;IACJ,CAAC,CAAC,CAAC;IACP1zB,OAAO,GAAGA,OAAO,CAAC5uB,OAAO,CAAC,iEAAiE,EAAE,CAACyjD,MAAM,EAAE1wB,KAAK,EAAE2wB,uBAAuB,KAAK,GAAG3wB,KAAK,GAAG2wB,uBAAuB,CAACr2B,KAAK,CAAC,GAAG,CAAC,CACjL1qB,GAAG,CAAEugD,QAAQ,IAAK,IAAI,CAACD,uBAAuB,CAACC,QAAQ,EAAEb,aAAa,EAAEC,oBAAoB,CAAC,CAAC,CAC9FliD,IAAI,CAAC,GAAG,CAAC,EAAE,CAAC;IACjB,OAAO;MAAE,GAAGqiD,IAAI;MAAE7zB;IAAQ,CAAC;EAC/B;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIszB,kCAAkCA,CAACb,OAAO,EAAE;IACxC,OAAOA,OAAO,CAACrhD,OAAO,CAAC2jD,yBAAyB,EAAE,UAAU,GAAGp4B,CAAC,EAAE;MAC9D,OAAOA,CAAC,CAAC,CAAC,CAAC,GAAG,GAAG;IACrB,CAAC,CAAC;EACN;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACI42B,6BAA6BA,CAACd,OAAO,EAAE;IACnC,OAAOA,OAAO,CAACrhD,OAAO,CAAC4jD,iBAAiB,EAAE,CAAC,GAAGr4B,CAAC,KAAK;MAChD,MAAMk3B,IAAI,GAAGl3B,CAAC,CAAC,CAAC,CAAC,CAACvrB,OAAO,CAACurB,CAAC,CAAC,CAAC,CAAC,EAAE,EAAE,CAAC,CAACvrB,OAAO,CAACurB,CAAC,CAAC,CAAC,CAAC,EAAE,EAAE,CAAC;MACrD,OAAOA,CAAC,CAAC,CAAC,CAAC,GAAGk3B,IAAI;IACtB,CAAC,CAAC;EACN;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;EACIV,aAAaA,CAACV,OAAO,EAAEgB,aAAa,EAAEf,YAAY,EAAE;IAChD,MAAMuC,aAAa,GAAG,IAAI,CAACC,gCAAgC,CAACzC,OAAO,CAAC;IACpE;IACAA,OAAO,GAAG,IAAI,CAAC0C,4BAA4B,CAAC1C,OAAO,CAAC;IACpDA,OAAO,GAAG,IAAI,CAAC2C,iBAAiB,CAAC3C,OAAO,CAAC;IACzCA,OAAO,GAAG,IAAI,CAAC4C,wBAAwB,CAAC5C,OAAO,CAAC;IAChDA,OAAO,GAAG,IAAI,CAAC6C,0BAA0B,CAAC7C,OAAO,CAAC;IAClD,IAAIgB,aAAa,EAAE;MACfhB,OAAO,GAAG,IAAI,CAACe,yBAAyB,CAACf,OAAO,EAAEgB,aAAa,CAAC;MAChEhB,OAAO,GAAG,IAAI,CAAC8C,eAAe,CAAC9C,OAAO,EAAEgB,aAAa,EAAEf,YAAY,CAAC;IACxE;IACAD,OAAO,GAAGA,OAAO,GAAG,IAAI,GAAGwC,aAAa;IACxC,OAAOxC,OAAO,CAACr1B,IAAI,CAAC,CAAC;EACzB;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACI83B,gCAAgCA,CAACzC,OAAO,EAAE;IACtC,IAAInqB,CAAC,GAAG,EAAE;IACV,IAAI3L,CAAC;IACL64B,yBAAyB,CAACtlD,SAAS,GAAG,CAAC;IACvC,OAAO,CAACysB,CAAC,GAAG64B,yBAAyB,CAACrlD,IAAI,CAACsiD,OAAO,CAAC,MAAM,IAAI,EAAE;MAC3D,MAAMoB,IAAI,GAAGl3B,CAAC,CAAC,CAAC,CAAC,CAACvrB,OAAO,CAACurB,CAAC,CAAC,CAAC,CAAC,EAAE,EAAE,CAAC,CAACvrB,OAAO,CAACurB,CAAC,CAAC,CAAC,CAAC,EAAEA,CAAC,CAAC,CAAC,CAAC,CAAC;MACvD2L,CAAC,IAAIurB,IAAI,GAAG,MAAM;IACtB;IACA,OAAOvrB,CAAC;EACZ;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;EACI8sB,iBAAiBA,CAAC3C,OAAO,EAAE;IACvB,OAAOA,OAAO,CAACrhD,OAAO,CAACqkD,eAAe,EAAE,CAACzB,CAAC,EAAE0B,aAAa,EAAEC,cAAc,KAAK;MAC1E,IAAID,aAAa,EAAE;QACf,MAAME,kBAAkB,GAAG,EAAE;QAC7B,MAAMC,iBAAiB,GAAGH,aAAa,CAACj3B,KAAK,CAAC,GAAG,CAAC,CAAC1qB,GAAG,CAAEwW,CAAC,IAAKA,CAAC,CAAC6S,IAAI,CAAC,CAAC,CAAC;QACvE,KAAK,MAAMs1B,YAAY,IAAImD,iBAAiB,EAAE;UAC1C,IAAI,CAACnD,YAAY,EACb;UACJ,MAAMoD,iBAAiB,GAAGC,yBAAyB,GAAGrD,YAAY,CAACthD,OAAO,CAAC4kD,aAAa,EAAE,EAAE,CAAC,GAAGL,cAAc;UAC9GC,kBAAkB,CAAC/lD,IAAI,CAACimD,iBAAiB,CAAC;QAC9C;QACA,OAAOF,kBAAkB,CAACpkD,IAAI,CAAC,GAAG,CAAC;MACvC,CAAC,MACI;QACD,OAAOukD,yBAAyB,GAAGJ,cAAc;MACrD;IACJ,CAAC,CAAC;EACN;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIN,wBAAwBA,CAAC5C,OAAO,EAAE;IAC9B,OAAOA,OAAO,CAACrhD,OAAO,CAAC6kD,4BAA4B,EAAGC,YAAY,IAAK;MACnE;MACA;MACA;MACA;MACA;MACA,MAAMC,qBAAqB,GAAG,CAAC,EAAE,CAAC;MAClC;MACA;MACA;MACA;MACA,IAAIpmD,KAAK;MACT,OAAQA,KAAK,GAAGqmD,sBAAsB,CAACjmD,IAAI,CAAC+lD,YAAY,CAAC,EAAG;QACxD;QACA;QACA,MAAMG,mBAAmB,GAAG,CAACtmD,KAAK,CAAC,CAAC,CAAC,IAAI,EAAE,EAAEqtB,IAAI,CAAC,CAAC,CAACqB,KAAK,CAAC,GAAG,CAAC,CAAC1qB,GAAG,CAAE4oB,CAAC,IAAKA,CAAC,CAACS,IAAI,CAAC,CAAC,CAAC,CAAC/L,MAAM,CAAEsL,CAAC,IAAKA,CAAC,KAAK,EAAE,CAAC;QAC3G;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACA,MAAM25B,2BAA2B,GAAGH,qBAAqB,CAACvmD,MAAM;QAChE2mD,YAAY,CAACJ,qBAAqB,EAAEE,mBAAmB,CAACzmD,MAAM,CAAC;QAC/D,KAAK,IAAIoB,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGqlD,mBAAmB,CAACzmD,MAAM,EAAEoB,CAAC,EAAE,EAAE;UACjD,KAAK,IAAI0K,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG46C,2BAA2B,EAAE56C,CAAC,EAAE,EAAE;YAClDy6C,qBAAqB,CAACz6C,CAAC,GAAG1K,CAAC,GAAGslD,2BAA2B,CAAC,CAACzmD,IAAI,CAACwmD,mBAAmB,CAACrlD,CAAC,CAAC,CAAC;UAC3F;QACJ;QACA;QACAklD,YAAY,GAAGnmD,KAAK,CAAC,CAAC,CAAC;MAC3B;MACA;MACA;MACA;MACA,OAAOomD,qBAAqB,CACvBpiD,GAAG,CAAEyiD,gBAAgB,IAAKC,2BAA2B,CAACD,gBAAgB,EAAEN,YAAY,CAAC,CAAC,CACtF1kD,IAAI,CAAC,IAAI,CAAC;IACnB,CAAC,CAAC;EACN;EACA;AACJ;AACA;AACA;EACI8jD,0BAA0BA,CAAC7C,OAAO,EAAE;IAChC,OAAOiE,qBAAqB,CAAC16C,MAAM,CAAC,CAAClL,MAAM,EAAE6lD,OAAO,KAAK7lD,MAAM,CAACM,OAAO,CAACulD,OAAO,EAAE,GAAG,CAAC,EAAElE,OAAO,CAAC;EACnG;EACA;EACA8C,eAAeA,CAAC9C,OAAO,EAAEgB,aAAa,EAAEf,YAAY,EAAE;IAClD,OAAOkB,YAAY,CAACnB,OAAO,EAAGoB,IAAI,IAAK;MACnC,IAAItkD,QAAQ,GAAGskD,IAAI,CAACtkD,QAAQ;MAC5B,IAAIywB,OAAO,GAAG6zB,IAAI,CAAC7zB,OAAO;MAC1B,IAAI6zB,IAAI,CAACtkD,QAAQ,CAAC,CAAC,CAAC,KAAK,GAAG,EAAE;QAC1BA,QAAQ,GAAG,IAAI,CAACqnD,cAAc,CAAC/C,IAAI,CAACtkD,QAAQ,EAAEkkD,aAAa,EAAEf,YAAY,CAAC;MAC9E,CAAC,MACI,IAAImB,IAAI,CAACtkD,QAAQ,CAAC0lC,UAAU,CAAC,QAAQ,CAAC,IAAI4e,IAAI,CAACtkD,QAAQ,CAAC0lC,UAAU,CAAC,WAAW,CAAC,IAChF4e,IAAI,CAACtkD,QAAQ,CAAC0lC,UAAU,CAAC,WAAW,CAAC,IAAI4e,IAAI,CAACtkD,QAAQ,CAAC0lC,UAAU,CAAC,QAAQ,CAAC,IAC3E4e,IAAI,CAACtkD,QAAQ,CAAC0lC,UAAU,CAAC,YAAY,CAAC,IAAI4e,IAAI,CAACtkD,QAAQ,CAAC0lC,UAAU,CAAC,QAAQ,CAAC,EAAE;QAC9EjV,OAAO,GAAG,IAAI,CAACu1B,eAAe,CAAC1B,IAAI,CAAC7zB,OAAO,EAAEyzB,aAAa,EAAEf,YAAY,CAAC;MAC7E,CAAC,MACI,IAAImB,IAAI,CAACtkD,QAAQ,CAAC0lC,UAAU,CAAC,YAAY,CAAC,IAAI4e,IAAI,CAACtkD,QAAQ,CAAC0lC,UAAU,CAAC,OAAO,CAAC,EAAE;QAClFjV,OAAO,GAAG,IAAI,CAAC62B,sBAAsB,CAAChD,IAAI,CAAC7zB,OAAO,CAAC;MACvD;MACA,OAAO,IAAI82B,OAAO,CAACvnD,QAAQ,EAAEywB,OAAO,CAAC;IACzC,CAAC,CAAC;EACN;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACI62B,sBAAsBA,CAACpE,OAAO,EAAE;IAC5B,OAAOmB,YAAY,CAACnB,OAAO,EAAGoB,IAAI,IAAK;MACnC,MAAMtkD,QAAQ,GAAGskD,IAAI,CAACtkD,QAAQ,CAAC6B,OAAO,CAAC2lD,oBAAoB,EAAE,GAAG,CAAC,CAC5D3lD,OAAO,CAAC4lD,2BAA2B,EAAE,GAAG,CAAC;MAC9C,OAAO,IAAIF,OAAO,CAACvnD,QAAQ,EAAEskD,IAAI,CAAC7zB,OAAO,CAAC;IAC9C,CAAC,CAAC;EACN;EACA42B,cAAcA,CAACrnD,QAAQ,EAAEkkD,aAAa,EAAEf,YAAY,EAAE;IAClD,OAAOnjD,QAAQ,CAACkvB,KAAK,CAAC,GAAG,CAAC,CACrB1qB,GAAG,CAAEgvB,IAAI,IAAKA,IAAI,CAAC3F,IAAI,CAAC,CAAC,CAACqB,KAAK,CAACs4B,oBAAoB,CAAC,CAAC,CACtDhjD,GAAG,CAAEkjD,SAAS,IAAK;MACpB,MAAM,CAACC,WAAW,EAAE,GAAGC,UAAU,CAAC,GAAGF,SAAS;MAC9C,MAAMG,UAAU,GAAIF,WAAW,IAAK;QAChC,IAAI,IAAI,CAACG,qBAAqB,CAACH,WAAW,EAAEzD,aAAa,CAAC,EAAE;UACxD,OAAO,IAAI,CAAC6D,mBAAmB,CAACJ,WAAW,EAAEzD,aAAa,EAAEf,YAAY,CAAC;QAC7E,CAAC,MACI;UACD,OAAOwE,WAAW;QACtB;MACJ,CAAC;MACD,OAAO,CAACE,UAAU,CAACF,WAAW,CAAC,EAAE,GAAGC,UAAU,CAAC,CAAC3lD,IAAI,CAAC,GAAG,CAAC;IAC7D,CAAC,CAAC,CACGA,IAAI,CAAC,IAAI,CAAC;EACnB;EACA6lD,qBAAqBA,CAAC9nD,QAAQ,EAAEkkD,aAAa,EAAE;IAC3C,MAAM8D,EAAE,GAAG,IAAI,CAACC,iBAAiB,CAAC/D,aAAa,CAAC;IAChD,OAAO,CAAC8D,EAAE,CAAC3xB,IAAI,CAACr2B,QAAQ,CAAC;EAC7B;EACAioD,iBAAiBA,CAAC/D,aAAa,EAAE;IAC7B,MAAMgE,GAAG,GAAG,KAAK;IACjB,MAAMC,GAAG,GAAG,KAAK;IACjBjE,aAAa,GAAGA,aAAa,CAACriD,OAAO,CAACqmD,GAAG,EAAE,KAAK,CAAC,CAACrmD,OAAO,CAACsmD,GAAG,EAAE,KAAK,CAAC;IACrE,OAAO,IAAI3oD,MAAM,CAAC,IAAI,GAAG0kD,aAAa,GAAG,GAAG,GAAGkE,iBAAiB,EAAE,GAAG,CAAC;EAC1E;EACA;EACAC,yBAAyBA,CAACroD,QAAQ,EAAEkkD,aAAa,EAAEf,YAAY,EAAE;IAC7D;IACAmF,eAAe,CAAC3nD,SAAS,GAAG,CAAC;IAC7B,IAAI2nD,eAAe,CAACjyB,IAAI,CAACr2B,QAAQ,CAAC,EAAE;MAChC,MAAMuoD,SAAS,GAAG,IAAIpF,YAAY,GAAG;MACrC,OAAOnjD,QAAQ,CACV6B,OAAO,CAAC4lD,2BAA2B,EAAE,CAACe,GAAG,EAAExoD,QAAQ,KAAK;QACzD,OAAOA,QAAQ,CAAC6B,OAAO,CAAC,iBAAiB,EAAE,CAAC4iD,CAAC,EAAErT,MAAM,EAAEqX,KAAK,EAAEpX,KAAK,KAAK;UACpE,OAAOD,MAAM,GAAGmX,SAAS,GAAGE,KAAK,GAAGpX,KAAK;QAC7C,CAAC,CAAC;MACN,CAAC,CAAC,CACGxvC,OAAO,CAACymD,eAAe,EAAEC,SAAS,GAAG,GAAG,CAAC;IAClD;IACA,OAAOrE,aAAa,GAAG,GAAG,GAAGlkD,QAAQ;EACzC;EACA;EACA;EACA+nD,mBAAmBA,CAAC/nD,QAAQ,EAAEkkD,aAAa,EAAEf,YAAY,EAAE;IACvD,MAAMuF,IAAI,GAAG,kBAAkB;IAC/BxE,aAAa,GAAGA,aAAa,CAACriD,OAAO,CAAC6mD,IAAI,EAAE,CAACjE,CAAC,EAAE,GAAGt7C,KAAK,KAAKA,KAAK,CAAC,CAAC,CAAC,CAAC;IACtE,MAAM05C,QAAQ,GAAG,GAAG,GAAGqB,aAAa,GAAG,GAAG;IAC1C,MAAMyE,kBAAkB,GAAI3tC,CAAC,IAAK;MAC9B,IAAI4tC,OAAO,GAAG5tC,CAAC,CAAC6S,IAAI,CAAC,CAAC;MACtB,IAAI,CAAC+6B,OAAO,EAAE;QACV,OAAO,EAAE;MACb;MACA,IAAI5tC,CAAC,CAAC4S,OAAO,CAAC44B,yBAAyB,CAAC,GAAG,CAAC,CAAC,EAAE;QAC3CoC,OAAO,GAAG,IAAI,CAACP,yBAAyB,CAACrtC,CAAC,EAAEkpC,aAAa,EAAEf,YAAY,CAAC;MAC5E,CAAC,MACI;QACD;QACA,MAAM/qB,CAAC,GAAGpd,CAAC,CAACnZ,OAAO,CAACymD,eAAe,EAAE,EAAE,CAAC;QACxC,IAAIlwB,CAAC,CAAC/3B,MAAM,GAAG,CAAC,EAAE;UACd,MAAMwoD,OAAO,GAAGzwB,CAAC,CAAC53B,KAAK,CAAC,iBAAiB,CAAC;UAC1C,IAAIqoD,OAAO,EAAE;YACTD,OAAO,GAAGC,OAAO,CAAC,CAAC,CAAC,GAAGhG,QAAQ,GAAGgG,OAAO,CAAC,CAAC,CAAC,GAAGA,OAAO,CAAC,CAAC,CAAC;UAC7D;QACJ;MACJ;MACA,OAAOD,OAAO;IAClB,CAAC;IACD,MAAME,WAAW,GAAG,IAAIC,YAAY,CAAC/oD,QAAQ,CAAC;IAC9CA,QAAQ,GAAG8oD,WAAW,CAACr4B,OAAO,CAAC,CAAC;IAChC,IAAIu4B,cAAc,GAAG,EAAE;IACvB,IAAIC,UAAU,GAAG,CAAC;IAClB,IAAI9oD,GAAG;IACP,MAAM+oD,GAAG,GAAG,qBAAqB;IACjC;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA;IACA,MAAMC,OAAO,GAAGnpD,QAAQ,CAAC4tB,OAAO,CAAC44B,yBAAyB,CAAC,GAAG,CAAC,CAAC;IAChE;IACA,IAAI4C,WAAW,GAAG,CAACD,OAAO;IAC1B,OAAO,CAAChpD,GAAG,GAAG+oD,GAAG,CAACtoD,IAAI,CAACZ,QAAQ,CAAC,MAAM,IAAI,EAAE;MACxC,MAAM+1B,SAAS,GAAG51B,GAAG,CAAC,CAAC,CAAC;MACxB,MAAMqzB,IAAI,GAAGxzB,QAAQ,CAACiB,KAAK,CAACgoD,UAAU,EAAE9oD,GAAG,CAAC0M,KAAK,CAAC,CAACghB,IAAI,CAAC,CAAC;MACzD;MACA;MACA;MACA;MACA,IAAI2F,IAAI,CAAChzB,KAAK,CAAC6oD,cAAc,CAAC,IAAIrpD,QAAQ,CAACG,GAAG,CAAC0M,KAAK,GAAG,CAAC,CAAC,EAAErM,KAAK,CAAC,YAAY,CAAC,EAAE;QAC5E;MACJ;MACA4oD,WAAW,GAAGA,WAAW,IAAI51B,IAAI,CAAC5F,OAAO,CAAC44B,yBAAyB,CAAC,GAAG,CAAC,CAAC;MACzE,MAAM8C,UAAU,GAAGF,WAAW,GAAGT,kBAAkB,CAACn1B,IAAI,CAAC,GAAGA,IAAI;MAChEw1B,cAAc,IAAI,GAAGM,UAAU,IAAIvzB,SAAS,GAAG;MAC/CkzB,UAAU,GAAGC,GAAG,CAACvoD,SAAS;IAC9B;IACA,MAAM6yB,IAAI,GAAGxzB,QAAQ,CAAC8uB,SAAS,CAACm6B,UAAU,CAAC;IAC3CG,WAAW,GAAGA,WAAW,IAAI51B,IAAI,CAAC5F,OAAO,CAAC44B,yBAAyB,CAAC,GAAG,CAAC,CAAC;IACzEwC,cAAc,IAAII,WAAW,GAAGT,kBAAkB,CAACn1B,IAAI,CAAC,GAAGA,IAAI;IAC/D;IACA,OAAOs1B,WAAW,CAACS,OAAO,CAACP,cAAc,CAAC;EAC9C;EACApD,4BAA4BA,CAAC5lD,QAAQ,EAAE;IACnC,OAAOA,QAAQ,CAAC6B,OAAO,CAAC2nD,mBAAmB,EAAEC,oBAAoB,CAAC,CAC7D5nD,OAAO,CAAC6nD,YAAY,EAAEjD,aAAa,CAAC;EAC7C;AACJ;AACA,MAAMsC,YAAY,CAAC;EACfrpD,WAAWA,CAACM,QAAQ,EAAE;IAClB,IAAI,CAACk/B,YAAY,GAAG,EAAE;IACtB,IAAI,CAACryB,KAAK,GAAG,CAAC;IACd;IACA;IACA7M,QAAQ,GAAG,IAAI,CAAC2pD,mBAAmB,CAAC3pD,QAAQ,EAAE,eAAe,CAAC;IAC9D;IACA;IACA;IACA;IACA;IACAA,QAAQ,GAAG,IAAI,CAAC2pD,mBAAmB,CAAC3pD,QAAQ,EAAE,QAAQ,CAAC;IACvD;IACA;IACA,IAAI,CAAC4pD,QAAQ,GAAG5pD,QAAQ,CAAC6B,OAAO,CAAC,2BAA2B,EAAE,CAAC4iD,CAAC,EAAEoF,MAAM,EAAEzqC,GAAG,KAAK;MAC9E,MAAMmpC,SAAS,GAAG,QAAQ,IAAI,CAAC17C,KAAK,IAAI;MACxC,IAAI,CAACqyB,YAAY,CAAC5+B,IAAI,CAAC8e,GAAG,CAAC;MAC3B,IAAI,CAACvS,KAAK,EAAE;MACZ,OAAOg9C,MAAM,GAAGtB,SAAS;IAC7B,CAAC,CAAC;EACN;EACAgB,OAAOA,CAAC94B,OAAO,EAAE;IACb,OAAOA,OAAO,CAAC5uB,OAAO,CAACwnD,cAAc,EAAE,CAACS,GAAG,EAAEj9C,KAAK,KAAK,IAAI,CAACqyB,YAAY,CAAC,CAACryB,KAAK,CAAC,CAAC;EACrF;EACA4jB,OAAOA,CAAA,EAAG;IACN,OAAO,IAAI,CAACm5B,QAAQ;EACxB;EACA;AACJ;AACA;AACA;EACID,mBAAmBA,CAACl5B,OAAO,EAAE22B,OAAO,EAAE;IAClC,OAAO32B,OAAO,CAAC5uB,OAAO,CAACulD,OAAO,EAAE,CAAC3C,CAAC,EAAEsF,IAAI,KAAK;MACzC,MAAMxB,SAAS,GAAG,QAAQ,IAAI,CAAC17C,KAAK,IAAI;MACxC,IAAI,CAACqyB,YAAY,CAAC5+B,IAAI,CAACypD,IAAI,CAAC;MAC5B,IAAI,CAACl9C,KAAK,EAAE;MACZ,OAAO07C,SAAS;IACpB,CAAC,CAAC;EACN;AACJ;AACA,MAAM/C,yBAAyB,GAAG,2EAA2E;AAC7G,MAAMC,iBAAiB,GAAG,iEAAiE;AAC3F,MAAMQ,yBAAyB,GAAG,0EAA0E;AAC5G,MAAMQ,aAAa,GAAG,gBAAgB;AACtC;AACA,MAAMgD,oBAAoB,GAAG,mBAAmB;AAChD,MAAMO,YAAY,GAAG,SAAS,GAC1B,2BAA2B,GAC3B,gBAAgB;AACpB,MAAM9D,eAAe,GAAG,IAAI1mD,MAAM,CAACinD,aAAa,GAAGuD,YAAY,EAAE,KAAK,CAAC;AACvE,MAAMtD,4BAA4B,GAAG,IAAIlnD,MAAM,CAACiqD,oBAAoB,GAAGO,YAAY,EAAE,KAAK,CAAC;AAC3F,MAAMnD,sBAAsB,GAAG,IAAIrnD,MAAM,CAACiqD,oBAAoB,GAAGO,YAAY,EAAE,IAAI,CAAC;AACpF,MAAMxD,yBAAyB,GAAGC,aAAa,GAAG,gBAAgB;AAClE,MAAMgB,2BAA2B,GAAG,sCAAsC;AAC1E,MAAMN,qBAAqB,GAAG,CAC1B,WAAW,EACX,YAAY;AACZ;AACA,kBAAkB,EAClB,aAAa,CAChB;AACD;AACA;AACA;AACA,MAAMK,oBAAoB,GAAG,qCAAqC;AAClE,MAAMY,iBAAiB,GAAG,4BAA4B;AACtD,MAAME,eAAe,GAAG,mBAAmB;AAC3C,MAAMoB,YAAY,GAAG,UAAU;AAC/B,MAAMF,mBAAmB,GAAG,kBAAkB;AAC9C,MAAMhG,WAAW,GAAG,QAAQ;AAC5B,MAAMH,UAAU,GAAG,mBAAmB;AACtC,MAAMC,kBAAkB,GAAG,kCAAkC;AAC7D,MAAMG,mBAAmB,GAAG,WAAW;AACvC,MAAMK,6BAA6B,GAAG,IAAItkD,MAAM,CAACikD,mBAAmB,EAAE,GAAG,CAAC;AAC1E,MAAM4F,cAAc,GAAG,eAAe;AACtC,MAAMY,iBAAiB,GAAG,SAAS;AACnC,MAAMC,OAAO,GAAG,IAAI1qD,MAAM,CAAC,WAAWikD,mBAAmB,6DAA6D,EAAE,GAAG,CAAC;AAC5H,MAAM0G,aAAa,GAAG,IAAIvnD,GAAG,CAAC,CAAC,CAAC,GAAG,EAAE,GAAG,CAAC,CAAC,CAAC;AAC3C,MAAMwnD,oBAAoB,GAAG,wBAAwB;AACrD,MAAMC,mBAAmB,GAAG,uBAAuB;AACnD,MAAMC,oBAAoB,GAAG,wBAAwB;AACrD,MAAMC,8BAA8B,GAAG,IAAI/qD,MAAM,CAAC4qD,oBAAoB,EAAE,GAAG,CAAC;AAC5E,MAAMI,6BAA6B,GAAG,IAAIhrD,MAAM,CAAC6qD,mBAAmB,EAAE,GAAG,CAAC;AAC1E,MAAMI,8BAA8B,GAAG,IAAIjrD,MAAM,CAAC8qD,oBAAoB,EAAE,GAAG,CAAC;AAC5E,MAAM/C,OAAO,CAAC;EACV7nD,WAAWA,CAACM,QAAQ,EAAEywB,OAAO,EAAE;IAC3B,IAAI,CAACzwB,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACywB,OAAO,GAAGA,OAAO;EAC1B;AACJ;AACA,SAAS4zB,YAAYA,CAACl3B,KAAK,EAAEu9B,YAAY,EAAE;EACvC,MAAMC,OAAO,GAAGC,eAAe,CAACz9B,KAAK,CAAC;EACtC,MAAM09B,sBAAsB,GAAGC,YAAY,CAACH,OAAO,EAAER,aAAa,EAAEF,iBAAiB,CAAC;EACtF,IAAIc,cAAc,GAAG,CAAC;EACtB,MAAMC,aAAa,GAAGH,sBAAsB,CAACI,aAAa,CAACppD,OAAO,CAACqoD,OAAO,EAAE,CAAC,GAAG98B,CAAC,KAAK;IAClF,MAAMptB,QAAQ,GAAGotB,CAAC,CAAC,CAAC,CAAC;IACrB,IAAIqD,OAAO,GAAG,EAAE;IAChB,IAAIy6B,MAAM,GAAG99B,CAAC,CAAC,CAAC,CAAC;IACjB,IAAI+9B,aAAa,GAAG,EAAE;IACtB,IAAID,MAAM,IAAIA,MAAM,CAACxlB,UAAU,CAAC,GAAG,GAAGukB,iBAAiB,CAAC,EAAE;MACtDx5B,OAAO,GAAGo6B,sBAAsB,CAACO,MAAM,CAACL,cAAc,EAAE,CAAC;MACzDG,MAAM,GAAGA,MAAM,CAACp8B,SAAS,CAACm7B,iBAAiB,CAAC5pD,MAAM,GAAG,CAAC,CAAC;MACvD8qD,aAAa,GAAG,GAAG;IACvB;IACA,MAAM7G,IAAI,GAAGoG,YAAY,CAAC,IAAInD,OAAO,CAACvnD,QAAQ,EAAEywB,OAAO,CAAC,CAAC;IACzD,OAAO,GAAGrD,CAAC,CAAC,CAAC,CAAC,GAAGk3B,IAAI,CAACtkD,QAAQ,GAAGotB,CAAC,CAAC,CAAC,CAAC,GAAG+9B,aAAa,GAAG7G,IAAI,CAAC7zB,OAAO,GAAGy6B,MAAM,EAAE;EACnF,CAAC,CAAC;EACF,OAAOG,iBAAiB,CAACL,aAAa,CAAC;AAC3C;AACA,MAAMM,uBAAuB,CAAC;EAC1B5rD,WAAWA,CAACurD,aAAa,EAAEG,MAAM,EAAE;IAC/B,IAAI,CAACH,aAAa,GAAGA,aAAa;IAClC,IAAI,CAACG,MAAM,GAAGA,MAAM;EACxB;AACJ;AACA,SAASN,YAAYA,CAAC39B,KAAK,EAAEo+B,SAAS,EAAEjyC,WAAW,EAAE;EACjD,MAAMkyC,WAAW,GAAG,EAAE;EACtB,MAAMC,aAAa,GAAG,EAAE;EACxB,IAAIC,aAAa,GAAG,CAAC;EACrB,IAAIC,kBAAkB,GAAG,CAAC;EAC1B,IAAIC,eAAe,GAAG,CAAC,CAAC;EACxB,IAAIC,QAAQ;EACZ,IAAIC,SAAS;EACb,KAAK,IAAIrqD,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG0rB,KAAK,CAAC9sB,MAAM,EAAEoB,CAAC,EAAE,EAAE;IACnC,MAAMC,IAAI,GAAGyrB,KAAK,CAAC1rB,CAAC,CAAC;IACrB,IAAIC,IAAI,KAAK,IAAI,EAAE;MACfD,CAAC,EAAE;IACP,CAAC,MACI,IAAIC,IAAI,KAAKoqD,SAAS,EAAE;MACzBJ,aAAa,EAAE;MACf,IAAIA,aAAa,KAAK,CAAC,EAAE;QACrBD,aAAa,CAACnrD,IAAI,CAAC6sB,KAAK,CAAC2B,SAAS,CAAC88B,eAAe,EAAEnqD,CAAC,CAAC,CAAC;QACvD+pD,WAAW,CAAClrD,IAAI,CAACgZ,WAAW,CAAC;QAC7BqyC,kBAAkB,GAAGlqD,CAAC;QACtBmqD,eAAe,GAAG,CAAC,CAAC;QACpBC,QAAQ,GAAGC,SAAS,GAAG99B,SAAS;MACpC;IACJ,CAAC,MACI,IAAItsB,IAAI,KAAKmqD,QAAQ,EAAE;MACxBH,aAAa,EAAE;IACnB,CAAC,MACI,IAAIA,aAAa,KAAK,CAAC,IAAIH,SAAS,CAAClqC,GAAG,CAAC3f,IAAI,CAAC,EAAE;MACjDmqD,QAAQ,GAAGnqD,IAAI;MACfoqD,SAAS,GAAGP,SAAS,CAACnnD,GAAG,CAAC1C,IAAI,CAAC;MAC/BgqD,aAAa,GAAG,CAAC;MACjBE,eAAe,GAAGnqD,CAAC,GAAG,CAAC;MACvB+pD,WAAW,CAAClrD,IAAI,CAAC6sB,KAAK,CAAC2B,SAAS,CAAC68B,kBAAkB,EAAEC,eAAe,CAAC,CAAC;IAC1E;EACJ;EACA,IAAIA,eAAe,KAAK,CAAC,CAAC,EAAE;IACxBH,aAAa,CAACnrD,IAAI,CAAC6sB,KAAK,CAAC2B,SAAS,CAAC88B,eAAe,CAAC,CAAC;IACpDJ,WAAW,CAAClrD,IAAI,CAACgZ,WAAW,CAAC;EACjC,CAAC,MACI;IACDkyC,WAAW,CAAClrD,IAAI,CAAC6sB,KAAK,CAAC2B,SAAS,CAAC68B,kBAAkB,CAAC,CAAC;EACzD;EACA,OAAO,IAAIL,uBAAuB,CAACE,WAAW,CAACvpD,IAAI,CAAC,EAAE,CAAC,EAAEwpD,aAAa,CAAC;AAC3E;AACA;AACA;AACA;AACA;AACA;AACA,MAAMM,oBAAoB,GAAG;EACzB,GAAG,EAAE1B,mBAAmB;EACxB,GAAG,EAAED,oBAAoB;EACzB,GAAG,EAAEE;AACT,CAAC;AACD;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASM,eAAeA,CAACz9B,KAAK,EAAE;EAC5B,IAAI5rB,MAAM,GAAG4rB,KAAK;EAClB,IAAI6+B,gBAAgB,GAAG,IAAI;EAC3B,KAAK,IAAIvqD,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGF,MAAM,CAAClB,MAAM,EAAEoB,CAAC,EAAE,EAAE;IACpC,MAAMC,IAAI,GAAGH,MAAM,CAACE,CAAC,CAAC;IACtB,IAAIC,IAAI,KAAK,IAAI,EAAE;MACfD,CAAC,EAAE;IACP,CAAC,MACI;MACD,IAAIuqD,gBAAgB,KAAK,IAAI,EAAE;QAC3B;QACA,IAAItqD,IAAI,KAAKsqD,gBAAgB,EAAE;UAC3BA,gBAAgB,GAAG,IAAI;QAC3B,CAAC,MACI;UACD,MAAM1yC,WAAW,GAAGyyC,oBAAoB,CAACrqD,IAAI,CAAC;UAC9C,IAAI4X,WAAW,EAAE;YACb/X,MAAM,GAAG,GAAGA,MAAM,CAAC0qD,MAAM,CAAC,CAAC,EAAExqD,CAAC,CAAC,GAAG6X,WAAW,GAAG/X,MAAM,CAAC0qD,MAAM,CAACxqD,CAAC,GAAG,CAAC,CAAC,EAAE;YACtEA,CAAC,IAAI6X,WAAW,CAACjZ,MAAM,GAAG,CAAC;UAC/B;QACJ;MACJ,CAAC,MACI,IAAIqB,IAAI,KAAK,IAAI,IAAIA,IAAI,KAAK,GAAG,EAAE;QACpCsqD,gBAAgB,GAAGtqD,IAAI;MAC3B;IACJ;EACJ;EACA,OAAOH,MAAM;AACjB;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAAS8pD,iBAAiBA,CAACl+B,KAAK,EAAE;EAC9B,IAAI5rB,MAAM,GAAG4rB,KAAK,CAACtrB,OAAO,CAAC0oD,8BAA8B,EAAE,GAAG,CAAC;EAC/DhpD,MAAM,GAAGA,MAAM,CAACM,OAAO,CAAC2oD,6BAA6B,EAAE,GAAG,CAAC;EAC3DjpD,MAAM,GAAGA,MAAM,CAACM,OAAO,CAAC4oD,8BAA8B,EAAE,GAAG,CAAC;EAC5D,OAAOlpD,MAAM;AACjB;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASsjD,cAAcA,CAAC95C,GAAG,EAAEmhD,QAAQ,EAAE;EACnC,OAAO,CAACA,QAAQ,GAAGnhD,GAAG,GAAGA,GAAG,CAAClJ,OAAO,CAAC,mCAAmC,EAAE,IAAI,CAAC;AACnF;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASqlD,2BAA2BA,CAACD,gBAAgB,EAAEb,cAAc,EAAE;EACnE,MAAM+F,UAAU,GAAG3F,yBAAyB;EAC5C8B,eAAe,CAAC3nD,SAAS,GAAG,CAAC,CAAC,CAAC;EAC/B,MAAMyrD,qBAAqB,GAAG9D,eAAe,CAACjyB,IAAI,CAAC+vB,cAAc,CAAC;EAClE;EACA,IAAIa,gBAAgB,CAAC5mD,MAAM,KAAK,CAAC,EAAE;IAC/B,OAAO8rD,UAAU,GAAG/F,cAAc;EACtC;EACA,MAAMiG,QAAQ,GAAG,CAACpF,gBAAgB,CAACtzB,GAAG,CAAC,CAAC,IAAI,EAAE,CAAC;EAC/C,OAAOszB,gBAAgB,CAAC5mD,MAAM,GAAG,CAAC,EAAE;IAChC,MAAMA,MAAM,GAAGgsD,QAAQ,CAAChsD,MAAM;IAC9B,MAAMisD,eAAe,GAAGrF,gBAAgB,CAACtzB,GAAG,CAAC,CAAC;IAC9C,KAAK,IAAIlyB,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGpB,MAAM,EAAEoB,CAAC,EAAE,EAAE;MAC7B,MAAM8qD,iBAAiB,GAAGF,QAAQ,CAAC5qD,CAAC,CAAC;MACrC;MACA4qD,QAAQ,CAAChsD,MAAM,GAAG,CAAC,GAAGoB,CAAC,CAAC,GAAG8qD,iBAAiB,GAAG,GAAG,GAAGD,eAAe;MACpE;MACAD,QAAQ,CAAChsD,MAAM,GAAGoB,CAAC,CAAC,GAAG6qD,eAAe,GAAG,GAAG,GAAGC,iBAAiB;MAChE;MACAF,QAAQ,CAAC5qD,CAAC,CAAC,GAAG6qD,eAAe,GAAGC,iBAAiB;IACrD;EACJ;EACA;EACA;EACA,OAAOF,QAAQ,CACV7nD,GAAG,CAAC2pB,CAAC,IAAIi+B,qBAAqB,GAC/B,GAAGj+B,CAAC,GAAGi4B,cAAc,EAAE,GACvB,GAAGj4B,CAAC,GAAGg+B,UAAU,GAAG/F,cAAc,KAAKj4B,CAAC,IAAIg+B,UAAU,GAAG/F,cAAc,EAAE,CAAC,CACzEnkD,IAAI,CAAC,GAAG,CAAC;AAClB;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAAS+kD,YAAYA,CAACwF,MAAM,EAAEC,SAAS,EAAE;EACrC,MAAMpsD,MAAM,GAAGmsD,MAAM,CAACnsD,MAAM;EAC5B,KAAK,IAAIoB,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGgrD,SAAS,EAAEhrD,CAAC,EAAE,EAAE;IAChC,KAAK,IAAI0K,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG9L,MAAM,EAAE8L,CAAC,EAAE,EAAE;MAC7BqgD,MAAM,CAACrgD,CAAC,GAAI1K,CAAC,GAAGpB,MAAO,CAAC,GAAGmsD,MAAM,CAACrgD,CAAC,CAAC,CAAClL,KAAK,CAAC,CAAC,CAAC;IACjD;EACJ;AACJ;AAEA,IAAIyrD,cAAc;AAClB,CAAC,UAAUA,cAAc,EAAE;EACvBA,cAAc,CAACA,cAAc,CAAC,UAAU,CAAC,GAAG,CAAC,CAAC,GAAG,UAAU;EAC3DA,cAAc,CAACA,cAAc,CAAC,oBAAoB,CAAC,GAAG,CAAC,CAAC,GAAG,oBAAoB;EAC/EA,cAAc,CAACA,cAAc,CAAC,eAAe,CAAC,GAAG,CAAC,CAAC,GAAG,eAAe;AACzE,CAAC,EAAEA,cAAc,KAAKA,cAAc,GAAG,CAAC,CAAC,CAAC,CAAC;AAC3C,SAASC,WAAWA,CAAC3mD,WAAW,EAAE;EAC9B,IAAIA,WAAW,CAAC,CAAC,CAAC,IAAI,GAAG,EAAE;IACvB,OAAO,CAAC,IAAI,EAAEA,WAAW,CAAC;EAC9B;EACA,MAAM4mD,UAAU,GAAG5mD,WAAW,CAAC4nB,OAAO,CAAC,GAAG,EAAE,CAAC,CAAC;EAC9C,IAAIg/B,UAAU,KAAK,CAAC,CAAC,EAAE;IACnB,MAAM,IAAI/rD,KAAK,CAAC,uBAAuBmF,WAAW,+BAA+B,CAAC;EACtF;EACA,OAAO,CAACA,WAAW,CAAC/E,KAAK,CAAC,CAAC,EAAE2rD,UAAU,CAAC,EAAE5mD,WAAW,CAAC/E,KAAK,CAAC2rD,UAAU,GAAG,CAAC,CAAC,CAAC;AAChF;AACA;AACA,SAASC,aAAaA,CAACttC,OAAO,EAAE;EAC5B,OAAOotC,WAAW,CAACptC,OAAO,CAAC,CAAC,CAAC,CAAC,KAAK,cAAc;AACrD;AACA;AACA,SAASutC,WAAWA,CAACvtC,OAAO,EAAE;EAC1B,OAAOotC,WAAW,CAACptC,OAAO,CAAC,CAAC,CAAC,CAAC,KAAK,YAAY;AACnD;AACA;AACA,SAASwtC,YAAYA,CAACxtC,OAAO,EAAE;EAC3B,OAAOotC,WAAW,CAACptC,OAAO,CAAC,CAAC,CAAC,CAAC,KAAK,aAAa;AACpD;AACA,SAASytC,WAAWA,CAACC,QAAQ,EAAE;EAC3B,OAAOA,QAAQ,KAAK,IAAI,GAAG,IAAI,GAAGN,WAAW,CAACM,QAAQ,CAAC,CAAC,CAAC,CAAC;AAC9D;AACA,SAASC,cAAcA,CAACnsD,MAAM,EAAEosD,SAAS,EAAE;EACvC,OAAOpsD,MAAM,GAAG,IAAIA,MAAM,IAAIosD,SAAS,EAAE,GAAGA,SAAS;AACzD;;AAEA;AACA;AACA;AACA,IAAIC,WAAW;AACf,CAAC,UAAUA,WAAW,EAAE;EACpB;AACJ;AACA;EACIA,WAAW,CAACA,WAAW,CAAC,WAAW,CAAC,GAAG,CAAC,CAAC,GAAG,WAAW;EACvD;AACJ;AACA;EACIA,WAAW,CAACA,WAAW,CAAC,WAAW,CAAC,GAAG,CAAC,CAAC,GAAG,WAAW;EACvD;AACJ;AACA;EACIA,WAAW,CAACA,WAAW,CAAC,eAAe,CAAC,GAAG,CAAC,CAAC,GAAG,eAAe;EAC/D;AACJ;AACA;EACIA,WAAW,CAACA,WAAW,CAAC,UAAU,CAAC,GAAG,CAAC,CAAC,GAAG,UAAU;EACrD;AACJ;AACA;EACIA,WAAW,CAACA,WAAW,CAAC,UAAU,CAAC,GAAG,CAAC,CAAC,GAAG,UAAU;EACrD;AACJ;AACA;EACIA,WAAW,CAACA,WAAW,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,GAAG,MAAM;EAC7C;AACJ;AACA;EACIA,WAAW,CAACA,WAAW,CAAC,WAAW,CAAC,GAAG,CAAC,CAAC,GAAG,WAAW;AAC3D,CAAC,EAAEA,WAAW,KAAKA,WAAW,GAAG,CAAC,CAAC,CAAC,CAAC;AACrC,MAAMC,eAAe,GAAG9mD,MAAM,CAACC,MAAM,CAAC,EAAE,CAAC;AACzC;AACA;AACA;AACA,MAAM8mD,iBAAiB,CAAC;EACpB5tD,WAAWA,CAAA,EAAG;IACV,IAAI,CAAC6tD,KAAK,GAAG,IAAIllB,GAAG,CAAC,CAAC;IACtB,IAAI,CAACmlB,MAAM,GAAG,IAAI5qD,GAAG,CAAD,CAAC;IACrB,IAAI,CAAC6qD,SAAS,GAAG,IAAI;EACzB;EACA,IAAIjxB,UAAUA,CAAA,EAAG;IACb,OAAO,IAAI,CAACgxB,MAAM,CAACppD,GAAG,CAACgpD,WAAW,CAACM,SAAS,CAAC,IAAIL,eAAe;EACpE;EACA,IAAItnD,OAAOA,CAAA,EAAG;IACV,OAAO,IAAI,CAACynD,MAAM,CAACppD,GAAG,CAACgpD,WAAW,CAACO,SAAS,CAAC,IAAIN,eAAe;EACpE;EACA,IAAIO,MAAMA,CAAA,EAAG;IACT,OAAO,IAAI,CAACJ,MAAM,CAACppD,GAAG,CAACgpD,WAAW,CAACS,aAAa,CAAC,IAAIR,eAAe;EACxE;EACA,IAAIS,QAAQA,CAAA,EAAG;IACX,OAAO,IAAI,CAACN,MAAM,CAACppD,GAAG,CAACgpD,WAAW,CAACW,QAAQ,CAAC,IAAIV,eAAe;EACnE;EACA,IAAIl2C,QAAQA,CAAA,EAAG;IACX,OAAO,IAAI,CAACq2C,MAAM,CAACppD,GAAG,CAACgpD,WAAW,CAAC9uB,QAAQ,CAAC,IAAI+uB,eAAe;EACnE;EACA,IAAI5kC,IAAIA,CAAA,EAAG;IACP,OAAO,IAAI,CAAC+kC,MAAM,CAACppD,GAAG,CAACgpD,WAAW,CAACY,IAAI,CAAC,IAAIX,eAAe;EAC/D;EACArmD,GAAGA,CAACgrC,IAAI,EAAE7vC,IAAI,EAAEC,KAAK,EAAE;IACnB,IAAI,IAAI,CAACmrD,KAAK,CAAClsC,GAAG,CAAClf,IAAI,CAAC,EAAE;MACtB;IACJ;IACA,IAAI,CAACorD,KAAK,CAACvmD,GAAG,CAAC7E,IAAI,CAAC;IACpB,MAAM8rD,KAAK,GAAG,IAAI,CAACC,QAAQ,CAAClc,IAAI,CAAC;IACjCic,KAAK,CAAC3tD,IAAI,CAAC,GAAG6tD,0BAA0B,CAAChsD,IAAI,CAAC,CAAC;IAC/C,IAAI6vC,IAAI,KAAKob,WAAW,CAACM,SAAS,IAAI1b,IAAI,KAAKob,WAAW,CAACS,aAAa,EAAE;MACtE,IAAIzrD,KAAK,KAAK,IAAI,EAAE;QAChB,MAAMvB,KAAK,CAAC,wDAAwD,CAAC;MACzE;MACAotD,KAAK,CAAC3tD,IAAI,CAAC8B,KAAK,CAAC;IACrB;EACJ;EACA8rD,QAAQA,CAAClc,IAAI,EAAE;IACX,IAAI,CAAC,IAAI,CAACwb,MAAM,CAACnsC,GAAG,CAAC2wB,IAAI,CAAC,EAAE;MACxB,IAAI,CAACwb,MAAM,CAACnpD,GAAG,CAAC2tC,IAAI,EAAE,EAAE,CAAC;IAC7B;IACA,OAAO,IAAI,CAACwb,MAAM,CAACppD,GAAG,CAAC4tC,IAAI,CAAC;EAChC;AACJ;AACA,SAASmc,0BAA0BA,CAAChsD,IAAI,EAAE;EACtC,MAAM,CAACisD,kBAAkB,EAAEC,aAAa,CAAC,GAAG1B,WAAW,CAACxqD,IAAI,CAAC;EAC7D,MAAMmsD,WAAW,GAAGtvC,OAAO,CAACqvC,aAAa,CAAC;EAC1C,IAAID,kBAAkB,EAAE;IACpB,OAAO,CACHpvC,OAAO,CAAC,CAAC,CAAC,uCAAuC,CAAC,EAAEA,OAAO,CAACovC,kBAAkB,CAAC,EAAEE,WAAW,CAC/F;EACL;EACA,OAAO,CAACA,WAAW,CAAC;AACxB;AACA,SAASC,yBAAyBA,CAAC1uD,KAAK,EAAE;EACtC,IAAI,EAAEA,KAAK,YAAYytD,iBAAiB,CAAC,EAAE;IACvC,MAAM,IAAIzsD,KAAK,CAAC,sFAAsF,CAAC;EAC3G;AACJ;;AAEA;AACA;AACA;AACA;AACA;AACA,IAAI2tD,MAAM;AACV,CAAC,UAAUA,MAAM,EAAE;EACf;AACJ;AACA;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,SAAS,CAAC,GAAG,CAAC,CAAC,GAAG,SAAS;EACzC;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,WAAW,CAAC,GAAG,CAAC,CAAC,GAAG,WAAW;EAC7C;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,UAAU,CAAC,GAAG,CAAC,CAAC,GAAG,UAAU;EAC3C;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,cAAc,CAAC,GAAG,CAAC,CAAC,GAAG,cAAc;EACnD;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,SAAS,CAAC,GAAG,CAAC,CAAC,GAAG,SAAS;EACzC;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,UAAU,CAAC,GAAG,CAAC,CAAC,GAAG,UAAU;EAC3C;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,YAAY,CAAC,GAAG,CAAC,CAAC,GAAG,YAAY;EAC/C;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,gBAAgB,CAAC,GAAG,CAAC,CAAC,GAAG,gBAAgB;EACvD;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,WAAW,CAAC,GAAG,CAAC,CAAC,GAAG,WAAW;EAC7C;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,cAAc,CAAC,GAAG,CAAC,CAAC,GAAG,cAAc;EACnD;AACJ;AACA;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,iBAAiB,CAAC,GAAG,EAAE,CAAC,GAAG,iBAAiB;EAC1D;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,gBAAgB,CAAC,GAAG,EAAE,CAAC,GAAG,gBAAgB;EACxD;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,MAAM,CAAC,GAAG,EAAE,CAAC,GAAG,MAAM;EACpC;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,UAAU,CAAC,GAAG,EAAE,CAAC,GAAG,UAAU;EAC5C;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,iBAAiB,CAAC,GAAG,EAAE,CAAC,GAAG,iBAAiB;EAC1D;AACJ;AACA;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,SAAS,CAAC,GAAG,EAAE,CAAC,GAAG,SAAS;EAC1C;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,UAAU,CAAC,GAAG,EAAE,CAAC,GAAG,UAAU;EAC5C;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,WAAW,CAAC,GAAG,EAAE,CAAC,GAAG,WAAW;EAC9C;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,WAAW,CAAC,GAAG,EAAE,CAAC,GAAG,WAAW;EAC9C;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,UAAU,CAAC,GAAG,EAAE,CAAC,GAAG,UAAU;EAC5C;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,UAAU,CAAC,GAAG,EAAE,CAAC,GAAG,UAAU;EAC5C;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,SAAS,CAAC,GAAG,EAAE,CAAC,GAAG,SAAS;EAC1C;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,MAAM,CAAC,GAAG,EAAE,CAAC,GAAG,MAAM;EACpC;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,WAAW,CAAC,GAAG,EAAE,CAAC,GAAG,WAAW;EAC9C;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,cAAc,CAAC,GAAG,EAAE,CAAC,GAAG,cAAc;EACpD;AACJ;AACA;EACIA,MAAM,CAACA,MAAM,CAAC,WAAW,CAAC,GAAG,EAAE,CAAC,GAAG,WAAW;EAC9C;AACJ,CAAC,EAAEA,MAAM,KAAKA,MAAM,GAAG,CAAC,CAAC,CAAC,CAAC;AAC3B;AACA;AACA;AACA,IAAIC,cAAc;AAClB,CAAC,UAAUA,cAAc,EAAE;EACvB;AACJ;AACA;EACIA,cAAc,CAACA,cAAc,CAAC,aAAa,CAAC,GAAG,CAAC,CAAC,GAAG,aAAa;EACjE;AACJ;AACA;EACIA,cAAc,CAACA,cAAc,CAAC,SAAS,CAAC,GAAG,CAAC,CAAC,GAAG,SAAS;EACzD;AACJ;AACA;EACIA,cAAc,CAACA,cAAc,CAAC,cAAc,CAAC,GAAG,CAAC,CAAC,GAAG,cAAc;EACnE;AACJ;AACA;EACIA,cAAc,CAACA,cAAc,CAAC,aAAa,CAAC,GAAG,CAAC,CAAC,GAAG,aAAa;EACjE;AACJ;AACA;EACIA,cAAc,CAACA,cAAc,CAAC,WAAW,CAAC,GAAG,CAAC,CAAC,GAAG,WAAW;EAC7D;AACJ;AACA;EACIA,cAAc,CAACA,cAAc,CAAC,gBAAgB,CAAC,GAAG,CAAC,CAAC,GAAG,gBAAgB;EACvE;AACJ;AACA;EACIA,cAAc,CAACA,cAAc,CAAC,aAAa,CAAC,GAAG,CAAC,CAAC,GAAG,aAAa;EACjE;AACJ;AACA;EACIA,cAAc,CAACA,cAAc,CAAC,WAAW,CAAC,GAAG,CAAC,CAAC,GAAG,WAAW;EAC7D;AACJ;AACA;EACIA,cAAc,CAACA,cAAc,CAAC,kBAAkB,CAAC,GAAG,CAAC,CAAC,GAAG,kBAAkB;EAC3E;AACJ;AACA;EACIA,cAAc,CAACA,cAAc,CAAC,2BAA2B,CAAC,GAAG,CAAC,CAAC,GAAG,2BAA2B;EAC7F;AACJ;AACA;EACIA,cAAc,CAACA,cAAc,CAAC,aAAa,CAAC,GAAG,EAAE,CAAC,GAAG,aAAa;EAClE;AACJ;AACA;EACIA,cAAc,CAACA,cAAc,CAAC,qBAAqB,CAAC,GAAG,EAAE,CAAC,GAAG,qBAAqB;EAClF;AACJ;AACA;EACIA,cAAc,CAACA,cAAc,CAAC,kBAAkB,CAAC,GAAG,EAAE,CAAC,GAAG,kBAAkB;EAC5E;AACJ;AACA;EACIA,cAAc,CAACA,cAAc,CAAC,eAAe,CAAC,GAAG,EAAE,CAAC,GAAG,eAAe;EACtE;AACJ;AACA;EACIA,cAAc,CAACA,cAAc,CAAC,oBAAoB,CAAC,GAAG,EAAE,CAAC,GAAG,oBAAoB;EAChF;AACJ;AACA;EACIA,cAAc,CAACA,cAAc,CAAC,iBAAiB,CAAC,GAAG,EAAE,CAAC,GAAG,iBAAiB;EAC1E;AACJ;AACA;EACIA,cAAc,CAACA,cAAc,CAAC,WAAW,CAAC,GAAG,EAAE,CAAC,GAAG,WAAW;EAC9D;AACJ;AACA;EACIA,cAAc,CAACA,cAAc,CAAC,qBAAqB,CAAC,GAAG,EAAE,CAAC,GAAG,qBAAqB;EAClF;AACJ;AACA;EACIA,cAAc,CAACA,cAAc,CAAC,mBAAmB,CAAC,GAAG,EAAE,CAAC,GAAG,mBAAmB;EAC9E;AACJ;AACA;EACIA,cAAc,CAACA,cAAc,CAAC,eAAe,CAAC,GAAG,EAAE,CAAC,GAAG,eAAe;AAC1E,CAAC,EAAEA,cAAc,KAAKA,cAAc,GAAG,CAAC,CAAC,CAAC,CAAC;AAC3C;AACA;AACA;AACA,IAAIC,oBAAoB;AACxB,CAAC,UAAUA,oBAAoB,EAAE;EAC7B;AACJ;AACA;EACIA,oBAAoB,CAACA,oBAAoB,CAAC,SAAS,CAAC,GAAG,CAAC,CAAC,GAAG,SAAS;EACrE;AACJ;AACA;EACIA,oBAAoB,CAACA,oBAAoB,CAAC,YAAY,CAAC,GAAG,CAAC,CAAC,GAAG,YAAY;EAC3E;AACJ;AACA;EACIA,oBAAoB,CAACA,oBAAoB,CAAC,WAAW,CAAC,GAAG,CAAC,CAAC,GAAG,WAAW;AAC7E,CAAC,EAAEA,oBAAoB,KAAKA,oBAAoB,GAAG,CAAC,CAAC,CAAC,CAAC;AACvD;AACA;AACA;AACA;AACA;AACA,IAAIC,iBAAiB;AACrB,CAAC,UAAUA,iBAAiB,EAAE;EAC1BA,iBAAiB,CAACA,iBAAiB,CAAC,QAAQ,CAAC,GAAG,CAAC,CAAC,GAAG,QAAQ;EAC7DA,iBAAiB,CAACA,iBAAiB,CAAC,2BAA2B,CAAC,GAAG,CAAC,CAAC,GAAG,2BAA2B;AACvG,CAAC,EAAEA,iBAAiB,KAAKA,iBAAiB,GAAG,CAAC,CAAC,CAAC,CAAC;AACjD;AACA;AACA;AACA,IAAIC,WAAW;AACf,CAAC,UAAUA,WAAW,EAAE;EACpBA,WAAW,CAACA,WAAW,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,GAAG,MAAM;EAC7CA,WAAW,CAACA,WAAW,CAAC,QAAQ,CAAC,GAAG,CAAC,CAAC,GAAG,QAAQ;EACjDA,WAAW,CAACA,WAAW,CAAC,OAAO,CAAC,GAAG,CAAC,CAAC,GAAG,OAAO;EAC/CA,WAAW,CAACA,WAAW,CAAC,KAAK,CAAC,GAAG,CAAC,CAAC,GAAG,KAAK;EAC3CA,WAAW,CAACA,WAAW,CAAC,aAAa,CAAC,GAAG,CAAC,CAAC,GAAG,aAAa;EAC3DA,WAAW,CAACA,WAAW,CAAC,iBAAiB,CAAC,GAAG,CAAC,CAAC,GAAG,iBAAiB;AACvE,CAAC,EAAEA,WAAW,KAAKA,WAAW,GAAG,CAAC,CAAC,CAAC,CAAC;;AAErC;AACA;AACA;AACA,MAAMC,YAAY,GAAGC,MAAM,CAAC,cAAc,CAAC;AAC3C;AACA;AACA;AACA,MAAMC,oBAAoB,GAAGD,MAAM,CAAC,sBAAsB,CAAC;AAC3D;AACA;AACA;AACA,MAAME,aAAa,GAAGF,MAAM,CAAC,eAAe,CAAC;AAC7C;AACA;AACA;AACA,MAAMG,iBAAiB,GAAGH,MAAM,CAAC,cAAc,CAAC;AAChD;AACA;AACA;AACA,MAAMI,aAAa,GAAGJ,MAAM,CAAC,eAAe,CAAC;AAC7C;AACA;AACA;AACA;AACA,MAAMK,mBAAmB,GAAG;EACxB,CAACN,YAAY,GAAG,IAAI;EACpBO,IAAI,EAAE,IAAI;EACVC,YAAY,EAAE;AAClB,CAAC;AACD;AACA;AACA;AACA;AACA,MAAMC,qBAAqB,GAAG;EAC1B,CAACN,aAAa,GAAG,IAAI;EACrBI,IAAI,EAAE;AACV,CAAC;AACD;AACA;AACA;AACA;AACA,MAAMG,6BAA6B,GAAG;EAClC,CAACR,oBAAoB,GAAG;AAC5B,CAAC;AACD;AACA;AACA;AACA;AACA,MAAMS,mBAAmB,GAAG;EACxB,CAACP,iBAAiB,GAAG;AACzB,CAAC;AACD;AACA;AACA;AACA;AACA,MAAMQ,qBAAqB,GAAG;EAC1B,CAACP,aAAa,GAAG,IAAI;EACrBQ,SAAS,EAAE;AACf,CAAC;AACD;AACA;AACA;AACA,SAASC,oBAAoBA,CAACpP,EAAE,EAAE;EAC9B,OAAOA,EAAE,CAACsO,YAAY,CAAC,KAAK,IAAI;AACpC;AACA;AACA;AACA;AACA,SAASe,4BAA4BA,CAACrP,EAAE,EAAE;EACtC,OAAOA,EAAE,CAACwO,oBAAoB,CAAC,KAAK,IAAI;AAC5C;AACA,SAASc,oBAAoBA,CAACztD,KAAK,EAAE;EACjC,OAAOA,KAAK,CAAC6sD,iBAAiB,CAAC,KAAK,IAAI;AAC5C;AACA;AACA;AACA;AACA,SAASa,qBAAqBA,CAACh6C,IAAI,EAAE;EACjC,OAAOA,IAAI,CAACo5C,aAAa,CAAC,KAAK,IAAI;AACvC;AACA,SAASa,qBAAqBA,CAAC3tD,KAAK,EAAE;EAClC,OAAOA,KAAK,CAAC4sD,aAAa,CAAC,KAAK,IAAI;AACxC;;AAEA;AACA;AACA;AACA,SAASgB,iBAAiBA,CAAClb,SAAS,EAAE;EAClC,OAAO;IACH9C,IAAI,EAAEwc,MAAM,CAAC7xC,SAAS;IACtBm4B,SAAS;IACT,GAAGmb;EACP,CAAC;AACL;AACA;AACA;AACA;AACA,SAASC,gBAAgBA,CAACC,IAAI,EAAEpyC,QAAQ,EAAEqyC,WAAW,EAAE;EACnD,OAAO;IACHpe,IAAI,EAAEwc,MAAM,CAAC5vB,QAAQ;IACrBuxB,IAAI;IACJpyC,QAAQ;IACRqyC,WAAW;IACX,GAAGH;EACP,CAAC;AACL;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMA,MAAM,GAAG;EACXI,WAAW,EAAE,IAAI;EACjBC,IAAI,EAAE,IAAI;EACVC,IAAI,EAAE;AACV,CAAC;;AAED;AACA;AACA;AACA,SAASC,uBAAuBA,CAACL,IAAI,EAAEnmB,aAAa,EAAEh4B,UAAU,EAAE;EAC9D,OAAO;IACHggC,IAAI,EAAEwc,MAAM,CAACiC,eAAe;IAC5B93B,MAAM,EAAEw3B,IAAI;IACZnmB,aAAa;IACbh4B,UAAU;IACV,GAAGu9C,6BAA6B;IAChC,GAAGC,mBAAmB;IACtB,GAAGS;EACP,CAAC;AACL;AACA,MAAMS,aAAa,CAAC;EAChBhxD,WAAWA,CAAC2mC,OAAO,EAAEhvB,WAAW,EAAE;IAC9B,IAAI,CAACgvB,OAAO,GAAGA,OAAO;IACtB,IAAI,CAAChvB,WAAW,GAAGA,WAAW;EAClC;AACJ;AACA;AACA;AACA;AACA,SAASs5C,eAAeA,CAACh4B,MAAM,EAAEqZ,IAAI,EAAE7vC,IAAI,EAAEkI,UAAU,EAAEyxB,IAAI,EAAED,eAAe,EAAE+0B,UAAU,EAAE5+C,UAAU,EAAE;EACpG,OAAO;IACHggC,IAAI,EAAEwc,MAAM,CAACqC,OAAO;IACpBC,WAAW,EAAE9e,IAAI;IACjBrZ,MAAM;IACNx2B,IAAI;IACJkI,UAAU;IACVyxB,IAAI;IACJD,eAAe;IACf+0B,UAAU;IACV5+C,UAAU;IACV,GAAGi+C;EACP,CAAC;AACL;AACA;AACA;AACA;AACA,SAASc,gBAAgBA,CAACp4B,MAAM,EAAEx2B,IAAI,EAAEkI,UAAU,EAAE2mD,kBAAkB,EAAEn1B,eAAe,EAAE+0B,UAAU,EAAE5+C,UAAU,EAAE;EAC7G,OAAO;IACHggC,IAAI,EAAEwc,MAAM,CAACT,QAAQ;IACrBp1B,MAAM;IACNx2B,IAAI;IACJkI,UAAU;IACV2mD,kBAAkB;IAClBn1B,eAAe;IACfo1B,SAAS,EAAE,IAAI;IACfL,UAAU;IACV5+C,UAAU;IACV,GAAGu9C,6BAA6B;IAChC,GAAGC,mBAAmB;IACtB,GAAGS;EACP,CAAC;AACL;AACA;AACA,SAASiB,iBAAiBA,CAACf,IAAI,EAAEhuD,IAAI,EAAEkI,UAAU,EAAEyxB,IAAI,EAAE9pB,UAAU,EAAE;EACjE,OAAO;IACHggC,IAAI,EAAEwc,MAAM,CAAC2C,SAAS;IACtBx4B,MAAM,EAAEw3B,IAAI;IACZhuD,IAAI;IACJkI,UAAU;IACVyxB,IAAI;IACJ9pB,UAAU;IACV,GAAGu9C,6BAA6B;IAChC,GAAGC,mBAAmB;IACtB,GAAGS;EACP,CAAC;AACL;AACA;AACA;AACA;AACA,SAASmB,iBAAiBA,CAACjB,IAAI,EAAEhuD,IAAI,EAAEkI,UAAU,EAAE2H,UAAU,EAAE;EAC3D,OAAO;IACHggC,IAAI,EAAEwc,MAAM,CAAC6C,SAAS;IACtB14B,MAAM,EAAEw3B,IAAI;IACZhuD,IAAI;IACJkI,UAAU;IACV2H,UAAU;IACV,GAAGu9C,6BAA6B;IAChC,GAAGC,mBAAmB;IACtB,GAAGS;EACP,CAAC;AACL;AACA;AACA,SAASqB,gBAAgBA,CAACnB,IAAI,EAAE9lD,UAAU,EAAE2H,UAAU,EAAE;EACpD,OAAO;IACHggC,IAAI,EAAEwc,MAAM,CAAC+C,QAAQ;IACrB54B,MAAM,EAAEw3B,IAAI;IACZ9lD,UAAU;IACV2H,UAAU;IACV,GAAGu9C,6BAA6B;IAChC,GAAGC,mBAAmB;IACtB,GAAGS;EACP,CAAC;AACL;AACA;AACA;AACA;AACA,SAASuB,gBAAgBA,CAACrB,IAAI,EAAE9lD,UAAU,EAAE2H,UAAU,EAAE;EACpD,OAAO;IACHggC,IAAI,EAAEwc,MAAM,CAACiD,QAAQ;IACrB94B,MAAM,EAAEw3B,IAAI;IACZ9lD,UAAU;IACV2H,UAAU;IACV,GAAGu9C,6BAA6B;IAChC,GAAGC,mBAAmB;IACtB,GAAGS;EACP,CAAC;AACL;AACA;AACA;AACA;AACA,SAASyB,iBAAiBA,CAAC/4B,MAAM,EAAEx2B,IAAI,EAAEkI,UAAU,EAAEwxB,eAAe,EAAE+0B,UAAU,EAAE5+C,UAAU,EAAE;EAC1F,OAAO;IACHggC,IAAI,EAAEwc,MAAM,CAACd,SAAS;IACtB/0B,MAAM;IACNx2B,IAAI;IACJkI,UAAU;IACVwxB,eAAe;IACfo1B,SAAS,EAAE,IAAI;IACfL,UAAU;IACV5+C,UAAU;IACV,GAAGu9C,6BAA6B;IAChC,GAAGC,mBAAmB;IACtB,GAAGS;EACP,CAAC;AACL;AACA;AACA;AACA;AACA,SAAS0B,eAAeA,CAACnhB,KAAK,EAAEx+B,UAAU,EAAE;EACxC,OAAO;IACHggC,IAAI,EAAEwc,MAAM,CAACoD,OAAO;IACpBphB,KAAK;IACLx+B,UAAU;IACV,GAAGi+C;EACP,CAAC;AACL;AAEA,IAAI4B,EAAE,EAAEC,EAAE,EAAEC,EAAE,EAAEC,EAAE,EAAEC,EAAE,EAAEC,EAAE,EAAEC,EAAE,EAAEC,EAAE,EAAEC,EAAE;AACtC;AACA;AACA;AACA,SAASC,cAAcA,CAACx8C,IAAI,EAAE;EAC1B,OAAOA,IAAI,YAAYy8C,cAAc;AACzC;AACA;AACA;AACA;AACA,MAAMA,cAAc,SAASxgD,UAAU,CAAC;EACpCrS,WAAWA,CAACsS,UAAU,GAAG,IAAI,EAAE;IAC3B,KAAK,CAAC,IAAI,EAAEA,UAAU,CAAC;EAC3B;AACJ;AACA;AACA;AACA;AACA,MAAMwgD,eAAe,SAASD,cAAc,CAAC;EACzC7yD,WAAWA,CAACyC,IAAI,EAAE;IACd,KAAK,CAAC,CAAC;IACP,IAAI,CAACA,IAAI,GAAGA,IAAI;IAChB,IAAI,CAAC6vC,IAAI,GAAGyc,cAAc,CAACgE,WAAW;EAC1C;EACA/8C,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE,CAAE;EACpC+H,YAAYA,CAAA,EAAG;IACX,OAAO,KAAK;EAChB;EACAgE,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAi9C,4BAA4BA,CAAA,EAAG,CAAE;EACjC3rD,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAIyrD,eAAe,CAAC,IAAI,CAACrwD,IAAI,CAAC;EACzC;AACJ;AACA;AACA;AACA;AACA,MAAMwwD,aAAa,SAASJ,cAAc,CAAC;EACvC;IAASV,EAAE,GAAG7C,aAAa;EAAE;EAC7BtvD,WAAWA,CAACi5B,MAAM,EAAE2X,MAAM,EAAE;IACxB,KAAK,CAAC,CAAC;IACP,IAAI,CAAC3X,MAAM,GAAGA,MAAM;IACpB,IAAI,CAAC2X,MAAM,GAAGA,MAAM;IACpB,IAAI,CAAC0B,IAAI,GAAGyc,cAAc,CAAC3vB,SAAS;IACpC,IAAI,CAAC+yB,EAAE,CAAC,GAAG,IAAI;IACf,IAAI,CAACzC,IAAI,GAAG,IAAI;EACpB;EACA15C,eAAeA,CAAA,EAAG,CAAE;EACpBjE,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAY8mD,aAAa,IAAI9mD,CAAC,CAAC8sB,MAAM,KAAK,IAAI,CAACA,MAAM;EACjE;EACAljB,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAi9C,4BAA4BA,CAAA,EAAG,CAAE;EACjC3rD,KAAKA,CAAA,EAAG;IACJ,MAAM+O,IAAI,GAAG,IAAI68C,aAAa,CAAC,IAAI,CAACh6B,MAAM,EAAE,IAAI,CAAC2X,MAAM,CAAC;IACxDx6B,IAAI,CAACs5C,IAAI,GAAG,IAAI,CAACA,IAAI;IACrB,OAAOt5C,IAAI;EACf;AACJ;AACA;AACA;AACA;AACA,MAAM88C,WAAW,SAASL,cAAc,CAAC;EACrC7yD,WAAWA,CAACqN,IAAI,EAAE;IACd,KAAK,CAAC,CAAC;IACP,IAAI,CAACA,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACilC,IAAI,GAAGyc,cAAc,CAACoE,OAAO;EACtC;EACAn9C,eAAeA,CAAA,EAAG,CAAE;EACpBjE,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAY+mD,WAAW,IAAI/mD,CAAC,CAACkB,IAAI,KAAK,IAAI,CAACA,IAAI;EAC3D;EACA0I,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAi9C,4BAA4BA,CAAA,EAAG,CAAE;EACjC3rD,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAI6rD,WAAW,CAAC,IAAI,CAAC7lD,IAAI,CAAC;EACrC;AACJ;AACA;AACA;AACA;AACA,MAAM+lD,eAAe,SAASP,cAAc,CAAC;EACzC7yD,WAAWA,CAAA,EAAG;IACV,KAAK,CAAC,CAAC;IACP,IAAI,CAACsyC,IAAI,GAAGyc,cAAc,CAACsE,WAAW;IACtC,IAAI,CAACC,KAAK,GAAG,CAAC;EAClB;EACAt9C,eAAeA,CAAA,EAAG,CAAE;EACpBjE,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAYinD,eAAe,IAAIjnD,CAAC,CAACmnD,KAAK,KAAK,IAAI,CAACA,KAAK;EACjE;EACAv9C,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAi9C,4BAA4BA,CAAA,EAAG,CAAE;EACjC3rD,KAAKA,CAAA,EAAG;IACJ,MAAM+O,IAAI,GAAG,IAAIg9C,eAAe,CAAC,CAAC;IAClCh9C,IAAI,CAACk9C,KAAK,GAAG,IAAI,CAACA,KAAK;IACvB,OAAOl9C,IAAI;EACf;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMm9C,kBAAkB,SAASV,cAAc,CAAC;EAC5C7yD,WAAWA,CAAA,EAAG;IACV,KAAK,CAAC,CAAC;IACP,IAAI,CAACsyC,IAAI,GAAGyc,cAAc,CAACyE,cAAc;EAC7C;EACAx9C,eAAeA,CAAA,EAAG,CAAE;EACpBjE,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAYonD,kBAAkB;EAC1C;EACAx9C,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAi9C,4BAA4BA,CAAA,EAAG,CAAE;EACjC3rD,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAIksD,kBAAkB,CAAC,CAAC;EACnC;AACJ;AACA;AACA;AACA;AACA,MAAME,eAAe,SAASZ,cAAc,CAAC;EACzC7yD,WAAWA,CAACqN,IAAI,EAAE;IACd,KAAK,CAAC,CAAC;IACP,IAAI,CAACA,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACilC,IAAI,GAAGyc,cAAc,CAAC2E,WAAW;EAC1C;EACA19C,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,IAAI,OAAO,IAAI,CAACqD,IAAI,KAAK,QAAQ,EAAE;MAC/B,IAAI,CAACA,IAAI,CAAC2I,eAAe,CAACzM,OAAO,EAAES,OAAO,CAAC;IAC/C;EACJ;EACA+H,YAAYA,CAAC5F,CAAC,EAAE;IACZ,IAAI,EAAEA,CAAC,YAAYsnD,eAAe,CAAC,IAAI,OAAOtnD,CAAC,CAACkB,IAAI,KAAK,OAAO,IAAI,CAACA,IAAI,EAAE;MACvE,OAAO,KAAK;IAChB;IACA,IAAI,OAAO,IAAI,CAACA,IAAI,KAAK,QAAQ,EAAE;MAC/B,OAAO,IAAI,CAACA,IAAI,KAAKlB,CAAC,CAACkB,IAAI;IAC/B,CAAC,MACI;MACD,OAAO,IAAI,CAACA,IAAI,CAAC0E,YAAY,CAAC5F,CAAC,CAACkB,IAAI,CAAC;IACzC;EACJ;EACA0I,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAi9C,4BAA4BA,CAACW,SAAS,EAAEn5B,KAAK,EAAE;IAC3C,IAAI,OAAO,IAAI,CAACntB,IAAI,KAAK,QAAQ,EAAE;MAC/B,IAAI,CAACA,IAAI,GAAGumD,gCAAgC,CAAC,IAAI,CAACvmD,IAAI,EAAEsmD,SAAS,EAAEn5B,KAAK,CAAC;IAC7E;EACJ;EACAnzB,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAIosD,eAAe,CAAC,IAAI,CAACpmD,IAAI,YAAYgF,UAAU,GAAG,IAAI,CAAChF,IAAI,CAAChG,KAAK,CAAC,CAAC,GAAG,IAAI,CAACgG,IAAI,CAAC;EAC/F;AACJ;AACA;AACA;AACA;AACA,MAAMwmD,aAAa,SAAShB,cAAc,CAAC;EACvC7yD,WAAWA,CAACoW,IAAI,EAAE;IACd,KAAK,CAAC,CAAC;IACP,IAAI,CAACA,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACk8B,IAAI,GAAGyc,cAAc,CAAC+E,SAAS;EACxC;EACA99C,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,IAAI,CAACoM,IAAI,CAACJ,eAAe,CAACzM,OAAO,EAAES,OAAO,CAAC;EAC/C;EACA+H,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAY0nD,aAAa,IAAI,IAAI,CAACz9C,IAAI,CAACrE,YAAY,CAAC5F,CAAC,CAACiK,IAAI,CAAC;EACvE;EACAL,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAi9C,4BAA4BA,CAACW,SAAS,EAAEn5B,KAAK,EAAE;IAC3C,IAAI,CAACpkB,IAAI,GAAGw9C,gCAAgC,CAAC,IAAI,CAACx9C,IAAI,EAAEu9C,SAAS,EAAEn5B,KAAK,CAAC;EAC7E;EACAnzB,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAIwsD,aAAa,CAAC,IAAI,CAACz9C,IAAI,CAAC/O,KAAK,CAAC,CAAC,CAAC;EAC/C;AACJ;AACA;AACA;AACA;AACA,MAAM0sD,gBAAgB,SAASlB,cAAc,CAAC;EAC1C7yD,WAAWA,CAACywD,IAAI,EAAE;IACd,KAAK,CAAC,CAAC;IACP,IAAI,CAACA,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACne,IAAI,GAAGyc,cAAc,CAACiF,YAAY;IACvC,IAAI,CAACvxD,IAAI,GAAG,IAAI;EACpB;EACAuT,eAAeA,CAAA,EAAG,CAAE;EACpBjE,YAAYA,CAACxK,KAAK,EAAE;IAChB,OAAOA,KAAK,YAAYwsD,gBAAgB,IAAIxsD,KAAK,CAACkpD,IAAI,KAAK,IAAI,CAACA,IAAI;EACxE;EACA16C,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAi9C,4BAA4BA,CAAA,EAAG,CAAE;EACjC3rD,KAAKA,CAAA,EAAG;IACJ,MAAM+O,IAAI,GAAG,IAAI29C,gBAAgB,CAAC,IAAI,CAACtD,IAAI,CAAC;IAC5Cr6C,IAAI,CAAC3T,IAAI,GAAG,IAAI,CAACA,IAAI;IACrB,OAAO2T,IAAI;EACf;AACJ;AACA,MAAM69C,gBAAgB,SAASpB,cAAc,CAAC;EAC1C;IAAST,EAAE,GAAG7C,iBAAiB,EAAE8C,EAAE,GAAG7C,aAAa;EAAE;EACrDxvD,WAAWA,CAAC2K,UAAU,EAAE0M,IAAI,EAAE;IAC1B,KAAK,CAAC,CAAC;IACP,IAAI,CAACi7B,IAAI,GAAGyc,cAAc,CAACkF,gBAAgB;IAC3C,IAAI,CAAC7B,EAAE,CAAC,GAAG,IAAI;IACf,IAAI,CAACC,EAAE,CAAC,GAAG,IAAI;IACf,IAAI,CAACrC,SAAS,GAAG,IAAI;IACrB;AACR;AACA;AACA;IACQ,IAAI,CAAC54C,EAAE,GAAG,IAAI;IACd,IAAI,CAAC6H,IAAI,GAAGtU,UAAU;IACtB,IAAI,CAAC0M,IAAI,GAAGA,IAAI;EACpB;EACArB,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,IAAI,CAACiV,IAAI,EAAEjJ,eAAe,CAACzM,OAAO,EAAES,OAAO,CAAC;IAC5C,KAAK,MAAMuN,GAAG,IAAI,IAAI,CAACF,IAAI,EAAE;MACzBE,GAAG,CAACvB,eAAe,CAACzM,OAAO,EAAES,OAAO,CAAC;IACzC;EACJ;EACA+H,YAAYA,CAACxK,KAAK,EAAE;IAChB,IAAI,EAAEA,KAAK,YAAY0sD,gBAAgB,CAAC,IAAI1sD,KAAK,CAAC8P,IAAI,CAAC1W,MAAM,KAAK,IAAI,CAAC0W,IAAI,CAAC1W,MAAM,EAAE;MAChF,OAAO,KAAK;IAChB;IACA,OAAO4G,KAAK,CAAC0X,IAAI,KAAK,IAAI,IAAI,IAAI,CAACA,IAAI,KAAK,IAAI,IAAI1X,KAAK,CAAC0X,IAAI,CAAClN,YAAY,CAAC,IAAI,CAACkN,IAAI,CAAC,IAClF1X,KAAK,CAAC8P,IAAI,CAAC2E,KAAK,CAAC,CAACzE,GAAG,EAAE+vB,GAAG,KAAK/vB,GAAG,CAACxF,YAAY,CAAC,IAAI,CAACsF,IAAI,CAACiwB,GAAG,CAAC,CAAC,CAAC;EACxE;EACAvxB,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAi9C,4BAA4BA,CAACW,SAAS,EAAEn5B,KAAK,EAAE;IAC3C,IAAI,IAAI,CAACvb,IAAI,KAAK,IAAI,EAAE;MACpB;MACA,IAAI,CAACA,IAAI,GAAG20C,gCAAgC,CAAC,IAAI,CAAC30C,IAAI,EAAE00C,SAAS,EAAEn5B,KAAK,GAAG05B,kBAAkB,CAACC,gBAAgB,CAAC;IACnH,CAAC,MACI,IAAI,IAAI,CAAC/8C,EAAE,KAAK,IAAI,EAAE;MACvB,IAAI,CAACA,EAAE,GAAGw8C,gCAAgC,CAAC,IAAI,CAACx8C,EAAE,EAAEu8C,SAAS,EAAEn5B,KAAK,CAAC;IACzE;IACA,KAAK,IAAIz4B,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG,IAAI,CAACsV,IAAI,CAAC1W,MAAM,EAAEoB,CAAC,EAAE,EAAE;MACvC,IAAI,CAACsV,IAAI,CAACtV,CAAC,CAAC,GAAG6xD,gCAAgC,CAAC,IAAI,CAACv8C,IAAI,CAACtV,CAAC,CAAC,EAAE4xD,SAAS,EAAEn5B,KAAK,CAAC;IACnF;EACJ;EACAnzB,KAAKA,CAAA,EAAG;IACJ,MAAM+O,IAAI,GAAG,IAAI69C,gBAAgB,CAAC,IAAI,CAACh1C,IAAI,EAAE5X,KAAK,CAAC,CAAC,IAAI,IAAI,EAAE,IAAI,CAACgQ,IAAI,CAACvS,GAAG,CAACyS,GAAG,IAAIA,GAAG,CAAClQ,KAAK,CAAC,CAAC,CAAC,CAAC;IAChG+O,IAAI,CAACgB,EAAE,GAAG,IAAI,CAACA,EAAE,EAAE/P,KAAK,CAAC,CAAC,IAAI,IAAI;IAClC+O,IAAI,CAAC45C,SAAS,GAAG,IAAI,CAACA,SAAS;IAC/B,OAAO55C,IAAI;EACf;AACJ;AACA,MAAMg+C,yBAAyB,SAASvB,cAAc,CAAC;EACnD7yD,WAAWA,CAACmN,KAAK,EAAE;IACf,KAAK,CAAC,CAAC;IACP,IAAI,CAACA,KAAK,GAAGA,KAAK;IAClB,IAAI,CAACmlC,IAAI,GAAGyc,cAAc,CAACqF,yBAAyB;EACxD;EACAp+C,eAAeA,CAAA,EAAG,CAAE;EACpBjE,YAAYA,CAACxK,KAAK,EAAE;IAChB,OAAOA,KAAK,YAAY6sD,yBAAyB,IAAI7sD,KAAK,CAAC4F,KAAK,KAAK,IAAI,CAACA,KAAK;EACnF;EACA4I,UAAUA,CAAA,EAAG;IACT,OAAO,IAAI;EACf;EACAi9C,4BAA4BA,CAAA,EAAG,CAAE;EACjC3rD,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAI+sD,yBAAyB,CAAC,IAAI,CAACjnD,KAAK,CAAC;EACpD;AACJ;AACA,MAAMknD,eAAe,SAASxB,cAAc,CAAC;EACzC;IAASP,EAAE,GAAGhD,aAAa,EAAEiD,EAAE,GAAGhD,iBAAiB,EAAEiD,EAAE,GAAGhD,aAAa;EAAE;EACzExvD,WAAWA,CAACi5B,MAAM,EAAEx2B,IAAI,EAAE4U,IAAI,EAAE;IAC5B,KAAK,CAAC,CAAC;IACP,IAAI,CAAC4hB,MAAM,GAAGA,MAAM;IACpB,IAAI,CAACx2B,IAAI,GAAGA,IAAI;IAChB,IAAI,CAAC4U,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACi7B,IAAI,GAAGyc,cAAc,CAACuF,WAAW;IACtC,IAAI,CAAChC,EAAE,CAAC,GAAG,IAAI;IACf,IAAI,CAACC,EAAE,CAAC,GAAG,IAAI;IACf,IAAI,CAACC,EAAE,CAAC,GAAG,IAAI;IACf,IAAI,CAAC9C,IAAI,GAAG,IAAI;IAChB,IAAI,CAACM,SAAS,GAAG,IAAI;EACzB;EACAh6C,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,KAAK,MAAMuN,GAAG,IAAI,IAAI,CAACF,IAAI,EAAE;MACzBE,GAAG,CAACvB,eAAe,CAACzM,OAAO,EAAES,OAAO,CAAC;IACzC;EACJ;EACA+H,YAAYA,CAAA,EAAG;IACX,OAAO,KAAK;EAChB;EACAgE,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAi9C,4BAA4BA,CAACW,SAAS,EAAEn5B,KAAK,EAAE;IAC3C,KAAK,IAAI8M,GAAG,GAAG,CAAC,EAAEA,GAAG,GAAG,IAAI,CAACjwB,IAAI,CAAC1W,MAAM,EAAE2mC,GAAG,EAAE,EAAE;MAC7C,IAAI,CAACjwB,IAAI,CAACiwB,GAAG,CAAC,GAAGssB,gCAAgC,CAAC,IAAI,CAACv8C,IAAI,CAACiwB,GAAG,CAAC,EAAEqsB,SAAS,EAAEn5B,KAAK,CAAC;IACvF;EACJ;EACAnzB,KAAKA,CAAA,EAAG;IACJ,MAAMgyB,CAAC,GAAG,IAAIg7B,eAAe,CAAC,IAAI,CAACp7B,MAAM,EAAE,IAAI,CAACx2B,IAAI,EAAE,IAAI,CAAC4U,IAAI,CAACvS,GAAG,CAAC4E,CAAC,IAAIA,CAAC,CAACrC,KAAK,CAAC,CAAC,CAAC,CAAC;IACpFgyB,CAAC,CAACq2B,IAAI,GAAG,IAAI,CAACA,IAAI;IAClBr2B,CAAC,CAAC22B,SAAS,GAAG,IAAI,CAACA,SAAS;IAC5B,OAAO32B,CAAC;EACZ;AACJ;AACA,MAAMk7B,uBAAuB,SAAS1B,cAAc,CAAC;EACjD;IAASJ,EAAE,GAAGnD,aAAa,EAAEoD,EAAE,GAAGnD,iBAAiB,EAAEoD,EAAE,GAAGnD,aAAa;EAAE;EACzExvD,WAAWA,CAACi5B,MAAM,EAAEx2B,IAAI,EAAE4U,IAAI,EAAEm9C,OAAO,EAAE;IACrC,KAAK,CAAC,CAAC;IACP,IAAI,CAACv7B,MAAM,GAAGA,MAAM;IACpB,IAAI,CAACx2B,IAAI,GAAGA,IAAI;IAChB,IAAI,CAAC4U,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACm9C,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACliB,IAAI,GAAGyc,cAAc,CAAC0F,mBAAmB;IAC9C,IAAI,CAAChC,EAAE,CAAC,GAAG,IAAI;IACf,IAAI,CAACC,EAAE,CAAC,GAAG,IAAI;IACf,IAAI,CAACC,EAAE,CAAC,GAAG,IAAI;IACf,IAAI,CAACjD,IAAI,GAAG,IAAI;IAChB,IAAI,CAACM,SAAS,GAAG,IAAI;EACzB;EACAh6C,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,IAAI,CAACqN,IAAI,CAACrB,eAAe,CAACzM,OAAO,EAAES,OAAO,CAAC;EAC/C;EACA+H,YAAYA,CAAA,EAAG;IACX,OAAO,KAAK;EAChB;EACAgE,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAi9C,4BAA4BA,CAACW,SAAS,EAAEn5B,KAAK,EAAE;IAC3C,IAAI,CAACnjB,IAAI,GAAGu8C,gCAAgC,CAAC,IAAI,CAACv8C,IAAI,EAAEs8C,SAAS,EAAEn5B,KAAK,CAAC;EAC7E;EACAnzB,KAAKA,CAAA,EAAG;IACJ,MAAMgyB,CAAC,GAAG,IAAIk7B,uBAAuB,CAAC,IAAI,CAACt7B,MAAM,EAAE,IAAI,CAACx2B,IAAI,EAAE,IAAI,CAAC4U,IAAI,CAAChQ,KAAK,CAAC,CAAC,EAAE,IAAI,CAACmtD,OAAO,CAAC;IAC9Fn7B,CAAC,CAACq2B,IAAI,GAAG,IAAI,CAACA,IAAI;IAClBr2B,CAAC,CAAC22B,SAAS,GAAG,IAAI,CAACA,SAAS;IAC5B,OAAO32B,CAAC;EACZ;AACJ;AACA,MAAMq7B,oBAAoB,SAAS7B,cAAc,CAAC;EAC9C7yD,WAAWA,CAACgX,QAAQ,EAAEvU,IAAI,EAAE;IACxB,KAAK,CAAC,CAAC;IACP,IAAI,CAACuU,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACvU,IAAI,GAAGA,IAAI;IAChB,IAAI,CAAC6vC,IAAI,GAAGyc,cAAc,CAACnV,gBAAgB;EAC/C;EACA;EACA,IAAIzsC,KAAKA,CAAA,EAAG;IACR,OAAO,IAAI,CAAC1K,IAAI;EACpB;EACAuT,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,IAAI,CAACgN,QAAQ,CAAChB,eAAe,CAACzM,OAAO,EAAES,OAAO,CAAC;EACnD;EACA+H,YAAYA,CAAA,EAAG;IACX,OAAO,KAAK;EAChB;EACAgE,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAi9C,4BAA4BA,CAACW,SAAS,EAAEn5B,KAAK,EAAE;IAC3C,IAAI,CAACxjB,QAAQ,GAAG48C,gCAAgC,CAAC,IAAI,CAAC58C,QAAQ,EAAE28C,SAAS,EAAEn5B,KAAK,CAAC;EACrF;EACAnzB,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAIqtD,oBAAoB,CAAC,IAAI,CAAC19C,QAAQ,CAAC3P,KAAK,CAAC,CAAC,EAAE,IAAI,CAAC5E,IAAI,CAAC;EACrE;AACJ;AACA,MAAMkyD,iBAAiB,SAAS9B,cAAc,CAAC;EAC3C7yD,WAAWA,CAACgX,QAAQ,EAAE7J,KAAK,EAAE;IACzB,KAAK,CAAC,CAAC;IACP,IAAI,CAAC6J,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAAC7J,KAAK,GAAGA,KAAK;IAClB,IAAI,CAACmlC,IAAI,GAAGyc,cAAc,CAAC/U,aAAa;EAC5C;EACAhkC,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,IAAI,CAACgN,QAAQ,CAAChB,eAAe,CAACzM,OAAO,EAAES,OAAO,CAAC;IAC/C,IAAI,CAACmD,KAAK,CAAC6I,eAAe,CAACzM,OAAO,EAAES,OAAO,CAAC;EAChD;EACA+H,YAAYA,CAAA,EAAG;IACX,OAAO,KAAK;EAChB;EACAgE,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAi9C,4BAA4BA,CAACW,SAAS,EAAEn5B,KAAK,EAAE;IAC3C,IAAI,CAACxjB,QAAQ,GAAG48C,gCAAgC,CAAC,IAAI,CAAC58C,QAAQ,EAAE28C,SAAS,EAAEn5B,KAAK,CAAC;IACjF,IAAI,CAACrtB,KAAK,GAAGymD,gCAAgC,CAAC,IAAI,CAACzmD,KAAK,EAAEwmD,SAAS,EAAEn5B,KAAK,CAAC;EAC/E;EACAnzB,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAIstD,iBAAiB,CAAC,IAAI,CAAC39C,QAAQ,CAAC3P,KAAK,CAAC,CAAC,EAAE,IAAI,CAAC8F,KAAK,CAAC9F,KAAK,CAAC,CAAC,CAAC;EAC3E;AACJ;AACA,MAAMutD,sBAAsB,SAAS/B,cAAc,CAAC;EAChD7yD,WAAWA,CAACgX,QAAQ,EAAEK,IAAI,EAAE;IACxB,KAAK,CAAC,CAAC;IACP,IAAI,CAACL,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACK,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACi7B,IAAI,GAAGyc,cAAc,CAAC8F,kBAAkB;EACjD;EACA7+C,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,IAAI,CAACgN,QAAQ,CAAChB,eAAe,CAACzM,OAAO,EAAES,OAAO,CAAC;IAC/C,KAAK,MAAMN,CAAC,IAAI,IAAI,CAAC2N,IAAI,EAAE;MACvB3N,CAAC,CAACsM,eAAe,CAACzM,OAAO,EAAES,OAAO,CAAC;IACvC;EACJ;EACA+H,YAAYA,CAAA,EAAG;IACX,OAAO,KAAK;EAChB;EACAgE,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAi9C,4BAA4BA,CAACW,SAAS,EAAEn5B,KAAK,EAAE;IAC3C,IAAI,CAACxjB,QAAQ,GAAG48C,gCAAgC,CAAC,IAAI,CAAC58C,QAAQ,EAAE28C,SAAS,EAAEn5B,KAAK,CAAC;IACjF,KAAK,IAAIz4B,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG,IAAI,CAACsV,IAAI,CAAC1W,MAAM,EAAEoB,CAAC,EAAE,EAAE;MACvC,IAAI,CAACsV,IAAI,CAACtV,CAAC,CAAC,GAAG6xD,gCAAgC,CAAC,IAAI,CAACv8C,IAAI,CAACtV,CAAC,CAAC,EAAE4xD,SAAS,EAAEn5B,KAAK,CAAC;IACnF;EACJ;EACAnzB,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAIutD,sBAAsB,CAAC,IAAI,CAAC59C,QAAQ,CAAC3P,KAAK,CAAC,CAAC,EAAE,IAAI,CAACgQ,IAAI,CAACvS,GAAG,CAAC4E,CAAC,IAAIA,CAAC,CAACrC,KAAK,CAAC,CAAC,CAAC,CAAC;EAC3F;AACJ;AACA,MAAMytD,eAAe,SAASjC,cAAc,CAAC;EACzC7yD,WAAWA,CAACy3B,KAAK,EAAErhB,IAAI,EAAE;IACrB,KAAK,CAAC,CAAC;IACP,IAAI,CAACqhB,KAAK,GAAGA,KAAK;IAClB,IAAI,CAACrhB,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACk8B,IAAI,GAAGyc,cAAc,CAAC+F,eAAe;EAC9C;EACA9+C,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,IAAI,CAACytB,KAAK,CAACzhB,eAAe,CAACzM,OAAO,EAAES,OAAO,CAAC;IAC5C,IAAI,CAACoM,IAAI,CAACJ,eAAe,CAACzM,OAAO,EAAES,OAAO,CAAC;EAC/C;EACA+H,YAAYA,CAAA,EAAG;IACX,OAAO,KAAK;EAChB;EACAgE,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAi9C,4BAA4BA,CAACW,SAAS,EAAEn5B,KAAK,EAAE;IAC3C,IAAI,CAAC/C,KAAK,GAAGm8B,gCAAgC,CAAC,IAAI,CAACn8B,KAAK,EAAEk8B,SAAS,EAAEn5B,KAAK,CAAC;IAC3E,IAAI,CAACpkB,IAAI,GAAGw9C,gCAAgC,CAAC,IAAI,CAACx9C,IAAI,EAAEu9C,SAAS,EAAEn5B,KAAK,CAAC;EAC7E;EACAnzB,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAIytD,eAAe,CAAC,IAAI,CAACr9B,KAAK,CAACpwB,KAAK,CAAC,CAAC,EAAE,IAAI,CAAC+O,IAAI,CAAC/O,KAAK,CAAC,CAAC,CAAC;EACrE;AACJ;AACA,MAAM0tD,SAAS,SAASlC,cAAc,CAAC;EACnC7yD,WAAWA,CAAA,EAAG;IACV,KAAK,CAAC,GAAGg1D,SAAS,CAAC;IACnB,IAAI,CAAC1iB,IAAI,GAAGyc,cAAc,CAACgG,SAAS;EACxC;EACA/+C,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE,CAAE;EACpC+H,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAY4oD,SAAS;EACjC;EACAh/C,UAAUA,CAAA,EAAG;IACT,OAAO,IAAI;EACf;EACA1O,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAI0tD,SAAS,CAAC,CAAC;EAC1B;EACA/B,4BAA4BA,CAAA,EAAG,CAAE;AACrC;AACA,MAAMiC,mBAAmB,SAASpC,cAAc,CAAC;EAC7C7yD,WAAWA,CAACoW,IAAI,EAAEq6C,IAAI,EAAE;IACpB,KAAK,CAAC,CAAC;IACP,IAAI,CAACr6C,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACq6C,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACne,IAAI,GAAGyc,cAAc,CAACkG,mBAAmB;IAC9C,IAAI,CAACxyD,IAAI,GAAG,IAAI;EACpB;EACAuT,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE;IAC9B,IAAI,CAACoM,IAAI,CAACJ,eAAe,CAACzM,OAAO,EAAES,OAAO,CAAC;EAC/C;EACA+H,YAAYA,CAAA,EAAG;IACX,OAAO,KAAK;EAChB;EACAgE,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAi9C,4BAA4BA,CAACW,SAAS,EAAEn5B,KAAK,EAAE;IAC3C,IAAI,CAACpkB,IAAI,GAAGw9C,gCAAgC,CAAC,IAAI,CAACx9C,IAAI,EAAEu9C,SAAS,EAAEn5B,KAAK,CAAC;EAC7E;EACAnzB,KAAKA,CAAA,EAAG;IACJ,MAAMqC,CAAC,GAAG,IAAIurD,mBAAmB,CAAC,IAAI,CAAC7+C,IAAI,CAAC/O,KAAK,CAAC,CAAC,EAAE,IAAI,CAACopD,IAAI,CAAC;IAC/D/mD,CAAC,CAACjH,IAAI,GAAG,IAAI,CAACA,IAAI;IAClB,OAAOiH,CAAC;EACZ;AACJ;AACA,MAAMwrD,iBAAiB,SAASrC,cAAc,CAAC;EAC3C7yD,WAAWA,CAACywD,IAAI,EAAE;IACd,KAAK,CAAC,CAAC;IACP,IAAI,CAACA,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACne,IAAI,GAAGyc,cAAc,CAACmG,iBAAiB;IAC5C,IAAI,CAACzyD,IAAI,GAAG,IAAI;EACpB;EACAuT,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE,CAAE;EACpC+H,YAAYA,CAAA,EAAG;IACX,OAAO,IAAI,CAAC0+C,IAAI,KAAK,IAAI,CAACA,IAAI;EAClC;EACA16C,UAAUA,CAAA,EAAG;IACT,OAAO,KAAK;EAChB;EACAi9C,4BAA4BA,CAACW,SAAS,EAAEn5B,KAAK,EAAE,CAAE;EACjDnzB,KAAKA,CAAA,EAAG;IACJ,MAAMgyB,CAAC,GAAG,IAAI67B,iBAAiB,CAAC,IAAI,CAACzE,IAAI,CAAC;IAC1Cp3B,CAAC,CAAC52B,IAAI,GAAG,IAAI,CAACA,IAAI;IAClB,OAAO42B,CAAC;EACZ;AACJ;AACA,MAAM87B,aAAa,SAAStC,cAAc,CAAC;EACvC7yD,WAAWA,CAACoX,EAAE,EAAE;IACZ,KAAK,CAAC,CAAC;IACP,IAAI,CAACA,EAAE,GAAGA,EAAE;IACZ,IAAI,CAACk7B,IAAI,GAAGyc,cAAc,CAACoG,aAAa;EAC5C;EACAn/C,eAAeA,CAACzM,OAAO,EAAES,OAAO,EAAE,CAAE;EACpC+H,YAAYA,CAAC5F,CAAC,EAAE;IACZ,OAAOA,CAAC,YAAYgpD,aAAa,IAAIhpD,CAAC,CAACiL,EAAE,KAAK,IAAI,CAACA,EAAE;EACzD;EACArB,UAAUA,CAAA,EAAG;IACT,OAAO,IAAI;EACf;EACA1O,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAI8tD,aAAa,CAAC,IAAI,CAAC/9C,EAAE,CAAC;EACrC;EACA47C,4BAA4BA,CAAA,EAAG,CAAE;AACrC;AACA;AACA;AACA;AACA,SAASoC,oBAAoBA,CAACvU,EAAE,EAAEt3C,OAAO,EAAE;EACvC8rD,wBAAwB,CAACxU,EAAE,EAAE,CAACzqC,IAAI,EAAEokB,KAAK,KAAK;IAC1CjxB,OAAO,CAAC6M,IAAI,EAAEokB,KAAK,CAAC;IACpB,OAAOpkB,IAAI;EACf,CAAC,EAAE89C,kBAAkB,CAACtkD,IAAI,CAAC;AAC/B;AACA,IAAIskD,kBAAkB;AACtB,CAAC,UAAUA,kBAAkB,EAAE;EAC3BA,kBAAkB,CAACA,kBAAkB,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,GAAG,MAAM;EAC3DA,kBAAkB,CAACA,kBAAkB,CAAC,kBAAkB,CAAC,GAAG,CAAC,CAAC,GAAG,kBAAkB;AACvF,CAAC,EAAEA,kBAAkB,KAAKA,kBAAkB,GAAG,CAAC,CAAC,CAAC,CAAC;AACnD,SAASoB,mCAAmCA,CAAChrB,aAAa,EAAEqpB,SAAS,EAAEn5B,KAAK,EAAE;EAC1E,KAAK,IAAIz4B,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGuoC,aAAa,CAAC3yB,WAAW,CAAChX,MAAM,EAAEoB,CAAC,EAAE,EAAE;IACvDuoC,aAAa,CAAC3yB,WAAW,CAAC5V,CAAC,CAAC,GACxB6xD,gCAAgC,CAACtpB,aAAa,CAAC3yB,WAAW,CAAC5V,CAAC,CAAC,EAAE4xD,SAAS,EAAEn5B,KAAK,CAAC;EACxF;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAAS66B,wBAAwBA,CAACxU,EAAE,EAAE8S,SAAS,EAAEn5B,KAAK,EAAE;EACpD,QAAQqmB,EAAE,CAACvO,IAAI;IACX,KAAKwc,MAAM,CAAC2C,SAAS;IACrB,KAAK3C,MAAM,CAAC+C,QAAQ;IACpB,KAAK/C,MAAM,CAAC6C,SAAS;IACrB,KAAK7C,MAAM,CAACiD,QAAQ;IACpB,KAAKjD,MAAM,CAACqC,OAAO;IACnB,KAAKrC,MAAM,CAACyG,YAAY;MACpB,IAAI1U,EAAE,CAACl2C,UAAU,YAAYqmD,aAAa,EAAE;QACxCsE,mCAAmC,CAACzU,EAAE,CAACl2C,UAAU,EAAEgpD,SAAS,EAAEn5B,KAAK,CAAC;MACxE,CAAC,MACI;QACDqmB,EAAE,CAACl2C,UAAU,GAAGipD,gCAAgC,CAAC/S,EAAE,CAACl2C,UAAU,EAAEgpD,SAAS,EAAEn5B,KAAK,CAAC;MACrF;MACA;IACJ,KAAKs0B,MAAM,CAACT,QAAQ;IACpB,KAAKS,MAAM,CAACd,SAAS;MACjB,IAAInN,EAAE,CAACl2C,UAAU,YAAYqmD,aAAa,EAAE;QACxCsE,mCAAmC,CAACzU,EAAE,CAACl2C,UAAU,EAAEgpD,SAAS,EAAEn5B,KAAK,CAAC;MACxE,CAAC,MACI;QACDqmB,EAAE,CAACl2C,UAAU,GAAGipD,gCAAgC,CAAC/S,EAAE,CAACl2C,UAAU,EAAEgpD,SAAS,EAAEn5B,KAAK,CAAC;MACrF;MACAqmB,EAAE,CAAC0Q,SAAS,GACR1Q,EAAE,CAAC0Q,SAAS,IAAIqC,gCAAgC,CAAC/S,EAAE,CAAC0Q,SAAS,EAAEoC,SAAS,EAAEn5B,KAAK,CAAC;MACpF;IACJ,KAAKs0B,MAAM,CAACiC,eAAe;MACvBuE,mCAAmC,CAACzU,EAAE,CAACvW,aAAa,EAAEqpB,SAAS,EAAEn5B,KAAK,CAAC;MACvE;IACJ,KAAKs0B,MAAM,CAAC7xC,SAAS;MACjBu4C,+BAA+B,CAAC3U,EAAE,CAACzL,SAAS,EAAEue,SAAS,EAAEn5B,KAAK,CAAC;MAC/D;IACJ,KAAKs0B,MAAM,CAAC5vB,QAAQ;MAChB2hB,EAAE,CAAC6P,WAAW,GAAGkD,gCAAgC,CAAC/S,EAAE,CAAC6P,WAAW,EAAEiD,SAAS,EAAEn5B,KAAK,CAAC;MACnF;IACJ,KAAKs0B,MAAM,CAAC2G,QAAQ;MAChB,KAAK,MAAMC,OAAO,IAAI7U,EAAE,CAAC8U,UAAU,EAAE;QACjCN,wBAAwB,CAACK,OAAO,EAAE/B,SAAS,EAAEn5B,KAAK,GAAG05B,kBAAkB,CAACC,gBAAgB,CAAC;MAC7F;MACA;IACJ,KAAKrF,MAAM,CAAC8G,OAAO;IACnB,KAAK9G,MAAM,CAAC+G,YAAY;IACxB,KAAK/G,MAAM,CAACgH,UAAU;IACtB,KAAKhH,MAAM,CAACtuB,SAAS;IACrB,KAAKsuB,MAAM,CAACiH,cAAc;IAC1B,KAAKjH,MAAM,CAACkH,YAAY;IACxB,KAAKlH,MAAM,CAAClwB,QAAQ;IACpB,KAAKkwB,MAAM,CAACmH,eAAe;IAC3B,KAAKnH,MAAM,CAACoH,cAAc;IAC1B,KAAKpH,MAAM,CAACqH,IAAI;IAChB,KAAKrH,MAAM,CAACj0B,IAAI;IAChB,KAAKi0B,MAAM,CAACoD,OAAO;IACnB,KAAKpD,MAAM,CAACsH,SAAS;MACjB;MACA;IACJ;MACI,MAAM,IAAIj1D,KAAK,CAAC,2DAA2D2tD,MAAM,CAACjO,EAAE,CAACvO,IAAI,CAAC,EAAE,CAAC;EACrG;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASshB,gCAAgCA,CAACx9C,IAAI,EAAEu9C,SAAS,EAAEn5B,KAAK,EAAE;EAC9D,IAAIpkB,IAAI,YAAYy8C,cAAc,EAAE;IAChCz8C,IAAI,CAAC48C,4BAA4B,CAACW,SAAS,EAAEn5B,KAAK,CAAC;EACvD,CAAC,MACI,IAAIpkB,IAAI,YAAY7C,kBAAkB,EAAE;IACzC6C,IAAI,CAACsF,GAAG,GAAGk4C,gCAAgC,CAACx9C,IAAI,CAACsF,GAAG,EAAEi4C,SAAS,EAAEn5B,KAAK,CAAC;IACvEpkB,IAAI,CAAC9C,GAAG,GAAGsgD,gCAAgC,CAACx9C,IAAI,CAAC9C,GAAG,EAAEqgD,SAAS,EAAEn5B,KAAK,CAAC;EAC3E,CAAC,MACI,IAAIpkB,IAAI,YAAY5D,YAAY,EAAE;IACnC4D,IAAI,CAACY,QAAQ,GAAG48C,gCAAgC,CAACx9C,IAAI,CAACY,QAAQ,EAAE28C,SAAS,EAAEn5B,KAAK,CAAC;EACrF,CAAC,MACI,IAAIpkB,IAAI,YAAY1D,WAAW,EAAE;IAClC0D,IAAI,CAACY,QAAQ,GAAG48C,gCAAgC,CAACx9C,IAAI,CAACY,QAAQ,EAAE28C,SAAS,EAAEn5B,KAAK,CAAC;IACjFpkB,IAAI,CAACjJ,KAAK,GAAGymD,gCAAgC,CAACx9C,IAAI,CAACjJ,KAAK,EAAEwmD,SAAS,EAAEn5B,KAAK,CAAC;EAC/E,CAAC,MACI,IAAIpkB,IAAI,YAAYc,aAAa,EAAE;IACpCd,IAAI,CAACY,QAAQ,GAAG48C,gCAAgC,CAACx9C,IAAI,CAACY,QAAQ,EAAE28C,SAAS,EAAEn5B,KAAK,CAAC;IACjFpkB,IAAI,CAAC1T,KAAK,GAAGkxD,gCAAgC,CAACx9C,IAAI,CAAC1T,KAAK,EAAEixD,SAAS,EAAEn5B,KAAK,CAAC;EAC/E,CAAC,MACI,IAAIpkB,IAAI,YAAYW,YAAY,EAAE;IACnCX,IAAI,CAACY,QAAQ,GAAG48C,gCAAgC,CAACx9C,IAAI,CAACY,QAAQ,EAAE28C,SAAS,EAAEn5B,KAAK,CAAC;IACjFpkB,IAAI,CAACjJ,KAAK,GAAGymD,gCAAgC,CAACx9C,IAAI,CAACjJ,KAAK,EAAEwmD,SAAS,EAAEn5B,KAAK,CAAC;IAC3EpkB,IAAI,CAAC1T,KAAK,GAAGkxD,gCAAgC,CAACx9C,IAAI,CAAC1T,KAAK,EAAEixD,SAAS,EAAEn5B,KAAK,CAAC;EAC/E,CAAC,MACI,IAAIpkB,IAAI,YAAYtD,kBAAkB,EAAE;IACzCsD,IAAI,CAACgB,EAAE,GAAGw8C,gCAAgC,CAACx9C,IAAI,CAACgB,EAAE,EAAEu8C,SAAS,EAAEn5B,KAAK,CAAC;IACrE,KAAK,IAAIz4B,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGqU,IAAI,CAACiB,IAAI,CAAC1W,MAAM,EAAEoB,CAAC,EAAE,EAAE;MACvCqU,IAAI,CAACiB,IAAI,CAACtV,CAAC,CAAC,GAAG6xD,gCAAgC,CAACx9C,IAAI,CAACiB,IAAI,CAACtV,CAAC,CAAC,EAAE4xD,SAAS,EAAEn5B,KAAK,CAAC;IACnF;EACJ,CAAC,MACI,IAAIpkB,IAAI,YAAY0F,gBAAgB,EAAE;IACvC,KAAK,IAAI/Z,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGqU,IAAI,CAAC2F,OAAO,CAACpb,MAAM,EAAEoB,CAAC,EAAE,EAAE;MAC1CqU,IAAI,CAAC2F,OAAO,CAACha,CAAC,CAAC,GAAG6xD,gCAAgC,CAACx9C,IAAI,CAAC2F,OAAO,CAACha,CAAC,CAAC,EAAE4xD,SAAS,EAAEn5B,KAAK,CAAC;IACzF;EACJ,CAAC,MACI,IAAIpkB,IAAI,YAAYgG,cAAc,EAAE;IACrC,KAAK,IAAIra,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGqU,IAAI,CAAC2F,OAAO,CAACpb,MAAM,EAAEoB,CAAC,EAAE,EAAE;MAC1CqU,IAAI,CAAC2F,OAAO,CAACha,CAAC,CAAC,CAACW,KAAK,GACjBkxD,gCAAgC,CAACx9C,IAAI,CAAC2F,OAAO,CAACha,CAAC,CAAC,CAACW,KAAK,EAAEixD,SAAS,EAAEn5B,KAAK,CAAC;IACjF;EACJ,CAAC,MACI,IAAIpkB,IAAI,YAAYhD,eAAe,EAAE;IACtCgD,IAAI,CAACqE,SAAS,GAAGm5C,gCAAgC,CAACx9C,IAAI,CAACqE,SAAS,EAAEk5C,SAAS,EAAEn5B,KAAK,CAAC;IACnFpkB,IAAI,CAAClD,QAAQ,GAAG0gD,gCAAgC,CAACx9C,IAAI,CAAClD,QAAQ,EAAEygD,SAAS,EAAEn5B,KAAK,CAAC;IACjF,IAAIpkB,IAAI,CAACjD,SAAS,KAAK,IAAI,EAAE;MACzBiD,IAAI,CAACjD,SAAS,GAAGygD,gCAAgC,CAACx9C,IAAI,CAACjD,SAAS,EAAEwgD,SAAS,EAAEn5B,KAAK,CAAC;IACvF;EACJ,CAAC,MACI,IAAIpkB,IAAI,YAAYN,WAAW,IAAIM,IAAI,YAAYgE,YAAY,IAChEhE,IAAI,YAAY2B,WAAW,EAAE;IAC7B;EAAA,CACH,MACI;IACD,MAAM,IAAI5W,KAAK,CAAC,8BAA8BiV,IAAI,CAACpW,WAAW,CAACyC,IAAI,EAAE,CAAC;EAC1E;EACA,OAAOkxD,SAAS,CAACv9C,IAAI,EAAEokB,KAAK,CAAC;AACjC;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASg7B,+BAA+BA,CAACn4C,IAAI,EAAEs2C,SAAS,EAAEn5B,KAAK,EAAE;EAC7D,IAAInd,IAAI,YAAYxH,mBAAmB,EAAE;IACrCwH,IAAI,CAACjH,IAAI,GAAGw9C,gCAAgC,CAACv2C,IAAI,CAACjH,IAAI,EAAEu9C,SAAS,EAAEn5B,KAAK,CAAC;EAC7E,CAAC,MACI,IAAInd,IAAI,YAAYK,eAAe,EAAE;IACtCL,IAAI,CAAC3a,KAAK,GAAGkxD,gCAAgC,CAACv2C,IAAI,CAAC3a,KAAK,EAAEixD,SAAS,EAAEn5B,KAAK,CAAC;EAC/E,CAAC,MACI,IAAInd,IAAI,YAAY1G,cAAc,EAAE;IACrC,IAAI0G,IAAI,CAAC3a,KAAK,KAAK4rB,SAAS,EAAE;MAC1BjR,IAAI,CAAC3a,KAAK,GAAGkxD,gCAAgC,CAACv2C,IAAI,CAAC3a,KAAK,EAAEixD,SAAS,EAAEn5B,KAAK,CAAC;IAC/E;EACJ,CAAC,MACI;IACD,MAAM,IAAIr5B,KAAK,CAAC,6BAA6Bkc,IAAI,CAACrd,WAAW,CAACyC,IAAI,EAAE,CAAC;EACzE;AACJ;;AAEA;AACA;AACA;AACA;AACA;AACA,MAAM4zD,MAAM,CAAC;EACT;IAAS,IAAI,CAACC,UAAU,GAAG,CAAC;EAAE;EAC9Bt2D,WAAWA,CAAA,EAAG;IACV;AACR;AACA;IACQ,IAAI,CAAC2wD,WAAW,GAAG0F,MAAM,CAACC,UAAU,EAAE;IACtC;IACA;IACA;IACA,IAAI,CAACpgC,IAAI,GAAG;MACRoc,IAAI,EAAEwc,MAAM,CAACyH,OAAO;MACpB1F,IAAI,EAAE,IAAI;MACVD,IAAI,EAAE,IAAI;MACVD,WAAW,EAAE,IAAI,CAACA;IACtB,CAAC;IACD,IAAI,CAAC6F,IAAI,GAAG;MACRlkB,IAAI,EAAEwc,MAAM,CAACyH,OAAO;MACpB1F,IAAI,EAAE,IAAI;MACVD,IAAI,EAAE,IAAI;MACVD,WAAW,EAAE,IAAI,CAACA;IACtB,CAAC;IACD;IACA,IAAI,CAACz6B,IAAI,CAAC26B,IAAI,GAAG,IAAI,CAAC2F,IAAI;IAC1B,IAAI,CAACA,IAAI,CAAC5F,IAAI,GAAG,IAAI,CAAC16B,IAAI;EAC9B;EACA;AACJ;AACA;EACIt1B,IAAIA,CAACigD,EAAE,EAAE;IACLwV,MAAM,CAACI,cAAc,CAAC5V,EAAE,CAAC;IACzBwV,MAAM,CAACK,eAAe,CAAC7V,EAAE,CAAC;IAC1BA,EAAE,CAAC8P,WAAW,GAAG,IAAI,CAACA,WAAW;IACjC;IACA,MAAMgG,OAAO,GAAG,IAAI,CAACH,IAAI,CAAC5F,IAAI;IAC9B;IACA/P,EAAE,CAAC+P,IAAI,GAAG+F,OAAO;IACjBA,OAAO,CAAC9F,IAAI,GAAGhQ,EAAE;IACjB;IACAA,EAAE,CAACgQ,IAAI,GAAG,IAAI,CAAC2F,IAAI;IACnB,IAAI,CAACA,IAAI,CAAC5F,IAAI,GAAG/P,EAAE;EACvB;EACA;AACJ;AACA;EACI+V,OAAOA,CAACC,GAAG,EAAE;IACT,IAAIA,GAAG,CAACl2D,MAAM,KAAK,CAAC,EAAE;MAClB;IACJ;IACA,KAAK,MAAMkgD,EAAE,IAAIgW,GAAG,EAAE;MAClBR,MAAM,CAACI,cAAc,CAAC5V,EAAE,CAAC;MACzBwV,MAAM,CAACK,eAAe,CAAC7V,EAAE,CAAC;MAC1BA,EAAE,CAAC8P,WAAW,GAAG,IAAI,CAACA,WAAW;IACrC;IACA,MAAMmG,KAAK,GAAG,IAAI,CAAC5gC,IAAI,CAAC26B,IAAI;IAC5B,IAAID,IAAI,GAAG,IAAI,CAAC16B,IAAI;IACpB,KAAK,MAAM2qB,EAAE,IAAIgW,GAAG,EAAE;MAClBjG,IAAI,CAACC,IAAI,GAAGhQ,EAAE;MACdA,EAAE,CAAC+P,IAAI,GAAGA,IAAI;MACdA,IAAI,GAAG/P,EAAE;IACb;IACA+P,IAAI,CAACC,IAAI,GAAGiG,KAAK;IACjBA,KAAK,CAAClG,IAAI,GAAGA,IAAI;EACrB;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;EACI,EAAExB,MAAM,CAAC2H,QAAQ,IAAI;IACjB,IAAIh2D,OAAO,GAAG,IAAI,CAACm1B,IAAI,CAAC26B,IAAI;IAC5B,OAAO9vD,OAAO,KAAK,IAAI,CAACy1D,IAAI,EAAE;MAC1B;MACA;MACAH,MAAM,CAACW,aAAa,CAACj2D,OAAO,EAAE,IAAI,CAAC4vD,WAAW,CAAC;MAC/C,MAAME,IAAI,GAAG9vD,OAAO,CAAC8vD,IAAI;MACzB,MAAM9vD,OAAO;MACbA,OAAO,GAAG8vD,IAAI;IAClB;EACJ;EACA,CAACoG,QAAQA,CAAA,EAAG;IACR,IAAIl2D,OAAO,GAAG,IAAI,CAACy1D,IAAI,CAAC5F,IAAI;IAC5B,OAAO7vD,OAAO,KAAK,IAAI,CAACm1B,IAAI,EAAE;MAC1BmgC,MAAM,CAACW,aAAa,CAACj2D,OAAO,EAAE,IAAI,CAAC4vD,WAAW,CAAC;MAC/C,MAAMC,IAAI,GAAG7vD,OAAO,CAAC6vD,IAAI;MACzB,MAAM7vD,OAAO;MACbA,OAAO,GAAG6vD,IAAI;IAClB;EACJ;EACA;AACJ;AACA;EACI,OAAOzuD,OAAOA,CAAC+0D,KAAK,EAAEC,KAAK,EAAE;IACzBd,MAAM,CAACI,cAAc,CAACS,KAAK,CAAC;IAC5Bb,MAAM,CAACI,cAAc,CAACU,KAAK,CAAC;IAC5Bd,MAAM,CAACW,aAAa,CAACE,KAAK,CAAC;IAC3Bb,MAAM,CAACK,eAAe,CAACS,KAAK,CAAC;IAC7BA,KAAK,CAACxG,WAAW,GAAGuG,KAAK,CAACvG,WAAW;IACrC,IAAIuG,KAAK,CAACtG,IAAI,KAAK,IAAI,EAAE;MACrBsG,KAAK,CAACtG,IAAI,CAACC,IAAI,GAAGsG,KAAK;MACvBA,KAAK,CAACvG,IAAI,GAAGsG,KAAK,CAACtG,IAAI;IAC3B;IACA,IAAIsG,KAAK,CAACrG,IAAI,KAAK,IAAI,EAAE;MACrBqG,KAAK,CAACrG,IAAI,CAACD,IAAI,GAAGuG,KAAK;MACvBA,KAAK,CAACtG,IAAI,GAAGqG,KAAK,CAACrG,IAAI;IAC3B;IACAqG,KAAK,CAACvG,WAAW,GAAG,IAAI;IACxBuG,KAAK,CAACtG,IAAI,GAAG,IAAI;IACjBsG,KAAK,CAACrG,IAAI,GAAG,IAAI;EACrB;EACA;AACJ;AACA;EACI,OAAOuG,eAAeA,CAACF,KAAK,EAAEG,MAAM,EAAE;IAClC,IAAIA,MAAM,CAAC12D,MAAM,KAAK,CAAC,EAAE;MACrB;MACA01D,MAAM,CAACiB,MAAM,CAACJ,KAAK,CAAC;MACpB;IACJ;IACAb,MAAM,CAACI,cAAc,CAACS,KAAK,CAAC;IAC5Bb,MAAM,CAACW,aAAa,CAACE,KAAK,CAAC;IAC3B,MAAMK,MAAM,GAAGL,KAAK,CAACvG,WAAW;IAChCuG,KAAK,CAACvG,WAAW,GAAG,IAAI;IACxB,KAAK,MAAMwG,KAAK,IAAIE,MAAM,EAAE;MACxBhB,MAAM,CAACI,cAAc,CAACU,KAAK,CAAC;MAC5B;MACAd,MAAM,CAACK,eAAe,CAACS,KAAK,CAAC;IACjC;IACA;IACA;IACA,MAAM;MAAEvG,IAAI,EAAE4G,OAAO;MAAE3G,IAAI,EAAE4G;IAAQ,CAAC,GAAGP,KAAK;IAC9CA,KAAK,CAACtG,IAAI,GAAG,IAAI;IACjBsG,KAAK,CAACrG,IAAI,GAAG,IAAI;IACjB,IAAID,IAAI,GAAG4G,OAAO;IAClB,KAAK,MAAML,KAAK,IAAIE,MAAM,EAAE;MACxB,IAAI,CAACX,eAAe,CAACS,KAAK,CAAC;MAC3BA,KAAK,CAACxG,WAAW,GAAG4G,MAAM;MAC1B3G,IAAI,CAACC,IAAI,GAAGsG,KAAK;MACjBA,KAAK,CAACvG,IAAI,GAAGA,IAAI;MACjB;MACAuG,KAAK,CAACtG,IAAI,GAAG,IAAI;MACjBD,IAAI,GAAGuG,KAAK;IAChB;IACA;IACA,MAAML,KAAK,GAAGO,MAAM,CAAC,CAAC,CAAC;IACvB,MAAMK,IAAI,GAAG9G,IAAI;IACjB;IACA,IAAI4G,OAAO,KAAK,IAAI,EAAE;MAClBA,OAAO,CAAC3G,IAAI,GAAGiG,KAAK;MACpBA,KAAK,CAAClG,IAAI,GAAGsG,KAAK,CAACtG,IAAI;IAC3B;IACA,IAAI6G,OAAO,KAAK,IAAI,EAAE;MAClBA,OAAO,CAAC7G,IAAI,GAAG8G,IAAI;MACnBA,IAAI,CAAC7G,IAAI,GAAG4G,OAAO;IACvB;EACJ;EACA;AACJ;AACA;EACI,OAAOH,MAAMA,CAACzW,EAAE,EAAE;IACdwV,MAAM,CAACI,cAAc,CAAC5V,EAAE,CAAC;IACzBwV,MAAM,CAACW,aAAa,CAACnW,EAAE,CAAC;IACxBA,EAAE,CAAC+P,IAAI,CAACC,IAAI,GAAGhQ,EAAE,CAACgQ,IAAI;IACtBhQ,EAAE,CAACgQ,IAAI,CAACD,IAAI,GAAG/P,EAAE,CAAC+P,IAAI;IACtB;IACA;IACA/P,EAAE,CAAC8P,WAAW,GAAG,IAAI;IACrB9P,EAAE,CAAC+P,IAAI,GAAG,IAAI;IACd/P,EAAE,CAACgQ,IAAI,GAAG,IAAI;EAClB;EACA;AACJ;AACA;EACI,OAAO8G,YAAYA,CAAC9W,EAAE,EAAE5nB,MAAM,EAAE;IAC5Bo9B,MAAM,CAACW,aAAa,CAAC/9B,MAAM,CAAC;IAC5B,IAAIA,MAAM,CAAC23B,IAAI,KAAK,IAAI,EAAE;MACtB,MAAM,IAAIzvD,KAAK,CAAC,iDAAiD,CAAC;IACtE;IACAk1D,MAAM,CAACI,cAAc,CAAC5V,EAAE,CAAC;IACzBwV,MAAM,CAACK,eAAe,CAAC7V,EAAE,CAAC;IAC1BA,EAAE,CAAC8P,WAAW,GAAG13B,MAAM,CAAC03B,WAAW;IACnC;IACA9P,EAAE,CAAC+P,IAAI,GAAG,IAAI;IACd33B,MAAM,CAAC23B,IAAI,CAACC,IAAI,GAAGhQ,EAAE;IACrBA,EAAE,CAAC+P,IAAI,GAAG33B,MAAM,CAAC23B,IAAI;IACrB/P,EAAE,CAACgQ,IAAI,GAAG53B,MAAM;IAChBA,MAAM,CAAC23B,IAAI,GAAG/P,EAAE;EACpB;EACA;AACJ;AACA;EACI,OAAO+W,WAAWA,CAAC/W,EAAE,EAAE5nB,MAAM,EAAE;IAC3Bo9B,MAAM,CAACW,aAAa,CAAC/9B,MAAM,CAAC;IAC5B,IAAIA,MAAM,CAAC43B,IAAI,KAAK,IAAI,EAAE;MACtB,MAAM,IAAI1vD,KAAK,CAAC,+CAA+C,CAAC;IACpE;IACAk1D,MAAM,CAACI,cAAc,CAAC5V,EAAE,CAAC;IACzBwV,MAAM,CAACK,eAAe,CAAC7V,EAAE,CAAC;IAC1BA,EAAE,CAAC8P,WAAW,GAAG13B,MAAM,CAAC03B,WAAW;IACnC13B,MAAM,CAAC43B,IAAI,CAACD,IAAI,GAAG/P,EAAE;IACrBA,EAAE,CAACgQ,IAAI,GAAG53B,MAAM,CAAC43B,IAAI;IACrBhQ,EAAE,CAAC+P,IAAI,GAAG33B,MAAM;IAChBA,MAAM,CAAC43B,IAAI,GAAGhQ,EAAE;EACpB;EACA;AACJ;AACA;EACI,OAAO6V,eAAeA,CAAC7V,EAAE,EAAE;IACvB,IAAIA,EAAE,CAAC8P,WAAW,KAAK,IAAI,EAAE;MACzB,MAAM,IAAIxvD,KAAK,CAAC,oDAAoD2tD,MAAM,CAACjO,EAAE,CAACvO,IAAI,CAAC,EAAE,CAAC;IAC1F;EACJ;EACA;AACJ;AACA;AACA;EACI,OAAO0kB,aAAaA,CAACnW,EAAE,EAAEgX,MAAM,EAAE;IAC7B,IAAIhX,EAAE,CAAC8P,WAAW,KAAK,IAAI,EAAE;MACzB,MAAM,IAAIxvD,KAAK,CAAC,sDAAsD2tD,MAAM,CAACjO,EAAE,CAACvO,IAAI,CAAC,EAAE,CAAC;IAC5F,CAAC,MACI,IAAIulB,MAAM,KAAKvpC,SAAS,IAAIuyB,EAAE,CAAC8P,WAAW,KAAKkH,MAAM,EAAE;MACxD,MAAM,IAAI12D,KAAK,CAAC,4DAA4D02D,MAAM,YAAYhX,EAAE,CAAC8P,WAAW,GAAG,CAAC;IACpH;EACJ;EACA;AACJ;AACA;EACI,OAAO8F,cAAcA,CAAC5V,EAAE,EAAE;IACtB,IAAIA,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAACyH,OAAO,EAAE;MAC5B,MAAM,IAAIp1D,KAAK,CAAC,wDAAwD,CAAC;IAC7E;EACJ;AACJ;;AAEA;AACA;AACA;AACA,MAAM22D,uBAAuB,GAAG,IAAInvB,GAAG,CAAC,CACpCmmB,MAAM,CAAC8G,OAAO,EAAE9G,MAAM,CAAC+G,YAAY,EAAE/G,MAAM,CAACtuB,SAAS,EAAEsuB,MAAM,CAACiH,cAAc,EAAEjH,MAAM,CAAClwB,QAAQ,CAChG,CAAC;AACF;AACA;AACA;AACA,SAASm5B,sBAAsBA,CAAClX,EAAE,EAAE;EAChC,OAAOiX,uBAAuB,CAACn2C,GAAG,CAACk/B,EAAE,CAACvO,IAAI,CAAC;AAC/C;AACA;AACA;AACA;AACA,SAAS0lB,oBAAoBA,CAAC52D,GAAG,EAAEqvD,IAAI,EAAEwH,SAAS,EAAE3lD,UAAU,EAAE;EAC5D,OAAO;IACHggC,IAAI,EAAEwc,MAAM,CAAC+G,YAAY;IACzBpF,IAAI;IACJrvD,GAAG;IACH07B,UAAU,EAAE,IAAI8wB,iBAAiB,CAAC,CAAC;IACnCsK,SAAS,EAAE,EAAE;IACbC,WAAW,EAAE,KAAK;IAClBF,SAAS;IACT3lD,UAAU;IACV,GAAGm9C,mBAAmB;IACtB,GAAGc;EACP,CAAC;AACL;AACA;AACA;AACA;AACA,SAAS6H,gBAAgBA,CAAC3H,IAAI,EAAErvD,GAAG,EAAE62D,SAAS,EAAE3lD,UAAU,EAAE;EACxD,OAAO;IACHggC,IAAI,EAAEwc,MAAM,CAAClwB,QAAQ;IACrB6xB,IAAI;IACJ3zB,UAAU,EAAE,IAAI8wB,iBAAiB,CAAC,CAAC;IACnCxsD,GAAG;IACHi3D,KAAK,EAAE,IAAI;IACX94B,IAAI,EAAE,IAAI;IACV24B,SAAS,EAAE,EAAE;IACbC,WAAW,EAAE,KAAK;IAClBF,SAAS;IACT3lD,UAAU;IACV,GAAGm9C,mBAAmB;IACtB,GAAGc;EACP,CAAC;AACL;AACA;AACA;AACA;AACA,SAAS+H,kBAAkBA,CAAC7H,IAAI,EAAEn+C,UAAU,EAAE;EAC1C,OAAO;IACHggC,IAAI,EAAEwc,MAAM,CAACgH,UAAU;IACvBrF,IAAI;IACJn+C,UAAU;IACV,GAAGi+C;EACP,CAAC;AACL;AACA,SAASgI,uBAAuBA,CAAC9H,IAAI,EAAE;EACnC,OAAO;IACHne,IAAI,EAAEwc,MAAM,CAACmH,eAAe;IAC5BxF,IAAI;IACJ,GAAGF;EACP,CAAC;AACL;AACA,SAASiI,sBAAsBA,CAAC/H,IAAI,EAAE;EAClC,OAAO;IACHne,IAAI,EAAEwc,MAAM,CAACoH,cAAc;IAC3BzF,IAAI;IACJ,GAAGF;EACP,CAAC;AACL;AACA;AACA;AACA;AACA,SAASkI,YAAYA,CAAChI,IAAI,EAAEiI,YAAY,EAAEpmD,UAAU,EAAE;EAClD,OAAO;IACHggC,IAAI,EAAEwc,MAAM,CAACqH,IAAI;IACjB1F,IAAI;IACJiI,YAAY;IACZpmD,UAAU;IACV,GAAGm9C,mBAAmB;IACtB,GAAGc;EACP,CAAC;AACL;AACA;AACA;AACA;AACA,SAASoI,gBAAgBA,CAAC1/B,MAAM,EAAEx2B,IAAI,EAAErB,GAAG,EAAE;EACzC,OAAO;IACHkxC,IAAI,EAAEwc,MAAM,CAAC2G,QAAQ;IACrBx8B,MAAM;IACN73B,GAAG;IACHqB,IAAI;IACJkzD,UAAU,EAAE,IAAIU,MAAM,CAAC,CAAC;IACxBuC,aAAa,EAAE,IAAI;IACnBC,mBAAmB,EAAE,KAAK;IAC1BC,mBAAmB,EAAE,KAAK;IAC1BC,cAAc,EAAE,IAAI;IACpB,GAAGxI,MAAM;IACT,GAAGX;EACP,CAAC;AACL;AACA;AACA;AACA;AACA,SAASoJ,4BAA4BA,CAAC//B,MAAM,EAAEx2B,IAAI,EAAEs2D,cAAc,EAAE33D,GAAG,EAAE;EACrE,OAAO;IACHkxC,IAAI,EAAEwc,MAAM,CAAC2G,QAAQ;IACrBx8B,MAAM;IACN73B,GAAG;IACHqB,IAAI;IACJkzD,UAAU,EAAE,IAAIU,MAAM,CAAC,CAAC;IACxBuC,aAAa,EAAE,IAAI;IACnBC,mBAAmB,EAAE,KAAK;IAC1BC,mBAAmB,EAAE,IAAI;IACzBC,cAAc;IACd,GAAGxI,MAAM;IACT,GAAGX;EACP,CAAC;AACL;AACA,SAASqJ,YAAYA,CAACxI,IAAI,EAAEhuD,IAAI,EAAE;EAC9B,OAAO;IACH6vC,IAAI,EAAEwc,MAAM,CAACj0B,IAAI;IACjB41B,IAAI;IACJhuD,IAAI;IACJ,GAAG8tD,MAAM;IACT,GAAGd;EACP,CAAC;AACL;AACA;AACA;AACA;AACA,IAAI2G,SAAS;AACb,CAAC,UAAUA,SAAS,EAAE;EAClBA,SAAS,CAACA,SAAS,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,GAAG,MAAM;EACzCA,SAAS,CAACA,SAAS,CAAC,KAAK,CAAC,GAAG,CAAC,CAAC,GAAG,KAAK;EACvCA,SAAS,CAACA,SAAS,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,GAAG,MAAM;AAC7C,CAAC,EAAEA,SAAS,KAAKA,SAAS,GAAG,CAAC,CAAC,CAAC,CAAC;AACjC,SAAS8C,iBAAiBA,CAACjB,SAAS,EAAE;EAClC,OAAO;IACH3lB,IAAI,EAAEwc,MAAM,CAACsH,SAAS;IACtB+C,MAAM,EAAElB,SAAS;IACjB,GAAG1H;EACP,CAAC;AACL;AAEA,SAAS6I,oBAAoBA,CAAC32D,IAAI,EAAEkI,UAAU,EAAE2H,UAAU,EAAE;EACxD,OAAO;IACHggC,IAAI,EAAEwc,MAAM,CAACyG,YAAY;IACzB9yD,IAAI;IACJkI,UAAU;IACV2H,UAAU;IACV,GAAGw9C,mBAAmB;IACtB,GAAGS;EACP,CAAC;AACL;;AAEA;AACA;AACA;AACA;AACA,MAAM8I,eAAe,CAAC;EAClBr5D,WAAWA,CAACywD,IAAI,EAAE;IACd,IAAI,CAACA,IAAI,GAAGA,IAAI;IAChB;AACR;AACA;AACA;AACA;IACQ,IAAI,CAAC6I,MAAM,GAAG,IAAIjD,MAAM,CAAC,CAAC;IAC1B;AACR;AACA;IACQ,IAAI,CAACkD,MAAM,GAAG,IAAIlD,MAAM,CAAC,CAAC;IAC1B;AACR;AACA;AACA;AACA;IACQ,IAAI,CAACmD,MAAM,GAAG,IAAI;IAClB;AACR;AACA;AACA;IACQ,IAAI,CAACj6B,IAAI,GAAG,IAAI;EACpB;EACA;AACJ;AACA;AACA;AACA;EACI,CAACs3B,GAAGA,CAAA,EAAG;IACH,KAAK,MAAMhW,EAAE,IAAI,IAAI,CAACyY,MAAM,EAAE;MAC1B,MAAMzY,EAAE;MACR,IAAIA,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAC2G,QAAQ,EAAE;QAC7B,KAAK,MAAMgE,UAAU,IAAI5Y,EAAE,CAAC8U,UAAU,EAAE;UACpC,MAAM8D,UAAU;QACpB;MACJ;IACJ;IACA,KAAK,MAAM5Y,EAAE,IAAI,IAAI,CAAC0Y,MAAM,EAAE;MAC1B,MAAM1Y,EAAE;IACZ;EACJ;AACJ;AACA,MAAM6Y,yBAAyB,SAASL,eAAe,CAAC;EACpD;EACA;EACAr5D,WAAWA,CAAC25D,aAAa,EAAEC,IAAI,EAAEC,aAAa,EAAE;IAC5C,KAAK,CAAC,CAAC,CAAC;IACR,IAAI,CAACF,aAAa,GAAGA,aAAa;IAClC,IAAI,CAACC,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACC,aAAa,GAAGA,aAAa;IAClC,IAAI,CAACC,QAAQ,GAAG,cAAc;IAC9B,IAAI,CAACC,KAAK,GAAG,CAAC,IAAI,CAAC;IACnB,IAAI,CAACC,UAAU,GAAG,CAAC;EACvB;EACA,IAAIC,GAAGA,CAAA,EAAG;IACN,OAAO,IAAI;EACf;EACA,IAAIC,IAAIA,CAAA,EAAG;IACP,OAAO,IAAI;EACf;EACAC,cAAcA,CAAA,EAAG;IACb,OAAO,IAAI,CAACH,UAAU,EAAE;EAC5B;AACJ;AACA;AACA;AACA;AACA;AACA,MAAMI,uBAAuB,CAAC;EAC1B,IAAIL,KAAKA,CAAA,EAAG;IACR,OAAO,IAAI,CAACM,KAAK,CAACx7C,MAAM,CAAC,CAAC;EAC9B;EACA7e,WAAWA,CAAC25D,aAAa,EAAEC,IAAI,EAAEC,aAAa,EAAE;IAC5C,IAAI,CAACF,aAAa,GAAGA,aAAa;IAClC,IAAI,CAACC,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACC,aAAa,GAAGA,aAAa;IAClC,IAAI,CAACC,QAAQ,GAAG,UAAU;IAC1B;AACR;AACA;IACQ,IAAI,CAACE,UAAU,GAAG,CAAC;IACnB;AACR;AACA;IACQ,IAAI,CAACK,KAAK,GAAG,IAAIn3D,GAAG,CAAC,CAAC;IACtB;AACR;AACA;AACA;AACA;IACQ,IAAI,CAACo3D,MAAM,GAAG,EAAE;IAChB;IACA,MAAMJ,IAAI,GAAG,IAAIK,mBAAmB,CAAC,IAAI,EAAE,IAAI,CAACJ,cAAc,CAAC,CAAC,EAAE,IAAI,CAAC;IACvE,IAAI,CAACE,KAAK,CAAC11D,GAAG,CAACu1D,IAAI,CAACzJ,IAAI,EAAEyJ,IAAI,CAAC;IAC/B,IAAI,CAACA,IAAI,GAAGA,IAAI;EACpB;EACA;AACJ;AACA;EACIM,YAAYA,CAACC,MAAM,EAAE;IACjB,MAAMptD,IAAI,GAAG,IAAIktD,mBAAmB,CAAC,IAAI,EAAE,IAAI,CAACJ,cAAc,CAAC,CAAC,EAAEM,MAAM,CAAC;IACzE,IAAI,CAACJ,KAAK,CAAC11D,GAAG,CAAC0I,IAAI,CAACojD,IAAI,EAAEpjD,IAAI,CAAC;IAC/B,OAAOA,IAAI;EACf;EACA;AACJ;AACA;EACI8sD,cAAcA,CAAA,EAAG;IACb,OAAO,IAAI,CAACH,UAAU,EAAE;EAC5B;EACA;AACJ;AACA;EACIU,QAAQA,CAACC,QAAQ,EAAE;IACf,KAAK,IAAIrzB,GAAG,GAAG,CAAC,EAAEA,GAAG,GAAG,IAAI,CAACgzB,MAAM,CAAC35D,MAAM,EAAE2mC,GAAG,EAAE,EAAE;MAC/C,IAAI,IAAI,CAACgzB,MAAM,CAAChzB,GAAG,CAAC,CAACv1B,YAAY,CAAC4oD,QAAQ,CAAC,EAAE;QACzC,OAAOrzB,GAAG;MACd;IACJ;IACA,MAAMA,GAAG,GAAG,IAAI,CAACgzB,MAAM,CAAC35D,MAAM;IAC9B,IAAI,CAAC25D,MAAM,CAAC15D,IAAI,CAAC+5D,QAAQ,CAAC;IAC1B,OAAOrzB,GAAG;EACd;AACJ;AACA;AACA;AACA;AACA,MAAMizB,mBAAmB,SAASlB,eAAe,CAAC;EAC9Cr5D,WAAWA,CAACi6D,GAAG,EAAExJ,IAAI,EAAEgK,MAAM,EAAE;IAC3B,KAAK,CAAChK,IAAI,CAAC;IACX,IAAI,CAACwJ,GAAG,GAAGA,GAAG;IACd,IAAI,CAACQ,MAAM,GAAGA,MAAM;IACpB;AACR;AACA;AACA;IACQ,IAAI,CAACG,gBAAgB,GAAG,IAAI13D,GAAG,CAAC,CAAC;IACjC;AACR;AACA;AACA;IACQ,IAAI,CAACm1D,KAAK,GAAG,IAAI;EACrB;EACA,IAAIwB,aAAaA,CAAA,EAAG;IAChB,OAAO,IAAI,CAACI,GAAG,CAACJ,aAAa;EACjC;AACJ;;AAEA;AACA;AACA;AACA;AACA,SAASgB,gBAAgBA,CAACZ,GAAG,EAAE;EAC3B;EACA,KAAK,MAAM79B,IAAI,IAAI69B,GAAG,CAACF,KAAK,EAAE;IAC1B,IAAIe,QAAQ,GAAG,CAAC;IAChB,KAAK,MAAMja,EAAE,IAAIzkB,IAAI,CAACy6B,GAAG,CAAC,CAAC,EAAE;MACzB,IAAI1G,oBAAoB,CAACtP,EAAE,CAAC,EAAE;QAC1Bia,QAAQ,IAAIC,YAAY,CAACla,EAAE,CAAC;MAChC;MACAuU,oBAAoB,CAACvU,EAAE,EAAEzqC,IAAI,IAAI;QAC7B,IAAI,CAACw8C,cAAc,CAACx8C,IAAI,CAAC,EAAE;UACvB;QACJ;QACA;QACA,IAAIg6C,qBAAqB,CAACh6C,IAAI,CAAC,EAAE;UAC7BA,IAAI,CAAC45C,SAAS,GAAG8K,QAAQ;QAC7B;QACA,IAAI3K,oBAAoB,CAAC/5C,IAAI,CAAC,EAAE;UAC5B0kD,QAAQ,IAAIE,sBAAsB,CAAC5kD,IAAI,CAAC;QAC5C;MACJ,CAAC,CAAC;IACN;IACAgmB,IAAI,CAACmD,IAAI,GAAGu7B,QAAQ;EACxB;EACA,IAAIb,GAAG,YAAYG,uBAAuB,EAAE;IACxC;IACA;IACA,KAAK,MAAM/sD,IAAI,IAAI4sD,GAAG,CAACI,KAAK,CAACx7C,MAAM,CAAC,CAAC,EAAE;MACnC,KAAK,MAAMgiC,EAAE,IAAIxzC,IAAI,CAACisD,MAAM,EAAE;QAC1B,IAAIzY,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAClwB,QAAQ,EAAE;UAC7B;QACJ;QACA,MAAMq8B,SAAS,GAAGhB,GAAG,CAACI,KAAK,CAAC31D,GAAG,CAACm8C,EAAE,CAAC4P,IAAI,CAAC;QACxC5P,EAAE,CAACthB,IAAI,GAAG07B,SAAS,CAAC17B,IAAI;MAC5B;IACJ;EACJ;AACJ;AACA;AACA;AACA;AACA;AACA,SAASw7B,YAAYA,CAACla,EAAE,EAAE;EACtB,IAAIqa,KAAK;EACT,QAAQra,EAAE,CAACvO,IAAI;IACX,KAAKwc,MAAM,CAACT,QAAQ;IACpB,KAAKS,MAAM,CAACyG,YAAY;IACxB,KAAKzG,MAAM,CAACd,SAAS;MACjB;MACA;MACAkN,KAAK,GAAG,CAAC;MACT,IAAIra,EAAE,CAACl2C,UAAU,YAAYqmD,aAAa,EAAE;QACxCkK,KAAK,IAAIra,EAAE,CAACl2C,UAAU,CAACgN,WAAW,CAAChX,MAAM;MAC7C;MACA,OAAOu6D,KAAK;IAChB,KAAKpM,MAAM,CAAC2C,SAAS;IACrB,KAAK3C,MAAM,CAAC6C,SAAS;IACrB,KAAK7C,MAAM,CAAC+C,QAAQ;IACpB,KAAK/C,MAAM,CAACiD,QAAQ;MAChB;MACA;MACAmJ,KAAK,GAAG,CAAC;MACT,IAAIra,EAAE,CAACl2C,UAAU,YAAYqmD,aAAa,EAAE;QACxCkK,KAAK,IAAIra,EAAE,CAACl2C,UAAU,CAACgN,WAAW,CAAChX,MAAM;MAC7C;MACA,OAAOu6D,KAAK;IAChB,KAAKpM,MAAM,CAACiC,eAAe;MACvB;MACA,OAAOlQ,EAAE,CAACvW,aAAa,CAAC3yB,WAAW,CAAChX,MAAM;IAC9C;MACI,MAAM,IAAIQ,KAAK,CAAC,iBAAiB2tD,MAAM,CAACjO,EAAE,CAACvO,IAAI,CAAC,EAAE,CAAC;EAC3D;AACJ;AACA,SAAS0oB,sBAAsBA,CAAC5kD,IAAI,EAAE;EAClC,QAAQA,IAAI,CAACk8B,IAAI;IACb,KAAKyc,cAAc,CAACkF,gBAAgB;MAChC,OAAO,CAAC,GAAG79C,IAAI,CAACiB,IAAI,CAAC1W,MAAM;IAC/B,KAAKouD,cAAc,CAACuF,WAAW;MAC3B,OAAO,CAAC,GAAGl+C,IAAI,CAACiB,IAAI,CAAC1W,MAAM;IAC/B,KAAKouD,cAAc,CAAC0F,mBAAmB;MACnC,OAAO,CAAC,GAAGr+C,IAAI,CAACo+C,OAAO;IAC3B;MACI,MAAM,IAAIrzD,KAAK,CAAC,0DAA0DiV,IAAI,CAACpW,WAAW,CAACyC,IAAI,EAAE,CAAC;EAC1G;AACJ;AAEA,SAAS04D,+BAA+BA,CAACC,GAAG,EAAE;EAC1C,KAAK,MAAM/tD,IAAI,IAAI+tD,GAAG,CAACf,KAAK,CAACx7C,MAAM,CAAC,CAAC,EAAE;IACnC,KAAK,MAAMgiC,EAAE,IAAIxzC,IAAI,CAACksD,MAAM,EAAE;MAC1BnE,oBAAoB,CAACvU,EAAE,EAAEzqC,IAAI,IAAI;QAC7B,IAAI,EAAEA,IAAI,YAAYm+C,uBAAuB,CAAC,EAAE;UAC5C,OAAOn+C,IAAI;QACf;QACA,IAAI,EAAEA,IAAI,CAACiB,IAAI,YAAY48C,gBAAgB,CAAC,EAAE;UAC1C,OAAO79C,IAAI;QACf;QACA,IAAIA,IAAI,CAAC45C,SAAS,KAAK,IAAI,IAAI55C,IAAI,CAACiB,IAAI,CAAC24C,SAAS,KAAK,IAAI,EAAE;UACzD,MAAM,IAAI7uD,KAAK,CAAC,kCAAkC,CAAC;QACvD;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACAiV,IAAI,CAAC45C,SAAS,GAAG55C,IAAI,CAACiB,IAAI,CAAC24C,SAAS;QACpC;QACA55C,IAAI,CAACiB,IAAI,CAAC24C,SAAS,GAAG55C,IAAI,CAAC45C,SAAS,GAAGgL,sBAAsB,CAAC5kD,IAAI,CAAC;MACvE,CAAC,CAAC;IACN;EACJ;AACJ;;AAEA;AACA;AACA;AACA,SAASilD,iBAAiBA,CAACD,GAAG,EAAE;EAC5B,KAAK,MAAM,CAACrW,CAAC,EAAE13C,IAAI,CAAC,IAAI+tD,GAAG,CAACf,KAAK,EAAE;IAC/B,KAAK,MAAMxZ,EAAE,IAAIxzC,IAAI,CAACwpD,GAAG,CAAC,CAAC,EAAE;MACzBxB,wBAAwB,CAACxU,EAAE,EAAEya,UAAU,EAAEpH,kBAAkB,CAACtkD,IAAI,CAAC;IACrE;EACJ;AACJ;AACA,SAAS0rD,UAAUA,CAACnvD,CAAC,EAAE;EACnB,IAAIA,CAAC,YAAY2G,kBAAkB,IAAI3G,CAAC,CAACiL,EAAE,YAAY07C,eAAe,IAClE3mD,CAAC,CAACiL,EAAE,CAAC3U,IAAI,KAAK,MAAM,EAAE;IACtB,IAAI0J,CAAC,CAACkL,IAAI,CAAC1W,MAAM,KAAK,CAAC,EAAE;MACrB,MAAM,IAAIQ,KAAK,CAAC,yDAAyD,CAAC;IAC9E;IACA,OAAOgL,CAAC,CAACkL,IAAI,CAAC,CAAC,CAAC;EACpB;EACA,OAAOlL,CAAC;AACZ;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAAS9L,KAAKA,CAACqC,KAAK,EAAE;EAClB;EACA;EACA;EACA;EACA,MAAMwrD,MAAM,GAAG,EAAE;EACjB,IAAInsD,CAAC,GAAG,CAAC;EACT,IAAIw5D,UAAU,GAAG,CAAC;EAClB,IAAIvW,KAAK,GAAG,CAAC,CAAC;EACd,IAAIwW,UAAU,GAAG,CAAC;EAClB,IAAIC,SAAS,GAAG,CAAC;EACjB,IAAIC,WAAW,GAAG,IAAI;EACtB,OAAO35D,CAAC,GAAGW,KAAK,CAAC/B,MAAM,EAAE;IACrB,MAAMouB,KAAK,GAAGrsB,KAAK,CAACmsB,UAAU,CAAC9sB,CAAC,EAAE,CAAC;IACnC,QAAQgtB,KAAK;MACT,KAAK,EAAE,CAAC;QACJwsC,UAAU,EAAE;QACZ;MACJ,KAAK,EAAE,CAAC;QACJA,UAAU,EAAE;QACZ;MACJ,KAAK,EAAE,CAAC;QACJ;QACA;QACA,IAAIvW,KAAK,KAAK,CAAC,CAAC,sBAAsB;UAClCA,KAAK,GAAG,EAAE,CAAC;QACf,CAAC,MACI,IAAIA,KAAK,KAAK,EAAE,CAAC,0BAA0BtiD,KAAK,CAACmsB,UAAU,CAAC9sB,CAAC,GAAG,CAAC,CAAC,KAAK,EAAE,CAAC,sBAAsB;UACjGijD,KAAK,GAAG,CAAC,CAAC;QACd;QACA;MACJ,KAAK,EAAE,CAAC;QACJ;QACA,IAAIA,KAAK,KAAK,CAAC,CAAC,sBAAsB;UAClCA,KAAK,GAAG,EAAE,CAAC;QACf,CAAC,MACI,IAAIA,KAAK,KAAK,EAAE,CAAC,0BAA0BtiD,KAAK,CAACmsB,UAAU,CAAC9sB,CAAC,GAAG,CAAC,CAAC,KAAK,EAAE,CAAC,sBAAsB;UACjGijD,KAAK,GAAG,CAAC,CAAC;QACd;QACA;MACJ,KAAK,EAAE,CAAC;QACJ,IAAI,CAAC0W,WAAW,IAAIH,UAAU,KAAK,CAAC,IAAIvW,KAAK,KAAK,CAAC,CAAC,sBAAsB;UACtE0W,WAAW,GAAGC,WAAW,CAACj5D,KAAK,CAAC0sB,SAAS,CAACqsC,SAAS,EAAE15D,CAAC,GAAG,CAAC,CAAC,CAACosB,IAAI,CAAC,CAAC,CAAC;UACnEqtC,UAAU,GAAGz5D,CAAC;QAClB;QACA;MACJ,KAAK,EAAE,CAAC;QACJ,IAAI25D,WAAW,IAAIF,UAAU,GAAG,CAAC,IAAID,UAAU,KAAK,CAAC,IAAIvW,KAAK,KAAK,CAAC,CAAC,sBAAsB;UACvF,MAAM4W,QAAQ,GAAGl5D,KAAK,CAAC0sB,SAAS,CAACosC,UAAU,EAAEz5D,CAAC,GAAG,CAAC,CAAC,CAACosB,IAAI,CAAC,CAAC;UAC1D+/B,MAAM,CAACttD,IAAI,CAAC86D,WAAW,EAAEE,QAAQ,CAAC;UAClCH,SAAS,GAAG15D,CAAC;UACby5D,UAAU,GAAG,CAAC;UACdE,WAAW,GAAG,IAAI;QACtB;QACA;IACR;EACJ;EACA,IAAIA,WAAW,IAAIF,UAAU,EAAE;IAC3B,MAAMI,QAAQ,GAAGl5D,KAAK,CAACnB,KAAK,CAACi6D,UAAU,CAAC,CAACrtC,IAAI,CAAC,CAAC;IAC/C+/B,MAAM,CAACttD,IAAI,CAAC86D,WAAW,EAAEE,QAAQ,CAAC;EACtC;EACA,OAAO1N,MAAM;AACjB;AACA,SAASyN,WAAWA,CAACj5D,KAAK,EAAE;EACxB,OAAOA,KAAK,CACPP,OAAO,CAAC,aAAa,EAAE05D,CAAC,IAAI;IAC7B,OAAOA,CAAC,CAAC55D,MAAM,CAAC,CAAC,CAAC,GAAG,GAAG,GAAG45D,CAAC,CAAC55D,MAAM,CAAC,CAAC,CAAC;EAC1C,CAAC,CAAC,CACGU,WAAW,CAAC,CAAC;AACtB;;AAEA;AACA;AACA;AACA,SAASm5D,mBAAmBA,CAACzuD,IAAI,EAAE;EAC/B,MAAMqK,QAAQ,GAAG,IAAIxU,GAAG,CAAC,CAAC;EAC1B,KAAK,MAAM29C,EAAE,IAAIxzC,IAAI,CAACisD,MAAM,EAAE;IAC1B,IAAI,CAACvB,sBAAsB,CAAClX,EAAE,CAAC,EAAE;MAC7B;IACJ;IACAnpC,QAAQ,CAAC/S,GAAG,CAACk8C,EAAE,CAAC4P,IAAI,EAAE5P,EAAE,CAAC;EAC7B;EACA,OAAOnpC,QAAQ;AACnB;;AAEA;AACA;AACA;AACA;AACA,SAASqkD,wBAAwBA,CAACX,GAAG,EAAE;EACnC,KAAK,MAAM,CAACrW,CAAC,EAAE13C,IAAI,CAAC,IAAI+tD,GAAG,CAACf,KAAK,EAAE;IAC/B2B,yBAAyB,CAAC3uD,IAAI,CAAC;EACnC;AACJ;AACA;AACA;AACA;AACA,SAAS4uD,eAAeA,CAACvkD,QAAQ,EAAE+4C,IAAI,EAAE;EACrC,MAAMv4C,EAAE,GAAGR,QAAQ,CAAChT,GAAG,CAAC+rD,IAAI,CAAC;EAC7B,IAAIv4C,EAAE,KAAKoW,SAAS,EAAE;IAClB,MAAM,IAAIntB,KAAK,CAAC,oDAAoD,CAAC;EACzE;EACA,OAAO+W,EAAE;AACb;AACA;AACA;AACA;AACA;AACA,SAAS8jD,yBAAyBA,CAAC3uD,IAAI,EAAE;EACrC,MAAMqK,QAAQ,GAAGokD,mBAAmB,CAACzuD,IAAI,CAAC;EAC1C,KAAK,MAAMwzC,EAAE,IAAIxzC,IAAI,CAACwpD,GAAG,CAAC,CAAC,EAAE;IACzB,IAAIqF,OAAO;IACX,QAAQrb,EAAE,CAACvO,IAAI;MACX,KAAKwc,MAAM,CAACd,SAAS;QACjBmO,kBAAkB,CAAC9uD,IAAI,EAAEwzC,EAAE,EAAEnpC,QAAQ,CAAC;QACtC;MACJ,KAAKo3C,MAAM,CAACT,QAAQ;QAChB,IAAIxN,EAAE,CAACyQ,kBAAkB,EAAE;UACvB,SAAS,CAAC;QACd;QACA4K,OAAO,GAAGD,eAAe,CAACvkD,QAAQ,EAAEmpC,EAAE,CAAC5nB,MAAM,CAAC;QAC9C41B,yBAAyB,CAACqN,OAAO,CAACp/B,UAAU,CAAC;QAC7Co/B,OAAO,CAACp/B,UAAU,CAACx1B,GAAG,CAACu5C,EAAE,CAACqQ,UAAU,GAAGxD,WAAW,CAAC9uB,QAAQ,GAAG8uB,WAAW,CAACW,QAAQ,EAAExN,EAAE,CAACp+C,IAAI,EAAE,IAAI,CAAC;QAClG;MACJ,KAAKqsD,MAAM,CAAC2C,SAAS;MACrB,KAAK3C,MAAM,CAAC6C,SAAS;QACjBuK,OAAO,GAAGD,eAAe,CAACvkD,QAAQ,EAAEmpC,EAAE,CAAC5nB,MAAM,CAAC;QAC9C41B,yBAAyB,CAACqN,OAAO,CAACp/B,UAAU,CAAC;QAC7C;QACA;QACA,IAAIzvB,IAAI,CAACwsD,aAAa,KAAK5K,iBAAiB,CAACmN,yBAAyB,IAClEvb,EAAE,CAACl2C,UAAU,YAAYoqD,SAAS,EAAE;UACpC;UACA;UACA;UACAmH,OAAO,CAACp/B,UAAU,CAACx1B,GAAG,CAAComD,WAAW,CAACW,QAAQ,EAAExN,EAAE,CAACp+C,IAAI,EAAE,IAAI,CAAC;QAC/D;QACA;MACJ,KAAKqsD,MAAM,CAAC2G,QAAQ;QAChB,IAAI5U,EAAE,CAACiY,mBAAmB,EAAE;UACxB,SAAS,CAAC;QACd;QACAoD,OAAO,GAAGD,eAAe,CAACvkD,QAAQ,EAAEmpC,EAAE,CAAC5nB,MAAM,CAAC;QAC9C41B,yBAAyB,CAACqN,OAAO,CAACp/B,UAAU,CAAC;QAC7Co/B,OAAO,CAACp/B,UAAU,CAACx1B,GAAG,CAAComD,WAAW,CAACW,QAAQ,EAAExN,EAAE,CAACp+C,IAAI,EAAE,IAAI,CAAC;QAC3D;IACR;EACJ;AACJ;AACA,SAAS45D,eAAeA,CAACjmD,IAAI,EAAE;EAC3B,OAAOA,IAAI,YAAY2B,WAAW,IAAI,OAAO3B,IAAI,CAAC1T,KAAK,KAAK,QAAQ;AACxE;AACA,SAASy5D,kBAAkBA,CAAC9uD,IAAI,EAAEwzC,EAAE,EAAEnpC,QAAQ,EAAE;EAC5C,IAAImpC,EAAE,CAACl2C,UAAU,YAAYqmD,aAAa,EAAE;IACxC;EACJ;EACA,MAAMkL,OAAO,GAAGD,eAAe,CAACvkD,QAAQ,EAAEmpC,EAAE,CAAC5nB,MAAM,CAAC;EACpD41B,yBAAyB,CAACqN,OAAO,CAACp/B,UAAU,CAAC;EAC7C,IAAI+jB,EAAE,CAACp+C,IAAI,KAAK,OAAO,IAAI45D,eAAe,CAACxb,EAAE,CAACl2C,UAAU,CAAC,EAAE;IACvD;IACA,IAAI0C,IAAI,CAACwsD,aAAa,KAAK5K,iBAAiB,CAACmN,yBAAyB,IAClEvb,EAAE,CAAC1kB,eAAe,KAAKj2B,eAAe,CAACo2D,IAAI,EAAE;MAC7C;IACJ;IACA;IACA,MAAMC,YAAY,GAAGl8D,KAAK,CAACwgD,EAAE,CAACl2C,UAAU,CAACjI,KAAK,CAAC;IAC/C,KAAK,IAAIX,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGw6D,YAAY,CAAC57D,MAAM,GAAG,CAAC,EAAEoB,CAAC,IAAI,CAAC,EAAE;MACjDm6D,OAAO,CAACp/B,UAAU,CAACx1B,GAAG,CAAComD,WAAW,CAACS,aAAa,EAAEoO,YAAY,CAACx6D,CAAC,CAAC,EAAEud,OAAO,CAACi9C,YAAY,CAACx6D,CAAC,GAAG,CAAC,CAAC,CAAC,CAAC;IACpG;IACAs0D,MAAM,CAACiB,MAAM,CAACzW,EAAE,CAAC;EACrB,CAAC,MACI;IACD;IACA;IACA,IAAI2b,WAAW,GAAGnvD,IAAI,CAACwsD,aAAa,KAAK5K,iBAAiB,CAACmN,yBAAyB,GAC/Evb,EAAE,CAACl2C,UAAU,YAAYoN,WAAW,IAAI,OAAO8oC,EAAE,CAACl2C,UAAU,CAACjI,KAAK,KAAK,QAAQ,GAChFm+C,EAAE,CAACl2C,UAAU,CAACoL,UAAU,CAAC,CAAC;IAC9B;IACA,IAAIymD,WAAW,EAAE;MACbN,OAAO,CAACp/B,UAAU,CAACx1B,GAAG,CAACu5C,EAAE,CAACqQ,UAAU,GAAGxD,WAAW,CAAC9uB,QAAQ,GAAG8uB,WAAW,CAACM,SAAS,EAAEnN,EAAE,CAACp+C,IAAI,EAAEo+C,EAAE,CAACl2C,UAAU,CAAC;MAC5G0rD,MAAM,CAACiB,MAAM,CAACzW,EAAE,CAAC;IACrB;EACJ;AACJ;;AAEA;AACA;AACA;AACA,SAAS4b,eAAeA,CAAC/kD,QAAQ,EAAE+4C,IAAI,EAAE;EACrC,MAAMv4C,EAAE,GAAGR,QAAQ,CAAChT,GAAG,CAAC+rD,IAAI,CAAC;EAC7B,IAAIv4C,EAAE,KAAKoW,SAAS,EAAE;IAClB,MAAM,IAAIntB,KAAK,CAAC,oDAAoD,CAAC;EACzE;EACA,OAAO+W,EAAE;AACb;AACA,SAASwkD,0BAA0BA,CAACzC,GAAG,EAAE;EACrC,MAAMviD,QAAQ,GAAG,IAAIxU,GAAG,CAAC,CAAC;EAC1B,KAAK,MAAMk5B,IAAI,IAAI69B,GAAG,CAACF,KAAK,EAAE;IAC1B,KAAK,MAAMlZ,EAAE,IAAIzkB,IAAI,CAACk9B,MAAM,EAAE;MAC1B,IAAI,CAACvB,sBAAsB,CAAClX,EAAE,CAAC,EAAE;QAC7B;MACJ;MACAnpC,QAAQ,CAAC/S,GAAG,CAACk8C,EAAE,CAAC4P,IAAI,EAAE5P,EAAE,CAAC;IAC7B;EACJ;EACA,KAAK,MAAMzkB,IAAI,IAAI69B,GAAG,CAACF,KAAK,EAAE;IAC1B,KAAK,MAAMlZ,EAAE,IAAIzkB,IAAI,CAACy6B,GAAG,CAAC,CAAC,EAAE;MACzB,IAAIhW,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAACqC,OAAO,EAAE;QAC5B;MACJ;MACA,QAAQtQ,EAAE,CAACuQ,WAAW;QAClB,KAAK1D,WAAW,CAACM,SAAS;UACtB,IAAInN,EAAE,CAACp+C,IAAI,KAAK,eAAe,EAAE;YAC7B4zD,MAAM,CAACiB,MAAM,CAACzW,EAAE,CAAC;YACjB,MAAM5nB,MAAM,GAAGwjC,eAAe,CAAC/kD,QAAQ,EAAEmpC,EAAE,CAAC5nB,MAAM,CAAC;YACnDA,MAAM,CAACk/B,WAAW,GAAG,IAAI;UAC7B,CAAC,MACI;YACD9B,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAEmR,iBAAiB,CAACnR,EAAE,CAAC5nB,MAAM,EAAE4nB,EAAE,CAACp+C,IAAI,EAAEo+C,EAAE,CAACl2C,UAAU,EAAEk2C,EAAE,CAAC1kB,eAAe,EAAE0kB,EAAE,CAACqQ,UAAU,EAAErQ,EAAE,CAACvuC,UAAU,CAAC,CAAC;UAC9H;UACA;QACJ,KAAKo7C,WAAW,CAACW,QAAQ;QACzB,KAAKX,WAAW,CAACiP,SAAS;UACtB,IAAI1C,GAAG,YAAYP,yBAAyB,EAAE;YAC1C;YACArD,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAEuY,oBAAoB,CAACvY,EAAE,CAACp+C,IAAI,EAAEo+C,EAAE,CAACl2C,UAAU,EAAEk2C,EAAE,CAACvuC,UAAU,CAAC,CAAC;UACnF,CAAC,MACI;YACD+jD,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAEwQ,gBAAgB,CAACxQ,EAAE,CAAC5nB,MAAM,EAAE4nB,EAAE,CAACp+C,IAAI,EAAEo+C,EAAE,CAACl2C,UAAU,EAAEk2C,EAAE,CAACuQ,WAAW,KAAK1D,WAAW,CAACiP,SAAS,EAAE9b,EAAE,CAAC1kB,eAAe,EAAE0kB,EAAE,CAACqQ,UAAU,EAAErQ,EAAE,CAACvuC,UAAU,CAAC,CAAC;UACvK;UACA;QACJ,KAAKo7C,WAAW,CAACY,IAAI;QACrB,KAAKZ,WAAW,CAACO,SAAS;QAC1B,KAAKP,WAAW,CAACS,aAAa;UAC1B,MAAM,IAAIhtD,KAAK,CAAC,6BAA6BusD,WAAW,CAAC7M,EAAE,CAACuQ,WAAW,CAAC,EAAE,CAAC;MACnF;IACJ;EACJ;AACJ;AAEA,MAAMwL,SAAS,GAAG,IAAIj0B,GAAG,CAAC,CACtBhmB,WAAW,CAACO,YAAY,EACxBP,WAAW,CAACQ,UAAU,EACtBR,WAAW,CAAC1iB,OAAO,EACnB0iB,WAAW,CAACyF,QAAQ,EACpBzF,WAAW,CAACwF,YAAY,EACxBxF,WAAW,CAAC6C,SAAS,EACrB7C,WAAW,CAACjhB,SAAS,EACrBihB,WAAW,CAAC8C,qBAAqB,EACjC9C,WAAW,CAAC+C,qBAAqB,EACjC/C,WAAW,CAACgD,qBAAqB,EACjChD,WAAW,CAACiD,qBAAqB,EACjCjD,WAAW,CAACkD,qBAAqB,EACjClD,WAAW,CAACmD,qBAAqB,EACjCnD,WAAW,CAACoD,qBAAqB,EACjCpD,WAAW,CAACqD,qBAAqB,EACjCrD,WAAW,CAACsD,qBAAqB,EACjCtD,WAAW,CAACqB,SAAS,EACrBrB,WAAW,CAACiK,QAAQ,EACpBjK,WAAW,CAACsB,qBAAqB,EACjCtB,WAAW,CAACuB,mBAAmB,EAC/BvB,WAAW,CAACwB,gBAAgB,EAC5BxB,WAAW,CAACiK,QAAQ,CACvB,CAAC;AACF;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASiwC,aAAaA,CAAC5C,GAAG,EAAE;EACxB,KAAK,MAAM79B,IAAI,IAAI69B,GAAG,CAACF,KAAK,EAAE;IAC1B+C,qBAAqB,CAAC1gC,IAAI,CAACk9B,MAAM,CAAC;IAClCwD,qBAAqB,CAAC1gC,IAAI,CAACm9B,MAAM,CAAC;EACtC;AACJ;AACA,SAASuD,qBAAqBA,CAACC,MAAM,EAAE;EACnC,IAAIC,KAAK,GAAG,IAAI;EAChB,KAAK,MAAMnc,EAAE,IAAIkc,MAAM,EAAE;IACrB,IAAIlc,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAC7xC,SAAS,IAAI,EAAE4jC,EAAE,CAACzL,SAAS,YAAYv/B,mBAAmB,CAAC,EAAE;MAChF;MACAmnD,KAAK,GAAG,IAAI;MACZ;IACJ;IACA,IAAI,EAAEnc,EAAE,CAACzL,SAAS,CAACh/B,IAAI,YAAYtD,kBAAkB,CAAC,IAClD,EAAE+tC,EAAE,CAACzL,SAAS,CAACh/B,IAAI,CAACgB,EAAE,YAAYgD,YAAY,CAAC,EAAE;MACjD;MACA4iD,KAAK,GAAG,IAAI;MACZ;IACJ;IACA,MAAMC,WAAW,GAAGpc,EAAE,CAACzL,SAAS,CAACh/B,IAAI,CAACgB,EAAE,CAAC1U,KAAK;IAC9C,IAAI,CAACk6D,SAAS,CAACj7C,GAAG,CAACs7C,WAAW,CAAC,EAAE;MAC7B;MACAD,KAAK,GAAG,IAAI;MACZ;IACJ;IACA;IACA;IACA,IAAIA,KAAK,KAAK,IAAI,IAAIA,KAAK,CAACC,WAAW,KAAKA,WAAW,EAAE;MACrD;MACA,MAAMtyD,UAAU,GAAGqyD,KAAK,CAACryD,UAAU,CAACgI,MAAM,CAACkuC,EAAE,CAACzL,SAAS,CAACh/B,IAAI,CAACiB,IAAI,EAAEwpC,EAAE,CAACzL,SAAS,CAACh/B,IAAI,CAAC9D,UAAU,EAAEuuC,EAAE,CAACzL,SAAS,CAACh/B,IAAI,CAACvD,IAAI,CAAC;MACxHmqD,KAAK,CAACryD,UAAU,GAAGA,UAAU;MAC7BqyD,KAAK,CAACnc,EAAE,CAACzL,SAAS,GAAGzqC,UAAU,CAACiL,MAAM,CAAC,CAAC;MACxCygD,MAAM,CAACiB,MAAM,CAACzW,EAAE,CAAC;IACrB,CAAC,MACI;MACD;MACAmc,KAAK,GAAG;QACJnc,EAAE;QACFoc,WAAW;QACXtyD,UAAU,EAAEk2C,EAAE,CAACzL,SAAS,CAACh/B;MAC7B,CAAC;IACL;EACJ;AACJ;;AAEA;AACA;AACA;AACA;AACA,SAAS8mD,oBAAoBA,CAAC9B,GAAG,EAAE;EAC/B,KAAK,MAAM,CAACrW,CAAC,EAAE13C,IAAI,CAAC,IAAI+tD,GAAG,CAACf,KAAK,EAAE;IAC/B,KAAK,MAAMxZ,EAAE,IAAIxzC,IAAI,CAACisD,MAAM,EAAE;MAC1B,IAAIzY,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAC+G,YAAY,IAAIhV,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAC8G,OAAO,IAC7D/U,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAClwB,QAAQ,EAAE;QAC7B;MACJ,CAAC,MACI,IAAI,EAAEiiB,EAAE,CAAC/jB,UAAU,YAAY8wB,iBAAiB,CAAC,EAAE;QACpD;MACJ;MACA,MAAMuP,SAAS,GAAGC,mBAAmB,CAACvc,EAAE,CAAC/jB,UAAU,CAAC;MACpD,IAAIqgC,SAAS,CAACphD,OAAO,CAACpb,MAAM,GAAG,CAAC,EAAE;QAC9BkgD,EAAE,CAAC/jB,UAAU,GAAGs+B,GAAG,CAACV,QAAQ,CAACyC,SAAS,CAAC;MAC3C,CAAC,MACI;QACDtc,EAAE,CAAC/jB,UAAU,GAAG,IAAI;MACxB;IACJ;EACJ;AACJ;AACA,SAASsgC,mBAAmBA,CAAC;EAAEtgC,UAAU;EAAEsxB,QAAQ;EAAE/nD,OAAO;EAAE0iB,IAAI;EAAEglC,SAAS;EAAEG,MAAM;EAAEz2C;AAAS,CAAC,EAAE;EAC/F,MAAM0lD,SAAS,GAAG,CAAC,GAAGrgC,UAAU,CAAC;EACjC,IAAIixB,SAAS,KAAK,IAAI,EAAE;IACpBoP,SAAS,CAACv8D,IAAI,CAAC0e,OAAO,CAAC,CAAC,CAAC,oCAAoC,CAAC,EAAEA,OAAO,CAACyuC,SAAS,CAAC,CAAC;EACvF;EACA,IAAI1nD,OAAO,CAAC1F,MAAM,GAAG,CAAC,EAAE;IACpBw8D,SAAS,CAACv8D,IAAI,CAAC0e,OAAO,CAAC,CAAC,CAAC,kCAAkC,CAAC,EAAE,GAAGjZ,OAAO,CAAC;EAC7E;EACA,IAAI6nD,MAAM,CAACvtD,MAAM,GAAG,CAAC,EAAE;IACnBw8D,SAAS,CAACv8D,IAAI,CAAC0e,OAAO,CAAC,CAAC,CAAC,iCAAiC,CAAC,EAAE,GAAG4uC,MAAM,CAAC;EAC3E;EACA,IAAIE,QAAQ,CAACztD,MAAM,GAAG,CAAC,EAAE;IACrBw8D,SAAS,CAACv8D,IAAI,CAAC0e,OAAO,CAAC,CAAC,CAAC,mCAAmC,CAAC,EAAE,GAAG8uC,QAAQ,CAAC;EAC/E;EACA,IAAI32C,QAAQ,CAAC9W,MAAM,GAAG,CAAC,EAAE;IACrBw8D,SAAS,CAACv8D,IAAI,CAAC0e,OAAO,CAAC,CAAC,CAAC,mCAAmC,CAAC,EAAE,GAAG7H,QAAQ,CAAC;EAC/E;EACA,IAAIsR,IAAI,CAACpoB,MAAM,GAAG,CAAC,EAAE;IACjBw8D,SAAS,CAACv8D,IAAI,CAAC0e,OAAO,CAAC,CAAC,CAAC,+BAA+B,CAAC,EAAE,GAAGyJ,IAAI,CAAC;EACvE;EACA,OAAOnK,UAAU,CAACu+C,SAAS,CAAC;AAChC;AAEA,MAAME,YAAY,GAAG,IAAIn6D,GAAG,CAAC,CACzB,CAAC4rD,MAAM,CAACgH,UAAU,EAAE,CAAChH,MAAM,CAAC+G,YAAY,EAAE/G,MAAM,CAAC8G,OAAO,CAAC,CAAC,EAC1D,CAAC9G,MAAM,CAACkH,YAAY,EAAE,CAAClH,MAAM,CAACiH,cAAc,EAAEjH,MAAM,CAACtuB,SAAS,CAAC,CAAC,CACnE,CAAC;AACF;AACA;AACA;AACA;AACA,SAAS88B,kBAAkBA,CAAClC,GAAG,EAAE;EAC7B,KAAK,MAAM,CAACrW,CAAC,EAAE13C,IAAI,CAAC,IAAI+tD,GAAG,CAACf,KAAK,EAAE;IAC/B,KAAK,MAAMxZ,EAAE,IAAIxzC,IAAI,CAACisD,MAAM,EAAE;MAC1B,MAAMiE,cAAc,GAAGF,YAAY,CAAC34D,GAAG,CAACm8C,EAAE,CAACvO,IAAI,CAAC;MAChD,IAAIirB,cAAc,KAAKjvC,SAAS,EAAE;QAC9B;MACJ;MACA,MAAM,CAACkvC,SAAS,EAAEC,UAAU,CAAC,GAAGF,cAAc;MAC9C,IAAI1c,EAAE,CAAC+P,IAAI,KAAK,IAAI,IAAI/P,EAAE,CAAC+P,IAAI,CAACte,IAAI,KAAKkrB,SAAS,EAAE;QAChD;QACA;QACA3c,EAAE,CAAC+P,IAAI,CAACte,IAAI,GAAGmrB,UAAU;QACzB;QACApH,MAAM,CAACiB,MAAM,CAACzW,EAAE,CAAC;MACrB;IACJ;EACJ;AACJ;;AAEA;AACA;AACA;AACA;AACA,SAAS6c,oBAAoBA,CAACzD,GAAG,EAAE;EAC/B,KAAK,MAAM79B,IAAI,IAAI69B,GAAG,CAACF,KAAK,EAAE;IAC1B,KAAK,MAAMlZ,EAAE,IAAIzkB,IAAI,CAACy6B,GAAG,CAAC,CAAC,EAAE;MACzBxB,wBAAwB,CAACxU,EAAE,EAAE10C,CAAC,IAAIwxD,aAAa,CAACxxD,CAAC,EAAE;QAAE8tD;MAAI,CAAC,CAAC,EAAE/F,kBAAkB,CAACtkD,IAAI,CAAC;MACrFylD,wBAAwB,CAACxU,EAAE,EAAE+c,gBAAgB,EAAE1J,kBAAkB,CAACtkD,IAAI,CAAC;IAC3E;EACJ;AACJ;AACA;AACA,MAAMiuD,iBAAiB,GAAG,CACtB/qD,kBAAkB,EAAEgJ,gBAAgB,EAAEM,cAAc,EAAEw4C,sBAAsB,EAC5EP,eAAe,CAClB,CAACvvD,GAAG,CAACqH,CAAC,IAAIA,CAAC,CAACnM,WAAW,CAACyC,IAAI,CAAC;AAC9B,SAASs/C,0BAA0BA,CAAC51C,CAAC,EAAE;EACnC;EACA;EACA;EACA,IAAIA,CAAC,YAAYoP,iBAAiB,EAAE;IAChC,OAAOwmC,0BAA0B,CAAC51C,CAAC,CAACiK,IAAI,CAAC;EAC7C,CAAC,MACI,IAAIjK,CAAC,YAAYoH,kBAAkB,EAAE;IACtC,OAAOwuC,0BAA0B,CAAC51C,CAAC,CAACuP,GAAG,CAAC,IAAIqmC,0BAA0B,CAAC51C,CAAC,CAACmH,GAAG,CAAC;EACjF,CAAC,MACI,IAAInH,CAAC,YAAYiH,eAAe,EAAE;IACnC,IAAIjH,CAAC,CAACgH,SAAS,IAAI4uC,0BAA0B,CAAC51C,CAAC,CAACgH,SAAS,CAAC,EACtD,OAAO,IAAI;IACf,OAAO4uC,0BAA0B,CAAC51C,CAAC,CAACsO,SAAS,CAAC,IAAIsnC,0BAA0B,CAAC51C,CAAC,CAAC+G,QAAQ,CAAC;EAC5F,CAAC,MACI,IAAI/G,CAAC,YAAY2O,OAAO,EAAE;IAC3B,OAAOinC,0BAA0B,CAAC51C,CAAC,CAACsO,SAAS,CAAC;EAClD,CAAC,MACI,IAAItO,CAAC,YAAY8oD,mBAAmB,EAAE;IACvC,OAAOlT,0BAA0B,CAAC51C,CAAC,CAACiK,IAAI,CAAC;EAC7C,CAAC,MACI,IAAIjK,CAAC,YAAYqG,YAAY,EAAE;IAChC,OAAOuvC,0BAA0B,CAAC51C,CAAC,CAAC6K,QAAQ,CAAC;EACjD,CAAC,MACI,IAAI7K,CAAC,YAAYuG,WAAW,EAAE;IAC/B,OAAOqvC,0BAA0B,CAAC51C,CAAC,CAAC6K,QAAQ,CAAC,IAAI+qC,0BAA0B,CAAC51C,CAAC,CAACgB,KAAK,CAAC;EACxF;EACA;EACA,OAAOhB,CAAC,YAAY2G,kBAAkB,IAAI3G,CAAC,YAAY2P,gBAAgB,IACnE3P,CAAC,YAAYiQ,cAAc,IAAIjQ,CAAC,YAAYyoD,sBAAsB,IAClEzoD,CAAC,YAAYkoD,eAAe;AACpC;AACA,SAASyJ,aAAaA,CAAC3xD,CAAC,EAAE;EACtB,MAAM4xD,WAAW,GAAG,IAAIp1B,GAAG,CAAC,CAAC;EAC7B;EACA;EACA;EACAirB,gCAAgC,CAACznD,CAAC,EAAEA,CAAC,IAAI;IACrC,IAAIA,CAAC,YAAY8oD,mBAAmB,EAAE;MAClC8I,WAAW,CAACz2D,GAAG,CAAC6E,CAAC,CAACskD,IAAI,CAAC;IAC3B;IACA,OAAOtkD,CAAC;EACZ,CAAC,EAAE+nD,kBAAkB,CAACtkD,IAAI,CAAC;EAC3B,OAAOmuD,WAAW;AACtB;AACA,SAASC,6BAA6BA,CAAC7xD,CAAC,EAAE8xD,IAAI,EAAEpoC,GAAG,EAAE;EACjD;EACA;EACA+9B,gCAAgC,CAACznD,CAAC,EAAEA,CAAC,IAAI;IACrC,IAAIA,CAAC,YAAY8oD,mBAAmB,IAAIgJ,IAAI,CAACt8C,GAAG,CAACxV,CAAC,CAACskD,IAAI,CAAC,EAAE;MACtD,MAAMyN,IAAI,GAAG,IAAIhJ,iBAAiB,CAAC/oD,CAAC,CAACskD,IAAI,CAAC;MAC1C;MACA;MACA;MACA;MACA,OAAO56B,GAAG,CAACokC,GAAG,CAACJ,aAAa,KAAK5K,iBAAiB,CAACmN,yBAAyB,GACxE,IAAInH,mBAAmB,CAACiJ,IAAI,EAAEA,IAAI,CAACzN,IAAI,CAAC,GACxCyN,IAAI;IACZ;IACA,OAAO/xD,CAAC;EACZ,CAAC,EAAE+nD,kBAAkB,CAACtkD,IAAI,CAAC;EAC3B,OAAOzD,CAAC;AACZ;AACA;AACA;AACA;AACA;AACA;AACA,SAASgyD,wBAAwBA,CAAC1mC,KAAK,EAAExY,IAAI,EAAE4W,GAAG,EAAE;EAChD,IAAIh0B,MAAM;EACV,IAAIkgD,0BAA0B,CAACtqB,KAAK,CAAC,EAAE;IACnC,MAAMg5B,IAAI,GAAG56B,GAAG,CAACokC,GAAG,CAACE,cAAc,CAAC,CAAC;IACrCt4D,MAAM,GAAG,CAAC,IAAIozD,mBAAmB,CAACx9B,KAAK,EAAEg5B,IAAI,CAAC,EAAE,IAAIyE,iBAAiB,CAACzE,IAAI,CAAC,CAAC;EAChF,CAAC,MACI;IACD5uD,MAAM,GAAG,CAAC41B,KAAK,EAAEA,KAAK,CAACpwB,KAAK,CAAC,CAAC,CAAC;IAC/B;IACA;IACA;IACA;IACA22D,6BAA6B,CAACn8D,MAAM,CAAC,CAAC,CAAC,EAAEi8D,aAAa,CAACj8D,MAAM,CAAC,CAAC,CAAC,CAAC,EAAEg0B,GAAG,CAAC;EAC3E;EACA,OAAO,IAAIi/B,eAAe,CAACjzD,MAAM,CAAC,CAAC,CAAC,EAAEod,IAAI,CAACpd,MAAM,CAAC,CAAC,CAAC,CAAC,CAAC;AAC1D;AACA,SAASu8D,sBAAsBA,CAACjyD,CAAC,EAAE;EAC/B,OAAOA,CAAC,YAAYuoD,oBAAoB,IAAIvoD,CAAC,YAAYwoD,iBAAiB,IACtExoD,CAAC,YAAYyoD,sBAAsB;AAC3C;AACA,SAASyJ,wBAAwBA,CAAClyD,CAAC,EAAE;EACjC,OAAOA,CAAC,YAAYqG,YAAY,IAAIrG,CAAC,YAAYuG,WAAW,IACxDvG,CAAC,YAAY2G,kBAAkB;AACvC;AACA,SAASwrD,kBAAkBA,CAACnyD,CAAC,EAAE;EAC3B,OAAOiyD,sBAAsB,CAACjyD,CAAC,CAAC,IAAIkyD,wBAAwB,CAAClyD,CAAC,CAAC;AACnE;AACA,SAASoyD,kBAAkBA,CAACpyD,CAAC,EAAE;EAC3B,IAAImyD,kBAAkB,CAACnyD,CAAC,CAAC,IAAIA,CAAC,CAAC6K,QAAQ,YAAY89C,eAAe,EAAE;IAChE,IAAI0J,EAAE,GAAGryD,CAAC,CAAC6K,QAAQ;IACnB,OAAOwnD,EAAE,CAACpoD,IAAI,YAAY0+C,eAAe,EAAE;MACvC0J,EAAE,GAAGA,EAAE,CAACpoD,IAAI;IAChB;IACA,OAAOooD,EAAE;EACb;EACA,OAAO,IAAI;AACf;AACA;AACA;AACA,SAASb,aAAaA,CAACxxD,CAAC,EAAE0pB,GAAG,EAAE;EAC3B,IAAI,CAACyoC,kBAAkB,CAACnyD,CAAC,CAAC,EAAE;IACxB,OAAOA,CAAC;EACZ;EACA,MAAMsyD,GAAG,GAAGF,kBAAkB,CAACpyD,CAAC,CAAC;EACjC,IAAIsyD,GAAG,EAAE;IACL,IAAItyD,CAAC,YAAY2G,kBAAkB,EAAE;MACjC2rD,GAAG,CAACroD,IAAI,GAAGqoD,GAAG,CAACroD,IAAI,CAACzD,MAAM,CAACxG,CAAC,CAACkL,IAAI,CAAC;MAClC,OAAOlL,CAAC,CAAC6K,QAAQ;IACrB;IACA,IAAI7K,CAAC,YAAYqG,YAAY,EAAE;MAC3BisD,GAAG,CAACroD,IAAI,GAAGqoD,GAAG,CAACroD,IAAI,CAAC7D,IAAI,CAACpG,CAAC,CAAC1J,IAAI,CAAC;MAChC,OAAO0J,CAAC,CAAC6K,QAAQ;IACrB;IACA,IAAI7K,CAAC,YAAYuG,WAAW,EAAE;MAC1B+rD,GAAG,CAACroD,IAAI,GAAGqoD,GAAG,CAACroD,IAAI,CAAC3D,GAAG,CAACtG,CAAC,CAACgB,KAAK,CAAC;MAChC,OAAOhB,CAAC,CAAC6K,QAAQ;IACrB;IACA,IAAI7K,CAAC,YAAYyoD,sBAAsB,EAAE;MACrC6J,GAAG,CAACroD,IAAI,GAAG+nD,wBAAwB,CAACM,GAAG,CAACroD,IAAI,EAAGijB,CAAC,IAAKA,CAAC,CAAC1mB,MAAM,CAACxG,CAAC,CAACkL,IAAI,CAAC,EAAEwe,GAAG,CAAC;MAC3E,OAAO1pB,CAAC,CAAC6K,QAAQ;IACrB;IACA,IAAI7K,CAAC,YAAYuoD,oBAAoB,EAAE;MACnC+J,GAAG,CAACroD,IAAI,GAAG+nD,wBAAwB,CAACM,GAAG,CAACroD,IAAI,EAAGijB,CAAC,IAAKA,CAAC,CAAC9mB,IAAI,CAACpG,CAAC,CAAC1J,IAAI,CAAC,EAAEozB,GAAG,CAAC;MACzE,OAAO1pB,CAAC,CAAC6K,QAAQ;IACrB;IACA,IAAI7K,CAAC,YAAYwoD,iBAAiB,EAAE;MAChC8J,GAAG,CAACroD,IAAI,GAAG+nD,wBAAwB,CAACM,GAAG,CAACroD,IAAI,EAAGijB,CAAC,IAAKA,CAAC,CAAC5mB,GAAG,CAACtG,CAAC,CAACgB,KAAK,CAAC,EAAE0oB,GAAG,CAAC;MACzE,OAAO1pB,CAAC,CAAC6K,QAAQ;IACrB;EACJ,CAAC,MACI;IACD,IAAI7K,CAAC,YAAYyoD,sBAAsB,EAAE;MACrC,OAAOuJ,wBAAwB,CAAChyD,CAAC,CAAC6K,QAAQ,EAAGqiB,CAAC,IAAKA,CAAC,CAAC1mB,MAAM,CAACxG,CAAC,CAACkL,IAAI,CAAC,EAAEwe,GAAG,CAAC;IAC7E;IACA,IAAI1pB,CAAC,YAAYuoD,oBAAoB,EAAE;MACnC,OAAOyJ,wBAAwB,CAAChyD,CAAC,CAAC6K,QAAQ,EAAGqiB,CAAC,IAAKA,CAAC,CAAC9mB,IAAI,CAACpG,CAAC,CAAC1J,IAAI,CAAC,EAAEozB,GAAG,CAAC;IAC3E;IACA,IAAI1pB,CAAC,YAAYwoD,iBAAiB,EAAE;MAChC,OAAOwJ,wBAAwB,CAAChyD,CAAC,CAAC6K,QAAQ,EAAGqiB,CAAC,IAAKA,CAAC,CAAC5mB,GAAG,CAACtG,CAAC,CAACgB,KAAK,CAAC,EAAE0oB,GAAG,CAAC;IAC3E;EACJ;EACA,OAAO1pB,CAAC;AACZ;AACA,SAASyxD,gBAAgBA,CAACzxD,CAAC,EAAE;EACzB,IAAI,EAAEA,CAAC,YAAY2oD,eAAe,CAAC,EAAE;IACjC,OAAO3oD,CAAC;EACZ;EACA,OAAO,IAAIiH,eAAe,CAAC,IAAIG,kBAAkB,CAAC1B,cAAc,CAAC2B,MAAM,EAAErH,CAAC,CAACsrB,KAAK,EAAE/a,SAAS,CAAC,EAAEA,SAAS,EAAEvQ,CAAC,CAACiK,IAAI,CAAC;AACpH;;AAEA;AACA;AACA;AACA;AACA,SAASsoD,oBAAoBA,CAACtD,GAAG,EAAE;EAC/B,KAAK,MAAM,CAACrW,CAAC,EAAE13C,IAAI,CAAC,IAAI+tD,GAAG,CAACf,KAAK,EAAE;IAC/B;IACA,MAAMsE,OAAO,GAAG,IAAIz7D,GAAG,CAAC,CAAC;IACzB,KAAK,MAAM29C,EAAE,IAAIxzC,IAAI,CAACisD,MAAM,EAAE;MAC1B,IAAI,CAACrJ,oBAAoB,CAACpP,EAAE,CAAC,EAAE;QAC3B;MACJ,CAAC,MACI,IAAIA,EAAE,CAAC6O,IAAI,KAAK,IAAI,EAAE;QACvB,MAAM,IAAIvuD,KAAK,CAAC,yFAAyF,CAAC;MAC9G;MACAw9D,OAAO,CAACh6D,GAAG,CAACk8C,EAAE,CAAC4P,IAAI,EAAE5P,EAAE,CAAC6O,IAAI,CAAC;IACjC;IACA;IACA;IACA;IACA;IACA;IACA,IAAIkP,WAAW,GAAG,CAAC;IACnB,KAAK,MAAM/d,EAAE,IAAIxzC,IAAI,CAACksD,MAAM,EAAE;MAC1B,IAAI,CAACrJ,4BAA4B,CAACrP,EAAE,CAAC,EAAE;QACnC;QACA;MACJ,CAAC,MACI,IAAI,CAAC8d,OAAO,CAACh9C,GAAG,CAACk/B,EAAE,CAAC5nB,MAAM,CAAC,EAAE;QAC9B;QACA;QACA,MAAM,IAAI93B,KAAK,CAAC,qDAAqD0/C,EAAE,CAAC5nB,MAAM,EAAE,CAAC;MACrF;MACA,MAAMy2B,IAAI,GAAGiP,OAAO,CAACj6D,GAAG,CAACm8C,EAAE,CAAC5nB,MAAM,CAAC;MACnC;MACA,IAAI2lC,WAAW,KAAKlP,IAAI,EAAE;QACtB;QACA,MAAM5e,KAAK,GAAG4e,IAAI,GAAGkP,WAAW;QAChC,IAAI9tB,KAAK,GAAG,CAAC,EAAE;UACX,MAAM,IAAI3vC,KAAK,CAAC,kEAAkE,CAAC;QACvF;QACAk1D,MAAM,CAACsB,YAAY,CAAC1F,eAAe,CAACnhB,KAAK,EAAE+P,EAAE,CAACvuC,UAAU,CAAC,EAAEuuC,EAAE,CAAC;QAC9D+d,WAAW,GAAGlP,IAAI;MACtB;IACJ;EACJ;AACJ;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASmP,sBAAsBA,CAACzD,GAAG,EAAE;EACjC0D,sBAAsB,CAAC1D,GAAG,CAAClB,IAAI,EAAE,gDAAiD,IAAI,CAAC;AAC3F;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAAS4E,sBAAsBA,CAACzxD,IAAI,EAAE0xD,WAAW,EAAE;EAC/C;EACA,MAAMC,KAAK,GAAGC,eAAe,CAAC5xD,IAAI,EAAE0xD,WAAW,CAAC;EAChD,KAAK,MAAMle,EAAE,IAAIxzC,IAAI,CAACisD,MAAM,EAAE;IAC1B,QAAQzY,EAAE,CAACvO,IAAI;MACX,KAAKwc,MAAM,CAAClwB,QAAQ;QAChB;QACAkgC,sBAAsB,CAACzxD,IAAI,CAAC4sD,GAAG,CAACI,KAAK,CAAC31D,GAAG,CAACm8C,EAAE,CAAC4P,IAAI,CAAC,EAAEuO,KAAK,CAAC;QAC1D;MACJ,KAAKlQ,MAAM,CAAC2G,QAAQ;QAChB;QACA5U,EAAE,CAAC8U,UAAU,CAACiB,OAAO,CAACsI,+BAA+B,CAAC7xD,IAAI,EAAE2xD,KAAK,CAAC,CAAC;QACnE;IACR;EACJ;EACA;EACA,MAAMG,WAAW,GAAGD,+BAA+B,CAAC7xD,IAAI,EAAE2xD,KAAK,CAAC;EAChE3xD,IAAI,CAACksD,MAAM,CAAC3C,OAAO,CAACuI,WAAW,CAAC;AACpC;AACA;AACA;AACA;AACA;AACA,SAASF,eAAeA,CAAC5xD,IAAI,EAAEotD,MAAM,EAAE;EACnC,MAAMuE,KAAK,GAAG;IACV3xD,IAAI,EAAEA,IAAI,CAACojD,IAAI;IACf2O,mBAAmB,EAAE;MACjB9sB,IAAI,EAAE0c,oBAAoB,CAACmE,OAAO;MAClC1wD,IAAI,EAAE,IAAI;MACV4K,IAAI,EAAEA,IAAI,CAACojD;IACf,CAAC;IACDmK,gBAAgB,EAAE,IAAI13D,GAAG,CAAC,CAAC;IAC3B+5B,UAAU,EAAE,EAAE;IACdw9B;EACJ,CAAC;EACD,KAAK,MAAMzuB,UAAU,IAAI3+B,IAAI,CAACutD,gBAAgB,CAACpwD,IAAI,CAAC,CAAC,EAAE;IACnDw0D,KAAK,CAACpE,gBAAgB,CAACj2D,GAAG,CAACqnC,UAAU,EAAE;MACnCsG,IAAI,EAAE0c,oBAAoB,CAACqQ,UAAU;MACrC58D,IAAI,EAAE,IAAI;MACVupC;IACJ,CAAC,CAAC;EACN;EACA,KAAK,MAAM6U,EAAE,IAAIxzC,IAAI,CAACisD,MAAM,EAAE;IAC1B,QAAQzY,EAAE,CAACvO,IAAI;MACX,KAAKwc,MAAM,CAAC8G,OAAO;MACnB,KAAK9G,MAAM,CAAC+G,YAAY;MACxB,KAAK/G,MAAM,CAAClwB,QAAQ;QAChB,IAAI,CAAC5P,KAAK,CAACC,OAAO,CAAC4xB,EAAE,CAACqX,SAAS,CAAC,EAAE;UAC9B,MAAM,IAAI/2D,KAAK,CAAC,mDAAmD,CAAC;QACxE;QACA;QACA,KAAK,IAAIyvC,MAAM,GAAG,CAAC,EAAEA,MAAM,GAAGiQ,EAAE,CAACqX,SAAS,CAACv3D,MAAM,EAAEiwC,MAAM,EAAE,EAAE;UACzDouB,KAAK,CAAC/hC,UAAU,CAACr8B,IAAI,CAAC;YAClB6B,IAAI,EAAEo+C,EAAE,CAACqX,SAAS,CAACtnB,MAAM,CAAC,CAACnuC,IAAI;YAC/B68D,QAAQ,EAAEze,EAAE,CAAC4P,IAAI;YACjB7f,MAAM;YACNvyB,QAAQ,EAAE;cACNi0B,IAAI,EAAE0c,oBAAoB,CAACqQ,UAAU;cACrC58D,IAAI,EAAE,IAAI;cACVupC,UAAU,EAAE6U,EAAE,CAACqX,SAAS,CAACtnB,MAAM,CAAC,CAACnuC;YACrC;UACJ,CAAC,CAAC;QACN;QACA;IACR;EACJ;EACA,OAAOu8D,KAAK;AAChB;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASE,+BAA+BA,CAAC7xD,IAAI,EAAE2xD,KAAK,EAAE;EAClD,MAAM3H,MAAM,GAAG,EAAE;EACjB,IAAI2H,KAAK,CAAC3xD,IAAI,KAAKA,IAAI,CAACojD,IAAI,EAAE;IAC1B;IACA;IACA;IACA4G,MAAM,CAACz2D,IAAI,CAAC4vD,gBAAgB,CAACnjD,IAAI,CAAC4sD,GAAG,CAACE,cAAc,CAAC,CAAC,EAAE6E,KAAK,CAACI,mBAAmB,EAAE,IAAIhM,eAAe,CAAC,CAAC,CAAC,CAAC;EAC9G;EACA;EACA,KAAK,MAAM,CAAC3wD,IAAI,EAAEC,KAAK,CAAC,IAAI2K,IAAI,CAAC4sD,GAAG,CAACI,KAAK,CAAC31D,GAAG,CAACs6D,KAAK,CAAC3xD,IAAI,CAAC,CAACutD,gBAAgB,EAAE;IACzEvD,MAAM,CAACz2D,IAAI,CAAC4vD,gBAAgB,CAACnjD,IAAI,CAAC4sD,GAAG,CAACE,cAAc,CAAC,CAAC,EAAE6E,KAAK,CAACpE,gBAAgB,CAACl2D,GAAG,CAACjC,IAAI,CAAC,EAAE,IAAI+P,YAAY,CAAC,IAAI0gD,WAAW,CAAC8L,KAAK,CAAC3xD,IAAI,CAAC,EAAE3K,KAAK,CAAC,CAAC,CAAC;EACpJ;EACA;EACA,KAAK,MAAMw1B,GAAG,IAAI8mC,KAAK,CAAC/hC,UAAU,EAAE;IAChCo6B,MAAM,CAACz2D,IAAI,CAAC4vD,gBAAgB,CAACnjD,IAAI,CAAC4sD,GAAG,CAACE,cAAc,CAAC,CAAC,EAAEjiC,GAAG,CAAC7Z,QAAQ,EAAE,IAAI40C,aAAa,CAAC/6B,GAAG,CAAConC,QAAQ,EAAEpnC,GAAG,CAAC0Y,MAAM,CAAC,CAAC,CAAC;EACvH;EACA,IAAIouB,KAAK,CAACvE,MAAM,KAAK,IAAI,EAAE;IACvB;IACApD,MAAM,CAACz2D,IAAI,CAAC,GAAGs+D,+BAA+B,CAAC7xD,IAAI,EAAE2xD,KAAK,CAACvE,MAAM,CAAC,CAAC;EACvE;EACA,OAAOpD,MAAM;AACjB;AAEA,MAAMkI,SAAS,GAAG,QAAQ;AAC1B,MAAMC,SAAS,GAAG,QAAQ;AAC1B,SAASC,6BAA6BA,CAACxF,GAAG,EAAE;EACxC,KAAK,MAAMpZ,EAAE,IAAIoZ,GAAG,CAACV,MAAM,EAAE;IACzB,IAAI1Y,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAACqC,OAAO,EAAE;MAC5B;IACJ;IACA,IAAItQ,EAAE,CAACp+C,IAAI,CAACujC,UAAU,CAACu5B,SAAS,CAAC,EAAE;MAC/B1e,EAAE,CAACuQ,WAAW,GAAG1D,WAAW,CAACS,aAAa;MAC1CtN,EAAE,CAACp+C,IAAI,GAAGo+C,EAAE,CAACp+C,IAAI,CAAC2sB,SAAS,CAACmwC,SAAS,CAAC5+D,MAAM,CAAC;MAC7C,IAAI++D,qBAAqB,CAAC7e,EAAE,CAACp+C,IAAI,CAAC,EAAE;QAChCo+C,EAAE,CAACp+C,IAAI,GAAGk9D,SAAS,CAAC9e,EAAE,CAACp+C,IAAI,CAAC;MAChC;MACA,MAAM;QAAE2lB,QAAQ;QAAEojC;MAAO,CAAC,GAAGoU,eAAe,CAAC/e,EAAE,CAACp+C,IAAI,CAAC;MACrDo+C,EAAE,CAACp+C,IAAI,GAAG2lB,QAAQ;MAClBy4B,EAAE,CAACzkB,IAAI,GAAGovB,MAAM;IACpB,CAAC,MACI,IAAI3K,EAAE,CAACp+C,IAAI,CAACujC,UAAU,CAAC,QAAQ,CAAC,EAAE;MACnC;MACA6a,EAAE,CAACp+C,IAAI,GAAG,OAAO;IACrB,CAAC,MACI,IAAIo+C,EAAE,CAACp+C,IAAI,CAACujC,UAAU,CAACw5B,SAAS,CAAC,EAAE;MACpC3e,EAAE,CAACuQ,WAAW,GAAG1D,WAAW,CAACO,SAAS;MACtCpN,EAAE,CAACp+C,IAAI,GAAGm9D,eAAe,CAAC/e,EAAE,CAACp+C,IAAI,CAAC2sB,SAAS,CAACowC,SAAS,CAAC7+D,MAAM,CAAC,CAAC,CAACynB,QAAQ;IAC3E;EACJ;AACJ;AACA;AACA;AACA;AACA;AACA,SAASs3C,qBAAqBA,CAACj9D,IAAI,EAAE;EACjC,OAAOA,IAAI,CAACujC,UAAU,CAAC,IAAI,CAAC;AAChC;AACA,SAAS25B,SAASA,CAACj9D,KAAK,EAAE;EACtB,OAAOA,KAAK,CACPP,OAAO,CAAC,aAAa,EAAE05D,CAAC,IAAI;IAC7B,OAAOA,CAAC,CAAC55D,MAAM,CAAC,CAAC,CAAC,GAAG,GAAG,GAAG45D,CAAC,CAAC55D,MAAM,CAAC,CAAC,CAAC;EAC1C,CAAC,CAAC,CACGU,WAAW,CAAC,CAAC;AACtB;AACA,SAASi9D,eAAeA,CAACn9D,IAAI,EAAE;EAC3B,MAAMo9D,aAAa,GAAGp9D,IAAI,CAACyrB,OAAO,CAAC,YAAY,CAAC;EAChD,IAAI2xC,aAAa,KAAK,CAAC,CAAC,EAAE;IACtBp9D,IAAI,GAAGo9D,aAAa,GAAG,CAAC,GAAGp9D,IAAI,CAAC2sB,SAAS,CAAC,CAAC,EAAEywC,aAAa,CAAC,GAAG,EAAE;EACpE;EACA,IAAIrU,MAAM,GAAG,IAAI;EACjB,IAAIpjC,QAAQ,GAAG3lB,IAAI;EACnB,MAAMq9D,SAAS,GAAGr9D,IAAI,CAACwuC,WAAW,CAAC,GAAG,CAAC;EACvC,IAAI6uB,SAAS,GAAG,CAAC,EAAE;IACftU,MAAM,GAAG/oD,IAAI,CAAClB,KAAK,CAACu+D,SAAS,GAAG,CAAC,CAAC;IAClC13C,QAAQ,GAAG3lB,IAAI,CAAC2sB,SAAS,CAAC,CAAC,EAAE0wC,SAAS,CAAC;EAC3C;EACA,OAAO;IAAE13C,QAAQ;IAAEojC;EAAO,CAAC;AAC/B;;AAEA;AACA;AACA;AACA;AACA,SAASuU,cAAcA,CAAC3E,GAAG,EAAE;EACzB,KAAK,MAAM/tD,IAAI,IAAI+tD,GAAG,CAACf,KAAK,CAACx7C,MAAM,CAAC,CAAC,EAAE;IACnC,KAAK,MAAMgiC,EAAE,IAAIxzC,IAAI,CAACisD,MAAM,EAAE;MAC1B,QAAQzY,EAAE,CAACvO,IAAI;QACX,KAAKwc,MAAM,CAAC+G,YAAY;QACxB,KAAK/G,MAAM,CAAC8G,OAAO;QACnB,KAAK9G,MAAM,CAAClwB,QAAQ;UAChB,IAAI,CAAC5P,KAAK,CAACC,OAAO,CAAC4xB,EAAE,CAACqX,SAAS,CAAC,EAAE;YAC9B,MAAM,IAAI/2D,KAAK,CAAC,yDAAyD,CAAC;UAC9E;UACA0/C,EAAE,CAAC8O,YAAY,IAAI9O,EAAE,CAACqX,SAAS,CAACv3D,MAAM;UACtC,IAAIkgD,EAAE,CAACqX,SAAS,CAACv3D,MAAM,GAAG,CAAC,EAAE;YACzB,MAAMu3D,SAAS,GAAG8H,kBAAkB,CAACnf,EAAE,CAACqX,SAAS,CAAC;YAClDrX,EAAE,CAACqX,SAAS,GAAGkD,GAAG,CAACV,QAAQ,CAACxC,SAAS,CAAC;UAC1C,CAAC,MACI;YACDrX,EAAE,CAACqX,SAAS,GAAG,IAAI;UACvB;UACA;MACR;IACJ;EACJ;AACJ;AACA,SAAS8H,kBAAkBA,CAAChoC,IAAI,EAAE;EAC9B,MAAMioC,SAAS,GAAG,EAAE;EACpB,KAAK,MAAM/nC,GAAG,IAAIF,IAAI,EAAE;IACpBioC,SAAS,CAACr/D,IAAI,CAAC0e,OAAO,CAAC4Y,GAAG,CAACz1B,IAAI,CAAC,EAAE6c,OAAO,CAAC4Y,GAAG,CAACe,MAAM,CAAC,CAAC;EAC1D;EACA,OAAOra,UAAU,CAACqhD,SAAS,CAAC;AAChC;;AAEA;AACA;AACA;AACA,SAASC,cAAcA,CAACjG,GAAG,EAAE;EACzB,KAAK,MAAM,CAAClV,CAAC,EAAE13C,IAAI,CAAC,IAAI4sD,GAAG,CAACI,KAAK,EAAE;IAC/B,IAAI8F,eAAe,GAAG/J,SAAS,CAACzT,IAAI;IACpC,KAAK,MAAM9B,EAAE,IAAIxzC,IAAI,CAACisD,MAAM,EAAE;MAC1B,IAAIzY,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAC8G,OAAO,IAAI/U,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAC+G,YAAY,EAAE;QAC/D;MACJ;MACA,IAAIhV,EAAE,CAACoX,SAAS,KAAKkI,eAAe,EAAE;QAClC9J,MAAM,CAACsB,YAAY,CAACuB,iBAAiB,CAACrY,EAAE,CAACoX,SAAS,CAAC,EAAEpX,EAAE,CAAC;QACxDsf,eAAe,GAAGtf,EAAE,CAACoX,SAAS;MAClC;IACJ;EACJ;AACJ;AAEA,MAAMmI,gBAAgB,GAAG,IAAIl9D,GAAG,CAAC,CAC7B,CAAC,IAAI,EAAE2O,cAAc,CAAC6C,GAAG,CAAC,EAC1B,CAAC,GAAG,EAAE7C,cAAc,CAACwD,MAAM,CAAC,EAC5B,CAAC,IAAI,EAAExD,cAAc,CAAC0D,YAAY,CAAC,EACnC,CAAC,GAAG,EAAE1D,cAAc,CAACgD,UAAU,CAAC,EAChC,CAAC,GAAG,EAAEhD,cAAc,CAACuC,MAAM,CAAC,EAC5B,CAAC,IAAI,EAAEvC,cAAc,CAAC2B,MAAM,CAAC,EAC7B,CAAC,KAAK,EAAE3B,cAAc,CAAC+B,SAAS,CAAC,EACjC,CAAC,GAAG,EAAE/B,cAAc,CAACoD,KAAK,CAAC,EAC3B,CAAC,IAAI,EAAEpD,cAAc,CAACsD,WAAW,CAAC,EAClC,CAAC,GAAG,EAAEtD,cAAc,CAACmC,KAAK,CAAC,EAC3B,CAAC,GAAG,EAAEnC,cAAc,CAAC2C,MAAM,CAAC,EAC5B,CAAC,GAAG,EAAE3C,cAAc,CAACyC,QAAQ,CAAC,EAC9B,CAAC,IAAI,EAAEzC,cAAc,CAAC6B,SAAS,CAAC,EAChC,CAAC,KAAK,EAAE7B,cAAc,CAACiC,YAAY,CAAC,EACpC,CAAC,IAAI,EAAEjC,cAAc,CAAC8D,eAAe,CAAC,EACtC,CAAC,IAAI,EAAE9D,cAAc,CAACkD,EAAE,CAAC,EACzB,CAAC,GAAG,EAAElD,cAAc,CAACqC,IAAI,CAAC,CAC7B,CAAC;AACF,MAAMmsD,UAAU,GAAG,IAAIn9D,GAAG,CAAC,CAAC,CAAC,KAAK,EAAEkzD,SAAS,CAACkK,GAAG,CAAC,EAAE,CAAC,MAAM,EAAElK,SAAS,CAAC1uD,IAAI,CAAC,CAAC,CAAC;AAC9E,SAAS64D,eAAeA,CAACC,kBAAkB,EAAE;EACzC,IAAIA,kBAAkB,KAAK,IAAI,EAAE;IAC7B,OAAOpK,SAAS,CAACzT,IAAI;EACzB;EACA,OAAO0d,UAAU,CAAC37D,GAAG,CAAC87D,kBAAkB,CAAC,IAAIpK,SAAS,CAACzT,IAAI;AAC/D;AACA,SAAS8d,eAAeA,CAACxI,SAAS,EAAE;EAChC,KAAK,MAAM,CAACvtD,CAAC,EAAEq2B,CAAC,CAAC,IAAIs/B,UAAU,CAACtkD,OAAO,CAAC,CAAC,EAAE;IACvC,IAAIglB,CAAC,KAAKk3B,SAAS,EAAE;MACjB,OAAOvtD,CAAC;IACZ;EACJ;EACA,OAAO,IAAI,CAAC,CAAC;AACjB;AACA,SAASg2D,mBAAmBA,CAACC,WAAW,EAAE1I,SAAS,EAAE;EACjD,IAAIA,SAAS,KAAK7B,SAAS,CAACzT,IAAI,EAAE;IAC9B,OAAOge,WAAW;EACtB;EACA,OAAO,IAAIF,eAAe,CAACxI,SAAS,CAAC,IAAI0I,WAAW,EAAE;AAC1D;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA,SAASC,WAAWA,CAACxF,GAAG,EAAE;EACtByF,cAAc,CAACzF,GAAG,CAAClB,IAAI,EAAEkB,GAAG,CAACzB,aAAa,EAAE;IAAExsD,KAAK,EAAE;EAAE,CAAC,EAAEiuD,GAAG,CAACvB,aAAa,KAAK5K,iBAAiB,CAACmN,yBAAyB,CAAC;AAChI;AACA,SAASyE,cAAcA,CAACzkC,IAAI,EAAE0kC,QAAQ,EAAEC,KAAK,EAAElH,aAAa,EAAE;EAC1D,IAAIz9B,IAAI,CAACo9B,MAAM,KAAK,IAAI,EAAE;IACtBp9B,IAAI,CAACo9B,MAAM,GAAG3mB,kBAAkB,CAAC,GAAGiuB,QAAQ,IAAI1kC,IAAI,CAAC69B,GAAG,CAACH,QAAQ,EAAE,CAAC;EACxE;EACA;EACA;EACA,MAAMkH,QAAQ,GAAG,IAAI99D,GAAG,CAAC,CAAC;EAC1B,KAAK,MAAM29C,EAAE,IAAIzkB,IAAI,CAACy6B,GAAG,CAAC,CAAC,EAAE;IACzB,QAAQhW,EAAE,CAACvO,IAAI;MACX,KAAKwc,MAAM,CAACT,QAAQ;QAChB,IAAIxN,EAAE,CAACyQ,kBAAkB,EAAE;UACvBzQ,EAAE,CAACp+C,IAAI,GAAG,GAAG,GAAGo+C,EAAE,CAACp+C,IAAI;QAC3B;QACA;MACJ,KAAKqsD,MAAM,CAAC2G,QAAQ;QAChB,IAAI5U,EAAE,CAAC+X,aAAa,KAAK,IAAI,EAAE;UAC3B,IAAI/X,EAAE,CAAC6O,IAAI,KAAK,IAAI,EAAE;YAClB,MAAM,IAAIvuD,KAAK,CAAC,gCAAgC,CAAC;UACrD;UACA,MAAM8/D,WAAW,GAAGpgB,EAAE,CAACz/C,GAAG,CAACe,OAAO,CAAC,GAAG,EAAE,GAAG,CAAC;UAC5C,IAAI0+C,EAAE,CAACiY,mBAAmB,EAAE;YACxBjY,EAAE,CAAC+X,aAAa,GAAG/lB,kBAAkB,CAAC,GAAGzW,IAAI,CAACo9B,MAAM,IAAIyH,WAAW,cAAcpgB,EAAE,CAACp+C,IAAI,IAAIo+C,EAAE,CAACkY,cAAc,IAAIlY,EAAE,CAAC6O,IAAI,WAAW,CAAC;YACpI7O,EAAE,CAACp+C,IAAI,GAAG,IAAIo+C,EAAE,CAACp+C,IAAI,IAAIo+C,EAAE,CAACkY,cAAc,EAAE;UAChD,CAAC,MACI;YACDlY,EAAE,CAAC+X,aAAa,GACZ/lB,kBAAkB,CAAC,GAAGzW,IAAI,CAACo9B,MAAM,IAAIyH,WAAW,IAAIpgB,EAAE,CAACp+C,IAAI,IAAIo+C,EAAE,CAAC6O,IAAI,WAAW,CAAC;UAC1F;QACJ;QACA;MACJ,KAAKZ,MAAM,CAAC5vB,QAAQ;QAChB8hC,QAAQ,CAACr8D,GAAG,CAACk8C,EAAE,CAAC4P,IAAI,EAAEyQ,eAAe,CAACrgB,EAAE,CAACxiC,QAAQ,EAAE0iD,KAAK,CAAC,CAAC;QAC1D;MACJ,KAAKjS,MAAM,CAAClwB,QAAQ;QAChB,IAAI,EAAExC,IAAI,YAAYm+B,mBAAmB,CAAC,EAAE;UACxC,MAAM,IAAIp5D,KAAK,CAAC,+CAA+C,CAAC;QACpE;QACA,MAAM85D,SAAS,GAAG7+B,IAAI,CAAC69B,GAAG,CAACI,KAAK,CAAC31D,GAAG,CAACm8C,EAAE,CAAC4P,IAAI,CAAC;QAC7C,IAAI5P,EAAE,CAAC6O,IAAI,KAAK,IAAI,EAAE;UAClB,MAAM,IAAIvuD,KAAK,CAAC,8BAA8B,CAAC;QACnD;QACA0/D,cAAc,CAAC5F,SAAS,EAAE,GAAG6F,QAAQ,IAAIJ,mBAAmB,CAAC7f,EAAE,CAACz/C,GAAG,EAAEy/C,EAAE,CAACoX,SAAS,CAAC,IAAIpX,EAAE,CAAC6O,IAAI,EAAE,EAAEqR,KAAK,EAAElH,aAAa,CAAC;QACtH;MACJ,KAAK/K,MAAM,CAAC2C,SAAS;QACjB5Q,EAAE,CAACp+C,IAAI,GAAG0+D,sBAAsB,CAACtgB,EAAE,CAACp+C,IAAI,CAAC;QACzC,IAAIo3D,aAAa,EAAE;UACfhZ,EAAE,CAACp+C,IAAI,GAAG2+D,cAAc,CAACvgB,EAAE,CAACp+C,IAAI,CAAC;QACrC;QACA;MACJ,KAAKqsD,MAAM,CAAC6C,SAAS;QACjB,IAAIkI,aAAa,EAAE;UACfhZ,EAAE,CAACp+C,IAAI,GAAG2+D,cAAc,CAACvgB,EAAE,CAACp+C,IAAI,CAAC;QACrC;QACA;IACR;EACJ;EACA;EACA;EACA,KAAK,MAAMo+C,EAAE,IAAIzkB,IAAI,CAACy6B,GAAG,CAAC,CAAC,EAAE;IACzBzB,oBAAoB,CAACvU,EAAE,EAAEzqC,IAAI,IAAI;MAC7B,IAAI,EAAEA,IAAI,YAAY29C,gBAAgB,CAAC,IAAI39C,IAAI,CAAC3T,IAAI,KAAK,IAAI,EAAE;QAC3D;MACJ;MACA,IAAI,CAACu+D,QAAQ,CAACr/C,GAAG,CAACvL,IAAI,CAACq6C,IAAI,CAAC,EAAE;QAC1B,MAAM,IAAItvD,KAAK,CAAC,YAAYiV,IAAI,CAACq6C,IAAI,gBAAgB,CAAC;MAC1D;MACAr6C,IAAI,CAAC3T,IAAI,GAAGu+D,QAAQ,CAACt8D,GAAG,CAAC0R,IAAI,CAACq6C,IAAI,CAAC;IACvC,CAAC,CAAC;EACN;AACJ;AACA,SAASyQ,eAAeA,CAAC7iD,QAAQ,EAAE0iD,KAAK,EAAE;EACtC,IAAI1iD,QAAQ,CAAC5b,IAAI,KAAK,IAAI,EAAE;IACxB,QAAQ4b,QAAQ,CAACi0B,IAAI;MACjB,KAAK0c,oBAAoB,CAACmE,OAAO;QAC7B90C,QAAQ,CAAC5b,IAAI,GAAG,QAAQs+D,KAAK,CAAC5zD,KAAK,EAAE,EAAE;QACvC;MACJ,KAAK6hD,oBAAoB,CAACqQ,UAAU;QAChChhD,QAAQ,CAAC5b,IAAI,GAAG,GAAG4b,QAAQ,CAAC2tB,UAAU,IAAI+0B,KAAK,CAAC5zD,KAAK,EAAE,EAAE;QACzD;MACJ;QACIkR,QAAQ,CAAC5b,IAAI,GAAG,KAAKs+D,KAAK,CAAC5zD,KAAK,EAAE,EAAE;QACpC;IACR;EACJ;EACA,OAAOkR,QAAQ,CAAC5b,IAAI;AACxB;AACA;AACA;AACA;AACA,SAAS0+D,sBAAsBA,CAAC1+D,IAAI,EAAE;EAClC,OAAOA,IAAI,CAACujC,UAAU,CAAC,IAAI,CAAC,GAAGvjC,IAAI,GAAGk5D,WAAW,CAACl5D,IAAI,CAAC;AAC3D;AACA;AACA;AACA;AACA,SAAS2+D,cAAcA,CAAC3+D,IAAI,EAAE;EAC1B,MAAM4+D,cAAc,GAAG5+D,IAAI,CAACyrB,OAAO,CAAC,YAAY,CAAC;EACjD,IAAImzC,cAAc,GAAG,CAAC,CAAC,EAAE;IACrB,OAAO5+D,IAAI,CAAC2sB,SAAS,CAAC,CAAC,EAAEiyC,cAAc,CAAC;EAC5C;EACA,OAAO5+D,IAAI;AACf;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAAS6+D,qBAAqBA,CAAClG,GAAG,EAAE;EAChC,KAAK,MAAM/tD,IAAI,IAAI+tD,GAAG,CAACf,KAAK,CAACx7C,MAAM,CAAC,CAAC,EAAE;IACnC,KAAK,MAAMgiC,EAAE,IAAIxzC,IAAI,CAACisD,MAAM,EAAE;MAC1B,IAAIzY,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAC2G,QAAQ,EAAE;QAC7B8L,sBAAsB,CAAC1gB,EAAE,CAAC8U,UAAU,CAAC;MACzC;IACJ;IACA4L,sBAAsB,CAACl0D,IAAI,CAACksD,MAAM,CAAC;EACvC;AACJ;AACA,SAASgI,sBAAsBA,CAAC1K,GAAG,EAAE;EACjC,KAAK,MAAMhW,EAAE,IAAIgW,GAAG,EAAE;IAClB;IACA,IAAIhW,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAC7xC,SAAS,IAAI,EAAE4jC,EAAE,CAACzL,SAAS,YAAYv/B,mBAAmB,CAAC,IAC9E,EAAEgrC,EAAE,CAACzL,SAAS,CAACh/B,IAAI,YAAYg9C,eAAe,CAAC,EAAE;MACjD;IACJ;IACA,MAAMoO,UAAU,GAAG3gB,EAAE,CAACzL,SAAS,CAACh/B,IAAI,CAACk9C,KAAK;IAC1C;IACA,IAAImO,UAAU,GAAG,IAAI;IACrB,KAAK,IAAIC,SAAS,GAAG7gB,EAAE,CAACgQ,IAAI,EAAE6Q,SAAS,CAACpvB,IAAI,KAAKwc,MAAM,CAACyH,OAAO,IAAIkL,UAAU,EAAEC,SAAS,GAAGA,SAAS,CAAC7Q,IAAI,EAAE;MACvGuE,oBAAoB,CAACsM,SAAS,EAAE,CAACtrD,IAAI,EAAEokB,KAAK,KAAK;QAC7C,IAAI,CAACo4B,cAAc,CAACx8C,IAAI,CAAC,EAAE;UACvB,OAAOA,IAAI;QACf;QACA,IAAI,CAACqrD,UAAU,EAAE;UACb;UACA;QACJ;QACA,IAAIjnC,KAAK,GAAG05B,kBAAkB,CAACC,gBAAgB,EAAE;UAC7C;UACA;QACJ;QACA,QAAQ/9C,IAAI,CAACk8B,IAAI;UACb,KAAKyc,cAAc,CAACsE,WAAW;YAC3B;YACAj9C,IAAI,CAACk9C,KAAK,IAAIkO,UAAU;YACxBnL,MAAM,CAACiB,MAAM,CAACzW,EAAE,CAAC;YACjB4gB,UAAU,GAAG,KAAK;YAClB;UACJ,KAAK1S,cAAc,CAACyE,cAAc;UAClC,KAAKzE,cAAc,CAAC3vB,SAAS;YACzB;YACAqiC,UAAU,GAAG,KAAK;YAClB;QACR;MACJ,CAAC,CAAC;IACN;EACJ;AACJ;AAEA,MAAME,aAAa,GAAG,cAAc;AACpC;AACA;AACA;AACA,SAASC,gBAAgBA,CAACxG,GAAG,EAAE;EAC3B,KAAK,MAAM,CAACrW,CAAC,EAAE13C,IAAI,CAAC,IAAI+tD,GAAG,CAACf,KAAK,EAAE;IAC/B,MAAMwH,mBAAmB,GAAG,IAAIl5B,GAAG,CAAC,CAAC;IACrC,KAAK,MAAMkY,EAAE,IAAIxzC,IAAI,CAACisD,MAAM,EAAE;MAC1B,IAAIzY,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAC+G,YAAY,IAAIhV,EAAE,CAACz/C,GAAG,KAAKugE,aAAa,EAAE;QAC7D;QACA9gB,EAAE,CAACvO,IAAI,GAAGwc,MAAM,CAACiH,cAAc;QAC/B8L,mBAAmB,CAACv6D,GAAG,CAACu5C,EAAE,CAAC4P,IAAI,CAAC;MACpC;MACA,IAAI5P,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAACgH,UAAU,IAAI+L,mBAAmB,CAAClgD,GAAG,CAACk/B,EAAE,CAAC4P,IAAI,CAAC,EAAE;QACnE;QACA5P,EAAE,CAACvO,IAAI,GAAGwc,MAAM,CAACkH,YAAY;MACjC;IACJ;EACJ;AACJ;;AAEA;AACA;AACA;AACA;AACA,SAAS8L,2BAA2BA,CAAC7H,GAAG,EAAE;EACtC,KAAK,MAAM79B,IAAI,IAAI69B,GAAG,CAACF,KAAK,EAAE;IAC1B,IAAIgI,UAAU,GAAG,KAAK;IACtB,KAAK,MAAMlhB,EAAE,IAAIzkB,IAAI,CAACk9B,MAAM,EAAE;MAC1B,QAAQzY,EAAE,CAACvO,IAAI;QACX,KAAKwc,MAAM,CAAClwB,QAAQ;UAChBmjC,UAAU,GAAG,IAAI;UACjB;QACJ,KAAKjT,MAAM,CAAC+G,YAAY;QACxB,KAAK/G,MAAM,CAAC8G,OAAO;QACnB,KAAK9G,MAAM,CAACiH,cAAc;QAC1B,KAAKjH,MAAM,CAACtuB,SAAS;UACjBuhC,UAAU,GAAG,KAAK;UAClB;QACJ,KAAKjT,MAAM,CAAC2G,QAAQ;UAChB,IAAIsM,UAAU,EAAE;YACZ1L,MAAM,CAACiB,MAAM,CAACzW,EAAE,CAAC;UACrB;UACA;MACR;IACJ;EACJ;AACJ;;AAEA;AACA;AACA;AACA,SAASmhB,aAAaA,CAACtqD,QAAQ,EAAE+4C,IAAI,EAAE;EACnC,MAAMv4C,EAAE,GAAGR,QAAQ,CAAChT,GAAG,CAAC+rD,IAAI,CAAC;EAC7B,IAAIv4C,EAAE,KAAKoW,SAAS,EAAE;IAClB,MAAM,IAAIntB,KAAK,CAAC,oDAAoD,CAAC;EACzE;EACA,OAAO+W,EAAE;AACb;AACA;AACA;AACA;AACA;AACA;AACA,SAAS+pD,gBAAgBA,CAAChI,GAAG,EAAE;EAC3B,MAAMviD,QAAQ,GAAG,IAAIxU,GAAG,CAAC,CAAC;EAC1B,KAAK,MAAMmK,IAAI,IAAI4sD,GAAG,CAACF,KAAK,EAAE;IAC1B,KAAK,MAAMlZ,EAAE,IAAIxzC,IAAI,CAACisD,MAAM,EAAE;MAC1B,IAAI,CAACvB,sBAAsB,CAAClX,EAAE,CAAC,EAAE;QAC7B;MACJ;MACAnpC,QAAQ,CAAC/S,GAAG,CAACk8C,EAAE,CAAC4P,IAAI,EAAE5P,EAAE,CAAC;IAC7B;EACJ;EACA,KAAK,MAAM,CAACkE,CAAC,EAAE13C,IAAI,CAAC,IAAI4sD,GAAG,CAACI,KAAK,EAAE;IAC/B,KAAK,MAAMxZ,EAAE,IAAIxzC,IAAI,CAACisD,MAAM,EAAE;MAC1B,IAAI,CAACzY,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAC+G,YAAY,IAAIhV,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAACiH,cAAc,KACrElV,EAAE,CAACsX,WAAW,EAAE;QAChB9B,MAAM,CAACuB,WAAW,CAACW,uBAAuB,CAAC1X,EAAE,CAAC4P,IAAI,CAAC,EAAE5P,EAAE,CAAC;MAC5D;MACA,IAAI,CAACA,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAACgH,UAAU,IAAIjV,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAACkH,YAAY,KACjEgM,aAAa,CAACtqD,QAAQ,EAAEmpC,EAAE,CAAC4P,IAAI,CAAC,CAAC0H,WAAW,EAAE;QAC9C9B,MAAM,CAACsB,YAAY,CAACa,sBAAsB,CAAC3X,EAAE,CAAC4P,IAAI,CAAC,EAAE5P,EAAE,CAAC;MAC5D;IACJ;EACJ;AACJ;AAEA,SAASqhB,sBAAsBA,CAACjI,GAAG,EAAE;EACjC,KAAK,MAAM79B,IAAI,IAAI69B,GAAG,CAACF,KAAK,EAAE;IAC1B,KAAK,MAAMlZ,EAAE,IAAIzkB,IAAI,CAACy6B,GAAG,CAAC,CAAC,EAAE;MACzBxB,wBAAwB,CAACxU,EAAE,EAAEzqC,IAAI,IAAI;QACjC,IAAI,EAAEA,IAAI,YAAY7C,kBAAkB,CAAC,IACrC6C,IAAI,CAACoF,QAAQ,KAAK3J,cAAc,CAAC8D,eAAe,EAAE;UAClD,OAAOS,IAAI;QACf;QACA,MAAM+rD,UAAU,GAAG,IAAIlN,mBAAmB,CAAC7+C,IAAI,CAACsF,GAAG,CAACrU,KAAK,CAAC,CAAC,EAAE4yD,GAAG,CAACE,cAAc,CAAC,CAAC,CAAC;QAClF,MAAM+D,IAAI,GAAG,IAAIhJ,iBAAiB,CAACiN,UAAU,CAAC1R,IAAI,CAAC;QACnD;QACA;QACA,OAAO,IAAIr9C,eAAe,CAAC,IAAIG,kBAAkB,CAAC1B,cAAc,CAAC6C,GAAG,EAAE,IAAInB,kBAAkB,CAAC1B,cAAc,CAACiC,YAAY,EAAEquD,UAAU,EAAEzlD,SAAS,CAAC,EAAE,IAAInJ,kBAAkB,CAAC1B,cAAc,CAACiC,YAAY,EAAEoqD,IAAI,EAAE,IAAInmD,WAAW,CAACuW,SAAS,CAAC,CAAC,CAAC,EAAE4vC,IAAI,CAAC72D,KAAK,CAAC,CAAC,EAAE+O,IAAI,CAAC9C,GAAG,CAAC;MACrQ,CAAC,EAAE4gD,kBAAkB,CAACtkD,IAAI,CAAC;IAC/B;EACJ;AACJ;AAEA,SAASwyD,iBAAiBA,CAAChH,GAAG,EAAE;EAC5B,KAAK,MAAM/tD,IAAI,IAAI+tD,GAAG,CAACf,KAAK,CAACx7C,MAAM,CAAC,CAAC,EAAE;IACnCwjD,yBAAyB,CAACh1D,IAAI,CAAC;EACnC;AACJ;AACA,SAASg1D,yBAAyBA,CAACh1D,IAAI,EAAE;EACrC,KAAK,MAAMi1D,QAAQ,IAAIj1D,IAAI,CAACksD,MAAM,EAAE;IAChCnE,oBAAoB,CAACkN,QAAQ,EAAE,CAAClsD,IAAI,EAAEokB,KAAK,KAAK;MAC5C,IAAI,CAACo4B,cAAc,CAACx8C,IAAI,CAAC,EAAE;QACvB;MACJ;MACA,IAAIA,IAAI,CAACk8B,IAAI,KAAKyc,cAAc,CAACuF,WAAW,EAAE;QAC1C;MACJ;MACA,IAAI95B,KAAK,GAAG05B,kBAAkB,CAACC,gBAAgB,EAAE;QAC7C,MAAM,IAAIhzD,KAAK,CAAC,sEAAsE,CAAC;MAC3F;MACA,IAAI,CAAC+uD,4BAA4B,CAACoS,QAAQ,CAAC,EAAE;QACzC,MAAM,IAAInhE,KAAK,CAAC,mEAAmE2tD,MAAM,CAACwT,QAAQ,CAAChwB,IAAI,CAAC,EAAE,CAAC;MAC/G;MACAiwB,sBAAsB,CAACl1D,IAAI,EAAEi1D,QAAQ,CAACrpC,MAAM,EAAE7iB,IAAI,CAAC;IACvD,CAAC,CAAC;EACN;AACJ;AACA,SAASmsD,sBAAsBA,CAACl1D,IAAI,EAAEm1D,eAAe,EAAEC,OAAO,EAAE;EAC5D;EACA;EACA;EACA,KAAK,IAAI5hB,EAAE,GAAGxzC,IAAI,CAACisD,MAAM,CAACpjC,IAAI,CAAC26B,IAAI,EAAEhQ,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAACyH,OAAO,EAAE1V,EAAE,GAAGA,EAAE,CAACgQ,IAAI,EAAE;IAC3E,IAAI,CAACZ,oBAAoB,CAACpP,EAAE,CAAC,EAAE;MAC3B;IACJ;IACA,IAAIA,EAAE,CAAC4P,IAAI,KAAK+R,eAAe,EAAE;MAC7B;IACJ;IACA;IACA;IACA,OAAO3hB,EAAE,CAACgQ,IAAI,CAACve,IAAI,KAAKwc,MAAM,CAACj0B,IAAI,EAAE;MACjCgmB,EAAE,GAAGA,EAAE,CAACgQ,IAAI;IAChB;IACA,MAAMvnC,IAAI,GAAG2vC,YAAY,CAACwJ,OAAO,CAACxpC,MAAM,EAAEwpC,OAAO,CAAChgE,IAAI,CAAC;IACvD4zD,MAAM,CAACsB,YAAY,CAACruC,IAAI,EAAEu3B,EAAE,CAACgQ,IAAI,CAAC;IAClC;IACA;EACJ;EACA;EACA,MAAM,IAAI1vD,KAAK,CAAC,2DAA2DshE,OAAO,CAAChgE,IAAI,EAAE,CAAC;AAC9F;AAEA,SAASigE,iBAAiBA,CAACtH,GAAG,EAAE;EAC5B,KAAK,MAAM/tD,IAAI,IAAI+tD,GAAG,CAACf,KAAK,CAACx7C,MAAM,CAAC,CAAC,EAAE;IACnC,KAAK,MAAMgiC,EAAE,IAAIxzC,IAAI,CAACksD,MAAM,EAAE;MAC1BlE,wBAAwB,CAACxU,EAAE,EAAEzqC,IAAI,IAAI;QACjC,IAAI,EAAEA,IAAI,YAAYi+C,eAAe,CAAC,EAAE;UACpC,OAAOj+C,IAAI;QACf;QACA;QACA,IAAIA,IAAI,CAACiB,IAAI,CAAC1W,MAAM,IAAI,CAAC,EAAE;UACvB,OAAOyV,IAAI;QACf;QACA,OAAO,IAAIm+C,uBAAuB,CAACn+C,IAAI,CAAC6iB,MAAM,EAAE7iB,IAAI,CAAC3T,IAAI,EAAEmc,UAAU,CAACxI,IAAI,CAACiB,IAAI,CAAC,EAAEjB,IAAI,CAACiB,IAAI,CAAC1W,MAAM,CAAC;MACvG,CAAC,EAAEuzD,kBAAkB,CAACtkD,IAAI,CAAC;IAC/B;EACJ;AACJ;AAEA,SAAS+yD,QAAQA,CAACrwB,IAAI,EAAE;EACpB,OAAQuO,EAAE,IAAKA,EAAE,CAACvO,IAAI,KAAKA,IAAI;AACnC;AACA;AACA;AACA;AACA;AACA,MAAMswB,QAAQ,GAAG,CACb;EAAEjsC,IAAI,EAAEgsC,QAAQ,CAAC7T,MAAM,CAAC+C,QAAQ,CAAC;EAAE8B,SAAS,EAAEkP;AAAS,CAAC,EACxD;EAAElsC,IAAI,EAAEgsC,QAAQ,CAAC7T,MAAM,CAACiD,QAAQ,CAAC;EAAE4B,SAAS,EAAEkP;AAAS,CAAC,EACxD;EAAElsC,IAAI,EAAEgsC,QAAQ,CAAC7T,MAAM,CAAC2C,SAAS;AAAE,CAAC,EACpC;EAAE96B,IAAI,EAAEgsC,QAAQ,CAAC7T,MAAM,CAAC6C,SAAS;AAAE,CAAC,EACpC;EACIh7B,IAAI,EAAGkqB,EAAE,IAAK,CAACA,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAACT,QAAQ,IAAIxN,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAACyG,YAAY,KACzE1U,EAAE,CAACl2C,UAAU,YAAYqmD;AACjC,CAAC,EACD;EACIr6B,IAAI,EAAGkqB,EAAE,IAAK,CAACA,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAACT,QAAQ,IAAIxN,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAACyG,YAAY,KACzE,EAAE1U,EAAE,CAACl2C,UAAU,YAAYqmD,aAAa;AAChD,CAAC,EACD;EAAEr6B,IAAI,EAAEgsC,QAAQ,CAAC7T,MAAM,CAACd,SAAS;AAAE,CAAC,CACvC;AACD;AACA;AACA;AACA,MAAM8U,cAAc,GAAG,IAAIn6B,GAAG,CAAC,CAC3BmmB,MAAM,CAAC+C,QAAQ,EACf/C,MAAM,CAACiD,QAAQ,EACfjD,MAAM,CAAC2C,SAAS,EAChB3C,MAAM,CAAC6C,SAAS,EAChB7C,MAAM,CAACT,QAAQ,EACfS,MAAM,CAACyG,YAAY,EACnBzG,MAAM,CAACd,SAAS,CACnB,CAAC;AACF;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAAS+U,qBAAqBA,CAAC3H,GAAG,EAAE;EAChC,KAAK,MAAMh/B,IAAI,IAAIg/B,GAAG,CAACrB,KAAK,EAAE;IAC1B,IAAIiJ,UAAU,GAAG,EAAE;IACnB,KAAK,MAAMniB,EAAE,IAAIzkB,IAAI,CAACm9B,MAAM,EAAE;MAC1B,IAAIuJ,cAAc,CAACnhD,GAAG,CAACk/B,EAAE,CAACvO,IAAI,CAAC,EAAE;QAC7B;QACA0wB,UAAU,CAACpiE,IAAI,CAACigD,EAAE,CAAC;QACnBwV,MAAM,CAACiB,MAAM,CAACzW,EAAE,CAAC;MACrB,CAAC,MACI;QACD;QACA;QACA,KAAK,MAAMoiB,SAAS,IAAIC,OAAO,CAACF,UAAU,CAAC,EAAE;UACzC3M,MAAM,CAACsB,YAAY,CAACsL,SAAS,EAAEpiB,EAAE,CAAC;QACtC;QACAmiB,UAAU,GAAG,EAAE;MACnB;IACJ;IACA;IACA,KAAK,MAAMC,SAAS,IAAIC,OAAO,CAACF,UAAU,CAAC,EAAE;MACzC5mC,IAAI,CAACm9B,MAAM,CAAC34D,IAAI,CAACqiE,SAAS,CAAC;IAC/B;EACJ;AACJ;AACA;AACA;AACA;AACA,SAASC,OAAOA,CAACrM,GAAG,EAAE;EAClB;EACA,MAAM/J,MAAM,GAAG99B,KAAK,CAAC0C,IAAI,CAACkxC,QAAQ,EAAE,MAAM,IAAI5zC,KAAK,CAAC,CAAC,CAAC;EACtD,KAAK,MAAM6xB,EAAE,IAAIgW,GAAG,EAAE;IAClB,MAAMsM,UAAU,GAAGP,QAAQ,CAACQ,SAAS,CAACh5B,CAAC,IAAIA,CAAC,CAACzT,IAAI,CAACkqB,EAAE,CAAC,CAAC;IACtDiM,MAAM,CAACqW,UAAU,CAAC,CAACviE,IAAI,CAACigD,EAAE,CAAC;EAC/B;EACA;EACA,OAAOiM,MAAM,CAACuW,OAAO,CAAC,CAACC,KAAK,EAAEvhE,CAAC,KAAK;IAChC,MAAM4xD,SAAS,GAAGiP,QAAQ,CAAC7gE,CAAC,CAAC,CAAC4xD,SAAS;IACvC,OAAOA,SAAS,GAAGA,SAAS,CAAC2P,KAAK,CAAC,GAAGA,KAAK;EAC/C,CAAC,CAAC;AACN;AACA;AACA;AACA;AACA,SAAST,QAAQA,CAAChM,GAAG,EAAE;EACnB,OAAOA,GAAG,CAACt1D,KAAK,CAACs1D,GAAG,CAACl2D,MAAM,GAAG,CAAC,CAAC;AACpC;AAEA,SAAS4iE,2BAA2BA,CAACtJ,GAAG,EAAE;EACtC,KAAK,MAAM5sD,IAAI,IAAI4sD,GAAG,CAACF,KAAK,EAAE;IAC1B,KAAK,MAAMlZ,EAAE,IAAIxzC,IAAI,CAACwpD,GAAG,CAAC,CAAC,EAAE;MACzBzB,oBAAoB,CAACvU,EAAE,EAAEzqC,IAAI,IAAI;QAC7B,IAAI,EAAEA,IAAI,YAAY69C,gBAAgB,CAAC,IAAI79C,IAAI,CAAC6I,IAAI,KAAK,IAAI,EAAE;UAC3D;QACJ;QACA,MAAMukD,WAAW,GAAG,IAAIC,oBAAoB,CAACrtD,IAAI,CAACiB,IAAI,CAAC1W,MAAM,CAAC;QAC9DyV,IAAI,CAACgB,EAAE,GAAG6iD,GAAG,CAACL,IAAI,CAACn4C,iBAAiB,CAAC+hD,WAAW,EAAEptD,IAAI,CAAC6I,IAAI,CAAC;QAC5D7I,IAAI,CAAC6I,IAAI,GAAG,IAAI;MACpB,CAAC,CAAC;IACN;EACJ;AACJ;AACA,MAAMwkD,oBAAoB,SAASviD,YAAY,CAAC;EAC5ClhB,WAAWA,CAACw0D,OAAO,EAAE;IACjB,KAAK,CAAC,CAAC;IACP,IAAI,CAACA,OAAO,GAAGA,OAAO;EAC1B;EACApzC,KAAKA,CAAChL,IAAI,EAAE;IACR,IAAIA,IAAI,YAAYg+C,yBAAyB,EAAE;MAC3C,OAAO,SAASh+C,IAAI,CAACjJ,KAAK,GAAG;IACjC,CAAC,MACI;MACD,OAAO,KAAK,CAACiU,KAAK,CAAChL,IAAI,CAAC;IAC5B;EACJ;EACAwL,2BAA2BA,CAAC8hD,QAAQ,EAAEC,OAAO,EAAE;IAC3C,MAAMC,QAAQ,GAAG,EAAE;IACnB,KAAK,IAAIt8B,GAAG,GAAG,CAAC,EAAEA,GAAG,GAAG,IAAI,CAACktB,OAAO,EAAEltB,GAAG,EAAE,EAAE;MACzCs8B,QAAQ,CAAChjE,IAAI,CAAC,IAAIoa,OAAO,CAAC,IAAI,GAAGssB,GAAG,CAAC,CAAC;IAC1C;IACA;IACA;IACA,MAAMu8B,UAAU,GAAGjQ,gCAAgC,CAAC+P,OAAO,EAAEvtD,IAAI,IAAI;MACjE,IAAI,EAAEA,IAAI,YAAYg+C,yBAAyB,CAAC,EAAE;QAC9C,OAAOh+C,IAAI;MACf;MACA,OAAOiI,QAAQ,CAAC,IAAI,GAAGjI,IAAI,CAACjJ,KAAK,CAAC;IACtC,CAAC,EAAE+mD,kBAAkB,CAACtkD,IAAI,CAAC;IAC3B,OAAO,IAAIyL,mBAAmB,CAACqoD,QAAQ,EAAEE,QAAQ,EAAE,CAAC,IAAIlmD,eAAe,CAACmmD,UAAU,CAAC,CAAC,CAAC;EACzF;AACJ;AAEA,SAASC,0BAA0BA,CAAC7J,GAAG,EAAE;EACrC,KAAK,MAAM5sD,IAAI,IAAI4sD,GAAG,CAACF,KAAK,EAAE;IAC1B,KAAK,MAAMlZ,EAAE,IAAIxzC,IAAI,CAACksD,MAAM,EAAE;MAC1BlE,wBAAwB,CAACxU,EAAE,EAAE,CAACzqC,IAAI,EAAEokB,KAAK,KAAK;QAC1C,IAAIA,KAAK,GAAG05B,kBAAkB,CAACC,gBAAgB,EAAE;UAC7C,OAAO/9C,IAAI;QACf;QACA,IAAIA,IAAI,YAAY0F,gBAAgB,EAAE;UAClC,OAAOioD,qBAAqB,CAAC3tD,IAAI,CAAC;QACtC,CAAC,MACI,IAAIA,IAAI,YAAYgG,cAAc,EAAE;UACrC,OAAO4nD,mBAAmB,CAAC5tD,IAAI,CAAC;QACpC;QACA,OAAOA,IAAI;MACf,CAAC,EAAE89C,kBAAkB,CAACtkD,IAAI,CAAC;IAC/B;EACJ;AACJ;AACA,SAASm0D,qBAAqBA,CAAC3tD,IAAI,EAAE;EACjC,MAAM6tD,cAAc,GAAG,EAAE;EACzB,MAAMC,eAAe,GAAG,EAAE;EAC1B,KAAK,MAAM3nD,KAAK,IAAInG,IAAI,CAAC2F,OAAO,EAAE;IAC9B,IAAIQ,KAAK,CAACxG,UAAU,CAAC,CAAC,EAAE;MACpBkuD,cAAc,CAACrjE,IAAI,CAAC2b,KAAK,CAAC;IAC9B,CAAC,MACI;MACD,MAAM+qB,GAAG,GAAG48B,eAAe,CAACvjE,MAAM;MAClCujE,eAAe,CAACtjE,IAAI,CAAC2b,KAAK,CAAC;MAC3B0nD,cAAc,CAACrjE,IAAI,CAAC,IAAIwzD,yBAAyB,CAAC9sB,GAAG,CAAC,CAAC;IAC3D;EACJ;EACA,OAAO,IAAI2sB,gBAAgB,CAACr1C,UAAU,CAACqlD,cAAc,CAAC,EAAEC,eAAe,CAAC;AAC5E;AACA,SAASF,mBAAmBA,CAAC5tD,IAAI,EAAE;EAC/B,IAAI6tD,cAAc,GAAG,EAAE;EACvB,MAAMC,eAAe,GAAG,EAAE;EAC1B,KAAK,MAAM3nD,KAAK,IAAInG,IAAI,CAAC2F,OAAO,EAAE;IAC9B,IAAIQ,KAAK,CAAC7Z,KAAK,CAACqT,UAAU,CAAC,CAAC,EAAE;MAC1BkuD,cAAc,CAACrjE,IAAI,CAAC2b,KAAK,CAAC;IAC9B,CAAC,MACI;MACD,MAAM+qB,GAAG,GAAG48B,eAAe,CAACvjE,MAAM;MAClCujE,eAAe,CAACtjE,IAAI,CAAC2b,KAAK,CAAC7Z,KAAK,CAAC;MACjCuhE,cAAc,CAACrjE,IAAI,CAAC,IAAIsb,eAAe,CAACK,KAAK,CAAC9J,GAAG,EAAE,IAAI2hD,yBAAyB,CAAC9sB,GAAG,CAAC,EAAE/qB,KAAK,CAACJ,MAAM,CAAC,CAAC;IACzG;EACJ;EACA,OAAO,IAAI83C,gBAAgB,CAACn1C,UAAU,CAACmlD,cAAc,CAAC,EAAEC,eAAe,CAAC;AAC5E;;AAEA;AACA;AACA;AACA,SAASjkE,OAAOA,CAACyvD,IAAI,EAAEtuD,GAAG,EAAE+iE,UAAU,EAAEC,aAAa,EAAE9xD,UAAU,EAAE;EAC/D,OAAO+xD,sBAAsB,CAAC1hD,WAAW,CAAC1iB,OAAO,EAAEyvD,IAAI,EAAEtuD,GAAG,EAAE+iE,UAAU,EAAEC,aAAa,EAAE9xD,UAAU,CAAC;AACxG;AACA,SAAS4Q,YAAYA,CAACwsC,IAAI,EAAEtuD,GAAG,EAAE+iE,UAAU,EAAEC,aAAa,EAAE9xD,UAAU,EAAE;EACpE,OAAO+xD,sBAAsB,CAAC1hD,WAAW,CAACO,YAAY,EAAEwsC,IAAI,EAAEtuD,GAAG,EAAE+iE,UAAU,EAAEC,aAAa,EAAE9xD,UAAU,CAAC;AAC7G;AACA,SAAS+xD,sBAAsBA,CAACpH,WAAW,EAAEvN,IAAI,EAAEtuD,GAAG,EAAE+iE,UAAU,EAAEC,aAAa,EAAE9xD,UAAU,EAAE;EAC3F,MAAM+E,IAAI,GAAG,CAACiI,OAAO,CAACowC,IAAI,CAAC,CAAC;EAC5B,IAAItuD,GAAG,KAAK,IAAI,EAAE;IACdiW,IAAI,CAACzW,IAAI,CAAC0e,OAAO,CAACle,GAAG,CAAC,CAAC;EAC3B;EACA,IAAIgjE,aAAa,KAAK,IAAI,EAAE;IACxB/sD,IAAI,CAACzW,IAAI,CAAC0e,OAAO,CAAC6kD,UAAU,CAAC;IAAE;IAC/B7kD,OAAO,CAAC8kD,aAAa,CAAC,CAAC;EAC3B,CAAC,MACI,IAAID,UAAU,KAAK,IAAI,EAAE;IAC1B9sD,IAAI,CAACzW,IAAI,CAAC0e,OAAO,CAAC6kD,UAAU,CAAC,CAAC;EAClC;EACA,OAAOtiB,IAAI,CAACob,WAAW,EAAE5lD,IAAI,EAAE/E,UAAU,CAAC;AAC9C;AACA,SAAS6Q,UAAUA,CAAC7Q,UAAU,EAAE;EAC5B,OAAOuvC,IAAI,CAACl/B,WAAW,CAACQ,UAAU,EAAE,EAAE,EAAE7Q,UAAU,CAAC;AACvD;AACA,SAAS2R,qBAAqBA,CAACyrC,IAAI,EAAEyU,UAAU,EAAEC,aAAa,EAAE9xD,UAAU,EAAE;EACxE,OAAO+xD,sBAAsB,CAAC1hD,WAAW,CAACsB,qBAAqB,EAAEyrC,IAAI,EAAE,SAAU,IAAI,EAAEyU,UAAU,EAAEC,aAAa,EAAE9xD,UAAU,CAAC;AACjI;AACA,SAAS6R,gBAAgBA,CAACurC,IAAI,EAAEyU,UAAU,EAAEC,aAAa,EAAE9xD,UAAU,EAAE;EACnE,OAAO+xD,sBAAsB,CAAC1hD,WAAW,CAACwB,gBAAgB,EAAEurC,IAAI,EAAE,SAAU,IAAI,EAAEyU,UAAU,EAAEC,aAAa,EAAE9xD,UAAU,CAAC;AAC5H;AACA,SAAS4R,mBAAmBA,CAAA,EAAG;EAC3B,OAAO29B,IAAI,CAACl/B,WAAW,CAACuB,mBAAmB,EAAE,EAAE,EAAE,IAAI,CAAC;AAC1D;AACA,SAASzM,QAAQA,CAACi4C,IAAI,EAAE4U,aAAa,EAAEjM,KAAK,EAAE94B,IAAI,EAAEn+B,GAAG,EAAE+iE,UAAU,EAAE7xD,UAAU,EAAE;EAC7E,OAAOuvC,IAAI,CAACl/B,WAAW,CAACyD,cAAc,EAAE,CACpC9G,OAAO,CAACowC,IAAI,CAAC,EACb4U,aAAa,EACbhlD,OAAO,CAAC+4C,KAAK,CAAC,EACd/4C,OAAO,CAACigB,IAAI,CAAC,EACbjgB,OAAO,CAACle,GAAG,CAAC,EACZke,OAAO,CAAC6kD,UAAU,CAAC,CACtB,EAAE7xD,UAAU,CAAC;AAClB;AACA,SAASiU,eAAeA,CAAA,EAAG;EACvB,OAAOs7B,IAAI,CAACl/B,WAAW,CAAC4D,eAAe,EAAE,EAAE,EAAE,IAAI,CAAC;AACtD;AACA,SAASD,cAAcA,CAAA,EAAG;EACtB,OAAOu7B,IAAI,CAACl/B,WAAW,CAAC2D,cAAc,EAAE,EAAE,EAAE,IAAI,CAAC;AACrD;AACA,SAASsG,QAAQA,CAACnqB,IAAI,EAAE8hE,SAAS,EAAE;EAC/B,OAAO1iB,IAAI,CAACl/B,WAAW,CAACiK,QAAQ,EAAE,CAC9BtN,OAAO,CAAC7c,IAAI,CAAC,EACb8hE,SAAS,CACZ,EAAE,IAAI,CAAC;AACZ;AACA,SAASj7C,IAAIA,CAAComC,IAAI,EAAEjtD,IAAI,EAAE;EACtB,OAAOo/C,IAAI,CAACl/B,WAAW,CAAC2G,IAAI,EAAE,CAC1BhK,OAAO,CAACowC,IAAI,CAAC,EACbpwC,OAAO,CAAC7c,IAAI,CAAC,CAChB,EAAE,IAAI,CAAC;AACZ;AACA,SAASsgB,aAAaA,CAAA,EAAG;EACrB,OAAO8+B,IAAI,CAACl/B,WAAW,CAACI,aAAa,EAAE,EAAE,EAAE,IAAI,CAAC;AACpD;AACA,SAASE,YAAYA,CAAA,EAAG;EACpB,OAAO4+B,IAAI,CAACl/B,WAAW,CAACM,YAAY,EAAE,EAAE,EAAE,IAAI,CAAC;AACnD;AACA,SAASuhD,aAAaA,CAAA,EAAG;EACrB,OAAO3iB,IAAI,CAACl/B,WAAW,CAACK,eAAe,EAAE,EAAE,EAAE,IAAI,CAAC;AACtD;AACA,SAASI,OAAOA,CAAC0tB,KAAK,EAAEx+B,UAAU,EAAE;EAChC,OAAOuvC,IAAI,CAACl/B,WAAW,CAACS,OAAO,EAAE,CAC7B9D,OAAO,CAACwxB,KAAK,CAAC,CACjB,EAAEx+B,UAAU,CAAC;AAClB;AACA,SAASmX,SAASA,CAACimC,IAAI,EAAE;EACrB,OAAOpxC,UAAU,CAACqE,WAAW,CAAC8G,SAAS,CAAC,CAAC9W,MAAM,CAAC,CAC5C2M,OAAO,CAACowC,IAAI,CAAC,CAChB,CAAC;AACN;AACA,SAASxpC,WAAWA,CAACotC,KAAK,EAAE;EACxB,OAAOh1C,UAAU,CAACqE,WAAW,CAACuD,WAAW,CAAC,CAACvT,MAAM,CAAC2gD,KAAK,KAAK,CAAC,GAAG,EAAE,GAAG,CAACh0C,OAAO,CAACg0C,KAAK,CAAC,CAAC,CAAC;AAC1F;AACA,SAAS9sC,cAAcA,CAAA,EAAG;EACtB,OAAOlI,UAAU,CAACqE,WAAW,CAAC6D,cAAc,CAAC,CAAC7T,MAAM,CAAC,EAAE,CAAC;AAC5D;AACA,SAASwU,WAAWA,CAACs9C,SAAS,EAAE;EAC5B,OAAOnmD,UAAU,CAACqE,WAAW,CAACwE,WAAW,CAAC,CAACxU,MAAM,CAAC,CAC9C8xD,SAAS,CACZ,CAAC;AACN;AACA,SAASt+C,SAASA,CAACu+C,WAAW,EAAE;EAC5B,OAAOpmD,UAAU,CAACqE,WAAW,CAACwD,SAAS,CAAC,CAACxT,MAAM,CAAC,CAC5C+xD,WAAW,CACd,CAAC;AACN;AACA,SAAS36D,IAAIA,CAAC2lD,IAAI,EAAEgJ,YAAY,EAAEpmD,UAAU,EAAE;EAC1C,MAAM+E,IAAI,GAAG,CAACiI,OAAO,CAACowC,IAAI,EAAE,IAAI,CAAC,CAAC;EAClC,IAAIgJ,YAAY,KAAK,EAAE,EAAE;IACrBrhD,IAAI,CAACzW,IAAI,CAAC0e,OAAO,CAACo5C,YAAY,CAAC,CAAC;EACpC;EACA,OAAO7W,IAAI,CAACl/B,WAAW,CAAC5Y,IAAI,EAAEsN,IAAI,EAAE/E,UAAU,CAAC;AACnD;AACA,SAAS8V,QAAQA,CAAC3lB,IAAI,EAAEkI,UAAU,EAAE4mD,SAAS,EAAEj/C,UAAU,EAAE;EACvD,MAAM+E,IAAI,GAAG,CAACiI,OAAO,CAAC7c,IAAI,CAAC,EAAEkI,UAAU,CAAC;EACxC,IAAI4mD,SAAS,KAAK,IAAI,EAAE;IACpBl6C,IAAI,CAACzW,IAAI,CAAC2wD,SAAS,CAAC;EACxB;EACA,OAAO1P,IAAI,CAACl/B,WAAW,CAACyF,QAAQ,EAAE/Q,IAAI,EAAE/E,UAAU,CAAC;AACvD;AACA,SAAS5Q,SAASA,CAACe,IAAI,EAAEkI,UAAU,EAAE4mD,SAAS,EAAE;EAC5C,MAAMl6C,IAAI,GAAG,CAACiI,OAAO,CAAC7c,IAAI,CAAC,EAAEkI,UAAU,CAAC;EACxC,IAAI4mD,SAAS,KAAK,IAAI,EAAE;IACpBl6C,IAAI,CAACzW,IAAI,CAAC2wD,SAAS,CAAC;EACxB;EACA,OAAO1P,IAAI,CAACl/B,WAAW,CAACjhB,SAAS,EAAE2V,IAAI,EAAE,IAAI,CAAC;AAClD;AACA,SAASmO,SAASA,CAAC/iB,IAAI,EAAEkI,UAAU,EAAEyxB,IAAI,EAAE;EACvC,MAAM/kB,IAAI,GAAG,CAACiI,OAAO,CAAC7c,IAAI,CAAC,EAAEkI,UAAU,CAAC;EACxC,IAAIyxB,IAAI,KAAK,IAAI,EAAE;IACf/kB,IAAI,CAACzW,IAAI,CAAC0e,OAAO,CAAC8c,IAAI,CAAC,CAAC;EAC5B;EACA,OAAOylB,IAAI,CAACl/B,WAAW,CAAC6C,SAAS,EAAEnO,IAAI,EAAE,IAAI,CAAC;AAClD;AACA,SAAS2M,SAASA,CAACvhB,IAAI,EAAEkI,UAAU,EAAE;EACjC,OAAOk3C,IAAI,CAACl/B,WAAW,CAACqB,SAAS,EAAE,CAAC1E,OAAO,CAAC7c,IAAI,CAAC,EAAEkI,UAAU,CAAC,EAAE,IAAI,CAAC;AACzE;AACA,SAASyZ,QAAQA,CAACzZ,UAAU,EAAE;EAC1B,OAAOk3C,IAAI,CAACl/B,WAAW,CAACyB,QAAQ,EAAE,CAACzZ,UAAU,CAAC,EAAE,IAAI,CAAC;AACzD;AACA,SAASma,QAAQA,CAACna,UAAU,EAAE;EAC1B,OAAOk3C,IAAI,CAACl/B,WAAW,CAACmC,QAAQ,EAAE,CAACna,UAAU,CAAC,EAAE,IAAI,CAAC;AACzD;AACA,MAAMg6D,aAAa,GAAG,CAClBhiD,WAAW,CAACmF,SAAS,EACrBnF,WAAW,CAACoF,SAAS,EACrBpF,WAAW,CAACqF,SAAS,EACrBrF,WAAW,CAACsF,SAAS,CACxB;AACD,SAAS28C,QAAQA,CAAClV,IAAI,EAAEM,SAAS,EAAE34C,IAAI,EAAE;EACrC,IAAIA,IAAI,CAAC1W,MAAM,GAAG,CAAC,IAAI0W,IAAI,CAAC1W,MAAM,GAAGgkE,aAAa,CAAChkE,MAAM,EAAE;IACvD,MAAM,IAAIQ,KAAK,CAAC,yCAAyC,CAAC;EAC9D;EACA,MAAM87D,WAAW,GAAG0H,aAAa,CAACttD,IAAI,CAAC1W,MAAM,GAAG,CAAC,CAAC;EAClD,OAAO2d,UAAU,CAAC2+C,WAAW,CAAC,CAACtqD,MAAM,CAAC,CAClC2M,OAAO,CAACowC,IAAI,CAAC,EACbpwC,OAAO,CAAC0wC,SAAS,CAAC,EAClB,GAAG34C,IAAI,CACV,CAAC;AACN;AACA,SAAS6Q,SAASA,CAACwnC,IAAI,EAAEM,SAAS,EAAE34C,IAAI,EAAE;EACtC,OAAOiH,UAAU,CAACqE,WAAW,CAACuF,SAAS,CAAC,CAACvV,MAAM,CAAC,CAC5C2M,OAAO,CAACowC,IAAI,CAAC,EACbpwC,OAAO,CAAC0wC,SAAS,CAAC,EAClB34C,IAAI,CACP,CAAC;AACN;AACA,SAASoP,eAAeA,CAACkgB,OAAO,EAAEhvB,WAAW,EAAErF,UAAU,EAAE;EACvD,IAAIq0B,OAAO,CAAChmC,MAAM,GAAG,CAAC,IAAIgX,WAAW,CAAChX,MAAM,KAAKgmC,OAAO,CAAChmC,MAAM,GAAG,CAAC,EAAE;IACjE,MAAM,IAAIQ,KAAK,CAAC,0FAA0F,CAAC;EAC/G;EACA,MAAM0jE,iBAAiB,GAAG,EAAE;EAC5B,IAAIltD,WAAW,CAAChX,MAAM,KAAK,CAAC,IAAIgmC,OAAO,CAAC,CAAC,CAAC,KAAK,EAAE,IAAIA,OAAO,CAAC,CAAC,CAAC,KAAK,EAAE,EAAE;IACpEk+B,iBAAiB,CAACjkE,IAAI,CAAC+W,WAAW,CAAC,CAAC,CAAC,CAAC;EAC1C,CAAC,MACI;IACD,IAAI2vB,GAAG;IACP,KAAKA,GAAG,GAAG,CAAC,EAAEA,GAAG,GAAG3vB,WAAW,CAAChX,MAAM,EAAE2mC,GAAG,EAAE,EAAE;MAC3Cu9B,iBAAiB,CAACjkE,IAAI,CAAC0e,OAAO,CAACqnB,OAAO,CAACW,GAAG,CAAC,CAAC,EAAE3vB,WAAW,CAAC2vB,GAAG,CAAC,CAAC;IACnE;IACA;IACAu9B,iBAAiB,CAACjkE,IAAI,CAAC0e,OAAO,CAACqnB,OAAO,CAACW,GAAG,CAAC,CAAC,CAAC;EACjD;EACA,OAAOw9B,uBAAuB,CAACC,uBAAuB,EAAE,EAAE,EAAEF,iBAAiB,EAAE,EAAE,EAAEvyD,UAAU,CAAC;AAClG;AACA,SAAS+V,mBAAmBA,CAAC5lB,IAAI,EAAEkkC,OAAO,EAAEhvB,WAAW,EAAE45C,SAAS,EAAEj/C,UAAU,EAAE;EAC5E,MAAMuyD,iBAAiB,GAAGG,wBAAwB,CAACr+B,OAAO,EAAEhvB,WAAW,CAAC;EACxE,MAAMstD,SAAS,GAAG,EAAE;EACpB,IAAI1T,SAAS,KAAK,IAAI,EAAE;IACpB0T,SAAS,CAACrkE,IAAI,CAAC2wD,SAAS,CAAC;EAC7B;EACA,OAAOuT,uBAAuB,CAACI,2BAA2B,EAAE,CAAC5lD,OAAO,CAAC7c,IAAI,CAAC,CAAC,EAAEoiE,iBAAiB,EAAEI,SAAS,EAAE3yD,UAAU,CAAC;AAC1H;AACA,SAAS6yD,oBAAoBA,CAAC1iE,IAAI,EAAEkkC,OAAO,EAAEhvB,WAAW,EAAE45C,SAAS,EAAE;EACjE,MAAMsT,iBAAiB,GAAGG,wBAAwB,CAACr+B,OAAO,EAAEhvB,WAAW,CAAC;EACxE,MAAMstD,SAAS,GAAG,EAAE;EACpB,IAAI1T,SAAS,KAAK,IAAI,EAAE;IACpB0T,SAAS,CAACrkE,IAAI,CAAC2wD,SAAS,CAAC;EAC7B;EACA,OAAOuT,uBAAuB,CAACM,4BAA4B,EAAE,CAAC9lD,OAAO,CAAC7c,IAAI,CAAC,CAAC,EAAEoiE,iBAAiB,EAAEI,SAAS,EAAE,IAAI,CAAC;AACrH;AACA,SAASI,oBAAoBA,CAAC5iE,IAAI,EAAEkkC,OAAO,EAAEhvB,WAAW,EAAEykB,IAAI,EAAE;EAC5D,MAAMyoC,iBAAiB,GAAGG,wBAAwB,CAACr+B,OAAO,EAAEhvB,WAAW,CAAC;EACxE,MAAMstD,SAAS,GAAG,EAAE;EACpB,IAAI7oC,IAAI,KAAK,IAAI,EAAE;IACf6oC,SAAS,CAACrkE,IAAI,CAAC0e,OAAO,CAAC8c,IAAI,CAAC,CAAC;EACjC;EACA,OAAO0oC,uBAAuB,CAACQ,6BAA6B,EAAE,CAAChmD,OAAO,CAAC7c,IAAI,CAAC,CAAC,EAAEoiE,iBAAiB,EAAEI,SAAS,EAAE,IAAI,CAAC;AACtH;AACA,SAASM,mBAAmBA,CAAC5+B,OAAO,EAAEhvB,WAAW,EAAE;EAC/C,MAAMktD,iBAAiB,GAAGG,wBAAwB,CAACr+B,OAAO,EAAEhvB,WAAW,CAAC;EACxE,OAAOmtD,uBAAuB,CAACU,4BAA4B,EAAE,EAAE,EAAEX,iBAAiB,EAAE,EAAE,EAAE,IAAI,CAAC;AACjG;AACA,SAASY,mBAAmBA,CAAC9+B,OAAO,EAAEhvB,WAAW,EAAE;EAC/C,MAAMktD,iBAAiB,GAAGG,wBAAwB,CAACr+B,OAAO,EAAEhvB,WAAW,CAAC;EACxE,OAAOmtD,uBAAuB,CAACY,4BAA4B,EAAE,EAAE,EAAEb,iBAAiB,EAAE,EAAE,EAAE,IAAI,CAAC;AACjG;AACA,SAAS18C,YAAYA,CAAC1lB,IAAI,EAAEkI,UAAU,EAAE;EACpC,OAAOk3C,IAAI,CAACl/B,WAAW,CAACwF,YAAY,EAAE,CAAC7I,OAAO,CAAC7c,IAAI,CAAC,EAAEkI,UAAU,CAAC,EAAE,IAAI,CAAC;AAC5E;AACA,SAASg7D,YAAYA,CAAC3V,SAAS,EAAE54C,EAAE,EAAEC,IAAI,EAAE;EACvC,OAAOuuD,2BAA2B,CAACC,oBAAoB,EAAE,CACrDvmD,OAAO,CAAC0wC,SAAS,CAAC,EAClB54C,EAAE,CACL,EAAEC,IAAI,EAAE,EAAE,EAAE,IAAI,CAAC;AACtB;AACA;AACA;AACA;AACA,SAAS2tD,wBAAwBA,CAACr+B,OAAO,EAAEhvB,WAAW,EAAE;EACpD,IAAIgvB,OAAO,CAAChmC,MAAM,GAAG,CAAC,IAAIgX,WAAW,CAAChX,MAAM,KAAKgmC,OAAO,CAAChmC,MAAM,GAAG,CAAC,EAAE;IACjE,MAAM,IAAIQ,KAAK,CAAC,0FAA0F,CAAC;EAC/G;EACA,MAAM0jE,iBAAiB,GAAG,EAAE;EAC5B,IAAIltD,WAAW,CAAChX,MAAM,KAAK,CAAC,IAAIgmC,OAAO,CAAC,CAAC,CAAC,KAAK,EAAE,IAAIA,OAAO,CAAC,CAAC,CAAC,KAAK,EAAE,EAAE;IACpEk+B,iBAAiB,CAACjkE,IAAI,CAAC+W,WAAW,CAAC,CAAC,CAAC,CAAC;EAC1C,CAAC,MACI;IACD,IAAI2vB,GAAG;IACP,KAAKA,GAAG,GAAG,CAAC,EAAEA,GAAG,GAAG3vB,WAAW,CAAChX,MAAM,EAAE2mC,GAAG,EAAE,EAAE;MAC3Cu9B,iBAAiB,CAACjkE,IAAI,CAAC0e,OAAO,CAACqnB,OAAO,CAACW,GAAG,CAAC,CAAC,EAAE3vB,WAAW,CAAC2vB,GAAG,CAAC,CAAC;IACnE;IACA;IACAu9B,iBAAiB,CAACjkE,IAAI,CAAC0e,OAAO,CAACqnB,OAAO,CAACW,GAAG,CAAC,CAAC,CAAC;EACjD;EACA,OAAOu9B,iBAAiB;AAC5B;AACA,SAAShjB,IAAIA,CAACob,WAAW,EAAE5lD,IAAI,EAAE/E,UAAU,EAAE;EACzC,MAAM8D,IAAI,GAAGkI,UAAU,CAAC2+C,WAAW,CAAC,CAACtqD,MAAM,CAAC0E,IAAI,EAAE/E,UAAU,CAAC;EAC7D,OAAOg+C,iBAAiB,CAAC,IAAIz6C,mBAAmB,CAACO,IAAI,EAAE9D,UAAU,CAAC,CAAC;AACvE;AACA;AACA;AACA;AACA,MAAMyyD,uBAAuB,GAAG;EAC5Be,QAAQ,EAAE,CACNnjD,WAAW,CAAC8D,eAAe,EAC3B9D,WAAW,CAAC+D,gBAAgB,EAC5B/D,WAAW,CAACgE,gBAAgB,EAC5BhE,WAAW,CAACiE,gBAAgB,EAC5BjE,WAAW,CAACkE,gBAAgB,EAC5BlE,WAAW,CAACmE,gBAAgB,EAC5BnE,WAAW,CAACoE,gBAAgB,EAC5BpE,WAAW,CAACqE,gBAAgB,EAC5BrE,WAAW,CAACsE,gBAAgB,CAC/B;EACD5I,QAAQ,EAAEsE,WAAW,CAACuE,gBAAgB;EACtC6+C,OAAO,EAAEhlC,CAAC,IAAI;IACV,IAAIA,CAAC,GAAG,CAAC,KAAK,CAAC,EAAE;MACb,MAAM,IAAI5/B,KAAK,CAAC,kCAAkC,CAAC;IACvD;IACA,OAAO,CAAC4/B,CAAC,GAAG,CAAC,IAAI,CAAC;EACtB;AACJ,CAAC;AACD;AACA;AACA;AACA,MAAMmkC,2BAA2B,GAAG;EAChCY,QAAQ,EAAE,CACNnjD,WAAW,CAAC0F,mBAAmB,EAC/B1F,WAAW,CAAC2F,oBAAoB,EAChC3F,WAAW,CAAC4F,oBAAoB,EAChC5F,WAAW,CAAC6F,oBAAoB,EAChC7F,WAAW,CAAC8F,oBAAoB,EAChC9F,WAAW,CAAC+F,oBAAoB,EAChC/F,WAAW,CAACgG,oBAAoB,EAChChG,WAAW,CAACiG,oBAAoB,EAChCjG,WAAW,CAACkG,oBAAoB,CACnC;EACDxK,QAAQ,EAAEsE,WAAW,CAACmG,oBAAoB;EAC1Ci9C,OAAO,EAAEhlC,CAAC,IAAI;IACV,IAAIA,CAAC,GAAG,CAAC,KAAK,CAAC,EAAE;MACb,MAAM,IAAI5/B,KAAK,CAAC,kCAAkC,CAAC;IACvD;IACA,OAAO,CAAC4/B,CAAC,GAAG,CAAC,IAAI,CAAC;EACtB;AACJ,CAAC;AACD;AACA;AACA;AACA,MAAMukC,6BAA6B,GAAG;EAClCQ,QAAQ,EAAE,CACNnjD,WAAW,CAAC6C,SAAS,EACrB7C,WAAW,CAAC8C,qBAAqB,EACjC9C,WAAW,CAAC+C,qBAAqB,EACjC/C,WAAW,CAACgD,qBAAqB,EACjChD,WAAW,CAACiD,qBAAqB,EACjCjD,WAAW,CAACkD,qBAAqB,EACjClD,WAAW,CAACmD,qBAAqB,EACjCnD,WAAW,CAACoD,qBAAqB,EACjCpD,WAAW,CAACqD,qBAAqB,CACpC;EACD3H,QAAQ,EAAEsE,WAAW,CAACsD,qBAAqB;EAC3C8/C,OAAO,EAAEhlC,CAAC,IAAI;IACV,IAAIA,CAAC,GAAG,CAAC,KAAK,CAAC,EAAE;MACb,MAAM,IAAI5/B,KAAK,CAAC,kCAAkC,CAAC;IACvD;IACA,OAAO,CAAC4/B,CAAC,GAAG,CAAC,IAAI,CAAC;EACtB;AACJ,CAAC;AACD;AACA;AACA;AACA,MAAMqkC,4BAA4B,GAAG;EACjCU,QAAQ,EAAE,CACNnjD,WAAW,CAACjhB,SAAS,EACrBihB,WAAW,CAACY,qBAAqB,EACjCZ,WAAW,CAACa,qBAAqB,EACjCb,WAAW,CAACc,qBAAqB,EACjCd,WAAW,CAACe,qBAAqB,EACjCf,WAAW,CAACgB,qBAAqB,EACjChB,WAAW,CAACiB,qBAAqB,EACjCjB,WAAW,CAACkB,qBAAqB,EACjClB,WAAW,CAACmB,qBAAqB,CACpC;EACDzF,QAAQ,EAAEsE,WAAW,CAACoB,qBAAqB;EAC3CgiD,OAAO,EAAEhlC,CAAC,IAAI;IACV,IAAIA,CAAC,GAAG,CAAC,KAAK,CAAC,EAAE;MACb,MAAM,IAAI5/B,KAAK,CAAC,kCAAkC,CAAC;IACvD;IACA,OAAO,CAAC4/B,CAAC,GAAG,CAAC,IAAI,CAAC;EACtB;AACJ,CAAC;AACD;AACA;AACA;AACA,MAAMykC,4BAA4B,GAAG;EACjCM,QAAQ,EAAE,CACNnjD,WAAW,CAACyB,QAAQ,EACpBzB,WAAW,CAAC0B,oBAAoB,EAChC1B,WAAW,CAAC2B,oBAAoB,EAChC3B,WAAW,CAAC4B,oBAAoB,EAChC5B,WAAW,CAAC6B,oBAAoB,EAChC7B,WAAW,CAAC8B,oBAAoB,EAChC9B,WAAW,CAAC+B,oBAAoB,EAChC/B,WAAW,CAACgC,oBAAoB,EAChChC,WAAW,CAACiC,oBAAoB,CACnC;EACDvG,QAAQ,EAAEsE,WAAW,CAACkC,oBAAoB;EAC1CkhD,OAAO,EAAEhlC,CAAC,IAAI;IACV,IAAIA,CAAC,GAAG,CAAC,KAAK,CAAC,EAAE;MACb,MAAM,IAAI5/B,KAAK,CAAC,kCAAkC,CAAC;IACvD;IACA,OAAO,CAAC4/B,CAAC,GAAG,CAAC,IAAI,CAAC;EACtB;AACJ,CAAC;AACD;AACA;AACA;AACA,MAAM2kC,4BAA4B,GAAG;EACjCI,QAAQ,EAAE,CACNnjD,WAAW,CAACmC,QAAQ,EACpBnC,WAAW,CAACoC,oBAAoB,EAChCpC,WAAW,CAACqC,oBAAoB,EAChCrC,WAAW,CAACsC,oBAAoB,EAChCtC,WAAW,CAACuC,oBAAoB,EAChCvC,WAAW,CAACwC,oBAAoB,EAChCxC,WAAW,CAACyC,oBAAoB,EAChCzC,WAAW,CAAC0C,oBAAoB,EAChC1C,WAAW,CAAC2C,oBAAoB,CACnC;EACDjH,QAAQ,EAAEsE,WAAW,CAAC4C,oBAAoB;EAC1CwgD,OAAO,EAAEhlC,CAAC,IAAI;IACV,IAAIA,CAAC,GAAG,CAAC,KAAK,CAAC,EAAE;MACb,MAAM,IAAI5/B,KAAK,CAAC,kCAAkC,CAAC;IACvD;IACA,OAAO,CAAC4/B,CAAC,GAAG,CAAC,IAAI,CAAC;EACtB;AACJ,CAAC;AACD,MAAM8kC,oBAAoB,GAAG;EACzBC,QAAQ,EAAE,CACNnjD,WAAW,CAACyE,aAAa,EACzBzE,WAAW,CAAC0E,aAAa,EACzB1E,WAAW,CAAC2E,aAAa,EACzB3E,WAAW,CAAC4E,aAAa,EACzB5E,WAAW,CAAC6E,aAAa,EACzB7E,WAAW,CAAC8E,aAAa,EACzB9E,WAAW,CAAC+E,aAAa,EACzB/E,WAAW,CAACgF,aAAa,EACzBhF,WAAW,CAACiF,aAAa,CAC5B;EACDvJ,QAAQ,EAAEsE,WAAW,CAACkF,aAAa;EACnCk+C,OAAO,EAAEhlC,CAAC,IAAIA;AAClB,CAAC;AACD,SAAS6kC,2BAA2BA,CAACI,MAAM,EAAEC,QAAQ,EAAEpB,iBAAiB,EAAEI,SAAS,EAAE3yD,UAAU,EAAE;EAC7F,MAAMyuB,CAAC,GAAGilC,MAAM,CAACD,OAAO,CAAClB,iBAAiB,CAAClkE,MAAM,CAAC;EAClD,IAAIogC,CAAC,GAAGilC,MAAM,CAACF,QAAQ,CAACnlE,MAAM,EAAE;IAC5B;IACA,OAAO2d,UAAU,CAAC0nD,MAAM,CAACF,QAAQ,CAAC/kC,CAAC,CAAC,CAAC,CAChCpuB,MAAM,CAAC,CAAC,GAAGszD,QAAQ,EAAE,GAAGpB,iBAAiB,EAAE,GAAGI,SAAS,CAAC,EAAE3yD,UAAU,CAAC;EAC9E,CAAC,MACI,IAAI0zD,MAAM,CAAC3nD,QAAQ,KAAK,IAAI,EAAE;IAC/B;IACA,OAAOC,UAAU,CAAC0nD,MAAM,CAAC3nD,QAAQ,CAAC,CAC7B1L,MAAM,CAAC,CAAC,GAAGszD,QAAQ,EAAErnD,UAAU,CAACimD,iBAAiB,CAAC,EAAE,GAAGI,SAAS,CAAC,EAAE3yD,UAAU,CAAC;EACvF,CAAC,MACI;IACD,MAAM,IAAInR,KAAK,CAAC,kDAAkD,CAAC;EACvE;AACJ;AACA,SAAS2jE,uBAAuBA,CAACkB,MAAM,EAAEC,QAAQ,EAAEpB,iBAAiB,EAAEI,SAAS,EAAE3yD,UAAU,EAAE;EACzF,OAAOg+C,iBAAiB,CAACsV,2BAA2B,CAACI,MAAM,EAAEC,QAAQ,EAAEpB,iBAAiB,EAAEI,SAAS,EAAE3yD,UAAU,CAAC,CAC3GsD,MAAM,CAAC,CAAC,CAAC;AAClB;;AAEA;AACA;AACA;AACA,MAAMswD,sBAAsB,GAAG,IAAIhjE,GAAG,CAAC,CACnC,CAACgsD,WAAW,CAACiX,IAAI,EAAExjD,WAAW,CAACmK,YAAY,CAAC,EAC5C,CAACoiC,WAAW,CAACkX,eAAe,EAAEzjD,WAAW,CAAC2K,uBAAuB,CAAC,EAClE,CAAC4hC,WAAW,CAACmX,WAAW,EAAE1jD,WAAW,CAACqK,mBAAmB,CAAC,EAC1D,CAACkiC,WAAW,CAACoX,MAAM,EAAE3jD,WAAW,CAACsK,cAAc,CAAC,EAChD,CAACiiC,WAAW,CAACqX,KAAK,EAAE5jD,WAAW,CAACoK,aAAa,CAAC,EAAE,CAACmiC,WAAW,CAACsX,GAAG,EAAE7jD,WAAW,CAACuK,WAAW,CAAC,CAC7F,CAAC;AACF;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASu5C,UAAUA,CAACrL,GAAG,EAAE;EACrB,KAAK,MAAMh/B,IAAI,IAAIg/B,GAAG,CAACrB,KAAK,EAAE;IAC1B2M,qBAAqB,CAACtqC,IAAI,EAAEA,IAAI,CAACk9B,MAAM,CAAC;IACxCqN,qBAAqB,CAACvqC,IAAI,EAAEA,IAAI,CAACm9B,MAAM,CAAC;EAC5C;AACJ;AACA,SAASmN,qBAAqBA,CAACtqC,IAAI,EAAEy6B,GAAG,EAAE;EACtC,KAAK,MAAMhW,EAAE,IAAIgW,GAAG,EAAE;IAClBxB,wBAAwB,CAACxU,EAAE,EAAE+lB,iBAAiB,EAAE1S,kBAAkB,CAACtkD,IAAI,CAAC;IACxE,QAAQixC,EAAE,CAACvO,IAAI;MACX,KAAKwc,MAAM,CAACqH,IAAI;QACZE,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAE92C,IAAI,CAAC82C,EAAE,CAAC6O,IAAI,EAAE7O,EAAE,CAAC6X,YAAY,EAAE7X,EAAE,CAACvuC,UAAU,CAAC,CAAC;QACjE;MACJ,KAAKw8C,MAAM,CAAC+G,YAAY;QACpBQ,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAE39B,YAAY,CAAC29B,EAAE,CAAC6O,IAAI,EAAE7O,EAAE,CAACz/C,GAAG,EAAEy/C,EAAE,CAAC/jB,UAAU,EAAE+jB,EAAE,CAACqX,SAAS,EAAErX,EAAE,CAACvuC,UAAU,CAAC,CAAC;QAC7F;MACJ,KAAKw8C,MAAM,CAAC8G,OAAO;QACfS,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAE5gD,OAAO,CAAC4gD,EAAE,CAAC6O,IAAI,EAAE7O,EAAE,CAACz/C,GAAG,EAAEy/C,EAAE,CAAC/jB,UAAU,EAAE+jB,EAAE,CAACqX,SAAS,EAAErX,EAAE,CAACvuC,UAAU,CAAC,CAAC;QACxF;MACJ,KAAKw8C,MAAM,CAACgH,UAAU;QAClBO,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAE19B,UAAU,CAAC09B,EAAE,CAACvuC,UAAU,CAAC,CAAC;QAC7C;MACJ,KAAKw8C,MAAM,CAACiH,cAAc;QACtBM,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAE58B,qBAAqB,CAAC48B,EAAE,CAAC6O,IAAI,EAAE7O,EAAE,CAAC/jB,UAAU,EAAE+jB,EAAE,CAACqX,SAAS,EAAErX,EAAE,CAACvuC,UAAU,CAAC,CAAC;QAC9F;MACJ,KAAKw8C,MAAM,CAACtuB,SAAS;QACjB61B,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAE18B,gBAAgB,CAAC08B,EAAE,CAAC6O,IAAI,EAAE7O,EAAE,CAAC/jB,UAAU,EAAE+jB,EAAE,CAACqX,SAAS,EAAErX,EAAE,CAACvuC,UAAU,CAAC,CAAC;QACzF;MACJ,KAAKw8C,MAAM,CAACkH,YAAY;QACpBK,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAE38B,mBAAmB,CAAC,CAAC,CAAC;QACzC;MACJ,KAAK4qC,MAAM,CAAClwB,QAAQ;QAChB,IAAI,EAAExC,IAAI,YAAYm+B,mBAAmB,CAAC,EAAE;UACxC,MAAM,IAAIp5D,KAAK,CAAC,+CAA+C,CAAC;QACpE;QACA,MAAM85D,SAAS,GAAG7+B,IAAI,CAAC69B,GAAG,CAACI,KAAK,CAAC31D,GAAG,CAACm8C,EAAE,CAAC4P,IAAI,CAAC;QAC7C4F,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAEppC,QAAQ,CAACopC,EAAE,CAAC6O,IAAI,EAAErxC,QAAQ,CAAC48C,SAAS,CAACzB,MAAM,CAAC,EAAEyB,SAAS,CAAC5C,KAAK,EAAE4C,SAAS,CAAC17B,IAAI,EAAEshB,EAAE,CAACz/C,GAAG,EAAEy/C,EAAE,CAAC/jB,UAAU,EAAE+jB,EAAE,CAACvuC,UAAU,CAAC,CAAC;QACxI;MACJ,KAAKw8C,MAAM,CAACmH,eAAe;QACvBI,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAEt6B,eAAe,CAAC,CAAC,CAAC;QACrC;MACJ,KAAKuoC,MAAM,CAACoH,cAAc;QACtBG,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAEv6B,cAAc,CAAC,CAAC,CAAC;QACpC;MACJ,KAAKwoC,MAAM,CAACj0B,IAAI;QACZw7B,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAEv3B,IAAI,CAACu3B,EAAE,CAAC6O,IAAI,EAAE7O,EAAE,CAACp+C,IAAI,CAAC,CAAC;QAC1C;MACJ,KAAKqsD,MAAM,CAAC2G,QAAQ;QAChB,MAAMoR,UAAU,GAAGC,oBAAoB,CAAC1qC,IAAI,EAAEykB,EAAE,CAAC+X,aAAa,EAAE/X,EAAE,CAAC8U,UAAU,EAAE9U,EAAE,CAACgY,mBAAmB,CAAC;QACtGxC,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAEj0B,QAAQ,CAACi0B,EAAE,CAACp+C,IAAI,EAAEokE,UAAU,CAAC,CAAC;QACjD;MACJ,KAAK/X,MAAM,CAAC5vB,QAAQ;QAChB,IAAI2hB,EAAE,CAACxiC,QAAQ,CAAC5b,IAAI,KAAK,IAAI,EAAE;UAC3B,MAAM,IAAItB,KAAK,CAAC,oCAAoC0/C,EAAE,CAAC4P,IAAI,EAAE,CAAC;QAClE;QACA4F,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAEyP,iBAAiB,CAAC,IAAI35C,cAAc,CAACkqC,EAAE,CAACxiC,QAAQ,CAAC5b,IAAI,EAAEo+C,EAAE,CAAC6P,WAAW,EAAEpiC,SAAS,EAAEzX,YAAY,CAACC,KAAK,CAAC,CAAC,CAAC;QAC1H;MACJ,KAAKg4C,MAAM,CAACsH,SAAS;QACjB,QAAQvV,EAAE,CAACsY,MAAM;UACb,KAAK/C,SAAS,CAACzT,IAAI;YACf0T,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAE99B,aAAa,CAAC,CAAC,CAAC;YACnC;UACJ,KAAKqzC,SAAS,CAACkK,GAAG;YACdjK,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAE59B,YAAY,CAAC,CAAC,CAAC;YAClC;UACJ,KAAKmzC,SAAS,CAAC1uD,IAAI;YACf2uD,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAE2jB,aAAa,CAAC,CAAC,CAAC;YACnC;QACR;QACA;MACJ,KAAK1V,MAAM,CAAC7xC,SAAS;QACjB;QACA;MACJ;QACI,MAAM,IAAI9b,KAAK,CAAC,wDAAwD2tD,MAAM,CAACjO,EAAE,CAACvO,IAAI,CAAC,EAAE,CAAC;IAClG;EACJ;AACJ;AACA,SAASq0B,qBAAqBA,CAACI,KAAK,EAAElQ,GAAG,EAAE;EACvC,KAAK,MAAMhW,EAAE,IAAIgW,GAAG,EAAE;IAClBxB,wBAAwB,CAACxU,EAAE,EAAE+lB,iBAAiB,EAAE1S,kBAAkB,CAACtkD,IAAI,CAAC;IACxE,QAAQixC,EAAE,CAACvO,IAAI;MACX,KAAKwc,MAAM,CAACoD,OAAO;QACfmE,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAEz9B,OAAO,CAACy9B,EAAE,CAAC/P,KAAK,EAAE+P,EAAE,CAACvuC,UAAU,CAAC,CAAC;QACpD;MACJ,KAAKw8C,MAAM,CAACT,QAAQ;QAChB,IAAIxN,EAAE,CAACl2C,UAAU,YAAYqmD,aAAa,EAAE;UACxCqF,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAEx4B,mBAAmB,CAACw4B,EAAE,CAACp+C,IAAI,EAAEo+C,EAAE,CAACl2C,UAAU,CAACg8B,OAAO,EAAEka,EAAE,CAACl2C,UAAU,CAACgN,WAAW,EAAEkpC,EAAE,CAAC0Q,SAAS,EAAE1Q,EAAE,CAACvuC,UAAU,CAAC,CAAC;QACnI,CAAC,MACI;UACD+jD,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAEz4B,QAAQ,CAACy4B,EAAE,CAACp+C,IAAI,EAAEo+C,EAAE,CAACl2C,UAAU,EAAEk2C,EAAE,CAAC0Q,SAAS,EAAE1Q,EAAE,CAACvuC,UAAU,CAAC,CAAC;QACrF;QACA;MACJ,KAAKw8C,MAAM,CAAC2C,SAAS;QACjB,IAAI5Q,EAAE,CAACl2C,UAAU,YAAYqmD,aAAa,EAAE;UACxCqF,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAEwkB,oBAAoB,CAACxkB,EAAE,CAACp+C,IAAI,EAAEo+C,EAAE,CAACl2C,UAAU,CAACg8B,OAAO,EAAEka,EAAE,CAACl2C,UAAU,CAACgN,WAAW,EAAEkpC,EAAE,CAACzkB,IAAI,CAAC,CAAC;QAChH,CAAC,MACI;UACDi6B,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAEr7B,SAAS,CAACq7B,EAAE,CAACp+C,IAAI,EAAEo+C,EAAE,CAACl2C,UAAU,EAAEk2C,EAAE,CAACzkB,IAAI,CAAC,CAAC;QAClE;QACA;MACJ,KAAK0yB,MAAM,CAAC6C,SAAS;QACjB0E,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAE78B,SAAS,CAAC68B,EAAE,CAACp+C,IAAI,EAAEo+C,EAAE,CAACl2C,UAAU,CAAC,CAAC;QACrD;MACJ,KAAKmkD,MAAM,CAAC+C,QAAQ;QAChB,IAAIhR,EAAE,CAACl2C,UAAU,YAAYqmD,aAAa,EAAE;UACxCqF,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAE0kB,mBAAmB,CAAC1kB,EAAE,CAACl2C,UAAU,CAACg8B,OAAO,EAAEka,EAAE,CAACl2C,UAAU,CAACgN,WAAW,CAAC,CAAC;QAC7F,CAAC,MACI;UACD0+C,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAEz8B,QAAQ,CAACy8B,EAAE,CAACl2C,UAAU,CAAC,CAAC;QAC/C;QACA;MACJ,KAAKmkD,MAAM,CAACiD,QAAQ;QAChB,IAAIlR,EAAE,CAACl2C,UAAU,YAAYqmD,aAAa,EAAE;UACxCqF,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAE4kB,mBAAmB,CAAC5kB,EAAE,CAACl2C,UAAU,CAACg8B,OAAO,EAAEka,EAAE,CAACl2C,UAAU,CAACgN,WAAW,CAAC,CAAC;QAC7F,CAAC,MACI;UACD0+C,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAE/7B,QAAQ,CAAC+7B,EAAE,CAACl2C,UAAU,CAAC,CAAC;QAC/C;QACA;MACJ,KAAKmkD,MAAM,CAACiC,eAAe;QACvBsF,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAEp6B,eAAe,CAACo6B,EAAE,CAACvW,aAAa,CAAC3D,OAAO,EAAEka,EAAE,CAACvW,aAAa,CAAC3yB,WAAW,EAAEkpC,EAAE,CAACvuC,UAAU,CAAC,CAAC;QAC1G;MACJ,KAAKw8C,MAAM,CAACd,SAAS;QACjB,IAAInN,EAAE,CAACl2C,UAAU,YAAYqmD,aAAa,EAAE;UACxCqF,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAEskB,oBAAoB,CAACtkB,EAAE,CAACp+C,IAAI,EAAEo+C,EAAE,CAACl2C,UAAU,CAACg8B,OAAO,EAAEka,EAAE,CAACl2C,UAAU,CAACgN,WAAW,EAAEkpC,EAAE,CAAC0Q,SAAS,CAAC,CAAC;QACrH,CAAC,MACI;UACD8E,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAEn/C,SAAS,CAACm/C,EAAE,CAACp+C,IAAI,EAAEo+C,EAAE,CAACl2C,UAAU,EAAEk2C,EAAE,CAAC0Q,SAAS,CAAC,CAAC;QACvE;QACA;MACJ,KAAKzC,MAAM,CAACyG,YAAY;QACpB,IAAI1U,EAAE,CAACl2C,UAAU,YAAYqmD,aAAa,EAAE;UACxC,MAAM,IAAI7vD,KAAK,CAAC,iBAAiB,CAAC;QACtC,CAAC,MACI;UACDk1D,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAE14B,YAAY,CAAC04B,EAAE,CAACp+C,IAAI,EAAEo+C,EAAE,CAACl2C,UAAU,CAAC,CAAC;QAC5D;QACA;MACJ,KAAKmkD,MAAM,CAAC5vB,QAAQ;QAChB,IAAI2hB,EAAE,CAACxiC,QAAQ,CAAC5b,IAAI,KAAK,IAAI,EAAE;UAC3B,MAAM,IAAItB,KAAK,CAAC,oCAAoC0/C,EAAE,CAAC4P,IAAI,EAAE,CAAC;QAClE;QACA4F,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAEyP,iBAAiB,CAAC,IAAI35C,cAAc,CAACkqC,EAAE,CAACxiC,QAAQ,CAAC5b,IAAI,EAAEo+C,EAAE,CAAC6P,WAAW,EAAEpiC,SAAS,EAAEzX,YAAY,CAACC,KAAK,CAAC,CAAC,CAAC;QAC1H;MACJ,KAAKg4C,MAAM,CAAC7xC,SAAS;QACjB;QACA;MACJ;QACI,MAAM,IAAI9b,KAAK,CAAC,wDAAwD2tD,MAAM,CAACjO,EAAE,CAACvO,IAAI,CAAC,EAAE,CAAC;IAClG;EACJ;AACJ;AACA,SAASs0B,iBAAiBA,CAACxwD,IAAI,EAAE;EAC7B,IAAI,CAACw8C,cAAc,CAACx8C,IAAI,CAAC,EAAE;IACvB,OAAOA,IAAI;EACf;EACA,QAAQA,IAAI,CAACk8B,IAAI;IACb,KAAKyc,cAAc,CAACsE,WAAW;MAC3B,OAAOntC,WAAW,CAAC9P,IAAI,CAACk9C,KAAK,CAAC;IAClC,KAAKvE,cAAc,CAAC3vB,SAAS;MACzB,OAAO3V,SAAS,CAACrT,IAAI,CAACs5C,IAAI,GAAG,CAAC,GAAGt5C,IAAI,CAACw6B,MAAM,CAAC;IACjD,KAAKme,cAAc,CAACgE,WAAW;MAC3B,MAAM,IAAI5xD,KAAK,CAAC,6CAA6CiV,IAAI,CAAC3T,IAAI,EAAE,CAAC;IAC7E,KAAKssD,cAAc,CAAC2E,WAAW;MAC3B,IAAI,OAAOt9C,IAAI,CAAC/I,IAAI,KAAK,QAAQ,EAAE;QAC/B,MAAM,IAAIlM,KAAK,CAAC,wCAAwC,CAAC;MAC7D;MACA,OAAOgmB,WAAW,CAAC/Q,IAAI,CAAC/I,IAAI,CAAC;IACjC,KAAK0hD,cAAc,CAAC+E,SAAS;MACzB,OAAO3tC,SAAS,CAAC/P,IAAI,CAACA,IAAI,CAAC;IAC/B,KAAK24C,cAAc,CAACyE,cAAc;MAC9B,OAAOhtC,cAAc,CAAC,CAAC;IAC3B,KAAKuoC,cAAc,CAACiF,YAAY;MAC5B,IAAI59C,IAAI,CAAC3T,IAAI,KAAK,IAAI,EAAE;QACpB,MAAM,IAAItB,KAAK,CAAC,4BAA4BiV,IAAI,CAACq6C,IAAI,EAAE,CAAC;MAC5D;MACA,OAAOpyC,QAAQ,CAACjI,IAAI,CAAC3T,IAAI,CAAC;IAC9B,KAAKssD,cAAc,CAACmG,iBAAiB;MACjC,IAAI9+C,IAAI,CAAC3T,IAAI,KAAK,IAAI,EAAE;QACpB,MAAM,IAAItB,KAAK,CAAC,6BAA6BiV,IAAI,CAACq6C,IAAI,EAAE,CAAC;MAC7D;MACA,OAAOpyC,QAAQ,CAACjI,IAAI,CAAC3T,IAAI,CAAC;IAC9B,KAAKssD,cAAc,CAACkG,mBAAmB;MACnC,IAAI7+C,IAAI,CAAC3T,IAAI,KAAK,IAAI,EAAE;QACpB,MAAM,IAAItB,KAAK,CAAC,+BAA+BiV,IAAI,CAACq6C,IAAI,EAAE,CAAC;MAC/D;MACA,OAAOpyC,QAAQ,CAACjI,IAAI,CAAC3T,IAAI,CAAC,CAACkC,GAAG,CAACyR,IAAI,CAACA,IAAI,CAAC;IAC7C,KAAK24C,cAAc,CAACkF,gBAAgB;MAChC,IAAI79C,IAAI,CAACgB,EAAE,KAAK,IAAI,EAAE;QAClB,MAAM,IAAIjW,KAAK,CAAC,+DAA+D,CAAC;MACpF;MACA,OAAOwkE,YAAY,CAACvvD,IAAI,CAAC45C,SAAS,EAAE55C,IAAI,CAACgB,EAAE,EAAEhB,IAAI,CAACiB,IAAI,CAAC;IAC3D,KAAK03C,cAAc,CAACqF,yBAAyB;MACzC,MAAM,IAAIjzD,KAAK,CAAC,2EAA2E,CAAC;IAChG,KAAK4tD,cAAc,CAACuF,WAAW;MAC3B,OAAOsQ,QAAQ,CAACxuD,IAAI,CAACs5C,IAAI,EAAEt5C,IAAI,CAAC45C,SAAS,EAAE55C,IAAI,CAACiB,IAAI,CAAC;IACzD,KAAK03C,cAAc,CAAC0F,mBAAmB;MACnC,OAAOvsC,SAAS,CAAC9R,IAAI,CAACs5C,IAAI,EAAEt5C,IAAI,CAAC45C,SAAS,EAAE55C,IAAI,CAACiB,IAAI,CAAC;IAC1D,KAAK03C,cAAc,CAACoG,aAAa;MAC7B,OAAO72C,UAAU,CAAC4nD,sBAAsB,CAACxhE,GAAG,CAAC0R,IAAI,CAACgB,EAAE,CAAC,CAAC;IAC1D;MACI,MAAM,IAAIjW,KAAK,CAAC,kEAAkE4tD,cAAc,CAAC34C,IAAI,CAACk8B,IAAI,CAAC,EAAE,CAAC;EACtH;AACJ;AACA;AACA;AACA;AACA;AACA,SAASw0B,oBAAoBA,CAAC1qC,IAAI,EAAE35B,IAAI,EAAEkzD,UAAU,EAAEkD,mBAAmB,EAAE;EACvE;EACA8N,qBAAqB,CAACvqC,IAAI,EAAEu5B,UAAU,CAAC;EACvC;EACA;EACA,MAAMqR,YAAY,GAAG,EAAE;EACvB,KAAK,MAAMnmB,EAAE,IAAI8U,UAAU,EAAE;IACzB,IAAI9U,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAC7xC,SAAS,EAAE;MAC9B,MAAM,IAAI9b,KAAK,CAAC,6DAA6D2tD,MAAM,CAACjO,EAAE,CAACvO,IAAI,CAAC,EAAE,CAAC;IACnG;IACA00B,YAAY,CAACpmE,IAAI,CAACigD,EAAE,CAACzL,SAAS,CAAC;EACnC;EACA;EACA,MAAMxiC,MAAM,GAAG,EAAE;EACjB,IAAIimD,mBAAmB,EAAE;IACrB;IACAjmD,MAAM,CAAChS,IAAI,CAAC,IAAIoa,OAAO,CAAC,QAAQ,CAAC,CAAC;EACtC;EACA,OAAO5D,EAAE,CAACxE,MAAM,EAAEo0D,YAAY,EAAE14C,SAAS,EAAEA,SAAS,EAAE7rB,IAAI,CAAC;AAC/D;AAEA,SAASwkE,wBAAwBA,CAAChN,GAAG,EAAE;EACnC,KAAK,MAAM79B,IAAI,IAAI69B,GAAG,CAACF,KAAK,EAAE;IAC1B,KAAK,MAAMlZ,EAAE,IAAIzkB,IAAI,CAACm9B,MAAM,EAAE;MAC1B,QAAQ1Y,EAAE,CAACvO,IAAI;QACX,KAAKwc,MAAM,CAACd,SAAS;QACrB,KAAKc,MAAM,CAACqC,OAAO;QACnB,KAAKrC,MAAM,CAAC6C,SAAS;QACrB,KAAK7C,MAAM,CAACiD,QAAQ;QACpB,KAAKjD,MAAM,CAACT,QAAQ;QACpB,KAAKS,MAAM,CAAC2C,SAAS;QACrB,KAAK3C,MAAM,CAAC+C,QAAQ;UAChB,IAAIhR,EAAE,CAACl2C,UAAU,YAAYoqD,SAAS,EAAE;YACpCsB,MAAM,CAACiB,MAAM,CAACzW,EAAE,CAAC;UACrB;UACA;MACR;IACJ;EACJ;AACJ;;AAEA;AACA;AACA;AACA;AACA;AACA,SAASqmB,oBAAoBA,CAAC9L,GAAG,EAAE;EAC/B,KAAK,MAAMh/B,IAAI,IAAIg/B,GAAG,CAACrB,KAAK,EAAE;IAC1BoN,qBAAqB,CAAC/qC,IAAI,EAAEA,IAAI,CAACk9B,MAAM,CAAC;IACxC6N,qBAAqB,CAAC/qC,IAAI,EAAEA,IAAI,CAACm9B,MAAM,CAAC;EAC5C;AACJ;AACA,SAAS4N,qBAAqBA,CAAC95D,IAAI,EAAEwpD,GAAG,EAAE;EACtC;EACA;EACA,MAAMmI,KAAK,GAAG,IAAI97D,GAAG,CAAC,CAAC;EACvB;EACA87D,KAAK,CAACr6D,GAAG,CAAC0I,IAAI,CAACojD,IAAI,EAAEpyC,QAAQ,CAAC,KAAK,CAAC,CAAC;EACrC,KAAK,MAAMwiC,EAAE,IAAIgW,GAAG,EAAE;IAClB,QAAQhW,EAAE,CAACvO,IAAI;MACX,KAAKwc,MAAM,CAAC5vB,QAAQ;QAChB,QAAQ2hB,EAAE,CAACxiC,QAAQ,CAACi0B,IAAI;UACpB,KAAK0c,oBAAoB,CAACmE,OAAO;YAC7B6L,KAAK,CAACr6D,GAAG,CAACk8C,EAAE,CAACxiC,QAAQ,CAAChR,IAAI,EAAE,IAAI0mD,gBAAgB,CAAClT,EAAE,CAAC4P,IAAI,CAAC,CAAC;YAC1D;QACR;QACA;MACJ,KAAK3B,MAAM,CAAC2G,QAAQ;QAChB0R,qBAAqB,CAAC95D,IAAI,EAAEwzC,EAAE,CAAC8U,UAAU,CAAC;QAC1C;IACR;EACJ;EACA,KAAK,MAAM9U,EAAE,IAAIgW,GAAG,EAAE;IAClBxB,wBAAwB,CAACxU,EAAE,EAAEzqC,IAAI,IAAI;MACjC,IAAIA,IAAI,YAAY88C,WAAW,EAAE;QAC7B,IAAI,CAAC8L,KAAK,CAACr9C,GAAG,CAACvL,IAAI,CAAC/I,IAAI,CAAC,EAAE;UACvB,MAAM,IAAIlM,KAAK,CAAC,0CAA0CiV,IAAI,CAAC/I,IAAI,cAAcA,IAAI,CAACojD,IAAI,EAAE,CAAC;QACjG;QACA,OAAOuO,KAAK,CAACt6D,GAAG,CAAC0R,IAAI,CAAC/I,IAAI,CAAC;MAC/B,CAAC,MACI;QACD,OAAO+I,IAAI;MACf;IACJ,CAAC,EAAE89C,kBAAkB,CAACtkD,IAAI,CAAC;EAC/B;AACJ;;AAEA;AACA;AACA;AACA;AACA,SAASw3D,uBAAuBA,CAAChM,GAAG,EAAE;EAClC,KAAK,MAAM,CAACrW,CAAC,EAAE13C,IAAI,CAAC,IAAI+tD,GAAG,CAACf,KAAK,EAAE;IAC/BgN,kBAAkB,CAACh6D,IAAI,EAAEA,IAAI,CAACisD,MAAM,CAAC;IACrC+N,kBAAkB,CAACh6D,IAAI,EAAEA,IAAI,CAACksD,MAAM,CAAC;EACzC;AACJ;AACA,SAAS8N,kBAAkBA,CAACh6D,IAAI,EAAEwpD,GAAG,EAAE;EACnC,KAAK,MAAMhW,EAAE,IAAIgW,GAAG,EAAE;IAClB,IAAIhW,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAC2G,QAAQ,EAAE;MAC7BJ,wBAAwB,CAACxU,EAAE,EAAGzqC,IAAI,IAAK;QACnC,IAAIA,IAAI,YAAY08C,eAAe,IAAI18C,IAAI,CAAC3T,IAAI,KAAK,QAAQ,EAAE;UAC3Do+C,EAAE,CAACgY,mBAAmB,GAAG,IAAI;UAC7B,OAAO,IAAI/iD,WAAW,CAACM,IAAI,CAAC3T,IAAI,CAAC;QACrC;QACA,OAAO2T,IAAI;MACf,CAAC,EAAE89C,kBAAkB,CAACC,gBAAgB,CAAC;IAC3C;EACJ;AACJ;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASmT,iBAAiBA,CAAClM,GAAG,EAAE;EAC5B,KAAK,MAAMh/B,IAAI,IAAIg/B,GAAG,CAACrB,KAAK,EAAE;IAC1BwN,mBAAmB,CAACnrC,IAAI,EAAEA,IAAI,CAACk9B,MAAM,EAAE,IAAI,CAAC;IAC5CiO,mBAAmB,CAACnrC,IAAI,EAAEA,IAAI,CAACm9B,MAAM,EAAE,IAAI,CAAC;EAChD;AACJ;AACA,SAASgO,mBAAmBA,CAACnrC,IAAI,EAAEy6B,GAAG,EAAE4N,SAAS,EAAE;EAC/C;EACA;EACA;EACA;EACA;EACA,MAAMzF,KAAK,GAAG,IAAI97D,GAAG,CAAC,CAAC;EACvB;EACA;EACA;EACA,KAAK,MAAM29C,EAAE,IAAIgW,GAAG,EAAE;IAClB,QAAQhW,EAAE,CAACvO,IAAI;MACX,KAAKwc,MAAM,CAAC5vB,QAAQ;QAChB,QAAQ2hB,EAAE,CAACxiC,QAAQ,CAACi0B,IAAI;UACpB,KAAK0c,oBAAoB,CAACqQ,UAAU;YAChC;YACA,IAAIL,KAAK,CAACr9C,GAAG,CAACk/B,EAAE,CAACxiC,QAAQ,CAAC2tB,UAAU,CAAC,EAAE;cACnC;YACJ;YACAgzB,KAAK,CAACr6D,GAAG,CAACk8C,EAAE,CAACxiC,QAAQ,CAAC2tB,UAAU,EAAE6U,EAAE,CAAC4P,IAAI,CAAC;YAC1C;UACJ,KAAKzB,oBAAoB,CAACwY,SAAS;YAC/B;YACA;YACA/C,SAAS,GAAG;cACRp3D,IAAI,EAAEwzC,EAAE,CAACxiC,QAAQ,CAAChR,IAAI;cACtBgR,QAAQ,EAAEwiC,EAAE,CAAC4P;YACjB,CAAC;YACD;QACR;QACA;MACJ,KAAK3B,MAAM,CAAC2G,QAAQ;QAChB;QACA;QACA8R,mBAAmB,CAACnrC,IAAI,EAAEykB,EAAE,CAAC8U,UAAU,EAAE8O,SAAS,CAAC;QACnD;IACR;EACJ;EACA;EACA;EACA;EACA,KAAK,MAAM5jB,EAAE,IAAIgW,GAAG,EAAE;IAClB,IAAIhW,EAAE,CAACvO,IAAI,IAAIwc,MAAM,CAAC2G,QAAQ,EAAE;MAC5B;MACA;IACJ;IACAJ,wBAAwB,CAACxU,EAAE,EAAE,CAACzqC,IAAI,EAAEokB,KAAK,KAAK;MAC1C,IAAIpkB,IAAI,YAAY08C,eAAe,EAAE;QACjC;QACA;QACA;QACA,IAAIkM,KAAK,CAACr9C,GAAG,CAACvL,IAAI,CAAC3T,IAAI,CAAC,EAAE;UACtB;UACA,OAAO,IAAIsxD,gBAAgB,CAACiL,KAAK,CAACt6D,GAAG,CAAC0R,IAAI,CAAC3T,IAAI,CAAC,CAAC;QACrD,CAAC,MACI;UACD;UACA,OAAO,IAAI+P,YAAY,CAAC,IAAI0gD,WAAW,CAAC92B,IAAI,CAAC69B,GAAG,CAACC,IAAI,CAACzJ,IAAI,CAAC,EAAEr6C,IAAI,CAAC3T,IAAI,CAAC;QAC3E;MACJ,CAAC,MACI,IAAI2T,IAAI,YAAYq9C,eAAe,IAAI,OAAOr9C,IAAI,CAAC/I,IAAI,KAAK,QAAQ,EAAE;QACvE;QACA;QACA;QACA,IAAIo3D,SAAS,KAAK,IAAI,IAAIA,SAAS,CAACp3D,IAAI,KAAK+I,IAAI,CAAC/I,IAAI,EAAE;UACpD,MAAM,IAAIlM,KAAK,CAAC,iCAAiCiV,IAAI,CAAC/I,IAAI,cAAc+uB,IAAI,CAACq0B,IAAI,EAAE,CAAC;QACxF;QACAr6C,IAAI,CAAC/I,IAAI,GAAG,IAAI0mD,gBAAgB,CAAC0Q,SAAS,CAACpmD,QAAQ,CAAC;QACpD,OAAOjI,IAAI;MACf,CAAC,MACI;QACD,OAAOA,IAAI;MACf;IACJ,CAAC,EAAE89C,kBAAkB,CAACtkD,IAAI,CAAC;EAC/B;EACA,KAAK,MAAMixC,EAAE,IAAIgW,GAAG,EAAE;IAClBzB,oBAAoB,CAACvU,EAAE,EAAEzqC,IAAI,IAAI;MAC7B,IAAIA,IAAI,YAAY08C,eAAe,EAAE;QACjC,MAAM,IAAI3xD,KAAK,CAAC,qEAAqEiV,IAAI,CAAC3T,IAAI,EAAE,CAAC;MACrG;IACJ,CAAC,CAAC;EACN;AACJ;;AAEA;AACA;AACA;AACA,MAAMglE,UAAU,GAAG,IAAIvkE,GAAG,CAAC,CACvB,CAACgD,eAAe,CAACy8C,IAAI,EAAEuM,WAAW,CAACiX,IAAI,CAAC,EAAE,CAACjgE,eAAe,CAACwhE,MAAM,EAAExY,WAAW,CAACoX,MAAM,CAAC,EACtF,CAACpgE,eAAe,CAAC08C,KAAK,EAAEsM,WAAW,CAACqX,KAAK,CAAC,EAAE,CAACrgE,eAAe,CAAC28C,GAAG,EAAEqM,WAAW,CAACsX,GAAG,CAAC,EAClF,CAACtgE,eAAe,CAAC48C,YAAY,EAAEoM,WAAW,CAACmX,WAAW,CAAC,CAC1D,CAAC;AACF;AACA;AACA;AACA,SAASsB,sBAAsBA,CAACvM,GAAG,EAAE;EACjC,KAAK,MAAM,CAACrW,CAAC,EAAE13C,IAAI,CAAC,IAAI+tD,GAAG,CAACf,KAAK,EAAE;IAC/B,MAAM3iD,QAAQ,GAAGokD,mBAAmB,CAACzuD,IAAI,CAAC;IAC1C,IAAIu6D,WAAW;IACf,KAAK,MAAM/mB,EAAE,IAAIxzC,IAAI,CAACksD,MAAM,EAAE;MAC1B,QAAQ1Y,EAAE,CAACvO,IAAI;QACX,KAAKwc,MAAM,CAACT,QAAQ;QACpB,KAAKS,MAAM,CAACd,SAAS;UACjB4Z,WAAW,GAAGH,UAAU,CAAC/iE,GAAG,CAACm8C,EAAE,CAAC1kB,eAAe,CAAC,IAAI,IAAI;UACxD0kB,EAAE,CAAC0Q,SAAS,GAAGqW,WAAW,GAAG,IAAIzS,aAAa,CAACyS,WAAW,CAAC,GAAG,IAAI;UAClE;UACA;UACA;UACA;UACA,IAAI/mB,EAAE,CAAC0Q,SAAS,KAAK,IAAI,EAAE;YACvB,MAAM2K,OAAO,GAAGxkD,QAAQ,CAAChT,GAAG,CAACm8C,EAAE,CAAC5nB,MAAM,CAAC;YACvC,IAAIijC,OAAO,KAAK5tC,SAAS,EAAE;cACvB,MAAMntB,KAAK,CAAC,4CAA4C,CAAC;YAC7D;YACA,IAAI0mE,iBAAiB,CAAC3L,OAAO,CAAC,IAAIhZ,6BAA6B,CAACrC,EAAE,CAACp+C,IAAI,CAAC,EAAE;cACtEo+C,EAAE,CAAC0Q,SAAS,GAAG,IAAI4D,aAAa,CAACjG,WAAW,CAACkX,eAAe,CAAC;YACjE;UACJ;UACA;MACR;IACJ;EACJ;AACJ;AACA;AACA;AACA;AACA,SAASyB,iBAAiBA,CAAChnB,EAAE,EAAE;EAC3B,OAAO,CAACA,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAC8G,OAAO,IAAI/U,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAC+G,YAAY,KACjEhV,EAAE,CAACz/C,GAAG,CAACuB,WAAW,CAAC,CAAC,KAAK,QAAQ;AACzC;AAEA,SAASmlE,oBAAoBA,CAAC1M,GAAG,EAAE;EAC/B,KAAK,MAAM/tD,IAAI,IAAI+tD,GAAG,CAACf,KAAK,CAACx7C,MAAM,CAAC,CAAC,EAAE;IACnCxR,IAAI,CAACisD,MAAM,CAAC1C,OAAO,CAAC,CAChBpG,gBAAgB,CAACnjD,IAAI,CAAC4sD,GAAG,CAACE,cAAc,CAAC,CAAC,EAAE;MACxC7nB,IAAI,EAAE0c,oBAAoB,CAACwY,SAAS;MACpC/kE,IAAI,EAAE,IAAI;MACV4K,IAAI,EAAEA,IAAI,CAACojD;IACf,CAAC,EAAE,IAAI8C,kBAAkB,CAAC,CAAC,CAAC,CAC/B,CAAC;IACF,KAAK,MAAM1S,EAAE,IAAIxzC,IAAI,CAACisD,MAAM,EAAE;MAC1B,IAAIzY,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAC2G,QAAQ,EAAE;QAC7B;MACJ;MACA;MACA,IAAIsS,gBAAgB,GAAG16D,IAAI,KAAK+tD,GAAG,CAAClB,IAAI;MACxC,IAAI,CAAC6N,gBAAgB,EAAE;QACnB,KAAK,MAAMC,SAAS,IAAInnB,EAAE,CAAC8U,UAAU,EAAE;UACnCP,oBAAoB,CAAC4S,SAAS,EAAE5xD,IAAI,IAAI;YACpC,IAAIA,IAAI,YAAY68C,aAAa,EAAE;cAC/B;cACA8U,gBAAgB,GAAG,IAAI;YAC3B;UACJ,CAAC,CAAC;QACN;MACJ;MACA,IAAIA,gBAAgB,EAAE;QAClBE,qCAAqC,CAAC56D,IAAI,EAAEwzC,EAAE,CAAC;MACnD;IACJ;EACJ;AACJ;AACA,SAASonB,qCAAqCA,CAAC56D,IAAI,EAAEwzC,EAAE,EAAE;EACrDA,EAAE,CAAC8U,UAAU,CAACiB,OAAO,CAAC,CAClBpG,gBAAgB,CAACnjD,IAAI,CAAC4sD,GAAG,CAACE,cAAc,CAAC,CAAC,EAAE;IACxC7nB,IAAI,EAAE0c,oBAAoB,CAACmE,OAAO;IAClC1wD,IAAI,EAAE,IAAI;IACV4K,IAAI,EAAEA,IAAI,CAACojD;EACf,CAAC,EAAE,IAAIgD,eAAe,CAACpmD,IAAI,CAACojD,IAAI,CAAC,CAAC,CACrC,CAAC;EACF;EACA;EACA;EACA,KAAK,MAAMuX,SAAS,IAAInnB,EAAE,CAAC8U,UAAU,EAAE;IACnC,IAAIqS,SAAS,CAAC11B,IAAI,KAAKwc,MAAM,CAAC7xC,SAAS,IACnC+qD,SAAS,CAAC5yB,SAAS,YAAY13B,eAAe,EAAE;MAChDsqD,SAAS,CAAC5yB,SAAS,CAAC1yC,KAAK,GAAG,IAAImxD,aAAa,CAACmU,SAAS,CAAC5yB,SAAS,CAAC1yC,KAAK,CAAC;IAC5E;EACJ;AACJ;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASwlE,mBAAmBA,CAAC9M,GAAG,EAAE;EAC9B;EACA;EACA;EACA;EACA,MAAMuD,OAAO,GAAG,IAAIz7D,GAAG,CAAC,CAAC;EACzB;EACA,KAAK,MAAM,CAAC6hD,CAAC,EAAE13C,IAAI,CAAC,IAAI+tD,GAAG,CAACf,KAAK,EAAE;IAC/B;IACA,IAAI8N,SAAS,GAAG,CAAC;IACjB,KAAK,MAAMtnB,EAAE,IAAIxzC,IAAI,CAACisD,MAAM,EAAE;MAC1B;MACA,IAAI,CAACrJ,oBAAoB,CAACpP,EAAE,CAAC,EAAE;QAC3B;MACJ;MACA;MACAA,EAAE,CAAC6O,IAAI,GAAGyY,SAAS;MACnB;MACAxJ,OAAO,CAACh6D,GAAG,CAACk8C,EAAE,CAAC4P,IAAI,EAAE5P,EAAE,CAAC6O,IAAI,CAAC;MAC7B;MACA;MACAyY,SAAS,IAAItnB,EAAE,CAAC8O,YAAY;IAChC;IACA;IACA;IACAtiD,IAAI,CAACgrD,KAAK,GAAG8P,SAAS;EAC1B;EACA;EACA;EACA;EACA;EACA;EACA,KAAK,MAAM,CAACpjB,CAAC,EAAE13C,IAAI,CAAC,IAAI+tD,GAAG,CAACf,KAAK,EAAE;IAC/B,KAAK,MAAMxZ,EAAE,IAAIxzC,IAAI,CAACwpD,GAAG,CAAC,CAAC,EAAE;MACzB,IAAIhW,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAClwB,QAAQ,EAAE;QAC7B;QACA;QACA,MAAMq8B,SAAS,GAAGG,GAAG,CAACf,KAAK,CAAC31D,GAAG,CAACm8C,EAAE,CAAC4P,IAAI,CAAC;QACxC5P,EAAE,CAACwX,KAAK,GAAG4C,SAAS,CAAC5C,KAAK;MAC9B;MACA,IAAIhI,qBAAqB,CAACxP,EAAE,CAAC,IAAIA,EAAE,CAAC6O,IAAI,KAAK,IAAI,EAAE;QAC/C,IAAI,CAACiP,OAAO,CAACh9C,GAAG,CAACk/B,EAAE,CAAC5nB,MAAM,CAAC,EAAE;UACzB;UACA,MAAM,IAAI93B,KAAK,CAAC,yCAAyC2tD,MAAM,CAACjO,EAAE,CAACvO,IAAI,CAAC,WAAWuO,EAAE,CAAC5nB,MAAM,EAAE,CAAC;QACnG;QACA4nB,EAAE,CAAC6O,IAAI,GAAGiP,OAAO,CAACj6D,GAAG,CAACm8C,EAAE,CAAC5nB,MAAM,CAAC;MACpC;MACA;MACAm8B,oBAAoB,CAACvU,EAAE,EAAEzqC,IAAI,IAAI;QAC7B,IAAI,CAACw8C,cAAc,CAACx8C,IAAI,CAAC,EAAE;UACvB;QACJ;QACA,IAAI,CAACi6C,qBAAqB,CAACj6C,IAAI,CAAC,IAAIA,IAAI,CAACs5C,IAAI,KAAK,IAAI,EAAE;UACpD;QACJ;QACA;QACA;QACA;QACA,IAAI,CAACiP,OAAO,CAACh9C,GAAG,CAACvL,IAAI,CAAC6iB,MAAM,CAAC,EAAE;UAC3B;UACA,MAAM,IAAI93B,KAAK,CAAC,yCAAyCiV,IAAI,CAACpW,WAAW,CAACyC,IAAI,WAAW2T,IAAI,CAAC6iB,MAAM,EAAE,CAAC;QAC3G;QACA;QACA7iB,IAAI,CAACs5C,IAAI,GAAGiP,OAAO,CAACj6D,GAAG,CAAC0R,IAAI,CAAC6iB,MAAM,CAAC;MACxC,CAAC,CAAC;IACN;EACJ;AACJ;;AAEA;AACA;AACA;AACA;AACA,SAASmvC,+BAA+BA,CAAChN,GAAG,EAAE;EAC1C,KAAK,MAAMh/B,IAAI,IAAIg/B,GAAG,CAACrB,KAAK,EAAE;IAC1B,KAAK,MAAMlZ,EAAE,IAAIzkB,IAAI,CAACm9B,MAAM,EAAE;MAC1B,IAAI1Y,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAACqC,OAAO,EAAE;QAC5B;MACJ;MACA,QAAQtQ,EAAE,CAACuQ,WAAW;QAClB,KAAK1D,WAAW,CAACO,SAAS;UACtB,IAAIpN,EAAE,CAACl2C,UAAU,YAAYqmD,aAAa,EAAE;YACxC,MAAM,IAAI7vD,KAAK,CAAC,+CAA+C,CAAC;UACpE;UACAk1D,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAE6Q,iBAAiB,CAAC7Q,EAAE,CAAC5nB,MAAM,EAAE4nB,EAAE,CAACp+C,IAAI,EAAEo+C,EAAE,CAACl2C,UAAU,EAAEk2C,EAAE,CAACvuC,UAAU,CAAC,CAAC;UACvF;QACJ,KAAKo7C,WAAW,CAACS,aAAa;UAC1BkI,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAE2Q,iBAAiB,CAAC3Q,EAAE,CAAC5nB,MAAM,EAAE4nB,EAAE,CAACp+C,IAAI,EAAEo+C,EAAE,CAACl2C,UAAU,EAAEk2C,EAAE,CAACzkB,IAAI,EAAEykB,EAAE,CAACvuC,UAAU,CAAC,CAAC;UAChG;QACJ,KAAKo7C,WAAW,CAACW,QAAQ;QACzB,KAAKX,WAAW,CAAC9uB,QAAQ;UACrB,IAAIiiB,EAAE,CAACp+C,IAAI,KAAK,OAAO,EAAE;YACrB4zD,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAE+Q,gBAAgB,CAAC/Q,EAAE,CAAC5nB,MAAM,EAAE4nB,EAAE,CAACl2C,UAAU,EAAEk2C,EAAE,CAACvuC,UAAU,CAAC,CAAC;UACjF,CAAC,MACI,IAAIuuC,EAAE,CAACp+C,IAAI,KAAK,OAAO,EAAE;YAC1B4zD,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAEiR,gBAAgB,CAACjR,EAAE,CAAC5nB,MAAM,EAAE4nB,EAAE,CAACl2C,UAAU,EAAEk2C,EAAE,CAACvuC,UAAU,CAAC,CAAC;UACjF;UACA;MACR;IACJ;EACJ;AACJ;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAAS+1D,uBAAuBA,CAACjN,GAAG,EAAE;EAClC,KAAK,MAAMh/B,IAAI,IAAIg/B,GAAG,CAACrB,KAAK,EAAE;IAC1B,IAAIuO,OAAO,GAAG,CAAC;IACf,IAAIC,mBAAmB,GAAG,EAAE;IAC5B,KAAK,MAAM1nB,EAAE,IAAIzkB,IAAI,CAACy6B,GAAG,CAAC,CAAC,EAAE;MACzB;MACA,MAAM2R,UAAU,GAAG,IAAItlE,GAAG,CAAC,CAAC;MAC5BkyD,oBAAoB,CAACvU,EAAE,EAAEzqC,IAAI,IAAI;QAC7B,IAAIA,IAAI,YAAY8+C,iBAAiB,EAAE;UACnCsT,UAAU,CAAC7jE,GAAG,CAACyR,IAAI,CAACq6C,IAAI,EAAEr6C,IAAI,CAAC;QACnC;MACJ,CAAC,CAAC;MACF;MACA;MACA,IAAInH,KAAK,GAAG,CAAC;MACb,MAAMw5D,QAAQ,GAAG,IAAI9/B,GAAG,CAAC,CAAC;MAC1B,MAAM+/B,QAAQ,GAAG,IAAI//B,GAAG,CAAC,CAAC;MAC1B,MAAMggC,IAAI,GAAG,IAAIzlE,GAAG,CAAC,CAAC;MACtBkyD,oBAAoB,CAACvU,EAAE,EAAEzqC,IAAI,IAAI;QAC7B,IAAIA,IAAI,YAAY6+C,mBAAmB,EAAE;UACrC,IAAI,CAACwT,QAAQ,CAAC9mD,GAAG,CAACvL,IAAI,CAACq6C,IAAI,CAAC,EAAE;YAC1BgY,QAAQ,CAACnhE,GAAG,CAAC8O,IAAI,CAACq6C,IAAI,CAAC;YACvB;YACA;YACAkY,IAAI,CAAChkE,GAAG,CAACyR,IAAI,CAACq6C,IAAI,EAAE,OAAO6X,OAAO,IAAIr5D,KAAK,EAAE,EAAE,CAAC;UACpD;UACA25D,UAAU,CAACD,IAAI,EAAEvyD,IAAI,CAAC;QAC1B,CAAC,MACI,IAAIA,IAAI,YAAY8+C,iBAAiB,EAAE;UACxC,IAAIsT,UAAU,CAAC9jE,GAAG,CAAC0R,IAAI,CAACq6C,IAAI,CAAC,KAAKr6C,IAAI,EAAE;YACpCsyD,QAAQ,CAACphE,GAAG,CAAC8O,IAAI,CAACq6C,IAAI,CAAC;YACvBxhD,KAAK,EAAE;UACX;UACA25D,UAAU,CAACD,IAAI,EAAEvyD,IAAI,CAAC;QAC1B;MACJ,CAAC,CAAC;MACF;MACAmyD,mBAAmB,CAAC3nE,IAAI,CAAC,GAAGouB,KAAK,CAAC0C,IAAI,CAAC,IAAIiX,GAAG,CAACggC,IAAI,CAAC9pD,MAAM,CAAC,CAAC,CAAC,CAAC,CACzD/Z,GAAG,CAACrC,IAAI,IAAI6tD,iBAAiB,CAAC,IAAI35C,cAAc,CAAClU,IAAI,CAAC,CAAC,CAAC,CAAC;MAC9D6lE,OAAO,EAAE;IACb;IACAlsC,IAAI,CAACm9B,MAAM,CAAC3C,OAAO,CAAC2R,mBAAmB,CAAC;EAC5C;AACJ;AACA;AACA;AACA;AACA,SAASK,UAAUA,CAACC,KAAK,EAAEzyD,IAAI,EAAE;EAC7B,MAAM3T,IAAI,GAAGomE,KAAK,CAACnkE,GAAG,CAAC0R,IAAI,CAACq6C,IAAI,CAAC;EACjC,IAAIhuD,IAAI,KAAK6rB,SAAS,EAAE;IACpB,MAAM,IAAIntB,KAAK,CAAC,oCAAoCiV,IAAI,CAACq6C,IAAI,EAAE,CAAC;EACpE;EACAr6C,IAAI,CAAC3T,IAAI,GAAGA,IAAI;AACpB;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASqmE,yBAAyBA,CAAC7O,GAAG,EAAE;EACpC,KAAK,MAAM79B,IAAI,IAAI69B,GAAG,CAACF,KAAK,EAAE;IAC1BgP,yBAAyB,CAAC3sC,IAAI,CAACk9B,MAAM,EAAEW,GAAG,CAACJ,aAAa,CAAC;IACzDkP,yBAAyB,CAAC3sC,IAAI,CAACm9B,MAAM,EAAEU,GAAG,CAACJ,aAAa,CAAC;IACzD,KAAK,MAAMhZ,EAAE,IAAIzkB,IAAI,CAACk9B,MAAM,EAAE;MAC1B,IAAIzY,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAC2G,QAAQ,EAAE;QAC7BsT,yBAAyB,CAACloB,EAAE,CAAC8U,UAAU,EAAEsE,GAAG,CAACJ,aAAa,CAAC;MAC/D;IACJ;EACJ;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA,IAAImP,KAAK;AACT,CAAC,UAAUA,KAAK,EAAE;EACd;AACJ;AACA;EACIA,KAAK,CAACA,KAAK,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,GAAG,MAAM;EACjC;AACJ;AACA;AACA;EACIA,KAAK,CAACA,KAAK,CAAC,iBAAiB,CAAC,GAAG,CAAC,CAAC,GAAG,iBAAiB;EACvD;AACJ;AACA;AACA;AACA;AACA;AACA;EACIA,KAAK,CAACA,KAAK,CAAC,kBAAkB,CAAC,GAAG,CAAC,CAAC,GAAG,kBAAkB;EACzD;AACJ;AACA;AACA;AACA;AACA;EACIA,KAAK,CAACA,KAAK,CAAC,eAAe,CAAC,GAAG,CAAC,CAAC,GAAG,eAAe;AACvD,CAAC,EAAEA,KAAK,KAAKA,KAAK,GAAG,CAAC,CAAC,CAAC,CAAC;AACzB;AACA;AACA;AACA,SAASD,yBAAyBA,CAAClS,GAAG,EAAEgD,aAAa,EAAE;EACnD,MAAMoP,QAAQ,GAAG,IAAI/lE,GAAG,CAAC,CAAC;EAC1B,MAAMgmE,SAAS,GAAG,IAAIhmE,GAAG,CAAC,CAAC;EAC3B;EACA;EACA,MAAMimE,eAAe,GAAG,IAAIxgC,GAAG,CAAC,CAAC;EACjC,MAAMygC,KAAK,GAAG,IAAIlmE,GAAG,CAAC,CAAC;EACvB;EACA,KAAK,MAAM29C,EAAE,IAAIgW,GAAG,EAAE;IAClB,IAAIhW,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAC5vB,QAAQ,EAAE;MAC7B,IAAI+pC,QAAQ,CAACtnD,GAAG,CAACk/B,EAAE,CAAC4P,IAAI,CAAC,IAAIyY,SAAS,CAACvnD,GAAG,CAACk/B,EAAE,CAAC4P,IAAI,CAAC,EAAE;QACjD,MAAM,IAAItvD,KAAK,CAAC,yDAAyD0/C,EAAE,CAAC4P,IAAI,EAAE,CAAC;MACvF;MACAwY,QAAQ,CAACtkE,GAAG,CAACk8C,EAAE,CAAC4P,IAAI,EAAE5P,EAAE,CAAC;MACzBqoB,SAAS,CAACvkE,GAAG,CAACk8C,EAAE,CAAC4P,IAAI,EAAE,CAAC,CAAC;IAC7B;IACA2Y,KAAK,CAACzkE,GAAG,CAACk8C,EAAE,EAAEwoB,aAAa,CAACxoB,EAAE,CAAC,CAAC;IAChCyoB,mBAAmB,CAACzoB,EAAE,EAAEqoB,SAAS,EAAEC,eAAe,CAAC;EACvD;EACA;EACA;EACA;EACA;EACA;EACA,IAAII,aAAa,GAAG,KAAK;EACzB;EACA;EACA,KAAK,MAAM1oB,EAAE,IAAIgW,GAAG,CAACI,QAAQ,CAAC,CAAC,EAAE;IAC7B,MAAMuS,MAAM,GAAGJ,KAAK,CAAC1kE,GAAG,CAACm8C,EAAE,CAAC;IAC5B,IAAIA,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAC5vB,QAAQ,IAAIgqC,SAAS,CAACxkE,GAAG,CAACm8C,EAAE,CAAC4P,IAAI,CAAC,KAAK,CAAC,EAAE;MAC7D;MACA;MACA,IAAK8Y,aAAa,IAAIC,MAAM,CAACC,MAAM,GAAGT,KAAK,CAACU,gBAAgB,IACvDF,MAAM,CAACC,MAAM,GAAGT,KAAK,CAACW,aAAc,EAAE;QACvC;QACA;QACA;QACA;QACA;QACA;QACA,MAAMC,MAAM,GAAGtZ,iBAAiB,CAACzP,EAAE,CAAC6P,WAAW,CAAC96C,MAAM,CAAC,CAAC,CAAC;QACzDwzD,KAAK,CAACzkE,GAAG,CAACilE,MAAM,EAAEJ,MAAM,CAAC;QACzBnT,MAAM,CAACl0D,OAAO,CAAC0+C,EAAE,EAAE+oB,MAAM,CAAC;MAC9B,CAAC,MACI;QACD;QACA;QACA;QACA;QACA;QACAC,qBAAqB,CAAChpB,EAAE,EAAEqoB,SAAS,CAAC;QACpC7S,MAAM,CAACiB,MAAM,CAACzW,EAAE,CAAC;MACrB;MACAuoB,KAAK,CAAClnB,MAAM,CAACrB,EAAE,CAAC;MAChBooB,QAAQ,CAAC/mB,MAAM,CAACrB,EAAE,CAAC4P,IAAI,CAAC;MACxByY,SAAS,CAAChnB,MAAM,CAACrB,EAAE,CAAC4P,IAAI,CAAC;MACzB;IACJ;IACA;IACA,IAAI+Y,MAAM,CAACC,MAAM,GAAGT,KAAK,CAACc,eAAe,EAAE;MACvCP,aAAa,GAAG,IAAI;IACxB;EACJ;EACA;EACA,MAAMQ,QAAQ,GAAG,EAAE;EACnB,KAAK,MAAM,CAAChhE,EAAE,EAAEkG,KAAK,CAAC,IAAIi6D,SAAS,EAAE;IACjC;IACA;IACA;IACA,IAAIj6D,KAAK,KAAK,CAAC,EAAE;MACb;MACA;IACJ;IACA,IAAIk6D,eAAe,CAACxnD,GAAG,CAAC5Y,EAAE,CAAC,EAAE;MACzB;MACA;IACJ;IACAghE,QAAQ,CAACnpE,IAAI,CAACmI,EAAE,CAAC;EACrB;EACA,IAAI24D,SAAS;EACb,OAAOA,SAAS,GAAGqI,QAAQ,CAAC91C,GAAG,CAAC,CAAC,EAAE;IAC/B;IACA;IACA,MAAMsO,IAAI,GAAG0mC,QAAQ,CAACvkE,GAAG,CAACg9D,SAAS,CAAC;IACpC,MAAMsI,OAAO,GAAGZ,KAAK,CAAC1kE,GAAG,CAAC69B,IAAI,CAAC;IAC/B;IACA;IACA,KAAK,IAAI0nC,QAAQ,GAAG1nC,IAAI,CAACsuB,IAAI,EAAEoZ,QAAQ,CAAC33B,IAAI,KAAKwc,MAAM,CAACyH,OAAO,EAAE0T,QAAQ,GAAGA,QAAQ,CAACpZ,IAAI,EAAE;MACvF,MAAM2Y,MAAM,GAAGJ,KAAK,CAAC1kE,GAAG,CAACulE,QAAQ,CAAC;MAClC;MACA,IAAIT,MAAM,CAACU,aAAa,CAACvoD,GAAG,CAAC+/C,SAAS,CAAC,EAAE;QACrC,IAAI7H,aAAa,KAAK5K,iBAAiB,CAACmN,yBAAyB,IAC7D,CAAC+N,yBAAyB,CAAC5nC,IAAI,EAAE0nC,QAAQ,CAAC,EAAE;UAC5C;UACA;UACA;QACJ;QACA;QACA;QACA,IAAIG,4BAA4B,CAAC1I,SAAS,EAAEn/B,IAAI,CAACmuB,WAAW,EAAEuZ,QAAQ,EAAED,OAAO,CAACP,MAAM,CAAC,EAAE;UACrF;UACA;UACAD,MAAM,CAACU,aAAa,CAAChoB,MAAM,CAACwf,SAAS,CAAC;UACtC;UACA,KAAK,MAAM34D,EAAE,IAAIihE,OAAO,CAACE,aAAa,EAAE;YACpCV,MAAM,CAACU,aAAa,CAAC5iE,GAAG,CAACyB,EAAE,CAAC;UAChC;UACA;UACAygE,MAAM,CAACC,MAAM,IAAIO,OAAO,CAACP,MAAM;UAC/B;UACAR,QAAQ,CAAC/mB,MAAM,CAACwf,SAAS,CAAC;UAC1BwH,SAAS,CAAChnB,MAAM,CAACwf,SAAS,CAAC;UAC3B0H,KAAK,CAAClnB,MAAM,CAAC3f,IAAI,CAAC;UAClB;UACA8zB,MAAM,CAACiB,MAAM,CAAC/0B,IAAI,CAAC;QACvB;QACA;QACA;MACJ;MACA;MACA;MACA,IAAI,CAAC8nC,sBAAsB,CAACb,MAAM,CAACC,MAAM,EAAEO,OAAO,CAACP,MAAM,CAAC,EAAE;QACxD;QACA;QACA;MACJ;IACJ;EACJ;AACJ;AACA;AACA;AACA;AACA,SAASa,qBAAqBA,CAACl0D,IAAI,EAAE;EACjC,QAAQA,IAAI,CAACk8B,IAAI;IACb,KAAKyc,cAAc,CAACsE,WAAW;MAC3B,OAAO2V,KAAK,CAACU,gBAAgB;IACjC,KAAK3a,cAAc,CAAC2E,WAAW;MAC3B,OAAOsV,KAAK,CAACU,gBAAgB,GAAGV,KAAK,CAACW,aAAa;IACvD,KAAK5a,cAAc,CAAC3vB,SAAS;MACzB,OAAO4pC,KAAK,CAACc,eAAe;IAChC;MACI,OAAOd,KAAK,CAACp5D,IAAI;EACzB;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASy5D,aAAaA,CAACxoB,EAAE,EAAE;EACvB,IAAI4oB,MAAM,GAAGT,KAAK,CAACp5D,IAAI;EACvB,MAAMs6D,aAAa,GAAG,IAAIvhC,GAAG,CAAC,CAAC;EAC/BysB,oBAAoB,CAACvU,EAAE,EAAEzqC,IAAI,IAAI;IAC7B,IAAI,CAACw8C,cAAc,CAACx8C,IAAI,CAAC,EAAE;MACvB;IACJ;IACA,QAAQA,IAAI,CAACk8B,IAAI;MACb,KAAKyc,cAAc,CAACiF,YAAY;QAC5BkW,aAAa,CAAC5iE,GAAG,CAAC8O,IAAI,CAACq6C,IAAI,CAAC;QAC5B;MACJ;QACIgZ,MAAM,IAAIa,qBAAqB,CAACl0D,IAAI,CAAC;IAC7C;EACJ,CAAC,CAAC;EACF,OAAO;IAAEqzD,MAAM;IAAES;EAAc,CAAC;AACpC;AACA;AACA;AACA;AACA;AACA,SAASZ,mBAAmBA,CAACzoB,EAAE,EAAEqoB,SAAS,EAAEqB,cAAc,EAAE;EACxDnV,oBAAoB,CAACvU,EAAE,EAAE,CAACzqC,IAAI,EAAEokB,KAAK,KAAK;IACtC,IAAI,CAACo4B,cAAc,CAACx8C,IAAI,CAAC,EAAE;MACvB;IACJ;IACA,IAAIA,IAAI,CAACk8B,IAAI,KAAKyc,cAAc,CAACiF,YAAY,EAAE;MAC3C;IACJ;IACA,MAAM/kD,KAAK,GAAGi6D,SAAS,CAACxkE,GAAG,CAAC0R,IAAI,CAACq6C,IAAI,CAAC;IACtC,IAAIxhD,KAAK,KAAKqf,SAAS,EAAE;MACrB;MACA;IACJ;IACA46C,SAAS,CAACvkE,GAAG,CAACyR,IAAI,CAACq6C,IAAI,EAAExhD,KAAK,GAAG,CAAC,CAAC;IACnC,IAAIurB,KAAK,GAAG05B,kBAAkB,CAACC,gBAAgB,EAAE;MAC7CoW,cAAc,CAACjjE,GAAG,CAAC8O,IAAI,CAACq6C,IAAI,CAAC;IACjC;EACJ,CAAC,CAAC;AACN;AACA;AACA;AACA;AACA,SAASoZ,qBAAqBA,CAAChpB,EAAE,EAAEqoB,SAAS,EAAE;EAC1C9T,oBAAoB,CAACvU,EAAE,EAAEzqC,IAAI,IAAI;IAC7B,IAAI,CAACw8C,cAAc,CAACx8C,IAAI,CAAC,EAAE;MACvB;IACJ;IACA,IAAIA,IAAI,CAACk8B,IAAI,KAAKyc,cAAc,CAACiF,YAAY,EAAE;MAC3C;IACJ;IACA,MAAM/kD,KAAK,GAAGi6D,SAAS,CAACxkE,GAAG,CAAC0R,IAAI,CAACq6C,IAAI,CAAC;IACtC,IAAIxhD,KAAK,KAAKqf,SAAS,EAAE;MACrB;MACA;IACJ,CAAC,MACI,IAAIrf,KAAK,KAAK,CAAC,EAAE;MAClB,MAAM,IAAI9N,KAAK,CAAC,8BAA8BiV,IAAI,CAACq6C,IAAI,8CAA8C,CAAC;IAC1G;IACAyY,SAAS,CAACvkE,GAAG,CAACyR,IAAI,CAACq6C,IAAI,EAAExhD,KAAK,GAAG,CAAC,CAAC;EACvC,CAAC,CAAC;AACN;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASo7D,sBAAsBA,CAACZ,MAAM,EAAEe,UAAU,EAAE;EAChD,IAAIf,MAAM,GAAGT,KAAK,CAACU,gBAAgB,EAAE;IACjC;IACA,IAAIc,UAAU,GAAGxB,KAAK,CAACc,eAAe,EAAE;MACpC,OAAO,KAAK;IAChB;EACJ,CAAC,MACI,IAAIL,MAAM,GAAGT,KAAK,CAACc,eAAe,EAAE;IACrC;IACA,IAAIU,UAAU,GAAGxB,KAAK,CAACU,gBAAgB,EAAE;MACrC,OAAO,KAAK;IAChB;EACJ;EACA,OAAO,IAAI;AACf;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASU,4BAA4BA,CAACrhE,EAAE,EAAE2nD,WAAW,EAAEz3B,MAAM,EAAEuxC,UAAU,EAAE;EACvE;EACA;EACA;EACA;EACA,IAAIC,OAAO,GAAG,KAAK;EACnB,IAAIC,eAAe,GAAG,IAAI;EAC1BrV,wBAAwB,CAACp8B,MAAM,EAAE,CAAC7iB,IAAI,EAAEokB,KAAK,KAAK;IAC9C,IAAI,CAACo4B,cAAc,CAACx8C,IAAI,CAAC,EAAE;MACvB,OAAOA,IAAI;IACf;IACA,IAAIq0D,OAAO,IAAI,CAACC,eAAe,EAAE;MAC7B;MACA;MACA,OAAOt0D,IAAI;IACf,CAAC,MACI,IAAKokB,KAAK,GAAG05B,kBAAkB,CAACC,gBAAgB,IAAMqW,UAAU,GAAGxB,KAAK,CAACc,eAAgB,EAAE;MAC5F;MACA;MACA,OAAO1zD,IAAI;IACf;IACA,QAAQA,IAAI,CAACk8B,IAAI;MACb,KAAKyc,cAAc,CAACiF,YAAY;QAC5B,IAAI59C,IAAI,CAACq6C,IAAI,KAAK1nD,EAAE,EAAE;UAClB;UACA;UACA0hE,OAAO,GAAG,IAAI;UACd,OAAO/Z,WAAW;QACtB;QACA;MACJ;QACI;QACA,MAAMia,UAAU,GAAGL,qBAAqB,CAACl0D,IAAI,CAAC;QAC9Cs0D,eAAe,GAAGA,eAAe,IAAIL,sBAAsB,CAACM,UAAU,EAAEH,UAAU,CAAC;QACnF;IACR;IACA,OAAOp0D,IAAI;EACf,CAAC,EAAE89C,kBAAkB,CAACtkD,IAAI,CAAC;EAC3B,OAAO66D,OAAO;AAClB;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASN,yBAAyBA,CAAC5nC,IAAI,EAAEtJ,MAAM,EAAE;EAC7C;EACA;EACA,QAAQsJ,IAAI,CAAClkB,QAAQ,CAACi0B,IAAI;IACtB,KAAK0c,oBAAoB,CAACqQ,UAAU;MAChC,OAAO,KAAK;IAChB,KAAKrQ,oBAAoB,CAACmE,OAAO;MAC7B;MACA,OAAOl6B,MAAM,CAACqZ,IAAI,KAAKwc,MAAM,CAAC5vB,QAAQ;IAC1C;MACI,OAAO,IAAI;EACnB;AACJ;;AAEA;AACA;AACA;AACA;AACA,SAAS0rC,iBAAiBA,CAAC3Q,GAAG,EAAE;EAC5BiG,cAAc,CAACjG,GAAG,CAAC;EACnBmO,+BAA+B,CAACnO,GAAG,CAAC;EACpCyC,0BAA0B,CAACzC,GAAG,CAAC;EAC/B8B,wBAAwB,CAAC9B,GAAG,CAAC;EAC7BgN,wBAAwB,CAAChN,GAAG,CAAC;EAC7B6H,2BAA2B,CAAC7H,GAAG,CAAC;EAChCmI,iBAAiB,CAACnI,GAAG,CAAC;EACtByI,iBAAiB,CAACzI,GAAG,CAAC;EACtB6J,0BAA0B,CAAC7J,GAAG,CAAC;EAC/B4E,sBAAsB,CAAC5E,GAAG,CAAC;EAC3B6N,oBAAoB,CAAC7N,GAAG,CAAC;EACzBoB,iBAAiB,CAACpB,GAAG,CAAC;EACtBmN,uBAAuB,CAACnN,GAAG,CAAC;EAC5BqN,iBAAiB,CAACrN,GAAG,CAAC;EACtBiN,oBAAoB,CAACjN,GAAG,CAAC;EACzB0N,sBAAsB,CAAC1N,GAAG,CAAC;EAC3B8F,cAAc,CAAC9F,GAAG,CAAC;EACnBiD,oBAAoB,CAACjD,GAAG,CAAC;EACzBiI,sBAAsB,CAACjI,GAAG,CAAC;EAC3ByD,oBAAoB,CAACzD,GAAG,CAAC;EACzBoO,uBAAuB,CAACpO,GAAG,CAAC;EAC5BiO,mBAAmB,CAACjO,GAAG,CAAC;EACxBY,gBAAgB,CAACZ,GAAG,CAAC;EACrByE,oBAAoB,CAACzE,GAAG,CAAC;EACzB6O,yBAAyB,CAAC7O,GAAG,CAAC;EAC9B2G,WAAW,CAAC3G,GAAG,CAAC;EAChBqH,qBAAqB,CAACrH,GAAG,CAAC;EAC1B2H,gBAAgB,CAAC3H,GAAG,CAAC;EACrBqD,kBAAkB,CAACrD,GAAG,CAAC;EACvBgI,gBAAgB,CAAChI,GAAG,CAAC;EACrBsJ,2BAA2B,CAACtJ,GAAG,CAAC;EAChCkB,+BAA+B,CAAClB,GAAG,CAAC;EACpC8I,qBAAqB,CAAC9I,GAAG,CAAC;EAC1BwM,UAAU,CAACxM,GAAG,CAAC;EACf4C,aAAa,CAAC5C,GAAG,CAAC;AACtB;AACA;AACA;AACA;AACA;AACA,SAAS4Q,oBAAoBA,CAAC5Q,GAAG,EAAE;EAC/BwF,6BAA6B,CAACxF,GAAG,CAAC;EAClCmO,+BAA+B,CAACnO,GAAG,CAAC;EACpCyC,0BAA0B,CAACzC,GAAG,CAAC;EAC/B6J,0BAA0B,CAAC7J,GAAG,CAAC;EAC/BiI,sBAAsB,CAACjI,GAAG,CAAC;EAC3ByD,oBAAoB,CAACzD,GAAG,CAAC;EACzBoO,uBAAuB,CAACpO,GAAG,CAAC;EAC5BY,gBAAgB,CAACZ,GAAG,CAAC;EACrB6O,yBAAyB,CAAC7O,GAAG,CAAC;EAC9BqN,iBAAiB,CAACrN,GAAG,CAAC;EACtBiN,oBAAoB,CAACjN,GAAG,CAAC;EACzB;EACA;EACA2G,WAAW,CAAC3G,GAAG,CAAC;EAChBsJ,2BAA2B,CAACtJ,GAAG,CAAC;EAChC8I,qBAAqB,CAAC9I,GAAG,CAAC;EAC1BwM,UAAU,CAACxM,GAAG,CAAC;EACf4C,aAAa,CAAC5C,GAAG,CAAC;AACtB;AACA;AACA;AACA;AACA;AACA,SAAS6Q,cAAcA,CAACC,GAAG,EAAEnR,IAAI,EAAE;EAC/B,MAAMoR,MAAM,GAAGC,QAAQ,CAACF,GAAG,CAAC7Q,IAAI,CAAC;EACjCgR,cAAc,CAACH,GAAG,CAAC7Q,IAAI,EAAEN,IAAI,CAAC;EAC9B,OAAOoR,MAAM;AACjB;AACA,SAASE,cAAcA,CAACzQ,MAAM,EAAEb,IAAI,EAAE;EAClC,KAAK,MAAMvsD,IAAI,IAAIotD,MAAM,CAACR,GAAG,CAACI,KAAK,CAACx7C,MAAM,CAAC,CAAC,EAAE;IAC1C,IAAIxR,IAAI,CAACotD,MAAM,KAAKA,MAAM,CAAChK,IAAI,EAAE;MAC7B;IACJ;IACA;IACAya,cAAc,CAAC79D,IAAI,EAAEusD,IAAI,CAAC;IAC1B,MAAMuR,MAAM,GAAGF,QAAQ,CAAC59D,IAAI,CAAC;IAC7BusD,IAAI,CAACz+C,UAAU,CAACva,IAAI,CAACuqE,MAAM,CAACz0D,UAAU,CAACy0D,MAAM,CAAC1oE,IAAI,CAAC,CAAC;EACxD;AACJ;AACA;AACA;AACA;AACA;AACA,SAASwoE,QAAQA,CAAC59D,IAAI,EAAE;EACpB,IAAIA,IAAI,CAACmsD,MAAM,KAAK,IAAI,EAAE;IACtB,MAAM,IAAIr4D,KAAK,CAAC,wBAAwBkM,IAAI,CAACojD,IAAI,aAAa,CAAC;EACnE;EACA,MAAM2a,gBAAgB,GAAG,EAAE;EAC3B,KAAK,MAAMvqB,EAAE,IAAIxzC,IAAI,CAACisD,MAAM,EAAE;IAC1B,IAAIzY,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAC7xC,SAAS,EAAE;MAC9B,MAAM,IAAI9b,KAAK,CAAC,0EAA0E2tD,MAAM,CAACjO,EAAE,CAACvO,IAAI,CAAC,EAAE,CAAC;IAChH;IACA84B,gBAAgB,CAACxqE,IAAI,CAACigD,EAAE,CAACzL,SAAS,CAAC;EACvC;EACA,MAAMi2B,gBAAgB,GAAG,EAAE;EAC3B,KAAK,MAAMxqB,EAAE,IAAIxzC,IAAI,CAACksD,MAAM,EAAE;IAC1B,IAAI1Y,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAC7xC,SAAS,EAAE;MAC9B,MAAM,IAAI9b,KAAK,CAAC,0EAA0E2tD,MAAM,CAACjO,EAAE,CAACvO,IAAI,CAAC,EAAE,CAAC;IAChH;IACA+4B,gBAAgB,CAACzqE,IAAI,CAACigD,EAAE,CAACzL,SAAS,CAAC;EACvC;EACA,MAAMk2B,UAAU,GAAGC,oBAAoB,CAAC,CAAC,EAAEH,gBAAgB,CAAC;EAC5D,MAAMI,UAAU,GAAGD,oBAAoB,CAAC,CAAC,EAAEF,gBAAgB,CAAC;EAC5D,OAAOj0D,EAAE,CAAC,CACN,IAAI4D,OAAO,CAAC,IAAI,CAAC,EACjB,IAAIA,OAAO,CAAC,KAAK,CAAC,CACrB,EAAE,CACC,GAAGswD,UAAU,EACb,GAAGE,UAAU,CAChB,EACD,UAAWl9C,SAAS,EAAE,gBAAiBA,SAAS,EAAEjhB,IAAI,CAACmsD,MAAM,CAAC;AAClE;AACA,SAAS+R,oBAAoBA,CAACE,IAAI,EAAEtwD,UAAU,EAAE;EAC5C,IAAIA,UAAU,CAACxa,MAAM,KAAK,CAAC,EAAE;IACzB,OAAO,EAAE;EACb;EACA,OAAO,CACHue,MAAM,CAAC,IAAI3L,kBAAkB,CAAC1B,cAAc,CAACgD,UAAU,EAAEwJ,QAAQ,CAAC,IAAI,CAAC,EAAEiB,OAAO,CAACmsD,IAAI,CAAC,CAAC,EAAEtwD,UAAU,CAAC,CACvG;AACL;AACA,SAASuwD,uBAAuBA,CAACzR,GAAG,EAAE;EAClC,IAAIA,GAAG,CAACT,MAAM,KAAK,IAAI,EAAE;IACrB,MAAM,IAAIr4D,KAAK,CAAC,kDAAkD,CAAC;EACvE;EACA,MAAMiqE,gBAAgB,GAAG,EAAE;EAC3B,KAAK,MAAMvqB,EAAE,IAAIoZ,GAAG,CAACX,MAAM,EAAE;IACzB,IAAIzY,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAC7xC,SAAS,EAAE;MAC9B,MAAM,IAAI9b,KAAK,CAAC,0EAA0E2tD,MAAM,CAACjO,EAAE,CAACvO,IAAI,CAAC,EAAE,CAAC;IAChH;IACA84B,gBAAgB,CAACxqE,IAAI,CAACigD,EAAE,CAACzL,SAAS,CAAC;EACvC;EACA,MAAMi2B,gBAAgB,GAAG,EAAE;EAC3B,KAAK,MAAMxqB,EAAE,IAAIoZ,GAAG,CAACV,MAAM,EAAE;IACzB,IAAI1Y,EAAE,CAACvO,IAAI,KAAKwc,MAAM,CAAC7xC,SAAS,EAAE;MAC9B,MAAM,IAAI9b,KAAK,CAAC,0EAA0E2tD,MAAM,CAACjO,EAAE,CAACvO,IAAI,CAAC,EAAE,CAAC;IAChH;IACA+4B,gBAAgB,CAACzqE,IAAI,CAACigD,EAAE,CAACzL,SAAS,CAAC;EACvC;EACA,IAAIg2B,gBAAgB,CAACzqE,MAAM,KAAK,CAAC,IAAI0qE,gBAAgB,CAAC1qE,MAAM,KAAK,CAAC,EAAE;IAChE,OAAO,IAAI;EACf;EACA,MAAM2qE,UAAU,GAAGC,oBAAoB,CAAC,CAAC,EAAEH,gBAAgB,CAAC;EAC5D,MAAMI,UAAU,GAAGD,oBAAoB,CAAC,CAAC,EAAEF,gBAAgB,CAAC;EAC5D,OAAOj0D,EAAE,CAAC,CACN,IAAI4D,OAAO,CAAC,IAAI,CAAC,EACjB,IAAIA,OAAO,CAAC,KAAK,CAAC,CACrB,EAAE,CACC,GAAGswD,UAAU,EACb,GAAGE,UAAU,CAChB,EACD,UAAWl9C,SAAS,EAAE,gBAAiBA,SAAS,EAAE2rC,GAAG,CAACT,MAAM,CAAC;AACjE;AAEA,MAAMmS,iBAAiB,GAAG1c,iBAAiB,CAACmN,yBAAyB;AACrE;AACA;AACA;AACA;AACA,SAASwP,eAAeA,CAACjS,aAAa,EAAEliD,QAAQ,EAAEoyB,YAAY,EAAE;EAC5D,MAAMuxB,GAAG,GAAG,IAAIhB,uBAAuB,CAACT,aAAa,EAAE9vB,YAAY,EAAE8hC,iBAAiB,CAAC;EACvFE,WAAW,CAACzQ,GAAG,CAAClB,IAAI,EAAEziD,QAAQ,CAAC;EAC/B,OAAO2jD,GAAG;AACd;AACA;AACA;AACA;AACA;AACA,SAAS0Q,iBAAiBA,CAACr+C,KAAK,EAAEs+C,aAAa,EAAEliC,YAAY,EAAE;EAC3D,MAAMowB,GAAG,GAAG,IAAIP,yBAAyB,CAACjsC,KAAK,CAACksC,aAAa,EAAE9vB,YAAY,EAAE8hC,iBAAiB,CAAC;EAC/F,KAAK,MAAMvjD,QAAQ,IAAIqF,KAAK,CAACu+C,UAAU,IAAI,EAAE,EAAE;IAC3CC,kBAAkB,CAAChS,GAAG,EAAE7xC,QAAQ,CAAC;EACrC;EACA,KAAK,MAAMsU,KAAK,IAAIjP,KAAK,CAACy+C,MAAM,IAAI,EAAE,EAAE;IACpCC,eAAe,CAAClS,GAAG,EAAEv9B,KAAK,CAAC;EAC/B;EACA,OAAOu9B,GAAG;AACd;AACA;AACA;AACA,SAASgS,kBAAkBA,CAAChS,GAAG,EAAE7xC,QAAQ,EAAE;EACvC,IAAIzd,UAAU;EACd,MAAMoT,GAAG,GAAGqK,QAAQ,CAACzd,UAAU,CAACoT,GAAG;EACnC,IAAIA,GAAG,YAAY68B,eAAe,EAAE;IAChCjwC,UAAU,GACN,IAAIqmD,aAAa,CAACjzC,GAAG,CAAC4oB,OAAO,EAAE5oB,GAAG,CAACpG,WAAW,CAAC7S,GAAG,CAACsR,IAAI,IAAIg2D,UAAU,CAACh2D,IAAI,EAAE6jD,GAAG,CAAC,CAAC,CAAC;EAC1F,CAAC,MACI;IACDtvD,UAAU,GAAGyhE,UAAU,CAACruD,GAAG,EAAEk8C,GAAG,CAAC;EACrC;EACA,IAAI7I,WAAW,GAAG1D,WAAW,CAACW,QAAQ;EACtC;EACA,IAAIjmC,QAAQ,CAAC3lB,IAAI,CAACujC,UAAU,CAAC,OAAO,CAAC,EAAE;IACnC5d,QAAQ,CAAC3lB,IAAI,GAAG2lB,QAAQ,CAAC3lB,IAAI,CAAC2sB,SAAS,CAAC,OAAO,CAACzuB,MAAM,CAAC;IACvDywD,WAAW,GAAG1D,WAAW,CAACM,SAAS;EACvC;EACAiM,GAAG,CAACV,MAAM,CAAC34D,IAAI,CAACqwD,eAAe,CAACgJ,GAAG,CAACC,IAAI,CAACzJ,IAAI,EAAEW,WAAW,EAAEhpC,QAAQ,CAAC3lB,IAAI,EAAEkI,UAAU,EAAE,IAAI,EAAEzE,eAAe,CACvGo2D,IAAI,CAAC,4EAA4E,KAAK,EAAEl0C,QAAQ,CAAC9V,UAAU,CAAC,CAAC;AACtH;AACA,SAAS65D,eAAeA,CAAClS,GAAG,EAAEv9B,KAAK,EAAE,CAAE;AACvC;AACA;AACA;AACA,SAASmvC,WAAWA,CAACx+D,IAAI,EAAEoK,QAAQ,EAAE;EACjC,KAAK,MAAMlB,IAAI,IAAIkB,QAAQ,EAAE;IACzB,IAAIlB,IAAI,YAAYsmB,SAAS,EAAE;MAC3BwvC,aAAa,CAACh/D,IAAI,EAAEkJ,IAAI,CAAC;IAC7B,CAAC,MACI,IAAIA,IAAI,YAAYqoB,QAAQ,EAAE;MAC/B0tC,cAAc,CAACj/D,IAAI,EAAEkJ,IAAI,CAAC;IAC9B,CAAC,MACI,IAAIA,IAAI,YAAYolB,MAAM,EAAE;MAC7B4wC,UAAU,CAACl/D,IAAI,EAAEkJ,IAAI,CAAC;IAC1B,CAAC,MACI,IAAIA,IAAI,YAAYqlB,SAAS,EAAE;MAChC4wC,eAAe,CAACn/D,IAAI,EAAEkJ,IAAI,CAAC;IAC/B,CAAC,MACI;MACD,MAAM,IAAIpV,KAAK,CAAC,8BAA8BoV,IAAI,CAACvW,WAAW,CAACyC,IAAI,EAAE,CAAC;IAC1E;EACJ;AACJ;AACA;AACA;AACA;AACA,SAAS4pE,aAAaA,CAACh/D,IAAI,EAAEpN,OAAO,EAAE;EAClC,MAAMwsE,gBAAgB,GAAG,CAAC,CAAC;EAC3B,KAAK,MAAM7qE,IAAI,IAAI3B,OAAO,CAAC68B,UAAU,EAAE;IACnC2vC,gBAAgB,CAAC7qE,IAAI,CAACa,IAAI,CAAC,GAAGb,IAAI,CAACc,KAAK;EAC5C;EACA,MAAMqG,EAAE,GAAGsE,IAAI,CAAC4sD,GAAG,CAACE,cAAc,CAAC,CAAC;EACpC,MAAM,CAACuS,YAAY,EAAEpmE,WAAW,CAAC,GAAG2mD,WAAW,CAAChtD,OAAO,CAACwC,IAAI,CAAC;EAC7D,MAAMkqE,OAAO,GAAG3U,oBAAoB,CAAC1xD,WAAW,EAAEyC,EAAE,EAAEw3D,eAAe,CAACmM,YAAY,CAAC,EAAEzsE,OAAO,CAACi9B,eAAe,CAAC;EAC7G7vB,IAAI,CAACisD,MAAM,CAAC14D,IAAI,CAAC+rE,OAAO,CAAC;EACzBC,cAAc,CAACv/D,IAAI,EAAEs/D,OAAO,EAAE1sE,OAAO,CAAC;EACtC4sE,gBAAgB,CAACF,OAAO,EAAE1sE,OAAO,CAAC;EAClC4rE,WAAW,CAACx+D,IAAI,EAAEpN,OAAO,CAACkK,QAAQ,CAAC;EACnCkD,IAAI,CAACisD,MAAM,CAAC14D,IAAI,CAAC03D,kBAAkB,CAACvvD,EAAE,EAAE9I,OAAO,CAACk9B,aAAa,CAAC,CAAC;AACnE;AACA;AACA;AACA;AACA,SAASmvC,cAAcA,CAACj/D,IAAI,EAAEy/D,IAAI,EAAE;EAChC,MAAM7R,SAAS,GAAG5tD,IAAI,CAAC4sD,GAAG,CAACO,YAAY,CAACntD,IAAI,CAACojD,IAAI,CAAC;EAClD,IAAIsc,uBAAuB,GAAGD,IAAI,CAACjtD,OAAO;EAC1C,IAAImtD,eAAe,GAAG,EAAE;EACxB,IAAIF,IAAI,CAACjtD,OAAO,EAAE;IACd,CAACmtD,eAAe,EAAED,uBAAuB,CAAC,GAAG9f,WAAW,CAAC6f,IAAI,CAACjtD,OAAO,CAAC;EAC1E;EACA;EACA,MAAMotD,KAAK,GAAG7U,gBAAgB,CAAC6C,SAAS,CAACxK,IAAI,EAAEsc,uBAAuB,IAAI,aAAa,EAAExM,eAAe,CAACyM,eAAe,CAAC,EAAEF,IAAI,CAAC5vC,eAAe,CAAC;EAChJ7vB,IAAI,CAACisD,MAAM,CAAC14D,IAAI,CAACqsE,KAAK,CAAC;EACvBL,cAAc,CAACv/D,IAAI,EAAE4/D,KAAK,EAAEH,IAAI,CAAC;EACjCD,gBAAgB,CAACI,KAAK,EAAEH,IAAI,CAAC;EAC7BjB,WAAW,CAAC5Q,SAAS,EAAE6R,IAAI,CAAC3iE,QAAQ,CAAC;EACrC,KAAK,MAAM;IAAE1H,IAAI;IAAEC;EAAM,CAAC,IAAIoqE,IAAI,CAAChuC,SAAS,EAAE;IAC1Cm8B,SAAS,CAACL,gBAAgB,CAACj2D,GAAG,CAAClC,IAAI,EAAEC,KAAK,CAAC;EAC/C;AACJ;AACA;AACA;AACA;AACA,SAAS6pE,UAAUA,CAACl/D,IAAI,EAAEtD,IAAI,EAAE;EAC5BsD,IAAI,CAACisD,MAAM,CAAC14D,IAAI,CAAC63D,YAAY,CAACprD,IAAI,CAAC4sD,GAAG,CAACE,cAAc,CAAC,CAAC,EAAEpwD,IAAI,CAACrH,KAAK,EAAEqH,IAAI,CAACuI,UAAU,CAAC,CAAC;AAC1F;AACA;AACA;AACA;AACA,SAASk6D,eAAeA,CAACn/D,IAAI,EAAEtD,IAAI,EAAE;EACjC,IAAIrH,KAAK,GAAGqH,IAAI,CAACrH,KAAK;EACtB,IAAIA,KAAK,YAAYy5C,aAAa,EAAE;IAChCz5C,KAAK,GAAGA,KAAK,CAACqb,GAAG;EACrB;EACA,IAAI,EAAErb,KAAK,YAAYk4C,eAAe,CAAC,EAAE;IACrC,MAAM,IAAIz5C,KAAK,CAAC,kEAAkEuB,KAAK,CAAC1C,WAAW,CAACyC,IAAI,EAAE,CAAC;EAC/G;EACA,MAAMyqE,QAAQ,GAAG7/D,IAAI,CAAC4sD,GAAG,CAACE,cAAc,CAAC,CAAC;EAC1C9sD,IAAI,CAACisD,MAAM,CAAC14D,IAAI,CAAC63D,YAAY,CAACyU,QAAQ,EAAE,EAAE,EAAEnjE,IAAI,CAACuI,UAAU,CAAC,CAAC;EAC7DjF,IAAI,CAACksD,MAAM,CAAC34D,IAAI,CAACkwD,uBAAuB,CAACoc,QAAQ,EAAE,IAAIlc,aAAa,CAACtuD,KAAK,CAACikC,OAAO,EAAEjkC,KAAK,CAACiV,WAAW,CAAC7S,GAAG,CAACsR,IAAI,IAAIg2D,UAAU,CAACh2D,IAAI,EAAE/I,IAAI,CAAC4sD,GAAG,CAAC,CAAC,CAAC,EAAElwD,IAAI,CAACuI,UAAU,CAAC,CAAC;AACrK;AACA;AACA;AACA;AACA,SAAS85D,UAAUA,CAACruD,GAAG,EAAEq9C,GAAG,EAAE;EAC1B,IAAIr9C,GAAG,YAAYo+B,aAAa,EAAE;IAC9B,OAAOiwB,UAAU,CAACruD,GAAG,CAACA,GAAG,EAAEq9C,GAAG,CAAC;EACnC,CAAC,MACI,IAAIr9C,GAAG,YAAYy7B,YAAY,EAAE;IAClC,IAAIz7B,GAAG,CAAC/G,QAAQ,YAAY8hC,gBAAgB,IAAI,EAAE/6B,GAAG,CAAC/G,QAAQ,YAAYgiC,YAAY,CAAC,EAAE;MACrF,OAAO,IAAI8Z,eAAe,CAAC/0C,GAAG,CAACtb,IAAI,CAAC;IACxC,CAAC,MACI;MACD,OAAO,IAAI+P,YAAY,CAAC45D,UAAU,CAACruD,GAAG,CAAC/G,QAAQ,EAAEokD,GAAG,CAAC,EAAEr9C,GAAG,CAACtb,IAAI,CAAC;IACpE;EACJ,CAAC,MACI,IAAIsb,GAAG,YAAY27B,aAAa,EAAE;IACnC,OAAO,IAAIxiC,aAAa,CAACk1D,UAAU,CAACruD,GAAG,CAAC/G,QAAQ,EAAEokD,GAAG,CAAC,EAAEr9C,GAAG,CAACtb,IAAI,EAAE2pE,UAAU,CAACruD,GAAG,CAACrb,KAAK,EAAE04D,GAAG,CAAC,CAAC;EACjG,CAAC,MACI,IAAIr9C,GAAG,YAAYm8B,UAAU,EAAE;IAChC,OAAO,IAAInjC,YAAY,CAACq1D,UAAU,CAACruD,GAAG,CAAC/G,QAAQ,EAAEokD,GAAG,CAAC,EAAEgR,UAAU,CAACruD,GAAG,CAACtL,GAAG,EAAE2oD,GAAG,CAAC,EAAEgR,UAAU,CAACruD,GAAG,CAACrb,KAAK,EAAE04D,GAAG,CAAC,CAAC;EAChH,CAAC,MACI,IAAIr9C,GAAG,YAAY+9B,IAAI,EAAE;IAC1B,IAAI/9B,GAAG,CAAC/G,QAAQ,YAAY8hC,gBAAgB,EAAE;MAC1C,MAAM,IAAI33C,KAAK,CAAC,6BAA6B,CAAC;IAClD,CAAC,MACI;MACD,OAAO,IAAI2R,kBAAkB,CAACs5D,UAAU,CAACruD,GAAG,CAAC/G,QAAQ,EAAEokD,GAAG,CAAC,EAAEr9C,GAAG,CAAC1G,IAAI,CAACvS,GAAG,CAACyS,GAAG,IAAI60D,UAAU,CAAC70D,GAAG,EAAE6jD,GAAG,CAAC,CAAC,CAAC;IAC3G;EACJ,CAAC,MACI,IAAIr9C,GAAG,YAAYu8B,gBAAgB,EAAE;IACtC,OAAOh7B,OAAO,CAACvB,GAAG,CAACrb,KAAK,CAAC;EAC7B,CAAC,MACI,IAAIqb,GAAG,YAAY+8B,MAAM,EAAE;IAC5B,MAAMt/B,QAAQ,GAAG4kD,gBAAgB,CAAC17D,GAAG,CAACqZ,GAAG,CAACg9B,SAAS,CAAC;IACpD,IAAIv/B,QAAQ,KAAK8S,SAAS,EAAE;MACxB,MAAM,IAAIntB,KAAK,CAAC,2CAA2C4c,GAAG,CAACg9B,SAAS,EAAE,CAAC;IAC/E;IACA,OAAO,IAAIxnC,kBAAkB,CAACiI,QAAQ,EAAE4wD,UAAU,CAACruD,GAAG,CAACi9B,IAAI,EAAEogB,GAAG,CAAC,EAAEgR,UAAU,CAACruD,GAAG,CAACk9B,KAAK,EAAEmgB,GAAG,CAAC,CAAC;EAClG,CAAC,MACI,IAAIr9C,GAAG,YAAYi7B,YAAY,EAAE;IAClC,OAAO,IAAIka,WAAW,CAACkI,GAAG,CAAClB,IAAI,CAACzJ,IAAI,CAAC;EACzC,CAAC,MACI,IAAI1yC,GAAG,YAAY+7B,SAAS,EAAE;IAC/B,OAAO,IAAIpnC,WAAW,CAAC05D,UAAU,CAACruD,GAAG,CAAC/G,QAAQ,EAAEokD,GAAG,CAAC,EAAEgR,UAAU,CAACruD,GAAG,CAACtL,GAAG,EAAE2oD,GAAG,CAAC,CAAC;EACnF,CAAC,MACI,IAAIr9C,GAAG,YAAYm7B,KAAK,EAAE;IAC3B,MAAM,IAAI/3C,KAAK,CAAC,0CAA0C,CAAC;EAC/D,CAAC,MACI,IAAI4c,GAAG,YAAY28B,UAAU,EAAE;IAChC,MAAM3+B,OAAO,GAAGgC,GAAG,CAACvT,IAAI,CAAC1F,GAAG,CAAC,CAAC2N,GAAG,EAAE60B,GAAG,KAAK;MACvC,MAAM5kC,KAAK,GAAGqb,GAAG,CAACc,MAAM,CAACyoB,GAAG,CAAC;MAC7B,OAAO,IAAIprB,eAAe,CAACzJ,GAAG,CAACA,GAAG,EAAE25D,UAAU,CAAC1pE,KAAK,EAAE04D,GAAG,CAAC,EAAE3oD,GAAG,CAAC0J,MAAM,CAAC;IAC3E,CAAC,CAAC;IACF,OAAO,IAAIC,cAAc,CAACL,OAAO,CAAC;EACtC,CAAC,MACI,IAAIgC,GAAG,YAAYy8B,YAAY,EAAE;IAClC,OAAO,IAAI1+B,gBAAgB,CAACiC,GAAG,CAACpG,WAAW,CAAC7S,GAAG,CAACsR,IAAI,IAAIg2D,UAAU,CAACh2D,IAAI,EAAEglD,GAAG,CAAC,CAAC,CAAC;EACnF,CAAC,MACI,IAAIr9C,GAAG,YAAYq7B,WAAW,EAAE;IACjC,OAAO,IAAIhmC,eAAe,CAACg5D,UAAU,CAACruD,GAAG,CAACtD,SAAS,EAAE2gD,GAAG,CAAC,EAAEgR,UAAU,CAACruD,GAAG,CAACs7B,OAAO,EAAE+hB,GAAG,CAAC,EAAEgR,UAAU,CAACruD,GAAG,CAACu7B,QAAQ,EAAE8hB,GAAG,CAAC,CAAC;EAC3H,CAAC,MACI,IAAIr9C,GAAG,YAAY69B,aAAa,EAAE;IACnC;IACA,OAAOwwB,UAAU,CAACruD,GAAG,CAACpT,UAAU,EAAEywD,GAAG,CAAC;EAC1C,CAAC,MACI,IAAIr9C,GAAG,YAAYq8B,WAAW,EAAE;IACjC,OAAO,IAAIia,eAAe,CAAC+G,GAAG,CAACjB,cAAc,CAAC,CAAC,EAAEp8C,GAAG,CAACtb,IAAI,EAAE,CACvD2pE,UAAU,CAACruD,GAAG,CAAC2B,GAAG,EAAE07C,GAAG,CAAC,EACxB,GAAGr9C,GAAG,CAAC1G,IAAI,CAACvS,GAAG,CAACyS,GAAG,IAAI60D,UAAU,CAAC70D,GAAG,EAAE6jD,GAAG,CAAC,CAAC,CAC/C,CAAC;EACN,CAAC,MACI,IAAIr9C,GAAG,YAAYi8B,aAAa,EAAE;IACnC,OAAO,IAAI2a,iBAAiB,CAACyX,UAAU,CAACruD,GAAG,CAAC/G,QAAQ,EAAEokD,GAAG,CAAC,EAAEgR,UAAU,CAACruD,GAAG,CAACtL,GAAG,EAAE2oD,GAAG,CAAC,CAAC;EACzF,CAAC,MACI,IAAIr9C,GAAG,YAAY67B,gBAAgB,EAAE;IACtC,OAAO,IAAI8a,oBAAoB,CAAC0X,UAAU,CAACruD,GAAG,CAAC/G,QAAQ,EAAEokD,GAAG,CAAC,EAAEr9C,GAAG,CAACtb,IAAI,CAAC;EAC5E,CAAC,MACI,IAAIsb,GAAG,YAAYk+B,QAAQ,EAAE;IAC9B,OAAO,IAAI2Y,sBAAsB,CAACwX,UAAU,CAACruD,GAAG,CAAC/G,QAAQ,EAAEokD,GAAG,CAAC,EAAEr9C,GAAG,CAAC1G,IAAI,CAACvS,GAAG,CAAC4E,CAAC,IAAI0iE,UAAU,CAAC1iE,CAAC,EAAE0xD,GAAG,CAAC,CAAC,CAAC;EAC3G,CAAC,MACI,IAAIr9C,GAAG,YAAY86B,WAAW,EAAE;IACjC,OAAO,IAAIkc,SAAS,CAAC,CAAC;EAC1B,CAAC,MACI;IACD,MAAM,IAAI5zD,KAAK,CAAC,8BAA8B4c,GAAG,CAAC/d,WAAW,CAACyC,IAAI,EAAE,CAAC;EACzE;AACJ;AACA;AACA;AACA;AACA;AACA,SAASmqE,cAAcA,CAACv/D,IAAI,EAAEwzC,EAAE,EAAE5gD,OAAO,EAAE;EACvC,IAAIA,OAAO,YAAY2+B,QAAQ,EAAE;IAC7B,KAAK,MAAMh9B,IAAI,IAAI3B,OAAO,CAAC4+B,aAAa,EAAE;MACtC,IAAIj9B,IAAI,YAAYk6B,aAAa,EAAE;QAC/BqxC,aAAa,CAAC9/D,IAAI,EAAEwzC,EAAE,CAAC4P,IAAI,EAAE7uD,IAAI,CAACa,IAAI,EAAE6c,OAAO,CAAC1d,IAAI,CAACc,KAAK,CAAC,EAAE,CAAC,CAAC,+BAA+B,IAAI,EAAEwD,eAAe,CAACo2D,IAAI,EAAE16D,IAAI,CAAC0Q,UAAU,EAAE,IAAI,CAAC;MACpJ,CAAC,MACI;QACD66D,aAAa,CAAC9/D,IAAI,EAAEwzC,EAAE,CAAC4P,IAAI,EAAE7uD,IAAI,CAACa,IAAI,EAAEb,IAAI,CAACc,KAAK,EAAEd,IAAI,CAACgJ,IAAI,EAAEhJ,IAAI,CAACw6B,IAAI,EAAEx6B,IAAI,CAACu6B,eAAe,EAAEv6B,IAAI,CAAC0Q,UAAU,EAAE,IAAI,CAAC;MAC1H;IACJ;EACJ;EACA,KAAK,MAAM1Q,IAAI,IAAI3B,OAAO,CAAC68B,UAAU,EAAE;IACnC;IACA;IACA;IACAqwC,aAAa,CAAC9/D,IAAI,EAAEwzC,EAAE,CAAC4P,IAAI,EAAE7uD,IAAI,CAACa,IAAI,EAAE6c,OAAO,CAAC1d,IAAI,CAACc,KAAK,CAAC,EAAE,CAAC,CAAC,+BAA+B,IAAI,EAAEwD,eAAe,CAACo2D,IAAI,EAAE16D,IAAI,CAAC0Q,UAAU,EAAE,KAAK,CAAC;EACrJ;EACA,KAAK,MAAMmb,KAAK,IAAIxtB,OAAO,CAAC88B,MAAM,EAAE;IAChCowC,aAAa,CAAC9/D,IAAI,EAAEwzC,EAAE,CAAC4P,IAAI,EAAEhjC,KAAK,CAAChrB,IAAI,EAAEgrB,KAAK,CAAC/qB,KAAK,EAAE+qB,KAAK,CAAC7iB,IAAI,EAAE6iB,KAAK,CAAC2O,IAAI,EAAE3O,KAAK,CAAC0O,eAAe,EAAE1O,KAAK,CAACnb,UAAU,EAAE,KAAK,CAAC;EACjI;EACA,KAAK,MAAMgwC,MAAM,IAAIriD,OAAO,CAAC+8B,OAAO,EAAE;IAClC,IAAIy8B,UAAU;IACd,IAAInX,MAAM,CAAC13C,IAAI,KAAK,CAAC,CAAC,mCAAmC;MACrD,IAAI03C,MAAM,CAACrrB,KAAK,KAAK,IAAI,EAAE;QACvB,MAAM91B,KAAK,CAAC,wCAAwC,CAAC;MACzD;MACAs4D,UAAU,GAAGT,4BAA4B,CAACnY,EAAE,CAAC4P,IAAI,EAAEnO,MAAM,CAAC7/C,IAAI,EAAE6/C,MAAM,CAACrrB,KAAK,EAAE4pB,EAAE,CAACz/C,GAAG,CAAC;IACzF,CAAC,MACI;MACDq4D,UAAU,GAAGd,gBAAgB,CAAC9X,EAAE,CAAC4P,IAAI,EAAEnO,MAAM,CAAC7/C,IAAI,EAAEo+C,EAAE,CAACz/C,GAAG,CAAC;IAC/D;IACA;IACA;IACA,IAAIgsE,UAAU;IACd,IAAI92C,OAAO,GAAGgsB,MAAM,CAAChsB,OAAO;IAC5B,IAAIA,OAAO,YAAY6lB,aAAa,EAAE;MAClC7lB,OAAO,GAAGA,OAAO,CAACvY,GAAG;IACzB;IACA,IAAIuY,OAAO,YAAY4iB,KAAK,EAAE;MAC1Bk0B,UAAU,GAAG92C,OAAO,CAAC3e,WAAW;IACpC,CAAC,MACI;MACDy1D,UAAU,GAAG,CAAC92C,OAAO,CAAC;IAC1B;IACA,IAAI82C,UAAU,CAACzsE,MAAM,KAAK,CAAC,EAAE;MACzB,MAAM,IAAIQ,KAAK,CAAC,sDAAsD,CAAC;IAC3E;IACA,MAAMwW,WAAW,GAAGy1D,UAAU,CAACtoE,GAAG,CAACsR,IAAI,IAAIg2D,UAAU,CAACh2D,IAAI,EAAE/I,IAAI,CAAC4sD,GAAG,CAAC,CAAC;IACtE,MAAM4J,UAAU,GAAGlsD,WAAW,CAACsc,GAAG,CAAC,CAAC;IACpC,KAAK,MAAM7d,IAAI,IAAIuB,WAAW,EAAE;MAC5B,MAAMiyD,MAAM,GAAGtZ,iBAAiB,CAAC,IAAIz6C,mBAAmB,CAACO,IAAI,CAAC,CAAC;MAC/DqjD,UAAU,CAAC9D,UAAU,CAAC/0D,IAAI,CAACgpE,MAAM,CAAC;IACtC;IACAnQ,UAAU,CAAC9D,UAAU,CAAC/0D,IAAI,CAAC0vD,iBAAiB,CAAC,IAAI5yC,eAAe,CAACmmD,UAAU,CAAC,CAAC,CAAC;IAC9Ex2D,IAAI,CAACisD,MAAM,CAAC14D,IAAI,CAAC64D,UAAU,CAAC;EAChC;AACJ;AACA,MAAM4T,aAAa,GAAG,IAAInqE,GAAG,CAAC,CAC1B,CAAC,CAAC,CAAC,8BAA8BwqD,WAAW,CAACW,QAAQ,CAAC,EACtD,CAAC,CAAC,CAAC,+BAA+BX,WAAW,CAACM,SAAS,CAAC,EACxD,CAAC,CAAC,CAAC,2BAA2BN,WAAW,CAACO,SAAS,CAAC,EACpD,CAAC,CAAC,CAAC,2BAA2BP,WAAW,CAACS,aAAa,CAAC,EACxD,CAAC,CAAC,CAAC,+BAA+BT,WAAW,CAACiP,SAAS,CAAC,CAC3D,CAAC;AACF,SAASwQ,aAAaA,CAAC9/D,IAAI,EAAEojD,IAAI,EAAEhuD,IAAI,EAAEC,KAAK,EAAEkI,IAAI,EAAEwxB,IAAI,EAAED,eAAe,EAAE7pB,UAAU,EAAEg7D,iBAAiB,EAAE;EACxG,IAAI5qE,KAAK,YAAYy5C,aAAa,EAAE;IAChCz5C,KAAK,GAAGA,KAAK,CAACqb,GAAG;EACrB;EACA,IAAIpT,UAAU;EACd,IAAIjI,KAAK,YAAYk4C,eAAe,EAAE;IAClCjwC,UAAU,GAAG,IAAIqmD,aAAa,CAACtuD,KAAK,CAACikC,OAAO,EAAEjkC,KAAK,CAACiV,WAAW,CAAC7S,GAAG,CAACsR,IAAI,IAAIg2D,UAAU,CAACh2D,IAAI,EAAE/I,IAAI,CAAC4sD,GAAG,CAAC,CAAC,CAAC;EAC5G,CAAC,MACI,IAAIv3D,KAAK,YAAYg2C,GAAG,EAAE;IAC3B/tC,UAAU,GAAGyhE,UAAU,CAAC1pE,KAAK,EAAE2K,IAAI,CAAC4sD,GAAG,CAAC;EAC5C,CAAC,MACI;IACDtvD,UAAU,GAAGjI,KAAK;EACtB;EACA,MAAM4vC,IAAI,GAAG+6B,aAAa,CAAC3oE,GAAG,CAACkG,IAAI,CAAC;EACpCyC,IAAI,CAACksD,MAAM,CAAC34D,IAAI,CAACqwD,eAAe,CAACR,IAAI,EAAEne,IAAI,EAAE7vC,IAAI,EAAEkI,UAAU,EAAEyxB,IAAI,EAAED,eAAe,EAAEmxC,iBAAiB,EAAEh7D,UAAU,CAAC,CAAC;AACzH;AACA;AACA;AACA;AACA;AACA,SAASu6D,gBAAgBA,CAAChsB,EAAE,EAAE5gD,OAAO,EAAE;EACnCstE,aAAa,CAAC1sB,EAAE,CAACqX,SAAS,CAAC;EAC3B,KAAK,MAAM;IAAEz1D,IAAI;IAAEC;EAAM,CAAC,IAAIzC,OAAO,CAACg9B,UAAU,EAAE;IAC9C4jB,EAAE,CAACqX,SAAS,CAACt3D,IAAI,CAAC;MACd6B,IAAI;MACJw2B,MAAM,EAAEv2B;IACZ,CAAC,CAAC;EACN;AACJ;AACA;AACA;AACA;AACA,SAAS6qE,aAAaA,CAAC7qE,KAAK,EAAE;EAC1B,IAAI,CAACssB,KAAK,CAACC,OAAO,CAACvsB,KAAK,CAAC,EAAE;IACvB,MAAM,IAAIvB,KAAK,CAAC,mCAAmC,CAAC;EACxD;AACJ;AAEA,MAAMqsE,qBAAqB,GAAG,KAAK;AAEnC,MAAMC,cAAc,GAAG,YAAY;AACnC;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMC,kCAAkC,GAAG,CAAC;AAC5C;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMC,cAAc,CAAC;EACjB3tE,WAAWA,CAAC4tE,cAAc,EAAE;IACxB,IAAI,CAACA,cAAc,GAAGA,cAAc;IACpC;IACA,IAAI,CAACC,iBAAiB,GAAG,KAAK;IAC9B;AACR;AACA;AACA;IACQ,IAAI,CAACC,WAAW,GAAG,KAAK;IACxB,IAAI,CAACC,oBAAoB,GAAG,KAAK;IACjC;IACA,IAAI,CAACC,cAAc,GAAG,IAAI;IAC1B;IACA,IAAI,CAACC,cAAc,GAAG,IAAI;IAC1B;IACA,IAAI,CAACC,kBAAkB,GAAG,IAAI;IAC9B;IACA,IAAI,CAACC,kBAAkB,GAAG,IAAI;IAC9B,IAAI,CAACC,iBAAiB,GAAG,IAAI;IAC7B,IAAI,CAACC,kBAAkB,GAAG,IAAI;IAC9B;IACA;IACA;AACR;AACA;AACA;AACA;IACQ,IAAI,CAACC,YAAY,GAAG,IAAIprE,GAAG,CAAC,CAAC;IAC7B;AACR;AACA;AACA;AACA;IACQ,IAAI,CAACqrE,aAAa,GAAG,IAAIrrE,GAAG,CAAC,CAAC;IAC9B,IAAI,CAACsrE,mBAAmB,GAAG,EAAE;IAC7B,IAAI,CAACC,mBAAmB,GAAG,EAAE;EACjC;EACA;AACJ;AACA;AACA;AACA;AACA;EACIC,kBAAkBA,CAACjhD,KAAK,EAAE;IACtB;IACA;IACA;IACA;IACA;IACA;IACA,IAAIg1C,OAAO,GAAG,IAAI;IAClB,IAAIhgE,IAAI,GAAGgrB,KAAK,CAAChrB,IAAI;IACrB,QAAQgrB,KAAK,CAAC7iB,IAAI;MACd,KAAK,CAAC,CAAC;QACH63D,OAAO,GAAG,IAAI,CAACkM,wBAAwB,CAAClsE,IAAI,EAAEgrB,KAAK,CAAC/qB,KAAK,EAAE+qB,KAAK,CAACnb,UAAU,CAAC;QAC5E;MACJ,KAAK,CAAC,CAAC;QACHmwD,OAAO,GAAG,IAAI,CAACmM,kBAAkB,CAACnsE,IAAI,EAAE,KAAK,EAAEgrB,KAAK,CAAC/qB,KAAK,EAAE+qB,KAAK,CAACnb,UAAU,EAAEmb,KAAK,CAAC2O,IAAI,CAAC;QACzF;MACJ,KAAK,CAAC,CAAC;QACHqmC,OAAO,GAAG,IAAI,CAACoM,kBAAkB,CAACpsE,IAAI,EAAE,KAAK,EAAEgrB,KAAK,CAAC/qB,KAAK,EAAE+qB,KAAK,CAACnb,UAAU,CAAC;QAC7E;IACR;IACA,OAAOmwD,OAAO,GAAG,IAAI,GAAG,KAAK;EACjC;EACAkM,wBAAwBA,CAAClsE,IAAI,EAAEkI,UAAU,EAAE2H,UAAU,EAAE;IACnD,IAAImwD,OAAO,GAAG,IAAI;IAClB,MAAMphE,MAAM,GAAGoB,IAAI,CAAC2sB,SAAS,CAAC,CAAC,EAAE,CAAC,CAAC;IACnC,MAAM0/C,OAAO,GAAGrsE,IAAI,KAAK,OAAO,IAAIpB,MAAM,KAAK,QAAQ,IAAIA,MAAM,KAAK,QAAQ;IAC9E,MAAM0tE,OAAO,GAAG,CAACD,OAAO,KAAKrsE,IAAI,KAAK,OAAO,IAAIpB,MAAM,KAAK,QAAQ,IAAIA,MAAM,KAAK,QAAQ,CAAC;IAC5F,IAAIytE,OAAO,IAAIC,OAAO,EAAE;MACpB,MAAMC,UAAU,GAAGvsE,IAAI,CAACR,MAAM,CAAC,CAAC,CAAC,KAAK,GAAG,CAAC,CAAC;MAC3C,MAAMmmB,QAAQ,GAAG3lB,IAAI,CAAClB,KAAK,CAACytE,UAAU,GAAG,CAAC,GAAG,CAAC,CAAC,CAAC,CAAC;MACjD,IAAIF,OAAO,EAAE;QACTrM,OAAO,GAAG,IAAI,CAACmM,kBAAkB,CAACxmD,QAAQ,EAAE4mD,UAAU,EAAErkE,UAAU,EAAE2H,UAAU,CAAC;MACnF,CAAC,MACI;QACDmwD,OAAO,GAAG,IAAI,CAACoM,kBAAkB,CAACzmD,QAAQ,EAAE4mD,UAAU,EAAErkE,UAAU,EAAE2H,UAAU,CAAC;MACnF;IACJ;IACA,OAAOmwD,OAAO;EAClB;EACAmM,kBAAkBA,CAACnsE,IAAI,EAAEusE,UAAU,EAAEtsE,KAAK,EAAE4P,UAAU,EAAEk5C,MAAM,EAAE;IAC5D,IAAIyjB,iBAAiB,CAACvsE,KAAK,CAAC,EAAE;MAC1B,OAAO,IAAI;IACf;IACA;IACA;IACA,IAAI,CAACwsE,mBAAmB,CAACzsE,IAAI,CAAC,EAAE;MAC5BA,IAAI,GAAGk5D,WAAW,CAACl5D,IAAI,CAAC;IAC5B;IACA,MAAM;MAAE2lB,QAAQ;MAAE+mD,eAAe;MAAE3jB,MAAM,EAAE4jB;IAAc,CAAC,GAAGC,aAAa,CAAC5sE,IAAI,CAAC;IAChF+oD,MAAM,GAAG,OAAOA,MAAM,KAAK,QAAQ,IAAIA,MAAM,CAAC7qD,MAAM,KAAK,CAAC,GAAG6qD,MAAM,GAAG4jB,aAAa;IACnF,MAAM7yD,KAAK,GAAG;MAAE9Z,IAAI,EAAE2lB,QAAQ;MAAEojC,MAAM,EAAEA,MAAM;MAAE9oD,KAAK;MAAE4P,UAAU;MAAE68D;IAAgB,CAAC;IACpF,IAAIH,UAAU,EAAE;MACZ,IAAI,CAACf,cAAc,GAAG1xD,KAAK;IAC/B,CAAC,MACI;MACD,CAAC,IAAI,CAAC2xD,kBAAkB,GAAG,IAAI,CAACA,kBAAkB,IAAI,EAAE,EAAEttE,IAAI,CAAC2b,KAAK,CAAC;MACrE+yD,eAAe,CAAC,IAAI,CAAChB,YAAY,EAAElmD,QAAQ,CAAC;IAChD;IACA,IAAI,CAACgmD,iBAAiB,GAAG7xD,KAAK;IAC9B,IAAI,CAAC8xD,kBAAkB,GAAG,IAAI,CAACA,kBAAkB,IAAI9xD,KAAK;IAC1D,IAAI,CAACgzD,cAAc,CAAC7sE,KAAK,CAAC;IAC1B,IAAI,CAACorE,WAAW,GAAG,IAAI;IACvB,OAAOvxD,KAAK;EAChB;EACAsyD,kBAAkBA,CAACpsE,IAAI,EAAEusE,UAAU,EAAEtsE,KAAK,EAAE4P,UAAU,EAAE;IACpD,IAAI28D,iBAAiB,CAACvsE,KAAK,CAAC,EAAE;MAC1B,OAAO,IAAI;IACf;IACA,MAAM;MAAE0lB,QAAQ;MAAE+mD;IAAgB,CAAC,GAAGE,aAAa,CAAC5sE,IAAI,CAAC;IACzD,MAAM8Z,KAAK,GAAG;MAAE9Z,IAAI,EAAE2lB,QAAQ;MAAE1lB,KAAK;MAAE4P,UAAU;MAAE68D,eAAe;MAAE3jB,MAAM,EAAE;IAAK,CAAC;IAClF,IAAIwjB,UAAU,EAAE;MACZ,IAAI,CAAChB,cAAc,GAAGzxD,KAAK;IAC/B,CAAC,MACI;MACD,CAAC,IAAI,CAAC4xD,kBAAkB,GAAG,IAAI,CAACA,kBAAkB,IAAI,EAAE,EAAEvtE,IAAI,CAAC2b,KAAK,CAAC;MACrE+yD,eAAe,CAAC,IAAI,CAACf,aAAa,EAAEnmD,QAAQ,CAAC;IACjD;IACA,IAAI,CAACgmD,iBAAiB,GAAG7xD,KAAK;IAC9B,IAAI,CAAC8xD,kBAAkB,GAAG,IAAI,CAACA,kBAAkB,IAAI9xD,KAAK;IAC1D,IAAI,CAACgzD,cAAc,CAAC7sE,KAAK,CAAC;IAC1B,IAAI,CAACorE,WAAW,GAAG,IAAI;IACvB,OAAOvxD,KAAK;EAChB;EACAgzD,cAAcA,CAAC7sE,KAAK,EAAE;IAClB,IAAKA,KAAK,YAAYy5C,aAAa,IAAMz5C,KAAK,CAACqb,GAAG,YAAYq8B,WAAY,EAAE;MACxE,IAAI,CAAC2zB,oBAAoB,GAAG,IAAI;IACpC;EACJ;EACA;AACJ;AACA;AACA;AACA;EACIyB,iBAAiBA,CAAC9sE,KAAK,EAAE;IACrB,IAAI,CAAC8rE,mBAAmB,GAAGnuE,KAAK,CAACqC,KAAK,CAAC;IACvC,IAAI,CAACmrE,iBAAiB,GAAG,IAAI;EACjC;EACA;AACJ;AACA;AACA;AACA;EACI4B,iBAAiBA,CAAC/sE,KAAK,EAAE;IACrB,IAAI,CAAC+rE,mBAAmB,GAAG/rE,KAAK,CAACyrB,IAAI,CAAC,CAAC,CAACqB,KAAK,CAAC,MAAM,CAAC;IACrD,IAAI,CAACq+C,iBAAiB,GAAG,IAAI;EACjC;EACA;AACJ;AACA;AACA;AACA;AACA;EACI6B,2BAA2BA,CAACvvE,KAAK,EAAE;IAC/B;IACA,IAAI,IAAI,CAACsuE,mBAAmB,CAAC9tE,MAAM,EAAE;MACjCR,KAAK,CAACS,IAAI,CAAC0e,OAAO,CAAC,CAAC,CAAC,6BAA6B,CAAC,CAAC;MACpD,KAAK,IAAIvd,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG,IAAI,CAAC0sE,mBAAmB,CAAC9tE,MAAM,EAAEoB,CAAC,EAAE,EAAE;QACtD5B,KAAK,CAACS,IAAI,CAAC0e,OAAO,CAAC,IAAI,CAACmvD,mBAAmB,CAAC1sE,CAAC,CAAC,CAAC,CAAC;MACpD;IACJ;IACA;IACA,IAAI,IAAI,CAACysE,mBAAmB,CAAC7tE,MAAM,EAAE;MACjCR,KAAK,CAACS,IAAI,CAAC0e,OAAO,CAAC,CAAC,CAAC,4BAA4B,CAAC,CAAC;MACnD,KAAK,IAAIvd,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG,IAAI,CAACysE,mBAAmB,CAAC7tE,MAAM,EAAEoB,CAAC,IAAI,CAAC,EAAE;QACzD5B,KAAK,CAACS,IAAI,CAAC0e,OAAO,CAAC,IAAI,CAACkvD,mBAAmB,CAACzsE,CAAC,CAAC,CAAC,EAAEud,OAAO,CAAC,IAAI,CAACkvD,mBAAmB,CAACzsE,CAAC,GAAG,CAAC,CAAC,CAAC,CAAC;MAC9F;IACJ;EACJ;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;EACI4tE,eAAeA,CAACxvE,KAAK,EAAEm1C,aAAa,EAAE;IAClC,IAAI,IAAI,CAACs4B,cAAc,KAAKztE,KAAK,CAACQ,MAAM,IAAI,IAAI,CAACktE,iBAAiB,CAAC,EAAE;MACjE,IAAI,CAAC6B,2BAA2B,CAACvvE,KAAK,CAAC;MACvCm1C,aAAa,CAAC3wC,GAAG,CAAC,WAAW,EAAEia,UAAU,CAACze,KAAK,CAAC,CAAC;IACrD;EACJ;EACA;AACJ;AACA;AACA;AACA;AACA;EACIyvE,wBAAwBA,CAACC,cAAc,EAAE;IACrC,IAAI,IAAI,CAAC7B,cAAc,EAAE;MACrB,OAAO,IAAI,CAAC8B,yBAAyB,CAACD,cAAc,EAAE,IAAI,EAAE,IAAI,CAAC7B,cAAc,CAAC;IACpF;IACA,OAAO,IAAI;EACf;EACA;AACJ;AACA;AACA;AACA;AACA;EACI+B,wBAAwBA,CAACF,cAAc,EAAE;IACrC,IAAI,IAAI,CAAC5B,cAAc,EAAE;MACrB,OAAO,IAAI,CAAC6B,yBAAyB,CAACD,cAAc,EAAE,KAAK,EAAE,IAAI,CAAC5B,cAAc,CAAC;IACrF;IACA,OAAO,IAAI;EACf;EACA6B,yBAAyBA,CAACD,cAAc,EAAEG,YAAY,EAAEC,YAAY,EAAE;IAClE;IACA;IACA;IACA;IACA,IAAIC,yBAAyB,GAAGxC,kCAAkC;IAClE;IACA;IACA;IACA,MAAMyC,QAAQ,GAAGF,YAAY,CAACvtE,KAAK,CAACiH,KAAK,CAACkmE,cAAc,CAAC;IACzD,IAAIpmD,SAAS;IACb,IAAI0mD,QAAQ,YAAYv1B,eAAe,EAAE;MACrCs1B,yBAAyB,IAAIC,QAAQ,CAACx4D,WAAW,CAAChX,MAAM;MACxD8oB,SAAS,GAAGumD,YAAY,GAAGI,kCAAkC,CAACD,QAAQ,CAAC,GACnEE,kCAAkC,CAACF,QAAQ,CAAC;IACpD,CAAC,MACI;MACD1mD,SAAS,GAAGumD,YAAY,GAAGrtD,WAAW,CAACmC,QAAQ,GAAGnC,WAAW,CAACyB,QAAQ;IAC1E;IACA,OAAO;MACHqF,SAAS;MACT6mD,KAAK,EAAE,CAAC;QACA7vB,qBAAqB,EAAE,IAAI;QAC3BnuC,UAAU,EAAE29D,YAAY,CAAC39D,UAAU;QACnCi+D,oBAAoB,EAAEL,yBAAyB;QAC/Ct9D,MAAM,EAAG49D,SAAS,IAAK;UACnB,MAAMC,aAAa,GAAGD,SAAS,CAACL,QAAQ,CAAC;UACzC,MAAMv9D,MAAM,GAAGoc,KAAK,CAACC,OAAO,CAACwhD,aAAa,CAAC,GAAGA,aAAa,GAAG,CAACA,aAAa,CAAC;UAC7E,OAAO79D,MAAM;QACjB;MACJ,CAAC;IACT,CAAC;EACL;EACA89D,kBAAkBA,CAACjnD,SAAS,EAAEsT,MAAM,EAAE8yC,cAAc,EAAEc,4BAA4B,EAAEX,YAAY,EAAE;IAC9F,MAAMxlC,YAAY,GAAG,EAAE;IACvBzN,MAAM,CAACl6B,OAAO,CAAC4qB,KAAK,IAAI;MACpB,MAAMmjD,mBAAmB,GAAGpmC,YAAY,CAACA,YAAY,CAAC7pC,MAAM,GAAG,CAAC,CAAC;MACjE,MAAM+B,KAAK,GAAG+qB,KAAK,CAAC/qB,KAAK,CAACiH,KAAK,CAACkmE,cAAc,CAAC;MAC/C,IAAIgB,gBAAgB,GAAGpnD,SAAS;MAChC;MACA;MACA;MACA;MACA;MACA;MACA,IAAIymD,yBAAyB,GAAGxC,kCAAkC;MAClE,IAAIhrE,KAAK,YAAYk4C,eAAe,EAAE;QAClCs1B,yBAAyB,IAAIxtE,KAAK,CAACiV,WAAW,CAAChX,MAAM;QACrD,IAAIgwE,4BAA4B,EAAE;UAC9BE,gBAAgB,GAAGF,4BAA4B,CAACjuE,KAAK,CAAC;QAC1D;MACJ;MACA,MAAMm/C,IAAI,GAAG;QACTvvC,UAAU,EAAEmb,KAAK,CAACnb,UAAU;QAC5Bi+D,oBAAoB,EAAEL,yBAAyB;QAC/CzvB,qBAAqB,EAAE,CAAC,CAACkwB,4BAA4B;QACrD/9D,MAAM,EAAG49D,SAAS,IAAK;UACnB;UACA,MAAM59D,MAAM,GAAG,EAAE;UACjBA,MAAM,CAAChS,IAAI,CAAC0e,OAAO,CAACmO,KAAK,CAAChrB,IAAI,CAAC,CAAC;UAChC,MAAMguE,aAAa,GAAGD,SAAS,CAAC9tE,KAAK,CAAC;UACtC,IAAIssB,KAAK,CAACC,OAAO,CAACwhD,aAAa,CAAC,EAAE;YAC9B79D,MAAM,CAAChS,IAAI,CAAC,GAAG6vE,aAAa,CAAC;UACjC,CAAC,MACI;YACD79D,MAAM,CAAChS,IAAI,CAAC6vE,aAAa,CAAC;UAC9B;UACA;UACA;UACA,IAAI,CAACT,YAAY,IAAIviD,KAAK,CAAC+9B,MAAM,KAAK,IAAI,EAAE;YACxC54C,MAAM,CAAChS,IAAI,CAAC0e,OAAO,CAACmO,KAAK,CAAC+9B,MAAM,CAAC,CAAC;UACtC;UACA,OAAO54C,MAAM;QACjB;MACJ,CAAC;MACD;MACA;MACA;MACA;MACA;MACA,IAAIg+D,mBAAmB,IAAIA,mBAAmB,CAACnnD,SAAS,KAAKonD,gBAAgB,EAAE;QAC3ED,mBAAmB,CAACN,KAAK,CAAC1vE,IAAI,CAACihD,IAAI,CAAC;MACxC,CAAC,MACI;QACDrX,YAAY,CAAC5pC,IAAI,CAAC;UAAE6oB,SAAS,EAAEonD,gBAAgB;UAAEP,KAAK,EAAE,CAACzuB,IAAI;QAAE,CAAC,CAAC;MACrE;IACJ,CAAC,CAAC;IACF,OAAOrX,YAAY;EACvB;EACAsmC,iBAAiBA,CAACjB,cAAc,EAAE;IAC9B,IAAI,IAAI,CAAC1B,kBAAkB,EAAE;MACzB,OAAO,IAAI,CAACuC,kBAAkB,CAAC/tD,WAAW,CAACqB,SAAS,EAAE,IAAI,CAACmqD,kBAAkB,EAAE0B,cAAc,EAAE,IAAI,EAAE,IAAI,CAAC;IAC9G;IACA,OAAO,EAAE;EACb;EACAkB,iBAAiBA,CAAClB,cAAc,EAAE;IAC9B,IAAI,IAAI,CAAC3B,kBAAkB,EAAE;MACzB,OAAO,IAAI,CAACwC,kBAAkB,CAAC/tD,WAAW,CAAC6C,SAAS,EAAE,IAAI,CAAC0oD,kBAAkB,EAAE2B,cAAc,EAAEmB,mCAAmC,EAAE,KAAK,CAAC;IAC9I;IACA,OAAO,EAAE;EACb;EACA;AACJ;AACA;AACA;EACIC,4BAA4BA,CAACpB,cAAc,EAAE;IACzC,MAAMrlC,YAAY,GAAG,EAAE;IACvB,IAAI,IAAI,CAACsjC,WAAW,EAAE;MAClB,MAAMoD,mBAAmB,GAAG,IAAI,CAACnB,wBAAwB,CAACF,cAAc,CAAC;MACzE,IAAIqB,mBAAmB,EAAE;QACrB1mC,YAAY,CAAC5pC,IAAI,CAACswE,mBAAmB,CAAC;MAC1C;MACA,MAAMC,mBAAmB,GAAG,IAAI,CAACvB,wBAAwB,CAACC,cAAc,CAAC;MACzE,IAAIsB,mBAAmB,EAAE;QACrB3mC,YAAY,CAAC5pC,IAAI,CAACuwE,mBAAmB,CAAC;MAC1C;MACA3mC,YAAY,CAAC5pC,IAAI,CAAC,GAAG,IAAI,CAACmwE,iBAAiB,CAAClB,cAAc,CAAC,CAAC;MAC5DrlC,YAAY,CAAC5pC,IAAI,CAAC,GAAG,IAAI,CAACkwE,iBAAiB,CAACjB,cAAc,CAAC,CAAC;IAChE;IACA,OAAOrlC,YAAY;EACvB;AACJ;AACA,SAAS8kC,eAAeA,CAACxqE,GAAG,EAAE2N,GAAG,EAAE;EAC/B,IAAI,CAAC3N,GAAG,CAAC6c,GAAG,CAAClP,GAAG,CAAC,EAAE;IACf3N,GAAG,CAACH,GAAG,CAAC8N,GAAG,EAAE3N,GAAG,CAACsK,IAAI,CAAC;EAC1B;AACJ;AACA,SAASigE,aAAaA,CAAC5sE,IAAI,EAAE;EACzB,IAAI0sE,eAAe,GAAG,KAAK;EAC3B,MAAMtP,aAAa,GAAGp9D,IAAI,CAACyrB,OAAO,CAACu/C,cAAc,CAAC;EAClD,IAAI5N,aAAa,KAAK,CAAC,CAAC,EAAE;IACtBp9D,IAAI,GAAGo9D,aAAa,GAAG,CAAC,GAAGp9D,IAAI,CAAC2sB,SAAS,CAAC,CAAC,EAAEywC,aAAa,CAAC,GAAG,EAAE;IAChEsP,eAAe,GAAG,IAAI;EAC1B;EACA,IAAI3jB,MAAM,GAAG,IAAI;EACjB,IAAIpjC,QAAQ,GAAG3lB,IAAI;EACnB,MAAMq9D,SAAS,GAAGr9D,IAAI,CAACwuC,WAAW,CAAC,GAAG,CAAC;EACvC,IAAI6uB,SAAS,GAAG,CAAC,EAAE;IACftU,MAAM,GAAG/oD,IAAI,CAAClB,KAAK,CAACu+D,SAAS,GAAG,CAAC,CAAC;IAClC13C,QAAQ,GAAG3lB,IAAI,CAAC2sB,SAAS,CAAC,CAAC,EAAE0wC,SAAS,CAAC;EAC3C;EACA,OAAO;IAAE13C,QAAQ;IAAEojC,MAAM;IAAE2jB;EAAgB,CAAC;AAChD;AACA;AACA;AACA;AACA;AACA,SAASiB,kCAAkCA,CAAC9lC,aAAa,EAAE;EACvD,QAAQD,0BAA0B,CAACC,aAAa,CAAC;IAC7C,KAAK,CAAC;MACF,OAAO3nB,WAAW,CAACmC,QAAQ;IAC/B,KAAK,CAAC;MACF,OAAOnC,WAAW,CAACoC,oBAAoB;IAC3C,KAAK,CAAC;MACF,OAAOpC,WAAW,CAACqC,oBAAoB;IAC3C,KAAK,CAAC;MACF,OAAOrC,WAAW,CAACsC,oBAAoB;IAC3C,KAAK,CAAC;MACF,OAAOtC,WAAW,CAACuC,oBAAoB;IAC3C,KAAK,EAAE;MACH,OAAOvC,WAAW,CAACwC,oBAAoB;IAC3C,KAAK,EAAE;MACH,OAAOxC,WAAW,CAACyC,oBAAoB;IAC3C,KAAK,EAAE;MACH,OAAOzC,WAAW,CAAC0C,oBAAoB;IAC3C,KAAK,EAAE;MACH,OAAO1C,WAAW,CAAC2C,oBAAoB;IAC3C;MACI,OAAO3C,WAAW,CAAC4C,oBAAoB;EAC/C;AACJ;AACA;AACA;AACA;AACA;AACA,SAAS8qD,kCAAkCA,CAAC/lC,aAAa,EAAE;EACvD,QAAQD,0BAA0B,CAACC,aAAa,CAAC;IAC7C,KAAK,CAAC;MACF,OAAO3nB,WAAW,CAACyB,QAAQ;IAC/B,KAAK,CAAC;MACF,OAAOzB,WAAW,CAAC0B,oBAAoB;IAC3C,KAAK,CAAC;MACF,OAAO1B,WAAW,CAAC2B,oBAAoB;IAC3C,KAAK,CAAC;MACF,OAAO3B,WAAW,CAAC4B,oBAAoB;IAC3C,KAAK,CAAC;MACF,OAAO5B,WAAW,CAAC6B,oBAAoB;IAC3C,KAAK,EAAE;MACH,OAAO7B,WAAW,CAAC8B,oBAAoB;IAC3C,KAAK,EAAE;MACH,OAAO9B,WAAW,CAAC+B,oBAAoB;IAC3C,KAAK,EAAE;MACH,OAAO/B,WAAW,CAACgC,oBAAoB;IAC3C,KAAK,EAAE;MACH,OAAOhC,WAAW,CAACiC,oBAAoB;IAC3C;MACI,OAAOjC,WAAW,CAACkC,oBAAoB;EAC/C;AACJ;AACA;AACA;AACA;AACA;AACA,SAASmsD,mCAAmCA,CAAC1mC,aAAa,EAAE;EACxD,QAAQD,0BAA0B,CAACC,aAAa,CAAC;IAC7C,KAAK,CAAC;MACF,OAAO3nB,WAAW,CAAC6C,SAAS;IAChC,KAAK,CAAC;MACF,OAAO7C,WAAW,CAAC8C,qBAAqB;IAC5C,KAAK,CAAC;MACF,OAAO9C,WAAW,CAAC+C,qBAAqB;IAC5C,KAAK,CAAC;MACF,OAAO/C,WAAW,CAACgD,qBAAqB;IAC5C,KAAK,CAAC;MACF,OAAOhD,WAAW,CAACiD,qBAAqB;IAC5C,KAAK,EAAE;MACH,OAAOjD,WAAW,CAACkD,qBAAqB;IAC5C,KAAK,EAAE;MACH,OAAOlD,WAAW,CAACmD,qBAAqB;IAC5C,KAAK,EAAE;MACH,OAAOnD,WAAW,CAACoD,qBAAqB;IAC5C,KAAK,EAAE;MACH,OAAOpD,WAAW,CAACqD,qBAAqB;IAC5C;MACI,OAAOrD,WAAW,CAACsD,qBAAqB;EAChD;AACJ;AACA;AACA;AACA;AACA;AACA,SAASipD,mBAAmBA,CAACzsE,IAAI,EAAE;EAC/B,OAAOA,IAAI,CAACujC,UAAU,CAAC,IAAI,CAAC;AAChC;AACA,SAASipC,iBAAiBA,CAAClxD,GAAG,EAAE;EAC5B,IAAIA,GAAG,YAAYo+B,aAAa,EAAE;IAC9Bp+B,GAAG,GAAGA,GAAG,CAACA,GAAG;EACjB;EACA,OAAOA,GAAG,YAAY86B,WAAW;AACrC;AAEA,IAAIu4B,SAAS;AACb,CAAC,UAAUA,SAAS,EAAE;EAClBA,SAAS,CAACA,SAAS,CAAC,WAAW,CAAC,GAAG,CAAC,CAAC,GAAG,WAAW;EACnDA,SAAS,CAACA,SAAS,CAAC,YAAY,CAAC,GAAG,CAAC,CAAC,GAAG,YAAY;EACrDA,SAAS,CAACA,SAAS,CAAC,mBAAmB,CAAC,GAAG,CAAC,CAAC,GAAG,mBAAmB;EACnEA,SAAS,CAACA,SAAS,CAAC,SAAS,CAAC,GAAG,CAAC,CAAC,GAAG,SAAS;EAC/CA,SAAS,CAACA,SAAS,CAAC,QAAQ,CAAC,GAAG,CAAC,CAAC,GAAG,QAAQ;EAC7CA,SAAS,CAACA,SAAS,CAAC,UAAU,CAAC,GAAG,CAAC,CAAC,GAAG,UAAU;EACjDA,SAAS,CAACA,SAAS,CAAC,QAAQ,CAAC,GAAG,CAAC,CAAC,GAAG,QAAQ;EAC7CA,SAAS,CAACA,SAAS,CAAC,OAAO,CAAC,GAAG,CAAC,CAAC,GAAG,OAAO;AAC/C,CAAC,EAAEA,SAAS,KAAKA,SAAS,GAAG,CAAC,CAAC,CAAC,CAAC;AACjC,MAAMC,QAAQ,GAAG,CAAC,KAAK,EAAE,KAAK,EAAE,IAAI,EAAE,MAAM,EAAE,WAAW,EAAE,MAAM,EAAE,OAAO,EAAE,IAAI,EAAE,MAAM,EAAE,MAAM,CAAC;AACjG,MAAMC,KAAK,CAAC;EACRC,QAAQA,CAACxnE,IAAI,EAAE;IACX,MAAMynE,OAAO,GAAG,IAAIC,QAAQ,CAAC1nE,IAAI,CAAC;IAClC,MAAM2nE,MAAM,GAAG,EAAE;IACjB,IAAI3iD,KAAK,GAAGyiD,OAAO,CAACG,SAAS,CAAC,CAAC;IAC/B,OAAO5iD,KAAK,IAAI,IAAI,EAAE;MAClB2iD,MAAM,CAAC9wE,IAAI,CAACmuB,KAAK,CAAC;MAClBA,KAAK,GAAGyiD,OAAO,CAACG,SAAS,CAAC,CAAC;IAC/B;IACA,OAAOD,MAAM;EACjB;AACJ;AACA,MAAME,KAAK,CAAC;EACR5xE,WAAWA,CAACmN,KAAK,EAAEgB,GAAG,EAAEvD,IAAI,EAAEinE,QAAQ,EAAEC,QAAQ,EAAE;IAC9C,IAAI,CAAC3kE,KAAK,GAAGA,KAAK;IAClB,IAAI,CAACgB,GAAG,GAAGA,GAAG;IACd,IAAI,CAACvD,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACinE,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACC,QAAQ,GAAGA,QAAQ;EAC5B;EACAC,WAAWA,CAAC3hC,IAAI,EAAE;IACd,OAAO,IAAI,CAACxlC,IAAI,IAAIwmE,SAAS,CAACY,SAAS,IAAI,IAAI,CAACH,QAAQ,IAAIzhC,IAAI;EACpE;EACA6hC,QAAQA,CAAA,EAAG;IACP,OAAO,IAAI,CAACrnE,IAAI,IAAIwmE,SAAS,CAAC7/D,MAAM;EACxC;EACA2gE,QAAQA,CAAA,EAAG;IACP,OAAO,IAAI,CAACtnE,IAAI,IAAIwmE,SAAS,CAAC3/D,MAAM;EACxC;EACA0gE,UAAUA,CAAC32D,QAAQ,EAAE;IACjB,OAAO,IAAI,CAAC5Q,IAAI,IAAIwmE,SAAS,CAACgB,QAAQ,IAAI,IAAI,CAACN,QAAQ,IAAIt2D,QAAQ;EACvE;EACA62D,YAAYA,CAAA,EAAG;IACX,OAAO,IAAI,CAACznE,IAAI,IAAIwmE,SAAS,CAAC/R,UAAU;EAC5C;EACAiT,mBAAmBA,CAAA,EAAG;IAClB,OAAO,IAAI,CAAC1nE,IAAI,IAAIwmE,SAAS,CAACmB,iBAAiB;EACnD;EACAC,SAASA,CAAA,EAAG;IACR,OAAO,IAAI,CAAC5nE,IAAI,IAAIwmE,SAAS,CAACqB,OAAO;EACzC;EACAC,YAAYA,CAAA,EAAG;IACX,OAAO,IAAI,CAAC9nE,IAAI,IAAIwmE,SAAS,CAACqB,OAAO,IAAI,IAAI,CAACX,QAAQ,IAAI,KAAK;EACnE;EACAa,WAAWA,CAAA,EAAG;IACV,OAAO,IAAI,CAAC/nE,IAAI,IAAIwmE,SAAS,CAACqB,OAAO,IAAI,IAAI,CAACX,QAAQ,IAAI,IAAI;EAClE;EACAc,aAAaA,CAAA,EAAG;IACZ,OAAO,IAAI,CAAChoE,IAAI,IAAIwmE,SAAS,CAACqB,OAAO,IAAI,IAAI,CAACX,QAAQ,IAAI,MAAM;EACpE;EACAe,kBAAkBA,CAAA,EAAG;IACjB,OAAO,IAAI,CAACjoE,IAAI,IAAIwmE,SAAS,CAACqB,OAAO,IAAI,IAAI,CAACX,QAAQ,IAAI,WAAW;EACzE;EACAgB,aAAaA,CAAA,EAAG;IACZ,OAAO,IAAI,CAACloE,IAAI,IAAIwmE,SAAS,CAACqB,OAAO,IAAI,IAAI,CAACX,QAAQ,IAAI,MAAM;EACpE;EACAiB,cAAcA,CAAA,EAAG;IACb,OAAO,IAAI,CAACnoE,IAAI,IAAIwmE,SAAS,CAACqB,OAAO,IAAI,IAAI,CAACX,QAAQ,IAAI,OAAO;EACrE;EACAkB,aAAaA,CAAA,EAAG;IACZ,OAAO,IAAI,CAACpoE,IAAI,IAAIwmE,SAAS,CAACqB,OAAO,IAAI,IAAI,CAACX,QAAQ,IAAI,MAAM;EACpE;EACAmB,OAAOA,CAAA,EAAG;IACN,OAAO,IAAI,CAACroE,IAAI,IAAIwmE,SAAS,CAACjwE,KAAK;EACvC;EACA+xE,QAAQA,CAAA,EAAG;IACP,OAAO,IAAI,CAACtoE,IAAI,IAAIwmE,SAAS,CAAC7/D,MAAM,GAAG,IAAI,CAACsgE,QAAQ,GAAG,CAAC,CAAC;EAC7D;EACAjvE,QAAQA,CAAA,EAAG;IACP,QAAQ,IAAI,CAACgI,IAAI;MACb,KAAKwmE,SAAS,CAACY,SAAS;MACxB,KAAKZ,SAAS,CAAC/R,UAAU;MACzB,KAAK+R,SAAS,CAACqB,OAAO;MACtB,KAAKrB,SAAS,CAACgB,QAAQ;MACvB,KAAKhB,SAAS,CAACmB,iBAAiB;MAChC,KAAKnB,SAAS,CAAC3/D,MAAM;MACrB,KAAK2/D,SAAS,CAACjwE,KAAK;QAChB,OAAO,IAAI,CAAC2wE,QAAQ;MACxB,KAAKV,SAAS,CAAC7/D,MAAM;QACjB,OAAO,IAAI,CAACsgE,QAAQ,CAACjvE,QAAQ,CAAC,CAAC;MACnC;QACI,OAAO,IAAI;IACnB;EACJ;AACJ;AACA,SAASuwE,iBAAiBA,CAAChmE,KAAK,EAAEgB,GAAG,EAAEiiC,IAAI,EAAE;EACzC,OAAO,IAAIwhC,KAAK,CAACzkE,KAAK,EAAEgB,GAAG,EAAEijE,SAAS,CAACY,SAAS,EAAE5hC,IAAI,EAAE3+B,MAAM,CAACy/B,YAAY,CAACd,IAAI,CAAC,CAAC;AACtF;AACA,SAASgjC,kBAAkBA,CAACjmE,KAAK,EAAEgB,GAAG,EAAEpE,IAAI,EAAE;EAC1C,OAAO,IAAI6nE,KAAK,CAACzkE,KAAK,EAAEgB,GAAG,EAAEijE,SAAS,CAAC/R,UAAU,EAAE,CAAC,EAAEt1D,IAAI,CAAC;AAC/D;AACA,SAASspE,yBAAyBA,CAAClmE,KAAK,EAAEgB,GAAG,EAAEpE,IAAI,EAAE;EACjD,OAAO,IAAI6nE,KAAK,CAACzkE,KAAK,EAAEgB,GAAG,EAAEijE,SAAS,CAACmB,iBAAiB,EAAE,CAAC,EAAExoE,IAAI,CAAC;AACtE;AACA,SAASupE,eAAeA,CAACnmE,KAAK,EAAEgB,GAAG,EAAEpE,IAAI,EAAE;EACvC,OAAO,IAAI6nE,KAAK,CAACzkE,KAAK,EAAEgB,GAAG,EAAEijE,SAAS,CAACqB,OAAO,EAAE,CAAC,EAAE1oE,IAAI,CAAC;AAC5D;AACA,SAASwpE,gBAAgBA,CAACpmE,KAAK,EAAEgB,GAAG,EAAEpE,IAAI,EAAE;EACxC,OAAO,IAAI6nE,KAAK,CAACzkE,KAAK,EAAEgB,GAAG,EAAEijE,SAAS,CAACgB,QAAQ,EAAE,CAAC,EAAEroE,IAAI,CAAC;AAC7D;AACA,SAASypE,cAAcA,CAACrmE,KAAK,EAAEgB,GAAG,EAAEpE,IAAI,EAAE;EACtC,OAAO,IAAI6nE,KAAK,CAACzkE,KAAK,EAAEgB,GAAG,EAAEijE,SAAS,CAAC3/D,MAAM,EAAE,CAAC,EAAE1H,IAAI,CAAC;AAC3D;AACA,SAAS0pE,cAAcA,CAACtmE,KAAK,EAAEgB,GAAG,EAAE4yB,CAAC,EAAE;EACnC,OAAO,IAAI6wC,KAAK,CAACzkE,KAAK,EAAEgB,GAAG,EAAEijE,SAAS,CAAC7/D,MAAM,EAAEwvB,CAAC,EAAE,EAAE,CAAC;AACzD;AACA,SAAS2yC,aAAaA,CAACvmE,KAAK,EAAEgB,GAAG,EAAErF,OAAO,EAAE;EACxC,OAAO,IAAI8oE,KAAK,CAACzkE,KAAK,EAAEgB,GAAG,EAAEijE,SAAS,CAACjwE,KAAK,EAAE,CAAC,EAAE2H,OAAO,CAAC;AAC7D;AACA,MAAM6qE,GAAG,GAAG,IAAI/B,KAAK,CAAC,CAAC,CAAC,EAAE,CAAC,CAAC,EAAER,SAAS,CAACY,SAAS,EAAE,CAAC,EAAE,EAAE,CAAC;AACzD,MAAMP,QAAQ,CAAC;EACXzxE,WAAWA,CAACytB,KAAK,EAAE;IACf,IAAI,CAACA,KAAK,GAAGA,KAAK;IAClB,IAAI,CAACmmD,IAAI,GAAG,CAAC;IACb,IAAI,CAACzmE,KAAK,GAAG,CAAC,CAAC;IACf,IAAI,CAACxM,MAAM,GAAG8sB,KAAK,CAAC9sB,MAAM;IAC1B,IAAI,CAACyiB,OAAO,CAAC,CAAC;EAClB;EACAA,OAAOA,CAAA,EAAG;IACN,IAAI,CAACwwD,IAAI,GAAG,EAAE,IAAI,CAACzmE,KAAK,IAAI,IAAI,CAACxM,MAAM,GAAG2rC,IAAI,GAAG,IAAI,CAAC7e,KAAK,CAACoB,UAAU,CAAC,IAAI,CAAC1hB,KAAK,CAAC;EACtF;EACAwkE,SAASA,CAAA,EAAG;IACR,MAAMlkD,KAAK,GAAG,IAAI,CAACA,KAAK;MAAE9sB,MAAM,GAAG,IAAI,CAACA,MAAM;IAC9C,IAAIizE,IAAI,GAAG,IAAI,CAACA,IAAI;MAAEzmE,KAAK,GAAG,IAAI,CAACA,KAAK;IACxC;IACA,OAAOymE,IAAI,IAAI/mC,MAAM,EAAE;MACnB,IAAI,EAAE1/B,KAAK,IAAIxM,MAAM,EAAE;QACnBizE,IAAI,GAAGtnC,IAAI;QACX;MACJ,CAAC,MACI;QACDsnC,IAAI,GAAGnmD,KAAK,CAACoB,UAAU,CAAC1hB,KAAK,CAAC;MAClC;IACJ;IACA,IAAI,CAACymE,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACzmE,KAAK,GAAGA,KAAK;IAClB,IAAIA,KAAK,IAAIxM,MAAM,EAAE;MACjB,OAAO,IAAI;IACf;IACA;IACA,IAAIkzE,iBAAiB,CAACD,IAAI,CAAC,EACvB,OAAO,IAAI,CAACE,cAAc,CAAC,CAAC;IAChC,IAAIzjC,OAAO,CAACujC,IAAI,CAAC,EACb,OAAO,IAAI,CAACG,UAAU,CAAC5mE,KAAK,CAAC;IACjC,MAAM+nB,KAAK,GAAG/nB,KAAK;IACnB,QAAQymE,IAAI;MACR,KAAKjmC,OAAO;QACR,IAAI,CAACvqB,OAAO,CAAC,CAAC;QACd,OAAOitB,OAAO,CAAC,IAAI,CAACujC,IAAI,CAAC,GAAG,IAAI,CAACG,UAAU,CAAC7+C,KAAK,CAAC,GAC9Ci+C,iBAAiB,CAACj+C,KAAK,EAAE,IAAI,CAAC/nB,KAAK,EAAEwgC,OAAO,CAAC;MACrD,KAAKN,OAAO;MACZ,KAAKC,OAAO;MACZ,KAAKqC,OAAO;MACZ,KAAKE,OAAO;MACZ,KAAKlB,SAAS;MACd,KAAKE,SAAS;MACd,KAAKpB,MAAM;MACX,KAAKI,MAAM;MACX,KAAKC,UAAU;QACX,OAAO,IAAI,CAACkmC,aAAa,CAAC9+C,KAAK,EAAE0+C,IAAI,CAAC;MAC1C,KAAKxmC,GAAG;MACR,KAAKL,GAAG;QACJ,OAAO,IAAI,CAACknC,UAAU,CAAC,CAAC;MAC5B,KAAKjnC,KAAK;QACN,OAAO,IAAI,CAACknC,qBAAqB,CAAC,CAAC;MACvC,KAAK1mC,KAAK;MACV,KAAKE,MAAM;MACX,KAAKH,KAAK;MACV,KAAKK,MAAM;MACX,KAAKV,QAAQ;MACb,KAAK4B,MAAM;QACP,OAAO,IAAI,CAACqlC,YAAY,CAACj/C,KAAK,EAAEzjB,MAAM,CAACy/B,YAAY,CAAC0iC,IAAI,CAAC,CAAC;MAC9D,KAAK1lC,SAAS;QACV,OAAO,IAAI,CAACkmC,YAAY,CAACl/C,KAAK,CAAC;MACnC,KAAK6Y,GAAG;MACR,KAAKE,GAAG;QACJ,OAAO,IAAI,CAAComC,mBAAmB,CAACn/C,KAAK,EAAEzjB,MAAM,CAACy/B,YAAY,CAAC0iC,IAAI,CAAC,EAAE5lC,GAAG,EAAE,GAAG,CAAC;MAC/E,KAAKlB,KAAK;MACV,KAAKkB,GAAG;QACJ,OAAO,IAAI,CAACqmC,mBAAmB,CAACn/C,KAAK,EAAEzjB,MAAM,CAACy/B,YAAY,CAAC0iC,IAAI,CAAC,EAAE5lC,GAAG,EAAE,GAAG,EAAEA,GAAG,EAAE,GAAG,CAAC;MACzF,KAAKb,UAAU;QACX,OAAO,IAAI,CAACknC,mBAAmB,CAACn/C,KAAK,EAAE,GAAG,EAAEiY,UAAU,EAAE,GAAG,CAAC;MAChE,KAAKyC,IAAI;QACL,OAAO,IAAI,CAACykC,mBAAmB,CAACn/C,KAAK,EAAE,GAAG,EAAE0a,IAAI,EAAE,GAAG,CAAC;MAC1D,KAAKE,KAAK;QACN,OAAOK,YAAY,CAAC,IAAI,CAACyjC,IAAI,CAAC,EAC1B,IAAI,CAACxwD,OAAO,CAAC,CAAC;QAClB,OAAO,IAAI,CAACuuD,SAAS,CAAC,CAAC;IAC/B;IACA,IAAI,CAACvuD,OAAO,CAAC,CAAC;IACd,OAAO,IAAI,CAACmL,KAAK,CAAC,yBAAyB9c,MAAM,CAACy/B,YAAY,CAAC0iC,IAAI,CAAC,GAAG,EAAE,CAAC,CAAC;EAC/E;EACAI,aAAaA,CAAC9+C,KAAK,EAAEkb,IAAI,EAAE;IACvB,IAAI,CAAChtB,OAAO,CAAC,CAAC;IACd,OAAO+vD,iBAAiB,CAACj+C,KAAK,EAAE,IAAI,CAAC/nB,KAAK,EAAEijC,IAAI,CAAC;EACrD;EACA+jC,YAAYA,CAACj/C,KAAK,EAAE7pB,GAAG,EAAE;IACrB,IAAI,CAAC+X,OAAO,CAAC,CAAC;IACd,OAAOmwD,gBAAgB,CAACr+C,KAAK,EAAE,IAAI,CAAC/nB,KAAK,EAAE9B,GAAG,CAAC;EACnD;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIgpE,mBAAmBA,CAACn/C,KAAK,EAAE/tB,GAAG,EAAEmtE,OAAO,EAAEC,GAAG,EAAEC,SAAS,EAAEC,KAAK,EAAE;IAC5D,IAAI,CAACrxD,OAAO,CAAC,CAAC;IACd,IAAI/X,GAAG,GAAGlE,GAAG;IACb,IAAI,IAAI,CAACysE,IAAI,IAAIU,OAAO,EAAE;MACtB,IAAI,CAAClxD,OAAO,CAAC,CAAC;MACd/X,GAAG,IAAIkpE,GAAG;IACd;IACA,IAAIC,SAAS,IAAI,IAAI,IAAI,IAAI,CAACZ,IAAI,IAAIY,SAAS,EAAE;MAC7C,IAAI,CAACpxD,OAAO,CAAC,CAAC;MACd/X,GAAG,IAAIopE,KAAK;IAChB;IACA,OAAOlB,gBAAgB,CAACr+C,KAAK,EAAE,IAAI,CAAC/nB,KAAK,EAAE9B,GAAG,CAAC;EACnD;EACAyoE,cAAcA,CAAA,EAAG;IACb,MAAM5+C,KAAK,GAAG,IAAI,CAAC/nB,KAAK;IACxB,IAAI,CAACiW,OAAO,CAAC,CAAC;IACd,OAAOsxD,gBAAgB,CAAC,IAAI,CAACd,IAAI,CAAC,EAC9B,IAAI,CAACxwD,OAAO,CAAC,CAAC;IAClB,MAAM/X,GAAG,GAAG,IAAI,CAACoiB,KAAK,CAAC2B,SAAS,CAAC8F,KAAK,EAAE,IAAI,CAAC/nB,KAAK,CAAC;IACnD,OAAOkkE,QAAQ,CAACnjD,OAAO,CAAC7iB,GAAG,CAAC,GAAG,CAAC,CAAC,GAAGioE,eAAe,CAACp+C,KAAK,EAAE,IAAI,CAAC/nB,KAAK,EAAE9B,GAAG,CAAC,GACvE+nE,kBAAkB,CAACl+C,KAAK,EAAE,IAAI,CAAC/nB,KAAK,EAAE9B,GAAG,CAAC;EAClD;EACA;EACA6oE,qBAAqBA,CAAA,EAAG;IACpB,MAAMh/C,KAAK,GAAG,IAAI,CAAC/nB,KAAK;IACxB,IAAI,CAACiW,OAAO,CAAC,CAAC;IACd,IAAI,CAACywD,iBAAiB,CAAC,IAAI,CAACD,IAAI,CAAC,EAAE;MAC/B,OAAO,IAAI,CAACrlD,KAAK,CAAC,uBAAuB,EAAE,CAAC,CAAC,CAAC;IAClD;IACA,OAAOmmD,gBAAgB,CAAC,IAAI,CAACd,IAAI,CAAC,EAC9B,IAAI,CAACxwD,OAAO,CAAC,CAAC;IAClB,MAAMuvB,cAAc,GAAG,IAAI,CAACllB,KAAK,CAAC2B,SAAS,CAAC8F,KAAK,EAAE,IAAI,CAAC/nB,KAAK,CAAC;IAC9D,OAAOkmE,yBAAyB,CAACn+C,KAAK,EAAE,IAAI,CAAC/nB,KAAK,EAAEwlC,cAAc,CAAC;EACvE;EACAohC,UAAUA,CAAC7+C,KAAK,EAAE;IACd,IAAIy/C,MAAM,GAAI,IAAI,CAACxnE,KAAK,KAAK+nB,KAAM;IACnC,IAAI0/C,aAAa,GAAG,KAAK;IACzB,IAAI,CAACxxD,OAAO,CAAC,CAAC,CAAC,CAAC;IAChB,OAAO,IAAI,EAAE;MACT,IAAIitB,OAAO,CAAC,IAAI,CAACujC,IAAI,CAAC,EAAE;QACpB;MAAA,CACH,MACI,IAAI,IAAI,CAACA,IAAI,KAAK7kC,EAAE,EAAE;QACvB;QACA;QACA;QACA;QACA;QACA,IAAI,CAACsB,OAAO,CAAC,IAAI,CAAC5iB,KAAK,CAACoB,UAAU,CAAC,IAAI,CAAC1hB,KAAK,GAAG,CAAC,CAAC,CAAC,IAC/C,CAACkjC,OAAO,CAAC,IAAI,CAAC5iB,KAAK,CAACoB,UAAU,CAAC,IAAI,CAAC1hB,KAAK,GAAG,CAAC,CAAC,CAAC,EAAE;UACjD,OAAO,IAAI,CAACohB,KAAK,CAAC,2BAA2B,EAAE,CAAC,CAAC;QACrD;QACAqmD,aAAa,GAAG,IAAI;MACxB,CAAC,MACI,IAAI,IAAI,CAAChB,IAAI,KAAKjmC,OAAO,EAAE;QAC5BgnC,MAAM,GAAG,KAAK;MAClB,CAAC,MACI,IAAIE,eAAe,CAAC,IAAI,CAACjB,IAAI,CAAC,EAAE;QACjC,IAAI,CAACxwD,OAAO,CAAC,CAAC;QACd,IAAI0xD,cAAc,CAAC,IAAI,CAAClB,IAAI,CAAC,EACzB,IAAI,CAACxwD,OAAO,CAAC,CAAC;QAClB,IAAI,CAACitB,OAAO,CAAC,IAAI,CAACujC,IAAI,CAAC,EACnB,OAAO,IAAI,CAACrlD,KAAK,CAAC,kBAAkB,EAAE,CAAC,CAAC,CAAC;QAC7ComD,MAAM,GAAG,KAAK;MAClB,CAAC,MACI;QACD;MACJ;MACA,IAAI,CAACvxD,OAAO,CAAC,CAAC;IAClB;IACA,IAAI/X,GAAG,GAAG,IAAI,CAACoiB,KAAK,CAAC2B,SAAS,CAAC8F,KAAK,EAAE,IAAI,CAAC/nB,KAAK,CAAC;IACjD,IAAIynE,aAAa,EAAE;MACfvpE,GAAG,GAAGA,GAAG,CAAClJ,OAAO,CAAC,IAAI,EAAE,EAAE,CAAC;IAC/B;IACA,MAAMO,KAAK,GAAGiyE,MAAM,GAAGI,iBAAiB,CAAC1pE,GAAG,CAAC,GAAG2pE,UAAU,CAAC3pE,GAAG,CAAC;IAC/D,OAAOooE,cAAc,CAACv+C,KAAK,EAAE,IAAI,CAAC/nB,KAAK,EAAEzK,KAAK,CAAC;EACnD;EACAuxE,UAAUA,CAAA,EAAG;IACT,MAAM/+C,KAAK,GAAG,IAAI,CAAC/nB,KAAK;IACxB,MAAM63C,KAAK,GAAG,IAAI,CAAC4uB,IAAI;IACvB,IAAI,CAACxwD,OAAO,CAAC,CAAC,CAAC,CAAC;IAChB,IAAI7V,MAAM,GAAG,EAAE;IACf,IAAI0nE,MAAM,GAAG,IAAI,CAAC9nE,KAAK;IACvB,MAAMsgB,KAAK,GAAG,IAAI,CAACA,KAAK;IACxB,OAAO,IAAI,CAACmmD,IAAI,IAAI5uB,KAAK,EAAE;MACvB,IAAI,IAAI,CAAC4uB,IAAI,IAAIhlC,UAAU,EAAE;QACzBrhC,MAAM,IAAIkgB,KAAK,CAAC2B,SAAS,CAAC6lD,MAAM,EAAE,IAAI,CAAC9nE,KAAK,CAAC;QAC7C,IAAI+nE,aAAa;QACjB,IAAI,CAAC9xD,OAAO,CAAC,CAAC,CAAC,CAAC;QAChB;QACA,IAAI,IAAI,CAACwwD,IAAI,IAAIrkC,EAAE,EAAE;UACjB;UACA,MAAM4lC,GAAG,GAAG1nD,KAAK,CAAC2B,SAAS,CAAC,IAAI,CAACjiB,KAAK,GAAG,CAAC,EAAE,IAAI,CAACA,KAAK,GAAG,CAAC,CAAC;UAC3D,IAAI,cAAc,CAACwpB,IAAI,CAACw+C,GAAG,CAAC,EAAE;YAC1BD,aAAa,GAAGE,QAAQ,CAACD,GAAG,EAAE,EAAE,CAAC;UACrC,CAAC,MACI;YACD,OAAO,IAAI,CAAC5mD,KAAK,CAAC,8BAA8B4mD,GAAG,GAAG,EAAE,CAAC,CAAC;UAC9D;UACA,KAAK,IAAIpzE,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG,CAAC,EAAEA,CAAC,EAAE,EAAE;YACxB,IAAI,CAACqhB,OAAO,CAAC,CAAC;UAClB;QACJ,CAAC,MACI;UACD8xD,aAAa,GAAGG,QAAQ,CAAC,IAAI,CAACzB,IAAI,CAAC;UACnC,IAAI,CAACxwD,OAAO,CAAC,CAAC;QAClB;QACA7V,MAAM,IAAIkE,MAAM,CAACy/B,YAAY,CAACgkC,aAAa,CAAC;QAC5CD,MAAM,GAAG,IAAI,CAAC9nE,KAAK;MACvB,CAAC,MACI,IAAI,IAAI,CAACymE,IAAI,IAAItnC,IAAI,EAAE;QACxB,OAAO,IAAI,CAAC/d,KAAK,CAAC,oBAAoB,EAAE,CAAC,CAAC;MAC9C,CAAC,MACI;QACD,IAAI,CAACnL,OAAO,CAAC,CAAC;MAClB;IACJ;IACA,MAAMs0C,IAAI,GAAGjqC,KAAK,CAAC2B,SAAS,CAAC6lD,MAAM,EAAE,IAAI,CAAC9nE,KAAK,CAAC;IAChD,IAAI,CAACiW,OAAO,CAAC,CAAC,CAAC,CAAC;IAChB,OAAOowD,cAAc,CAACt+C,KAAK,EAAE,IAAI,CAAC/nB,KAAK,EAAEI,MAAM,GAAGmqD,IAAI,CAAC;EAC3D;EACA0c,YAAYA,CAACl/C,KAAK,EAAE;IAChB,IAAI,CAAC9R,OAAO,CAAC,CAAC;IACd,IAAI/X,GAAG,GAAG,GAAG;IACb;IACA,IAAI,IAAI,CAACuoE,IAAI,KAAK1lC,SAAS,IAAI,IAAI,CAAC0lC,IAAI,KAAKjmC,OAAO,EAAE;MAClDtiC,GAAG,IAAI,IAAI,CAACuoE,IAAI,KAAKjmC,OAAO,GAAG,GAAG,GAAG,GAAG;MACxC,IAAI,CAACvqB,OAAO,CAAC,CAAC;IAClB;IACA,OAAOmwD,gBAAgB,CAACr+C,KAAK,EAAE,IAAI,CAAC/nB,KAAK,EAAE9B,GAAG,CAAC;EACnD;EACAkjB,KAAKA,CAACzlB,OAAO,EAAE8nC,MAAM,EAAE;IACnB,MAAM0kC,QAAQ,GAAG,IAAI,CAACnoE,KAAK,GAAGyjC,MAAM;IACpC,OAAO8iC,aAAa,CAAC4B,QAAQ,EAAE,IAAI,CAACnoE,KAAK,EAAE,gBAAgBrE,OAAO,cAAcwsE,QAAQ,mBAAmB,IAAI,CAAC7nD,KAAK,GAAG,CAAC;EAC7H;AACJ;AACA,SAASomD,iBAAiBA,CAACzjC,IAAI,EAAE;EAC7B,OAAQpB,EAAE,IAAIoB,IAAI,IAAIA,IAAI,IAAIV,EAAE,IAAMpB,EAAE,IAAI8B,IAAI,IAAIA,IAAI,IAAI1B,EAAG,IAC1D0B,IAAI,IAAIrB,EAAG,IAAKqB,IAAI,IAAInD,EAAG;AACpC;AACA,SAASolC,YAAYA,CAAC5kD,KAAK,EAAE;EACzB,IAAIA,KAAK,CAAC9sB,MAAM,IAAI,CAAC,EACjB,OAAO,KAAK;EAChB,MAAM6wE,OAAO,GAAG,IAAIC,QAAQ,CAAChkD,KAAK,CAAC;EACnC,IAAI,CAAComD,iBAAiB,CAACrC,OAAO,CAACoC,IAAI,CAAC,EAChC,OAAO,KAAK;EAChBpC,OAAO,CAACpuD,OAAO,CAAC,CAAC;EACjB,OAAOouD,OAAO,CAACoC,IAAI,KAAKtnC,IAAI,EAAE;IAC1B,IAAI,CAACooC,gBAAgB,CAAClD,OAAO,CAACoC,IAAI,CAAC,EAC/B,OAAO,KAAK;IAChBpC,OAAO,CAACpuD,OAAO,CAAC,CAAC;EACrB;EACA,OAAO,IAAI;AACf;AACA,SAASsxD,gBAAgBA,CAACtkC,IAAI,EAAE;EAC5B,OAAOE,aAAa,CAACF,IAAI,CAAC,IAAIC,OAAO,CAACD,IAAI,CAAC,IAAKA,IAAI,IAAIrB,EAAG,IACtDqB,IAAI,IAAInD,EAAG;AACpB;AACA,SAAS4nC,eAAeA,CAACzkC,IAAI,EAAE;EAC3B,OAAOA,IAAI,IAAIlB,EAAE,IAAIkB,IAAI,IAAI7B,EAAE;AACnC;AACA,SAASumC,cAAcA,CAAC1kC,IAAI,EAAE;EAC1B,OAAOA,IAAI,IAAI1C,MAAM,IAAI0C,IAAI,IAAI5C,KAAK;AAC1C;AACA,SAAS6nC,QAAQA,CAACjlC,IAAI,EAAE;EACpB,QAAQA,IAAI;IACR,KAAKhB,EAAE;MACH,OAAO3C,GAAG;IACd,KAAK0C,EAAE;MACH,OAAOxC,GAAG;IACd,KAAK0C,EAAE;MACH,OAAOzC,GAAG;IACd,KAAK0C,EAAE;MACH,OAAO9C,IAAI;IACf,KAAKgD,EAAE;MACH,OAAO9C,KAAK;IAChB;MACI,OAAO0D,IAAI;EACnB;AACJ;AACA,SAAS2kC,iBAAiBA,CAAChrE,IAAI,EAAE;EAC7B,MAAMlI,MAAM,GAAGuzE,QAAQ,CAACrrE,IAAI,CAAC;EAC7B,IAAIwrE,KAAK,CAAC1zE,MAAM,CAAC,EAAE;IACf,MAAM,IAAIV,KAAK,CAAC,uCAAuC,GAAG4I,IAAI,CAAC;EACnE;EACA,OAAOlI,MAAM;AACjB;AAEA,MAAM2zE,kBAAkB,CAAC;EACrBx1E,WAAWA,CAAC2mC,OAAO,EAAEhvB,WAAW,EAAE89D,OAAO,EAAE;IACvC,IAAI,CAAC9uC,OAAO,GAAGA,OAAO;IACtB,IAAI,CAAChvB,WAAW,GAAGA,WAAW;IAC9B,IAAI,CAAC89D,OAAO,GAAGA,OAAO;EAC1B;AACJ;AACA,MAAMC,0BAA0B,CAAC;EAC7B11E,WAAWA,CAAC21E,gBAAgB,EAAEC,QAAQ,EAAEv5B,MAAM,EAAE;IAC5C,IAAI,CAACs5B,gBAAgB,GAAGA,gBAAgB;IACxC,IAAI,CAACC,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACv5B,MAAM,GAAGA,MAAM;EACxB;AACJ;AACA,MAAMw5B,QAAQ,CAAC;EACX71E,WAAWA,CAAC81E,MAAM,EAAE;IAChB,IAAI,CAACA,MAAM,GAAGA,MAAM;IACpB,IAAI,CAACz5B,MAAM,GAAG,EAAE;EACpB;EACA05B,WAAWA,CAACtoD,KAAK,EAAEuoD,iBAAiB,EAAE55B,QAAQ,EAAE5D,cAAc,EAAEy9B,mBAAmB,GAAG5pC,4BAA4B,EAAE;IAChH,IAAI,CAAC6pC,qBAAqB,CAACzoD,KAAK,EAAE2uB,QAAQ,EAAE65B,mBAAmB,CAAC;IAChE,MAAME,WAAW,GAAG,IAAI,CAACC,cAAc,CAAC3oD,KAAK,CAAC;IAC9C,MAAMikD,MAAM,GAAG,IAAI,CAACoE,MAAM,CAACvE,QAAQ,CAAC4E,WAAW,CAAC;IAChD,IAAI37C,KAAK,GAAG,CAAC,CAAC;IACd,IAAIw7C,iBAAiB,EAAE;MACnBx7C,KAAK,IAAI,CAAC,CAAC;IACf;IACA,MAAMzc,GAAG,GAAG,IAAIs4D,SAAS,CAAC5oD,KAAK,EAAE2uB,QAAQ,EAAE5D,cAAc,EAAEk5B,MAAM,EAAEl3C,KAAK,EAAE,IAAI,CAAC6hB,MAAM,EAAE,CAAC,CAAC,CAACi6B,UAAU,CAAC,CAAC;IACtG,OAAO,IAAIn6B,aAAa,CAACp+B,GAAG,EAAE0P,KAAK,EAAE2uB,QAAQ,EAAE5D,cAAc,EAAE,IAAI,CAAC6D,MAAM,CAAC;EAC/E;EACAk6B,YAAYA,CAAC9oD,KAAK,EAAE2uB,QAAQ,EAAE5D,cAAc,EAAEy9B,mBAAmB,GAAG5pC,4BAA4B,EAAE;IAC9F,MAAMtuB,GAAG,GAAG,IAAI,CAACy4D,gBAAgB,CAAC/oD,KAAK,EAAE2uB,QAAQ,EAAE5D,cAAc,EAAEy9B,mBAAmB,CAAC;IACvF,OAAO,IAAI95B,aAAa,CAACp+B,GAAG,EAAE0P,KAAK,EAAE2uB,QAAQ,EAAE5D,cAAc,EAAE,IAAI,CAAC6D,MAAM,CAAC;EAC/E;EACAo6B,qBAAqBA,CAAC14D,GAAG,EAAE;IACvB,MAAM24D,OAAO,GAAG,IAAIC,uBAAuB,CAAC,CAAC;IAC7C54D,GAAG,CAACpU,KAAK,CAAC+sE,OAAO,CAAC;IAClB,OAAOA,OAAO,CAACr6B,MAAM;EACzB;EACA;EACAu6B,kBAAkBA,CAACnpD,KAAK,EAAE2uB,QAAQ,EAAE5D,cAAc,EAAEy9B,mBAAmB,GAAG5pC,4BAA4B,EAAE;IACpG,MAAMtuB,GAAG,GAAG,IAAI,CAACy4D,gBAAgB,CAAC/oD,KAAK,EAAE2uB,QAAQ,EAAE5D,cAAc,EAAEy9B,mBAAmB,CAAC;IACvF,MAAM55B,MAAM,GAAG,IAAI,CAACo6B,qBAAqB,CAAC14D,GAAG,CAAC;IAC9C,IAAIs+B,MAAM,CAAC17C,MAAM,GAAG,CAAC,EAAE;MACnB,IAAI,CAACk2E,YAAY,CAAC,0CAA0Cx6B,MAAM,CAAC95C,IAAI,CAAC,GAAG,CAAC,EAAE,EAAEkrB,KAAK,EAAE2uB,QAAQ,CAAC;IACpG;IACA,OAAO,IAAID,aAAa,CAACp+B,GAAG,EAAE0P,KAAK,EAAE2uB,QAAQ,EAAE5D,cAAc,EAAE,IAAI,CAAC6D,MAAM,CAAC;EAC/E;EACAw6B,YAAYA,CAAC/tE,OAAO,EAAE2kB,KAAK,EAAE2qB,WAAW,EAAEC,WAAW,EAAE;IACnD,IAAI,CAACgE,MAAM,CAACz7C,IAAI,CAAC,IAAIu3C,WAAW,CAACrvC,OAAO,EAAE2kB,KAAK,EAAE2qB,WAAW,EAAEC,WAAW,CAAC,CAAC;EAC/E;EACAm+B,gBAAgBA,CAAC/oD,KAAK,EAAE2uB,QAAQ,EAAE5D,cAAc,EAAEy9B,mBAAmB,EAAE;IACnE,IAAI,CAACC,qBAAqB,CAACzoD,KAAK,EAAE2uB,QAAQ,EAAE65B,mBAAmB,CAAC;IAChE,MAAME,WAAW,GAAG,IAAI,CAACC,cAAc,CAAC3oD,KAAK,CAAC;IAC9C,MAAMikD,MAAM,GAAG,IAAI,CAACoE,MAAM,CAACvE,QAAQ,CAAC4E,WAAW,CAAC;IAChD,OAAO,IAAIE,SAAS,CAAC5oD,KAAK,EAAE2uB,QAAQ,EAAE5D,cAAc,EAAEk5B,MAAM,EAAE,CAAC,CAAC,uBAAuB,IAAI,CAACr1B,MAAM,EAAE,CAAC,CAAC,CACjGi6B,UAAU,CAAC,CAAC;EACrB;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIQ,qBAAqBA,CAACC,WAAW,EAAEC,aAAa,EAAEC,WAAW,EAAEC,iBAAiB,EAAEC,mBAAmB,EAAE;IACnG,MAAMzF,MAAM,GAAG,IAAI,CAACoE,MAAM,CAACvE,QAAQ,CAACyF,aAAa,CAAC;IAClD,MAAMI,MAAM,GAAG,IAAIf,SAAS,CAACW,aAAa,EAAEC,WAAW,EAAEE,mBAAmB,EAAEzF,MAAM,EAAE,CAAC,CAAC,uBAAuB,IAAI,CAACr1B,MAAM,EAAE,CAAC,CAAC,qBAAqB,CAAC;IACpJ,OAAO+6B,MAAM,CAACN,qBAAqB,CAAC;MAChC7hD,MAAM,EAAE8hD,WAAW;MACnB/hD,IAAI,EAAE,IAAIyjB,kBAAkB,CAACy+B,iBAAiB,EAAEA,iBAAiB,GAAGH,WAAW,CAACp2E,MAAM;IAC1F,CAAC,CAAC;EACN;EACA02E,kBAAkBA,CAAC5pD,KAAK,EAAE2uB,QAAQ,EAAE5D,cAAc,EAAE8+B,kBAAkB,EAAErB,mBAAmB,GAAG5pC,4BAA4B,EAAE;IACxH,MAAM;MAAE1F,OAAO;MAAEhvB,WAAW;MAAE89D;IAAQ,CAAC,GAAG,IAAI,CAAC8B,kBAAkB,CAAC9pD,KAAK,EAAE2uB,QAAQ,EAAEk7B,kBAAkB,EAAErB,mBAAmB,CAAC;IAC3H,IAAIt+D,WAAW,CAAChX,MAAM,KAAK,CAAC,EACxB,OAAO,IAAI;IACf,MAAM62E,eAAe,GAAG,EAAE;IAC1B,KAAK,IAAIz1E,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG4V,WAAW,CAAChX,MAAM,EAAE,EAAEoB,CAAC,EAAE;MACzC,MAAM01E,cAAc,GAAG9/D,WAAW,CAAC5V,CAAC,CAAC,CAACgI,IAAI;MAC1C,MAAMosE,WAAW,GAAG,IAAI,CAACC,cAAc,CAACqB,cAAc,CAAC;MACvD,MAAM/F,MAAM,GAAG,IAAI,CAACoE,MAAM,CAACvE,QAAQ,CAAC4E,WAAW,CAAC;MAChD,MAAMp4D,GAAG,GAAG,IAAIs4D,SAAS,CAAC5oD,KAAK,EAAE2uB,QAAQ,EAAE5D,cAAc,EAAEk5B,MAAM,EAAE,CAAC,CAAC,uBAAuB,IAAI,CAACr1B,MAAM,EAAEo5B,OAAO,CAAC1zE,CAAC,CAAC,CAAC,CAC/Gu0E,UAAU,CAAC,CAAC;MACjBkB,eAAe,CAAC52E,IAAI,CAACmd,GAAG,CAAC;IAC7B;IACA,OAAO,IAAI,CAAC25D,sBAAsB,CAAC/wC,OAAO,CAAC7hC,GAAG,CAAC2pB,CAAC,IAAIA,CAAC,CAAC1kB,IAAI,CAAC,EAAEytE,eAAe,EAAE/pD,KAAK,EAAE2uB,QAAQ,EAAE5D,cAAc,CAAC;EAClH;EACA;AACJ;AACA;AACA;AACA;EACIm/B,4BAA4BA,CAAChtE,UAAU,EAAEyxC,QAAQ,EAAE5D,cAAc,EAAE;IAC/D,MAAM29B,WAAW,GAAG,IAAI,CAACC,cAAc,CAACzrE,UAAU,CAAC;IACnD,MAAM+mE,MAAM,GAAG,IAAI,CAACoE,MAAM,CAACvE,QAAQ,CAAC4E,WAAW,CAAC;IAChD,MAAMp4D,GAAG,GAAG,IAAIs4D,SAAS,CAAC1rE,UAAU,EAAEyxC,QAAQ,EAAE5D,cAAc,EAAEk5B,MAAM,EAAE,CAAC,CAAC,uBAAuB,IAAI,CAACr1B,MAAM,EAAE,CAAC,CAAC,CAC3Gi6B,UAAU,CAAC,CAAC;IACjB,MAAM3vC,OAAO,GAAG,CAAC,EAAE,EAAE,EAAE,CAAC,CAAC,CAAC;IAC1B,OAAO,IAAI,CAAC+wC,sBAAsB,CAAC/wC,OAAO,EAAE,CAAC5oB,GAAG,CAAC,EAAEpT,UAAU,EAAEyxC,QAAQ,EAAE5D,cAAc,CAAC;EAC5F;EACAk/B,sBAAsBA,CAAC/wC,OAAO,EAAEhvB,WAAW,EAAE8V,KAAK,EAAE2uB,QAAQ,EAAE5D,cAAc,EAAE;IAC1E,MAAMxjB,IAAI,GAAG,IAAIsjB,SAAS,CAAC,CAAC,EAAE7qB,KAAK,CAAC9sB,MAAM,CAAC;IAC3C,MAAM2pC,aAAa,GAAG,IAAIsQ,eAAe,CAAC5lB,IAAI,EAAEA,IAAI,CAACujB,UAAU,CAACC,cAAc,CAAC,EAAE7R,OAAO,EAAEhvB,WAAW,CAAC;IACtG,OAAO,IAAIwkC,aAAa,CAAC7R,aAAa,EAAE7c,KAAK,EAAE2uB,QAAQ,EAAE5D,cAAc,EAAE,IAAI,CAAC6D,MAAM,CAAC;EACzF;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;EACIk7B,kBAAkBA,CAAC9pD,KAAK,EAAE2uB,QAAQ,EAAEk7B,kBAAkB,EAAErB,mBAAmB,GAAG5pC,4BAA4B,EAAE;IACxG,MAAM1F,OAAO,GAAG,EAAE;IAClB,MAAMhvB,WAAW,GAAG,EAAE;IACtB,MAAM89D,OAAO,GAAG,EAAE;IAClB,MAAMmC,uBAAuB,GAAGN,kBAAkB,GAAGO,8BAA8B,CAACP,kBAAkB,CAAC,GAAG,IAAI;IAC9G,IAAIv1E,CAAC,GAAG,CAAC;IACT,IAAI+1E,eAAe,GAAG,KAAK;IAC3B,IAAIC,gBAAgB,GAAG,KAAK;IAC5B,IAAI;MAAE7iD,KAAK,EAAE8iD,WAAW;MAAE7pE,GAAG,EAAE8pE;IAAU,CAAC,GAAGhC,mBAAmB;IAChE,OAAOl0E,CAAC,GAAG0rB,KAAK,CAAC9sB,MAAM,EAAE;MACrB,IAAI,CAACm3E,eAAe,EAAE;QAClB;QACA,MAAM5iD,KAAK,GAAGnzB,CAAC;QACfA,CAAC,GAAG0rB,KAAK,CAACS,OAAO,CAAC8pD,WAAW,EAAEj2E,CAAC,CAAC;QACjC,IAAIA,CAAC,KAAK,CAAC,CAAC,EAAE;UACVA,CAAC,GAAG0rB,KAAK,CAAC9sB,MAAM;QACpB;QACA,MAAMoJ,IAAI,GAAG0jB,KAAK,CAAC2B,SAAS,CAAC8F,KAAK,EAAEnzB,CAAC,CAAC;QACtC4kC,OAAO,CAAC/lC,IAAI,CAAC;UAAEmJ,IAAI;UAAEmrB,KAAK;UAAE/mB,GAAG,EAAEpM;QAAE,CAAC,CAAC;QACrC+1E,eAAe,GAAG,IAAI;MAC1B,CAAC,MACI;QACD;QACA,MAAMhmC,SAAS,GAAG/vC,CAAC;QACnB,MAAMm2E,SAAS,GAAGpmC,SAAS,GAAGkmC,WAAW,CAACr3E,MAAM;QAChD,MAAMw3E,OAAO,GAAG,IAAI,CAACC,yBAAyB,CAAC3qD,KAAK,EAAEwqD,SAAS,EAAEC,SAAS,CAAC;QAC3E,IAAIC,OAAO,KAAK,CAAC,CAAC,EAAE;UAChB;UACA;UACAL,eAAe,GAAG,KAAK;UACvBC,gBAAgB,GAAG,IAAI;UACvB;QACJ;QACA,MAAMM,OAAO,GAAGF,OAAO,GAAGF,SAAS,CAACt3E,MAAM;QAC1C,MAAMoJ,IAAI,GAAG0jB,KAAK,CAAC2B,SAAS,CAAC8oD,SAAS,EAAEC,OAAO,CAAC;QAChD,IAAIpuE,IAAI,CAACokB,IAAI,CAAC,CAAC,CAACxtB,MAAM,KAAK,CAAC,EAAE;UAC1B,IAAI,CAACk2E,YAAY,CAAC,2DAA2D,EAAEppD,KAAK,EAAE,aAAa1rB,CAAC,KAAK,EAAEq6C,QAAQ,CAAC;QACxH;QACAzkC,WAAW,CAAC/W,IAAI,CAAC;UAAEmJ,IAAI;UAAEmrB,KAAK,EAAE4c,SAAS;UAAE3jC,GAAG,EAAEkqE;QAAQ,CAAC,CAAC;QAC1D,MAAMC,uBAAuB,GAAGV,uBAAuB,EAAElzE,GAAG,CAACotC,SAAS,CAAC,IAAIA,SAAS;QACpF,MAAMlB,MAAM,GAAG0nC,uBAAuB,GAAGN,WAAW,CAACr3E,MAAM;QAC3D80E,OAAO,CAAC70E,IAAI,CAACgwC,MAAM,CAAC;QACpB7uC,CAAC,GAAGs2E,OAAO;QACXP,eAAe,GAAG,KAAK;MAC3B;IACJ;IACA,IAAI,CAACA,eAAe,EAAE;MAClB;MACA,IAAIC,gBAAgB,EAAE;QAClB,MAAMQ,KAAK,GAAG5xC,OAAO,CAACA,OAAO,CAAChmC,MAAM,GAAG,CAAC,CAAC;QACzC43E,KAAK,CAACxuE,IAAI,IAAI0jB,KAAK,CAAC2B,SAAS,CAACrtB,CAAC,CAAC;QAChCw2E,KAAK,CAACpqE,GAAG,GAAGsf,KAAK,CAAC9sB,MAAM;MAC5B,CAAC,MACI;QACDgmC,OAAO,CAAC/lC,IAAI,CAAC;UAAEmJ,IAAI,EAAE0jB,KAAK,CAAC2B,SAAS,CAACrtB,CAAC,CAAC;UAAEmzB,KAAK,EAAEnzB,CAAC;UAAEoM,GAAG,EAAEsf,KAAK,CAAC9sB;QAAO,CAAC,CAAC;MAC3E;IACJ;IACA,OAAO,IAAI60E,kBAAkB,CAAC7uC,OAAO,EAAEhvB,WAAW,EAAE89D,OAAO,CAAC;EAChE;EACA+C,oBAAoBA,CAAC/qD,KAAK,EAAE2uB,QAAQ,EAAE5D,cAAc,EAAE;IAClD,MAAMxjB,IAAI,GAAG,IAAIsjB,SAAS,CAAC,CAAC,EAAE7qB,KAAK,IAAI,IAAI,GAAG,CAAC,GAAGA,KAAK,CAAC9sB,MAAM,CAAC;IAC/D,OAAO,IAAIw7C,aAAa,CAAC,IAAI7B,gBAAgB,CAACtlB,IAAI,EAAEA,IAAI,CAACujB,UAAU,CAACC,cAAc,CAAC,EAAE/qB,KAAK,CAAC,EAAEA,KAAK,EAAE2uB,QAAQ,EAAE5D,cAAc,EAAE,IAAI,CAAC6D,MAAM,CAAC;EAC9I;EACA+5B,cAAcA,CAAC3oD,KAAK,EAAE;IAClB,MAAM1rB,CAAC,GAAG,IAAI,CAAC02E,aAAa,CAAChrD,KAAK,CAAC;IACnC,OAAO1rB,CAAC,IAAI,IAAI,GAAG0rB,KAAK,CAAC2B,SAAS,CAAC,CAAC,EAAErtB,CAAC,CAAC,GAAG0rB,KAAK;EACpD;EACAgrD,aAAaA,CAAChrD,KAAK,EAAE;IACjB,IAAIirD,UAAU,GAAG,IAAI;IACrB,KAAK,IAAI32E,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG0rB,KAAK,CAAC9sB,MAAM,GAAG,CAAC,EAAEoB,CAAC,EAAE,EAAE;MACvC,MAAMC,IAAI,GAAGyrB,KAAK,CAACoB,UAAU,CAAC9sB,CAAC,CAAC;MAChC,MAAM42E,QAAQ,GAAGlrD,KAAK,CAACoB,UAAU,CAAC9sB,CAAC,GAAG,CAAC,CAAC;MACxC,IAAIC,IAAI,KAAK4rC,MAAM,IAAI+qC,QAAQ,IAAI/qC,MAAM,IAAI8qC,UAAU,IAAI,IAAI,EAC3D,OAAO32E,CAAC;MACZ,IAAI22E,UAAU,KAAK12E,IAAI,EAAE;QACrB02E,UAAU,GAAG,IAAI;MACrB,CAAC,MACI,IAAIA,UAAU,IAAI,IAAI,IAAIhoC,OAAO,CAAC1uC,IAAI,CAAC,EAAE;QAC1C02E,UAAU,GAAG12E,IAAI;MACrB;IACJ;IACA,OAAO,IAAI;EACf;EACAk0E,qBAAqBA,CAACzoD,KAAK,EAAE2uB,QAAQ,EAAE;IAAElnB,KAAK;IAAE/mB;EAAI,CAAC,EAAE;IACnD,IAAIo7C,UAAU,GAAG,CAAC,CAAC;IACnB,IAAIqvB,QAAQ,GAAG,CAAC,CAAC;IACjB,KAAK,MAAMC,SAAS,IAAI,IAAI,CAACC,oBAAoB,CAACrrD,KAAK,EAAE,CAAC,CAAC,EAAE;MACzD,IAAI87B,UAAU,KAAK,CAAC,CAAC,EAAE;QACnB,IAAI97B,KAAK,CAACuY,UAAU,CAAC9Q,KAAK,CAAC,EAAE;UACzBq0B,UAAU,GAAGsvB,SAAS;QAC1B;MACJ,CAAC,MACI;QACDD,QAAQ,GAAG,IAAI,CAACR,yBAAyB,CAAC3qD,KAAK,EAAEtf,GAAG,EAAE0qE,SAAS,CAAC;QAChE,IAAID,QAAQ,GAAG,CAAC,CAAC,EAAE;UACf;QACJ;MACJ;IACJ;IACA,IAAIrvB,UAAU,GAAG,CAAC,CAAC,IAAIqvB,QAAQ,GAAG,CAAC,CAAC,EAAE;MAClC,IAAI,CAAC/B,YAAY,CAAC,sBAAsB3hD,KAAK,GAAG/mB,GAAG,iCAAiC,EAAEsf,KAAK,EAAE,aAAa87B,UAAU,KAAK,EAAEnN,QAAQ,CAAC;IACxI;EACJ;EACA;AACJ;AACA;AACA;EACIg8B,yBAAyBA,CAAC3qD,KAAK,EAAEsrD,aAAa,EAAE7jD,KAAK,EAAE;IACnD,KAAK,MAAM2jD,SAAS,IAAI,IAAI,CAACC,oBAAoB,CAACrrD,KAAK,EAAEyH,KAAK,CAAC,EAAE;MAC7D,IAAIzH,KAAK,CAACuY,UAAU,CAAC+yC,aAAa,EAAEF,SAAS,CAAC,EAAE;QAC5C,OAAOA,SAAS;MACpB;MACA;MACA;MACA,IAAIprD,KAAK,CAACuY,UAAU,CAAC,IAAI,EAAE6yC,SAAS,CAAC,EAAE;QACnC,OAAOprD,KAAK,CAACS,OAAO,CAAC6qD,aAAa,EAAEF,SAAS,CAAC;MAClD;IACJ;IACA,OAAO,CAAC,CAAC;EACb;EACA;AACJ;AACA;AACA;AACA;EACI,CAACC,oBAAoBA,CAACrrD,KAAK,EAAEyH,KAAK,EAAE;IAChC,IAAI8jD,YAAY,GAAG,IAAI;IACvB,IAAIC,WAAW,GAAG,CAAC;IACnB,KAAK,IAAIl3E,CAAC,GAAGmzB,KAAK,EAAEnzB,CAAC,GAAG0rB,KAAK,CAAC9sB,MAAM,EAAEoB,CAAC,EAAE,EAAE;MACvC,MAAMC,IAAI,GAAGyrB,KAAK,CAAC1rB,CAAC,CAAC;MACrB;MACA;MACA,IAAI2uC,OAAO,CAACjjB,KAAK,CAACoB,UAAU,CAAC9sB,CAAC,CAAC,CAAC,KAAKi3E,YAAY,KAAK,IAAI,IAAIA,YAAY,KAAKh3E,IAAI,CAAC,IAChFi3E,WAAW,GAAG,CAAC,KAAK,CAAC,EAAE;QACvBD,YAAY,GAAGA,YAAY,KAAK,IAAI,GAAGh3E,IAAI,GAAG,IAAI;MACtD,CAAC,MACI,IAAIg3E,YAAY,KAAK,IAAI,EAAE;QAC5B,MAAMj3E,CAAC;MACX;MACAk3E,WAAW,GAAGj3E,IAAI,KAAK,IAAI,GAAGi3E,WAAW,GAAG,CAAC,GAAG,CAAC;IACrD;EACJ;AACJ;AACA;AACA,IAAIC,iBAAiB;AACrB,CAAC,UAAUA,iBAAiB,EAAE;EAC1BA,iBAAiB,CAACA,iBAAiB,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,GAAG,MAAM;EACzD;AACJ;AACA;AACA;AACA;AACA;AACA;EACIA,iBAAiB,CAACA,iBAAiB,CAAC,UAAU,CAAC,GAAG,CAAC,CAAC,GAAG,UAAU;AACrE,CAAC,EAAEA,iBAAiB,KAAKA,iBAAiB,GAAG,CAAC,CAAC,CAAC,CAAC;AACjD,MAAM7C,SAAS,CAAC;EACZr2E,WAAWA,CAACytB,KAAK,EAAE2uB,QAAQ,EAAE5D,cAAc,EAAEk5B,MAAM,EAAEyH,UAAU,EAAE98B,MAAM,EAAEzL,MAAM,EAAE;IAC7E,IAAI,CAACnjB,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC2uB,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAAC5D,cAAc,GAAGA,cAAc;IACpC,IAAI,CAACk5B,MAAM,GAAGA,MAAM;IACpB,IAAI,CAACyH,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAAC98B,MAAM,GAAGA,MAAM;IACpB,IAAI,CAACzL,MAAM,GAAGA,MAAM;IACpB,IAAI,CAACwoC,eAAe,GAAG,CAAC;IACxB,IAAI,CAACC,iBAAiB,GAAG,CAAC;IAC1B,IAAI,CAACC,eAAe,GAAG,CAAC;IACxB,IAAI,CAACtvE,OAAO,GAAGkvE,iBAAiB,CAACtpE,IAAI;IACrC;IACA;IACA;IACA;IACA,IAAI,CAAC2pE,eAAe,GAAG,IAAIr2E,GAAG,CAAC,CAAC;IAChC,IAAI,CAACiK,KAAK,GAAG,CAAC;EAClB;EACAymE,IAAIA,CAAChjC,MAAM,EAAE;IACT,MAAM7uC,CAAC,GAAG,IAAI,CAACoL,KAAK,GAAGyjC,MAAM;IAC7B,OAAO7uC,CAAC,GAAG,IAAI,CAAC2vE,MAAM,CAAC/wE,MAAM,GAAG,IAAI,CAAC+wE,MAAM,CAAC3vE,CAAC,CAAC,GAAG4xE,GAAG;EACxD;EACA,IAAI9iB,IAAIA,CAAA,EAAG;IACP,OAAO,IAAI,CAAC+iB,IAAI,CAAC,CAAC,CAAC;EACvB;EACA;EACA,IAAI4F,KAAKA,CAAA,EAAG;IACR,OAAO,IAAI,CAACrsE,KAAK,IAAI,IAAI,CAACukE,MAAM,CAAC/wE,MAAM;EAC3C;EACA;AACJ;AACA;AACA;EACI,IAAI84E,UAAUA,CAAA,EAAG;IACb,OAAO,IAAI,CAACD,KAAK,GAAG,IAAI,CAACE,eAAe,GAAG,IAAI,CAAC7oB,IAAI,CAAC1jD,KAAK,GAAG,IAAI,CAACyjC,MAAM;EAC5E;EACA;AACJ;AACA;AACA;EACI,IAAI8oC,eAAeA,CAAA,EAAG;IAClB,IAAI,IAAI,CAACvsE,KAAK,GAAG,CAAC,EAAE;MAChB,MAAMwsE,QAAQ,GAAG,IAAI,CAAC/F,IAAI,CAAC,CAAC,CAAC,CAAC;MAC9B,OAAO+F,QAAQ,CAACxrE,GAAG,GAAG,IAAI,CAACyiC,MAAM;IACrC;IACA;IACA;IACA,IAAI,IAAI,CAAC8gC,MAAM,CAAC/wE,MAAM,KAAK,CAAC,EAAE;MAC1B,OAAO,IAAI,CAAC8sB,KAAK,CAAC9sB,MAAM,GAAG,IAAI,CAACiwC,MAAM;IAC1C;IACA,OAAO,IAAI,CAACigB,IAAI,CAAC1jD,KAAK,GAAG,IAAI,CAACyjC,MAAM;EACxC;EACA;AACJ;AACA;EACI,IAAIgpC,qBAAqBA,CAAA,EAAG;IACxB,OAAO,IAAI,CAACphC,cAAc,GAAG,IAAI,CAACihC,UAAU;EAChD;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;EACIzkD,IAAIA,CAACE,KAAK,EAAE2kD,kBAAkB,EAAE;IAC5B,IAAIjB,QAAQ,GAAG,IAAI,CAACc,eAAe;IACnC,IAAIG,kBAAkB,KAAKvrD,SAAS,IAAIurD,kBAAkB,GAAG,IAAI,CAACH,eAAe,EAAE;MAC/Ed,QAAQ,GAAGiB,kBAAkB;IACjC;IACA;IACA;IACA;IACA;IACA;IACA;IACA,IAAI3kD,KAAK,GAAG0jD,QAAQ,EAAE;MAClB,MAAMkB,GAAG,GAAGlB,QAAQ;MACpBA,QAAQ,GAAG1jD,KAAK;MAChBA,KAAK,GAAG4kD,GAAG;IACf;IACA,OAAO,IAAIxhC,SAAS,CAACpjB,KAAK,EAAE0jD,QAAQ,CAAC;EACzC;EACAtmE,UAAUA,CAAC4iB,KAAK,EAAE2kD,kBAAkB,EAAE;IAClC,MAAME,MAAM,GAAG,GAAG7kD,KAAK,IAAI,IAAI,CAACukD,UAAU,IAAII,kBAAkB,EAAE;IAClE,IAAI,CAAC,IAAI,CAACN,eAAe,CAAC53D,GAAG,CAACo4D,MAAM,CAAC,EAAE;MACnC,IAAI,CAACR,eAAe,CAAC50E,GAAG,CAACo1E,MAAM,EAAE,IAAI,CAAC/kD,IAAI,CAACE,KAAK,EAAE2kD,kBAAkB,CAAC,CAACthC,UAAU,CAAC,IAAI,CAACC,cAAc,CAAC,CAAC;IAC1G;IACA,OAAO,IAAI,CAAC+gC,eAAe,CAAC70E,GAAG,CAACq1E,MAAM,CAAC;EAC3C;EACA32D,OAAOA,CAAA,EAAG;IACN,IAAI,CAACjW,KAAK,EAAE;EAChB;EACA;AACJ;AACA;EACI6sE,WAAWA,CAAChwE,OAAO,EAAEiwE,EAAE,EAAE;IACrB,IAAI,CAACjwE,OAAO,IAAIA,OAAO;IACvB,MAAMkwE,GAAG,GAAGD,EAAE,CAAC,CAAC;IAChB,IAAI,CAACjwE,OAAO,IAAIA,OAAO;IACvB,OAAOkwE,GAAG;EACd;EACAC,wBAAwBA,CAAC/pC,IAAI,EAAE;IAC3B,IAAI,IAAI,CAACygB,IAAI,CAACkhB,WAAW,CAAC3hC,IAAI,CAAC,EAAE;MAC7B,IAAI,CAAChtB,OAAO,CAAC,CAAC;MACd,OAAO,IAAI;IACf,CAAC,MACI;MACD,OAAO,KAAK;IAChB;EACJ;EACAg3D,cAAcA,CAAA,EAAG;IACb,OAAO,IAAI,CAACvpB,IAAI,CAAC6hB,YAAY,CAAC,CAAC;EACnC;EACA2H,aAAaA,CAAA,EAAG;IACZ,OAAO,IAAI,CAACxpB,IAAI,CAAC8hB,WAAW,CAAC,CAAC;EAClC;EACA;AACJ;AACA;AACA;AACA;AACA;EACI2H,eAAeA,CAAClqC,IAAI,EAAE;IAClB,IAAI,IAAI,CAAC+pC,wBAAwB,CAAC/pC,IAAI,CAAC,EACnC;IACJ,IAAI,CAAC7hB,KAAK,CAAC,oBAAoB9c,MAAM,CAACy/B,YAAY,CAACd,IAAI,CAAC,EAAE,CAAC;EAC/D;EACAmqC,uBAAuBA,CAAC15B,EAAE,EAAE;IACxB,IAAI,IAAI,CAACgQ,IAAI,CAACshB,UAAU,CAACtxB,EAAE,CAAC,EAAE;MAC1B,IAAI,CAACz9B,OAAO,CAAC,CAAC;MACd,OAAO,IAAI;IACf,CAAC,MACI;MACD,OAAO,KAAK;IAChB;EACJ;EACAo3D,cAAcA,CAACh/D,QAAQ,EAAE;IACrB,IAAI,IAAI,CAAC++D,uBAAuB,CAAC/+D,QAAQ,CAAC,EACtC;IACJ,IAAI,CAAC+S,KAAK,CAAC,6BAA6B/S,QAAQ,EAAE,CAAC;EACvD;EACAi/D,gBAAgBA,CAACC,GAAG,EAAE;IAClB,OAAOA,GAAG,KAAK/G,GAAG,GAAG,cAAc,GAAG,SAAS+G,GAAG,EAAE;EACxD;EACAC,yBAAyBA,CAAA,EAAG;IACxB,MAAM55C,CAAC,GAAG,IAAI,CAAC8vB,IAAI;IACnB,IAAI,CAAC9vB,CAAC,CAACsxC,YAAY,CAAC,CAAC,IAAI,CAACtxC,CAAC,CAACyxC,SAAS,CAAC,CAAC,EAAE;MACrC,IAAIzxC,CAAC,CAACuxC,mBAAmB,CAAC,CAAC,EAAE;QACzB,IAAI,CAACsI,gCAAgC,CAAC75C,CAAC,EAAE,gCAAgC,CAAC;MAC9E,CAAC,MACI;QACD,IAAI,CAACxS,KAAK,CAAC,cAAc,IAAI,CAACksD,gBAAgB,CAAC15C,CAAC,CAAC,kCAAkC,CAAC;MACxF;MACA,OAAO,IAAI;IACf;IACA,IAAI,CAAC3d,OAAO,CAAC,CAAC;IACd,OAAO2d,CAAC,CAACn+B,QAAQ,CAAC,CAAC;EACvB;EACAi4E,iCAAiCA,CAAA,EAAG;IAChC,MAAM95C,CAAC,GAAG,IAAI,CAAC8vB,IAAI;IACnB,IAAI,CAAC9vB,CAAC,CAACsxC,YAAY,CAAC,CAAC,IAAI,CAACtxC,CAAC,CAACyxC,SAAS,CAAC,CAAC,IAAI,CAACzxC,CAAC,CAACmxC,QAAQ,CAAC,CAAC,EAAE;MACtD,IAAInxC,CAAC,CAACuxC,mBAAmB,CAAC,CAAC,EAAE;QACzB,IAAI,CAACsI,gCAAgC,CAAC75C,CAAC,EAAE,wCAAwC,CAAC;MACtF,CAAC,MACI;QACD,IAAI,CAACxS,KAAK,CAAC,cAAc,IAAI,CAACksD,gBAAgB,CAAC15C,CAAC,CAAC,2CAA2C,CAAC;MACjG;MACA,OAAO,EAAE;IACb;IACA,IAAI,CAAC3d,OAAO,CAAC,CAAC;IACd,OAAO2d,CAAC,CAACn+B,QAAQ,CAAC,CAAC;EACvB;EACA0zE,UAAUA,CAAA,EAAG;IACT,MAAMp4D,KAAK,GAAG,EAAE;IAChB,MAAMgX,KAAK,GAAG,IAAI,CAACukD,UAAU;IAC7B,OAAO,IAAI,CAACtsE,KAAK,GAAG,IAAI,CAACukE,MAAM,CAAC/wE,MAAM,EAAE;MACpC,MAAMyV,IAAI,GAAG,IAAI,CAAC0kE,SAAS,CAAC,CAAC;MAC7B58D,KAAK,CAACtd,IAAI,CAACwV,IAAI,CAAC;MAChB,IAAI,IAAI,CAAC+jE,wBAAwB,CAACrsC,UAAU,CAAC,EAAE;QAC3C,IAAI,EAAE,IAAI,CAACqrC,UAAU,GAAG,CAAC,CAAC,wBAAwB,EAAE;UAChD,IAAI,CAAC5qD,KAAK,CAAC,sDAAsD,CAAC;QACtE;QACA,OAAO,IAAI,CAAC4rD,wBAAwB,CAACrsC,UAAU,CAAC,EAAE,CAClD,CAAC,CAAC;MACN,CAAC,MACI,IAAI,IAAI,CAAC3gC,KAAK,GAAG,IAAI,CAACukE,MAAM,CAAC/wE,MAAM,EAAE;QACtC,MAAMo6E,UAAU,GAAG,IAAI,CAAC5tE,KAAK;QAC7B,IAAI,CAACohB,KAAK,CAAC,qBAAqB,IAAI,CAACsiC,IAAI,GAAG,CAAC;QAC7C;QACA;QACA;QACA;QACA,IAAI,IAAI,CAAC1jD,KAAK,KAAK4tE,UAAU,EAAE;UAC3B;QACJ;MACJ;IACJ;IACA,IAAI78D,KAAK,CAACvd,MAAM,KAAK,CAAC,EAAE;MACpB;MACA,MAAMq6E,eAAe,GAAG,IAAI,CAACpqC,MAAM;MACnC,MAAMqqC,aAAa,GAAG,IAAI,CAACrqC,MAAM,GAAG,IAAI,CAACnjB,KAAK,CAAC9sB,MAAM;MACrD,OAAO,IAAIk4C,WAAW,CAAC,IAAI,CAAC7jB,IAAI,CAACgmD,eAAe,EAAEC,aAAa,CAAC,EAAE,IAAI,CAAC3oE,UAAU,CAAC0oE,eAAe,EAAEC,aAAa,CAAC,CAAC;IACtH;IACA,IAAI/8D,KAAK,CAACvd,MAAM,IAAI,CAAC,EACjB,OAAOud,KAAK,CAAC,CAAC,CAAC;IACnB,OAAO,IAAIg7B,KAAK,CAAC,IAAI,CAAClkB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAEhX,KAAK,CAAC;EACrE;EACA48D,SAASA,CAAA,EAAG;IACR,MAAM5lD,KAAK,GAAG,IAAI,CAACukD,UAAU;IAC7B,IAAI53E,MAAM,GAAG,IAAI,CAACq5E,eAAe,CAAC,CAAC;IACnC,IAAI,IAAI,CAACX,uBAAuB,CAAC,GAAG,CAAC,EAAE;MACnC,IAAI,IAAI,CAACpB,UAAU,GAAG,CAAC,CAAC,yBAAyB;QAC7C,IAAI,CAAC5qD,KAAK,CAAC,4CAA4C,CAAC;MAC5D;MACA,GAAG;QACC,MAAM4sD,SAAS,GAAG,IAAI,CAAC1B,UAAU;QACjC,IAAI2B,MAAM,GAAG,IAAI,CAACT,yBAAyB,CAAC,CAAC;QAC7C,IAAI/hC,QAAQ;QACZ,IAAIyiC,WAAW,GAAG/sD,SAAS;QAC3B,IAAI8sD,MAAM,KAAK,IAAI,EAAE;UACjBxiC,QAAQ,GAAG,IAAI,CAACtmC,UAAU,CAAC6oE,SAAS,CAAC;QACzC,CAAC,MACI;UACD;UACAC,MAAM,GAAG,EAAE;UACX;UACA;UACA;UACA;UACA;UACA;UACA;UACA;UACAC,WAAW,GAAG,IAAI,CAACxqB,IAAI,CAAC1jD,KAAK,KAAK,CAAC,CAAC,GAAG,IAAI,CAAC0jD,IAAI,CAAC1jD,KAAK,GAAG,IAAI,CAACsgB,KAAK,CAAC9sB,MAAM,GAAG,IAAI,CAACiwC,MAAM;UACxF;UACA;UACAgI,QAAQ,GAAG,IAAIN,SAAS,CAAC+iC,WAAW,EAAEA,WAAW,CAAC,CAAC9iC,UAAU,CAAC,IAAI,CAACC,cAAc,CAAC;QACtF;QACA,MAAMnhC,IAAI,GAAG,EAAE;QACf,OAAO,IAAI,CAAC8iE,wBAAwB,CAACtsC,MAAM,CAAC,EAAE;UAC1Cx2B,IAAI,CAACzW,IAAI,CAAC,IAAI,CAACs6E,eAAe,CAAC,CAAC,CAAC;UACjC;UACA;QACJ;QACAr5E,MAAM,GAAG,IAAIu4C,WAAW,CAAC,IAAI,CAACplB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,EAAEmmD,WAAW,CAAC,EAAEx5E,MAAM,EAAEu5E,MAAM,EAAE/jE,IAAI,EAAEuhC,QAAQ,CAAC;MACnH,CAAC,QAAQ,IAAI,CAAC2hC,uBAAuB,CAAC,GAAG,CAAC;IAC9C;IACA,OAAO14E,MAAM;EACjB;EACAq5E,eAAeA,CAAA,EAAG;IACd,OAAO,IAAI,CAACI,gBAAgB,CAAC,CAAC;EAClC;EACAA,gBAAgBA,CAAA,EAAG;IACf,MAAMpmD,KAAK,GAAG,IAAI,CAACukD,UAAU;IAC7B,MAAM53E,MAAM,GAAG,IAAI,CAAC05E,cAAc,CAAC,CAAC;IACpC,IAAI,IAAI,CAAChB,uBAAuB,CAAC,GAAG,CAAC,EAAE;MACnC,MAAMiB,GAAG,GAAG,IAAI,CAACV,SAAS,CAAC,CAAC;MAC5B,IAAIW,EAAE;MACN,IAAI,CAAC,IAAI,CAACtB,wBAAwB,CAACtsC,MAAM,CAAC,EAAE;QACxC,MAAM1/B,GAAG,GAAG,IAAI,CAACsrE,UAAU;QAC3B,MAAM9uE,UAAU,GAAG,IAAI,CAAC8iB,KAAK,CAAC2B,SAAS,CAAC8F,KAAK,EAAE/mB,GAAG,CAAC;QACnD,IAAI,CAACogB,KAAK,CAAC,0BAA0B5jB,UAAU,6BAA6B,CAAC;QAC7E8wE,EAAE,GAAG,IAAI5iC,WAAW,CAAC,IAAI,CAAC7jB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,CAAC;MAClE,CAAC,MACI;QACDumD,EAAE,GAAG,IAAI,CAACX,SAAS,CAAC,CAAC;MACzB;MACA,OAAO,IAAI1hC,WAAW,CAAC,IAAI,CAACpkB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAErzB,MAAM,EAAE25E,GAAG,EAAEC,EAAE,CAAC;IACrF,CAAC,MACI;MACD,OAAO55E,MAAM;IACjB;EACJ;EACA05E,cAAcA,CAAA,EAAG;IACb;IACA,MAAMrmD,KAAK,GAAG,IAAI,CAACukD,UAAU;IAC7B,IAAI53E,MAAM,GAAG,IAAI,CAAC65E,eAAe,CAAC,CAAC;IACnC,OAAO,IAAI,CAACnB,uBAAuB,CAAC,IAAI,CAAC,EAAE;MACvC,MAAMt/B,KAAK,GAAG,IAAI,CAACygC,eAAe,CAAC,CAAC;MACpC75E,MAAM,GAAG,IAAIi5C,MAAM,CAAC,IAAI,CAAC9lB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAE,IAAI,EAAErzB,MAAM,EAAEo5C,KAAK,CAAC;IACtF;IACA,OAAOp5C,MAAM;EACjB;EACA65E,eAAeA,CAAA,EAAG;IACd;IACA,MAAMxmD,KAAK,GAAG,IAAI,CAACukD,UAAU;IAC7B,IAAI53E,MAAM,GAAG,IAAI,CAAC85E,sBAAsB,CAAC,CAAC;IAC1C,OAAO,IAAI,CAACpB,uBAAuB,CAAC,IAAI,CAAC,EAAE;MACvC,MAAMt/B,KAAK,GAAG,IAAI,CAAC0gC,sBAAsB,CAAC,CAAC;MAC3C95E,MAAM,GAAG,IAAIi5C,MAAM,CAAC,IAAI,CAAC9lB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAE,IAAI,EAAErzB,MAAM,EAAEo5C,KAAK,CAAC;IACtF;IACA,OAAOp5C,MAAM;EACjB;EACA85E,sBAAsBA,CAAA,EAAG;IACrB;IACA,MAAMzmD,KAAK,GAAG,IAAI,CAACukD,UAAU;IAC7B,IAAI53E,MAAM,GAAG,IAAI,CAAC+5E,aAAa,CAAC,CAAC;IACjC,OAAO,IAAI,CAACrB,uBAAuB,CAAC,IAAI,CAAC,EAAE;MACvC,MAAMt/B,KAAK,GAAG,IAAI,CAAC2gC,aAAa,CAAC,CAAC;MAClC/5E,MAAM,GAAG,IAAIi5C,MAAM,CAAC,IAAI,CAAC9lB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAE,IAAI,EAAErzB,MAAM,EAAEo5C,KAAK,CAAC;IACtF;IACA,OAAOp5C,MAAM;EACjB;EACA+5E,aAAaA,CAAA,EAAG;IACZ;IACA,MAAM1mD,KAAK,GAAG,IAAI,CAACukD,UAAU;IAC7B,IAAI53E,MAAM,GAAG,IAAI,CAACg6E,eAAe,CAAC,CAAC;IACnC,OAAO,IAAI,CAAChrB,IAAI,CAACjmD,IAAI,IAAIwmE,SAAS,CAACgB,QAAQ,EAAE;MACzC,MAAM52D,QAAQ,GAAG,IAAI,CAACq1C,IAAI,CAACihB,QAAQ;MACnC,QAAQt2D,QAAQ;QACZ,KAAK,IAAI;QACT,KAAK,KAAK;QACV,KAAK,IAAI;QACT,KAAK,KAAK;UACN,IAAI,CAAC4H,OAAO,CAAC,CAAC;UACd,MAAM63B,KAAK,GAAG,IAAI,CAAC4gC,eAAe,CAAC,CAAC;UACpCh6E,MAAM,GAAG,IAAIi5C,MAAM,CAAC,IAAI,CAAC9lB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAE1Z,QAAQ,EAAE3Z,MAAM,EAAEo5C,KAAK,CAAC;UACtF;MACR;MACA;IACJ;IACA,OAAOp5C,MAAM;EACjB;EACAg6E,eAAeA,CAAA,EAAG;IACd;IACA,MAAM3mD,KAAK,GAAG,IAAI,CAACukD,UAAU;IAC7B,IAAI53E,MAAM,GAAG,IAAI,CAACi6E,aAAa,CAAC,CAAC;IACjC,OAAO,IAAI,CAACjrB,IAAI,CAACjmD,IAAI,IAAIwmE,SAAS,CAACgB,QAAQ,EAAE;MACzC,MAAM52D,QAAQ,GAAG,IAAI,CAACq1C,IAAI,CAACihB,QAAQ;MACnC,QAAQt2D,QAAQ;QACZ,KAAK,GAAG;QACR,KAAK,GAAG;QACR,KAAK,IAAI;QACT,KAAK,IAAI;UACL,IAAI,CAAC4H,OAAO,CAAC,CAAC;UACd,MAAM63B,KAAK,GAAG,IAAI,CAAC6gC,aAAa,CAAC,CAAC;UAClCj6E,MAAM,GAAG,IAAIi5C,MAAM,CAAC,IAAI,CAAC9lB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAE1Z,QAAQ,EAAE3Z,MAAM,EAAEo5C,KAAK,CAAC;UACtF;MACR;MACA;IACJ;IACA,OAAOp5C,MAAM;EACjB;EACAi6E,aAAaA,CAAA,EAAG;IACZ;IACA,MAAM5mD,KAAK,GAAG,IAAI,CAACukD,UAAU;IAC7B,IAAI53E,MAAM,GAAG,IAAI,CAACk6E,mBAAmB,CAAC,CAAC;IACvC,OAAO,IAAI,CAAClrB,IAAI,CAACjmD,IAAI,IAAIwmE,SAAS,CAACgB,QAAQ,EAAE;MACzC,MAAM52D,QAAQ,GAAG,IAAI,CAACq1C,IAAI,CAACihB,QAAQ;MACnC,QAAQt2D,QAAQ;QACZ,KAAK,GAAG;QACR,KAAK,GAAG;UACJ,IAAI,CAAC4H,OAAO,CAAC,CAAC;UACd,IAAI63B,KAAK,GAAG,IAAI,CAAC8gC,mBAAmB,CAAC,CAAC;UACtCl6E,MAAM,GAAG,IAAIi5C,MAAM,CAAC,IAAI,CAAC9lB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAE1Z,QAAQ,EAAE3Z,MAAM,EAAEo5C,KAAK,CAAC;UACtF;MACR;MACA;IACJ;IACA,OAAOp5C,MAAM;EACjB;EACAk6E,mBAAmBA,CAAA,EAAG;IAClB;IACA,MAAM7mD,KAAK,GAAG,IAAI,CAACukD,UAAU;IAC7B,IAAI53E,MAAM,GAAG,IAAI,CAACm6E,WAAW,CAAC,CAAC;IAC/B,OAAO,IAAI,CAACnrB,IAAI,CAACjmD,IAAI,IAAIwmE,SAAS,CAACgB,QAAQ,EAAE;MACzC,MAAM52D,QAAQ,GAAG,IAAI,CAACq1C,IAAI,CAACihB,QAAQ;MACnC,QAAQt2D,QAAQ;QACZ,KAAK,GAAG;QACR,KAAK,GAAG;QACR,KAAK,GAAG;UACJ,IAAI,CAAC4H,OAAO,CAAC,CAAC;UACd,IAAI63B,KAAK,GAAG,IAAI,CAAC+gC,WAAW,CAAC,CAAC;UAC9Bn6E,MAAM,GAAG,IAAIi5C,MAAM,CAAC,IAAI,CAAC9lB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAE1Z,QAAQ,EAAE3Z,MAAM,EAAEo5C,KAAK,CAAC;UACtF;MACR;MACA;IACJ;IACA,OAAOp5C,MAAM;EACjB;EACAm6E,WAAWA,CAAA,EAAG;IACV,IAAI,IAAI,CAACnrB,IAAI,CAACjmD,IAAI,IAAIwmE,SAAS,CAACgB,QAAQ,EAAE;MACtC,MAAMl9C,KAAK,GAAG,IAAI,CAACukD,UAAU;MAC7B,MAAMj+D,QAAQ,GAAG,IAAI,CAACq1C,IAAI,CAACihB,QAAQ;MACnC,IAAIjwE,MAAM;MACV,QAAQ2Z,QAAQ;QACZ,KAAK,GAAG;UACJ,IAAI,CAAC4H,OAAO,CAAC,CAAC;UACdvhB,MAAM,GAAG,IAAI,CAACm6E,WAAW,CAAC,CAAC;UAC3B,OAAO7gC,KAAK,CAACE,UAAU,CAAC,IAAI,CAACrmB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAErzB,MAAM,CAAC;QAC7E,KAAK,GAAG;UACJ,IAAI,CAACuhB,OAAO,CAAC,CAAC;UACdvhB,MAAM,GAAG,IAAI,CAACm6E,WAAW,CAAC,CAAC;UAC3B,OAAO7gC,KAAK,CAACC,WAAW,CAAC,IAAI,CAACpmB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAErzB,MAAM,CAAC;QAC9E,KAAK,GAAG;UACJ,IAAI,CAACuhB,OAAO,CAAC,CAAC;UACdvhB,MAAM,GAAG,IAAI,CAACm6E,WAAW,CAAC,CAAC;UAC3B,OAAO,IAAItgC,SAAS,CAAC,IAAI,CAAC1mB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAErzB,MAAM,CAAC;MAC9E;IACJ;IACA,OAAO,IAAI,CAACo6E,cAAc,CAAC,CAAC;EAChC;EACAA,cAAcA,CAAA,EAAG;IACb,MAAM/mD,KAAK,GAAG,IAAI,CAACukD,UAAU;IAC7B,IAAI53E,MAAM,GAAG,IAAI,CAACq6E,YAAY,CAAC,CAAC;IAChC,OAAO,IAAI,EAAE;MACT,IAAI,IAAI,CAAC/B,wBAAwB,CAACxsC,OAAO,CAAC,EAAE;QACxC9rC,MAAM,GAAG,IAAI,CAACs6E,iBAAiB,CAACt6E,MAAM,EAAEqzB,KAAK,EAAE,KAAK,CAAC;MACzD,CAAC,MACI,IAAI,IAAI,CAACqlD,uBAAuB,CAAC,IAAI,CAAC,EAAE;QACzC,IAAI,IAAI,CAACJ,wBAAwB,CAAC9sC,OAAO,CAAC,EAAE;UACxCxrC,MAAM,GAAG,IAAI,CAACu6E,SAAS,CAACv6E,MAAM,EAAEqzB,KAAK,EAAE,IAAI,CAAC;QAChD,CAAC,MACI;UACDrzB,MAAM,GAAG,IAAI,CAACs4E,wBAAwB,CAACxrC,SAAS,CAAC,GAC7C,IAAI,CAAC0tC,qBAAqB,CAACx6E,MAAM,EAAEqzB,KAAK,EAAE,IAAI,CAAC,GAC/C,IAAI,CAACinD,iBAAiB,CAACt6E,MAAM,EAAEqzB,KAAK,EAAE,IAAI,CAAC;QACnD;MACJ,CAAC,MACI,IAAI,IAAI,CAACilD,wBAAwB,CAACxrC,SAAS,CAAC,EAAE;QAC/C9sC,MAAM,GAAG,IAAI,CAACw6E,qBAAqB,CAACx6E,MAAM,EAAEqzB,KAAK,EAAE,KAAK,CAAC;MAC7D,CAAC,MACI,IAAI,IAAI,CAACilD,wBAAwB,CAAC9sC,OAAO,CAAC,EAAE;QAC7CxrC,MAAM,GAAG,IAAI,CAACu6E,SAAS,CAACv6E,MAAM,EAAEqzB,KAAK,EAAE,KAAK,CAAC;MACjD,CAAC,MACI,IAAI,IAAI,CAACqlD,uBAAuB,CAAC,GAAG,CAAC,EAAE;QACxC14E,MAAM,GAAG,IAAI+5C,aAAa,CAAC,IAAI,CAAC5mB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAErzB,MAAM,CAAC;MAChF,CAAC,MACI;QACD,OAAOA,MAAM;MACjB;IACJ;EACJ;EACAq6E,YAAYA,CAAA,EAAG;IACX,MAAMhnD,KAAK,GAAG,IAAI,CAACukD,UAAU;IAC7B,IAAI,IAAI,CAACU,wBAAwB,CAAC9sC,OAAO,CAAC,EAAE;MACxC,IAAI,CAAC+rC,eAAe,EAAE;MACtB,MAAMv3E,MAAM,GAAG,IAAI,CAACi5E,SAAS,CAAC,CAAC;MAC/B,IAAI,CAAC1B,eAAe,EAAE;MACtB,IAAI,CAACkB,eAAe,CAAChtC,OAAO,CAAC;MAC7B,OAAOzrC,MAAM;IACjB,CAAC,MACI,IAAI,IAAI,CAACgvD,IAAI,CAAC+hB,aAAa,CAAC,CAAC,EAAE;MAChC,IAAI,CAACxvD,OAAO,CAAC,CAAC;MACd,OAAO,IAAIk3B,gBAAgB,CAAC,IAAI,CAACtlB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAE,IAAI,CAAC;IAC/E,CAAC,MACI,IAAI,IAAI,CAAC27B,IAAI,CAACgiB,kBAAkB,CAAC,CAAC,EAAE;MACrC,IAAI,CAACzvD,OAAO,CAAC,CAAC;MACd,OAAO,IAAIk3B,gBAAgB,CAAC,IAAI,CAACtlB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAE,KAAK,CAAC,CAAC;IACjF,CAAC,MACI,IAAI,IAAI,CAAC27B,IAAI,CAACiiB,aAAa,CAAC,CAAC,EAAE;MAChC,IAAI,CAAC1vD,OAAO,CAAC,CAAC;MACd,OAAO,IAAIk3B,gBAAgB,CAAC,IAAI,CAACtlB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAE,IAAI,CAAC;IAC/E,CAAC,MACI,IAAI,IAAI,CAAC27B,IAAI,CAACkiB,cAAc,CAAC,CAAC,EAAE;MACjC,IAAI,CAAC3vD,OAAO,CAAC,CAAC;MACd,OAAO,IAAIk3B,gBAAgB,CAAC,IAAI,CAACtlB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAE,KAAK,CAAC;IAChF,CAAC,MACI,IAAI,IAAI,CAAC27B,IAAI,CAACmiB,aAAa,CAAC,CAAC,EAAE;MAChC,IAAI,CAAC5vD,OAAO,CAAC,CAAC;MACd,OAAO,IAAI41B,YAAY,CAAC,IAAI,CAAChkB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,CAAC;IACrE,CAAC,MACI,IAAI,IAAI,CAACilD,wBAAwB,CAACxrC,SAAS,CAAC,EAAE;MAC/C,IAAI,CAAC0qC,iBAAiB,EAAE;MACxB,MAAM3hE,QAAQ,GAAG,IAAI,CAAC4kE,mBAAmB,CAACztC,SAAS,CAAC;MACpD,IAAI,CAACwqC,iBAAiB,EAAE;MACxB,IAAI,CAACiB,eAAe,CAACzrC,SAAS,CAAC;MAC/B,OAAO,IAAI2L,YAAY,CAAC,IAAI,CAACxlB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAExd,QAAQ,CAAC;IAC/E,CAAC,MACI,IAAI,IAAI,CAACm5C,IAAI,CAACkhB,WAAW,CAACpiC,OAAO,CAAC,EAAE;MACrC,OAAO,IAAI,CAAC4sC,eAAe,CAAC,CAAC;IACjC,CAAC,MACI,IAAI,IAAI,CAAC1rB,IAAI,CAACwhB,YAAY,CAAC,CAAC,EAAE;MAC/B,OAAO,IAAI,CAAC8J,iBAAiB,CAAC,IAAIrjC,gBAAgB,CAAC,IAAI,CAAC9jB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,CAAC,EAAEA,KAAK,EAAE,KAAK,CAAC;IAC/G,CAAC,MACI,IAAI,IAAI,CAAC27B,IAAI,CAACohB,QAAQ,CAAC,CAAC,EAAE;MAC3B,MAAMvvE,KAAK,GAAG,IAAI,CAACmuD,IAAI,CAACqiB,QAAQ,CAAC,CAAC;MAClC,IAAI,CAAC9vD,OAAO,CAAC,CAAC;MACd,OAAO,IAAIk3B,gBAAgB,CAAC,IAAI,CAACtlB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAExyB,KAAK,CAAC;IAChF,CAAC,MACI,IAAI,IAAI,CAACmuD,IAAI,CAACqhB,QAAQ,CAAC,CAAC,EAAE;MAC3B,MAAMsK,YAAY,GAAG,IAAI,CAAC3rB,IAAI,CAACjuD,QAAQ,CAAC,CAAC;MACzC,IAAI,CAACwgB,OAAO,CAAC,CAAC;MACd,OAAO,IAAIk3B,gBAAgB,CAAC,IAAI,CAACtlB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAEsnD,YAAY,CAAC;IACvF,CAAC,MACI,IAAI,IAAI,CAAC3rB,IAAI,CAACyhB,mBAAmB,CAAC,CAAC,EAAE;MACtC,IAAI,CAACsI,gCAAgC,CAAC,IAAI,CAAC/pB,IAAI,EAAE,IAAI,CAAC;MACtD,OAAO,IAAIhY,WAAW,CAAC,IAAI,CAAC7jB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,CAAC;IACpE,CAAC,MACI,IAAI,IAAI,CAAC/nB,KAAK,IAAI,IAAI,CAACukE,MAAM,CAAC/wE,MAAM,EAAE;MACvC,IAAI,CAAC4tB,KAAK,CAAC,iCAAiC,IAAI,CAACd,KAAK,EAAE,CAAC;MACzD,OAAO,IAAIorB,WAAW,CAAC,IAAI,CAAC7jB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,CAAC;IACpE,CAAC,MACI;MACD,IAAI,CAAC3G,KAAK,CAAC,oBAAoB,IAAI,CAACsiC,IAAI,EAAE,CAAC;MAC3C,OAAO,IAAIhY,WAAW,CAAC,IAAI,CAAC7jB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,CAAC;IACpE;EACJ;EACAonD,mBAAmBA,CAACG,UAAU,EAAE;IAC5B,MAAM56E,MAAM,GAAG,EAAE;IACjB,GAAG;MACC,IAAI,CAAC,IAAI,CAACgvD,IAAI,CAACkhB,WAAW,CAAC0K,UAAU,CAAC,EAAE;QACpC56E,MAAM,CAACjB,IAAI,CAAC,IAAI,CAACk6E,SAAS,CAAC,CAAC,CAAC;MACjC,CAAC,MACI;QACD;MACJ;IACJ,CAAC,QAAQ,IAAI,CAACX,wBAAwB,CAAC1sC,MAAM,CAAC;IAC9C,OAAO5rC,MAAM;EACjB;EACA06E,eAAeA,CAAA,EAAG;IACd,MAAM/xE,IAAI,GAAG,EAAE;IACf,MAAMqU,MAAM,GAAG,EAAE;IACjB,MAAMqW,KAAK,GAAG,IAAI,CAACukD,UAAU;IAC7B,IAAI,CAACa,eAAe,CAAC3qC,OAAO,CAAC;IAC7B,IAAI,CAAC,IAAI,CAACwqC,wBAAwB,CAACtqC,OAAO,CAAC,EAAE;MACzC,IAAI,CAACypC,eAAe,EAAE;MACtB,GAAG;QACC,MAAMoD,QAAQ,GAAG,IAAI,CAACjD,UAAU;QAChC,MAAMt9D,MAAM,GAAG,IAAI,CAAC00C,IAAI,CAACqhB,QAAQ,CAAC,CAAC;QACnC,MAAMz/D,GAAG,GAAG,IAAI,CAACooE,iCAAiC,CAAC,CAAC;QACpDrwE,IAAI,CAAC5J,IAAI,CAAC;UAAE6R,GAAG;UAAE0J;QAAO,CAAC,CAAC;QAC1B;QACA,IAAIA,MAAM,EAAE;UACR,IAAI,CAACm+D,eAAe,CAACzsC,MAAM,CAAC;UAC5BhvB,MAAM,CAACje,IAAI,CAAC,IAAI,CAACk6E,SAAS,CAAC,CAAC,CAAC;QACjC,CAAC,MACI,IAAI,IAAI,CAACX,wBAAwB,CAACtsC,MAAM,CAAC,EAAE;UAC5ChvB,MAAM,CAACje,IAAI,CAAC,IAAI,CAACk6E,SAAS,CAAC,CAAC,CAAC;QACjC,CAAC,MACI;UACD,MAAM9lD,IAAI,GAAG,IAAI,CAACA,IAAI,CAAC0nD,QAAQ,CAAC;UAChC,MAAMpqE,UAAU,GAAG,IAAI,CAACA,UAAU,CAACoqE,QAAQ,CAAC;UAC5C79D,MAAM,CAACje,IAAI,CAAC,IAAI44C,YAAY,CAACxkB,IAAI,EAAE1iB,UAAU,EAAEA,UAAU,EAAE,IAAIwmC,gBAAgB,CAAC9jB,IAAI,EAAE1iB,UAAU,CAAC,EAAEG,GAAG,CAAC,CAAC;QAC5G;MACJ,CAAC,QAAQ,IAAI,CAAC0nE,wBAAwB,CAAC1sC,MAAM,CAAC,IAC1C,CAAC,IAAI,CAACojB,IAAI,CAACkhB,WAAW,CAACliC,OAAO,CAAC;MACnC,IAAI,CAACypC,eAAe,EAAE;MACtB,IAAI,CAACgB,eAAe,CAACzqC,OAAO,CAAC;IACjC;IACA,OAAO,IAAI6K,UAAU,CAAC,IAAI,CAAC1lB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAE1qB,IAAI,EAAEqU,MAAM,CAAC;EACjF;EACAs9D,iBAAiBA,CAACQ,YAAY,EAAEznD,KAAK,EAAE0nD,MAAM,EAAE;IAC3C,MAAMzB,SAAS,GAAG,IAAI,CAAC1B,UAAU;IACjC,MAAM1wE,EAAE,GAAG,IAAI,CAACixE,WAAW,CAACd,iBAAiB,CAAC2D,QAAQ,EAAE,MAAM;MAC1D,MAAM9zE,EAAE,GAAG,IAAI,CAAC4xE,yBAAyB,CAAC,CAAC,IAAI,EAAE;MACjD,IAAI5xE,EAAE,CAACpI,MAAM,KAAK,CAAC,EAAE;QACjB,IAAI,CAAC4tB,KAAK,CAAC,yCAAyC,EAAEouD,YAAY,CAAC3nD,IAAI,CAAC7mB,GAAG,CAAC;MAChF;MACA,OAAOpF,EAAE;IACb,CAAC,CAAC;IACF,MAAM6vC,QAAQ,GAAG,IAAI,CAACtmC,UAAU,CAAC6oE,SAAS,CAAC;IAC3C,IAAInkE,QAAQ;IACZ,IAAI4lE,MAAM,EAAE;MACR,IAAI,IAAI,CAACE,yBAAyB,CAAC,CAAC,EAAE;QAClC,IAAI,CAACvuD,KAAK,CAAC,sDAAsD,CAAC;QAClEvX,QAAQ,GAAG,IAAI6hC,WAAW,CAAC,IAAI,CAAC7jB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,CAAC;MACxE,CAAC,MACI;QACDle,QAAQ,GAAG,IAAI4iC,gBAAgB,CAAC,IAAI,CAAC5kB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAE0jB,QAAQ,EAAE+jC,YAAY,EAAE5zE,EAAE,CAAC;MACzG;IACJ,CAAC,MACI;MACD,IAAI,IAAI,CAAC+zE,yBAAyB,CAAC,CAAC,EAAE;QAClC,IAAI,EAAE,IAAI,CAAC3D,UAAU,GAAG,CAAC,CAAC,wBAAwB,EAAE;UAChD,IAAI,CAAC5qD,KAAK,CAAC,qCAAqC,CAAC;UACjD,OAAO,IAAIsqB,WAAW,CAAC,IAAI,CAAC7jB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,CAAC;QACpE;QACA,MAAMxyB,KAAK,GAAG,IAAI,CAAC44E,gBAAgB,CAAC,CAAC;QACrCtkE,QAAQ,GAAG,IAAI0iC,aAAa,CAAC,IAAI,CAAC1kB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAE0jB,QAAQ,EAAE+jC,YAAY,EAAE5zE,EAAE,EAAErG,KAAK,CAAC;MAC7G,CAAC,MACI;QACDsU,QAAQ,GACJ,IAAIwiC,YAAY,CAAC,IAAI,CAACxkB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAE0jB,QAAQ,EAAE+jC,YAAY,EAAE5zE,EAAE,CAAC;MAC9F;IACJ;IACA,OAAOiO,QAAQ;EACnB;EACAolE,SAASA,CAACplE,QAAQ,EAAEke,KAAK,EAAE0nD,MAAM,EAAE;IAC/B,MAAMG,aAAa,GAAG,IAAI,CAACtD,UAAU;IACrC,IAAI,CAACL,eAAe,EAAE;IACtB,MAAM/hE,IAAI,GAAG,IAAI,CAAC2lE,kBAAkB,CAAC,CAAC;IACtC,MAAMjhC,YAAY,GAAG,IAAI,CAAC/mB,IAAI,CAAC+nD,aAAa,EAAE,IAAI,CAACtD,UAAU,CAAC,CAAClhC,UAAU,CAAC,IAAI,CAACC,cAAc,CAAC;IAC9F,IAAI,CAAC8hC,eAAe,CAAChtC,OAAO,CAAC;IAC7B,IAAI,CAAC8rC,eAAe,EAAE;IACtB,MAAMpkD,IAAI,GAAG,IAAI,CAACA,IAAI,CAACE,KAAK,CAAC;IAC7B,MAAM5iB,UAAU,GAAG,IAAI,CAACA,UAAU,CAAC4iB,KAAK,CAAC;IACzC,OAAO0nD,MAAM,GAAG,IAAI3gC,QAAQ,CAACjnB,IAAI,EAAE1iB,UAAU,EAAE0E,QAAQ,EAAEK,IAAI,EAAE0kC,YAAY,CAAC,GACxE,IAAID,IAAI,CAAC9mB,IAAI,EAAE1iB,UAAU,EAAE0E,QAAQ,EAAEK,IAAI,EAAE0kC,YAAY,CAAC;EAChE;EACA+gC,yBAAyBA,CAAA,EAAG;IACxB;IACA;IACA;IACA;IACA;IACA,IAAK,IAAI,CAAC3D,UAAU,GAAG,CAAC,CAAC,oCAAqC,IAAI,CAACtoB,IAAI,CAACshB,UAAU,CAAC,GAAG,CAAC,IACnF,IAAI,CAACyB,IAAI,CAAC,CAAC,CAAC,CAACzB,UAAU,CAAC,GAAG,CAAC,EAAE;MAC9B;MACA,IAAI,CAAC/uD,OAAO,CAAC,CAAC;MACd;MACA,IAAI,CAACA,OAAO,CAAC,CAAC;MACd,OAAO,IAAI;IACf;IACA,OAAO,IAAI,CAACm3D,uBAAuB,CAAC,GAAG,CAAC;EAC5C;EACAyC,kBAAkBA,CAAA,EAAG;IACjB,IAAI,IAAI,CAACnsB,IAAI,CAACkhB,WAAW,CAACzkC,OAAO,CAAC,EAC9B,OAAO,EAAE;IACb,MAAM2vC,WAAW,GAAG,EAAE;IACtB,GAAG;MACCA,WAAW,CAACr8E,IAAI,CAAC,IAAI,CAACk6E,SAAS,CAAC,CAAC,CAAC;IACtC,CAAC,QAAQ,IAAI,CAACX,wBAAwB,CAAC1sC,MAAM,CAAC;IAC9C,OAAOwvC,WAAW;EACtB;EACA;AACJ;AACA;AACA;EACIC,wBAAwBA,CAAA,EAAG;IACvB,IAAIr7E,MAAM,GAAG,EAAE;IACf,IAAIs7E,aAAa,GAAG,KAAK;IACzB,MAAMjoD,KAAK,GAAG,IAAI,CAAC0kD,qBAAqB;IACxC,GAAG;MACC/3E,MAAM,IAAI,IAAI,CAACg5E,iCAAiC,CAAC,CAAC;MAClDsC,aAAa,GAAG,IAAI,CAAC5C,uBAAuB,CAAC,GAAG,CAAC;MACjD,IAAI4C,aAAa,EAAE;QACft7E,MAAM,IAAI,GAAG;MACjB;IACJ,CAAC,QAAQs7E,aAAa;IACtB,OAAO;MACHloD,MAAM,EAAEpzB,MAAM;MACdmzB,IAAI,EAAE,IAAIyjB,kBAAkB,CAACvjB,KAAK,EAAEA,KAAK,GAAGrzB,MAAM,CAAClB,MAAM;IAC7D,CAAC;EACL;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIm2E,qBAAqBA,CAACC,WAAW,EAAE;IAC/B,MAAM3oB,QAAQ,GAAG,EAAE;IACnB;IACA;IACA;IACAA,QAAQ,CAACxtD,IAAI,CAAC,GAAG,IAAI,CAACw8E,6BAA6B,CAACrG,WAAW,CAAC,CAAC;IACjE,OAAO,IAAI,CAAC5pE,KAAK,GAAG,IAAI,CAACukE,MAAM,CAAC/wE,MAAM,EAAE;MACpC;MACA,MAAM08E,UAAU,GAAG,IAAI,CAACC,eAAe,CAAC,CAAC;MACzC,IAAID,UAAU,EAAE;QACZjvB,QAAQ,CAACxtD,IAAI,CAACy8E,UAAU,CAAC;MAC7B,CAAC,MACI;QACD;QACA;QACA;QACA;QACA,MAAM5qE,GAAG,GAAG,IAAI,CAACyqE,wBAAwB,CAAC,CAAC;QAC3C;QACA;QACA,MAAMza,OAAO,GAAG,IAAI,CAAC8a,cAAc,CAAC9qE,GAAG,CAAC;QACxC,IAAIgwD,OAAO,EAAE;UACTrU,QAAQ,CAACxtD,IAAI,CAAC6hE,OAAO,CAAC;QAC1B,CAAC,MACI;UACD;UACA;UACAhwD,GAAG,CAACwiB,MAAM,GACN8hD,WAAW,CAAC9hD,MAAM,GAAGxiB,GAAG,CAACwiB,MAAM,CAAChzB,MAAM,CAAC,CAAC,CAAC,CAAC0rB,WAAW,CAAC,CAAC,GAAGlb,GAAG,CAACwiB,MAAM,CAAC7F,SAAS,CAAC,CAAC,CAAC;UACrFg/B,QAAQ,CAACxtD,IAAI,CAAC,GAAG,IAAI,CAACw8E,6BAA6B,CAAC3qE,GAAG,CAAC,CAAC;QAC7D;MACJ;MACA,IAAI,CAAC+qE,0BAA0B,CAAC,CAAC;IACrC;IACA,OAAO,IAAI9H,0BAA0B,CAACtnB,QAAQ,EAAE,EAAE,CAAC,gBAAgB,IAAI,CAAC/R,MAAM,CAAC;EACnF;EACAggC,qBAAqBA,CAACrlE,QAAQ,EAAEke,KAAK,EAAE0nD,MAAM,EAAE;IAC3C,OAAO,IAAI,CAAC5C,WAAW,CAACd,iBAAiB,CAAC2D,QAAQ,EAAE,MAAM;MACtD,IAAI,CAACxD,iBAAiB,EAAE;MACxB,MAAM5mE,GAAG,GAAG,IAAI,CAACqoE,SAAS,CAAC,CAAC;MAC5B,IAAIroE,GAAG,YAAYomC,WAAW,EAAE;QAC5B,IAAI,CAACtqB,KAAK,CAAC,4BAA4B,CAAC;MAC5C;MACA,IAAI,CAAC8qD,iBAAiB,EAAE;MACxB,IAAI,CAACiB,eAAe,CAACzrC,SAAS,CAAC;MAC/B,IAAI,IAAI,CAAC0rC,uBAAuB,CAAC,GAAG,CAAC,EAAE;QACnC,IAAIqC,MAAM,EAAE;UACR,IAAI,CAACruD,KAAK,CAAC,sDAAsD,CAAC;QACtE,CAAC,MACI;UACD,MAAM7rB,KAAK,GAAG,IAAI,CAAC44E,gBAAgB,CAAC,CAAC;UACrC,OAAO,IAAIphC,UAAU,CAAC,IAAI,CAACllB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAEle,QAAQ,EAAEvE,GAAG,EAAE/P,KAAK,CAAC;QACzF;MACJ,CAAC,MACI;QACD,OAAOk6E,MAAM,GAAG,IAAI5iC,aAAa,CAAC,IAAI,CAAChlB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAEle,QAAQ,EAAEvE,GAAG,CAAC,GACtF,IAAIqnC,SAAS,CAAC,IAAI,CAAC9kB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,EAAEle,QAAQ,EAAEvE,GAAG,CAAC;MAC9E;MACA,OAAO,IAAIomC,WAAW,CAAC,IAAI,CAAC7jB,IAAI,CAACE,KAAK,CAAC,EAAE,IAAI,CAAC5iB,UAAU,CAAC4iB,KAAK,CAAC,CAAC;IACpE,CAAC,CAAC;EACN;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIkoD,6BAA6BA,CAAC3qE,GAAG,EAAE;IAC/B,MAAM27C,QAAQ,GAAG,EAAE;IACnB,IAAI,CAAC+rB,wBAAwB,CAACtsC,MAAM,CAAC,CAAC,CAAC;IACvC,MAAMnrC,KAAK,GAAG,IAAI,CAAC+6E,uBAAuB,CAAC,CAAC;IAC5C,IAAIC,OAAO,GAAG,IAAI,CAAC9D,qBAAqB;IACxC;IACA;IACA;IACA;IACA,MAAM+D,SAAS,GAAG,IAAI,CAACJ,cAAc,CAAC9qE,GAAG,CAAC;IAC1C,IAAI,CAACkrE,SAAS,EAAE;MACZ,IAAI,CAACH,0BAA0B,CAAC,CAAC;MACjCE,OAAO,GAAG,IAAI,CAAC9D,qBAAqB;IACxC;IACA,MAAMtnE,UAAU,GAAG,IAAImmC,kBAAkB,CAAChmC,GAAG,CAACuiB,IAAI,CAACE,KAAK,EAAEwoD,OAAO,CAAC;IAClEtvB,QAAQ,CAACxtD,IAAI,CAAC,IAAI47C,iBAAiB,CAAClqC,UAAU,EAAEG,GAAG,EAAE/P,KAAK,CAAC,CAAC;IAC5D,IAAIi7E,SAAS,EAAE;MACXvvB,QAAQ,CAACxtD,IAAI,CAAC+8E,SAAS,CAAC;IAC5B;IACA,OAAOvvB,QAAQ;EACnB;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIqvB,uBAAuBA,CAAA,EAAG;IACtB,IAAI,IAAI,CAAC5sB,IAAI,KAAK8iB,GAAG,IAAI,IAAI,CAAC0G,aAAa,CAAC,CAAC,IAAI,IAAI,CAACD,cAAc,CAAC,CAAC,EAAE;MACpE,OAAO,IAAI;IACf;IACA,MAAMr8D,GAAG,GAAG,IAAI,CAAC+8D,SAAS,CAAC,CAAC,CAAC,CAAC;IAC9B,MAAM;MAAE5lD,KAAK;MAAE/mB;IAAI,CAAC,GAAG4P,GAAG,CAACiX,IAAI;IAC/B,MAAMtyB,KAAK,GAAG,IAAI,CAAC+qB,KAAK,CAAC2B,SAAS,CAAC8F,KAAK,EAAE/mB,GAAG,CAAC;IAC9C,OAAO,IAAIguC,aAAa,CAACp+B,GAAG,EAAErb,KAAK,EAAE,IAAI,CAAC05C,QAAQ,EAAE,IAAI,CAAC5D,cAAc,GAAGtjB,KAAK,EAAE,IAAI,CAACmnB,MAAM,CAAC;EACjG;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIkhC,cAAcA,CAAC76E,KAAK,EAAE;IAClB,IAAI,CAAC,IAAI,CAAC23E,aAAa,CAAC,CAAC,EAAE;MACvB,OAAO,IAAI;IACf;IACA,IAAI,CAACj3D,OAAO,CAAC,CAAC,CAAC,CAAC;IAChB,MAAM3Q,GAAG,GAAG,IAAI,CAACyqE,wBAAwB,CAAC,CAAC;IAC3C,IAAI,CAACM,0BAA0B,CAAC,CAAC;IACjC,MAAMlrE,UAAU,GAAG,IAAImmC,kBAAkB,CAAC/1C,KAAK,CAACsyB,IAAI,CAACE,KAAK,EAAE,IAAI,CAAC0kD,qBAAqB,CAAC;IACvF,OAAO,IAAIr9B,eAAe,CAACjqC,UAAU,EAAEG,GAAG,EAAE/P,KAAK,CAAC;EACtD;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACI46E,eAAeA,CAAA,EAAG;IACd,IAAI,CAAC,IAAI,CAAClD,cAAc,CAAC,CAAC,EAAE;MACxB,OAAO,IAAI;IACf;IACA,MAAMwD,SAAS,GAAG,IAAI,CAAChE,qBAAqB;IAC5C,IAAI,CAACx2D,OAAO,CAAC,CAAC,CAAC,CAAC;IAChB,MAAM3Q,GAAG,GAAG,IAAI,CAACyqE,wBAAwB,CAAC,CAAC;IAC3C,IAAIx6E,KAAK,GAAG,IAAI;IAChB,IAAI,IAAI,CAAC63E,uBAAuB,CAAC,GAAG,CAAC,EAAE;MACnC73E,KAAK,GAAG,IAAI,CAACw6E,wBAAwB,CAAC,CAAC;IAC3C;IACA,IAAI,CAACM,0BAA0B,CAAC,CAAC;IACjC,MAAMlrE,UAAU,GAAG,IAAImmC,kBAAkB,CAACmlC,SAAS,EAAE,IAAI,CAAChE,qBAAqB,CAAC;IAChF,OAAO,IAAIr9B,eAAe,CAACjqC,UAAU,EAAEG,GAAG,EAAE/P,KAAK,CAAC;EACtD;EACA;AACJ;AACA;EACI86E,0BAA0BA,CAAA,EAAG;IACzB,IAAI,CAACrD,wBAAwB,CAACrsC,UAAU,CAAC,IAAI,IAAI,CAACqsC,wBAAwB,CAAC1sC,MAAM,CAAC;EACtF;EACA;AACJ;AACA;AACA;EACIlf,KAAKA,CAACzlB,OAAO,EAAEqE,KAAK,GAAG,IAAI,EAAE;IACzB,IAAI,CAACkvC,MAAM,CAACz7C,IAAI,CAAC,IAAIu3C,WAAW,CAACrvC,OAAO,EAAE,IAAI,CAAC2kB,KAAK,EAAE,IAAI,CAACowD,YAAY,CAAC1wE,KAAK,CAAC,EAAE,IAAI,CAACivC,QAAQ,CAAC,CAAC;IAC/F,IAAI,CAAC0hC,IAAI,CAAC,CAAC;EACf;EACAD,YAAYA,CAAC1wE,KAAK,GAAG,IAAI,EAAE;IACvB,IAAIA,KAAK,IAAI,IAAI,EACbA,KAAK,GAAG,IAAI,CAACA,KAAK;IACtB,OAAQA,KAAK,GAAG,IAAI,CAACukE,MAAM,CAAC/wE,MAAM,GAAI,aAAa,IAAI,CAAC+wE,MAAM,CAACvkE,KAAK,CAAC,CAACA,KAAK,GAAG,CAAC,KAAK,GAChF,8BAA8B;EACtC;EACA;AACJ;AACA;AACA;AACA;EACIytE,gCAAgCA,CAAC7rD,KAAK,EAAEgvD,YAAY,EAAE;IAClD,IAAIC,YAAY,GAAG,yEAAyEjvD,KAAK,EAAE;IACnG,IAAIgvD,YAAY,KAAK,IAAI,EAAE;MACvBC,YAAY,IAAI,KAAKD,YAAY,EAAE;IACvC;IACA,IAAI,CAACxvD,KAAK,CAACyvD,YAAY,CAAC;EAC5B;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIF,IAAIA,CAAA,EAAG;IACH,IAAI/8C,CAAC,GAAG,IAAI,CAAC8vB,IAAI;IACjB,OAAO,IAAI,CAAC1jD,KAAK,GAAG,IAAI,CAACukE,MAAM,CAAC/wE,MAAM,IAAI,CAACogC,CAAC,CAACgxC,WAAW,CAACjkC,UAAU,CAAC,IAChE,CAAC/M,CAAC,CAACoxC,UAAU,CAAC,GAAG,CAAC,KAAK,IAAI,CAACiH,eAAe,IAAI,CAAC,IAAI,CAACr4C,CAAC,CAACgxC,WAAW,CAACzkC,OAAO,CAAC,CAAC,KAC3E,IAAI,CAACgsC,eAAe,IAAI,CAAC,IAAI,CAACv4C,CAAC,CAACgxC,WAAW,CAACliC,OAAO,CAAC,CAAC,KACrD,IAAI,CAACwpC,iBAAiB,IAAI,CAAC,IAAI,CAACt4C,CAAC,CAACgxC,WAAW,CAACljC,SAAS,CAAC,CAAC,KACzD,EAAE,IAAI,CAAC7kC,OAAO,GAAGkvE,iBAAiB,CAAC2D,QAAQ,CAAC,IAAI,CAAC97C,CAAC,CAACoxC,UAAU,CAAC,GAAG,CAAC,CAAC,EAAE;MACtE,IAAI,IAAI,CAACthB,IAAI,CAACoiB,OAAO,CAAC,CAAC,EAAE;QACrB,IAAI,CAAC52B,MAAM,CAACz7C,IAAI,CAAC,IAAIu3C,WAAW,CAAC,IAAI,CAAC0Y,IAAI,CAACjuD,QAAQ,CAAC,CAAC,EAAE,IAAI,CAAC6qB,KAAK,EAAE,IAAI,CAACowD,YAAY,CAAC,CAAC,EAAE,IAAI,CAACzhC,QAAQ,CAAC,CAAC;MAC3G;MACA,IAAI,CAACh5B,OAAO,CAAC,CAAC;MACd2d,CAAC,GAAG,IAAI,CAAC8vB,IAAI;IACjB;EACJ;AACJ;AACA,MAAM8lB,uBAAuB,SAAS52D,mBAAmB,CAAC;EACtD/f,WAAWA,CAAA,EAAG;IACV,KAAK,CAAC,GAAGg1D,SAAS,CAAC;IACnB,IAAI,CAAC3Y,MAAM,GAAG,EAAE;EACpB;EACAhC,SAASA,CAAA,EAAG;IACR,IAAI,CAACgC,MAAM,CAACz7C,IAAI,CAAC,OAAO,CAAC;EAC7B;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASi3E,8BAA8BA,CAACP,kBAAkB,EAAE;EACxD,IAAI2G,SAAS,GAAG,IAAI/6E,GAAG,CAAC,CAAC;EACzB,IAAIg7E,0BAA0B,GAAG,CAAC;EAClC,IAAIC,eAAe,GAAG,CAAC;EACvB,IAAIC,UAAU,GAAG,CAAC;EAClB,OAAOA,UAAU,GAAG9G,kBAAkB,CAAC32E,MAAM,EAAE;IAC3C,MAAM09E,YAAY,GAAG/G,kBAAkB,CAAC8G,UAAU,CAAC;IACnD,IAAIC,YAAY,CAACzzE,IAAI,KAAK,CAAC,CAAC,wCAAwC;MAChE,MAAM,CAAC0zE,OAAO,EAAE3vD,OAAO,CAAC,GAAG0vD,YAAY,CAAC50E,KAAK;MAC7Cy0E,0BAA0B,IAAIvvD,OAAO,CAAChuB,MAAM;MAC5Cw9E,eAAe,IAAIG,OAAO,CAAC39E,MAAM;IACrC,CAAC,MACI;MACD,MAAM49E,aAAa,GAAGF,YAAY,CAAC50E,KAAK,CAACsD,MAAM,CAAC,CAACyxE,GAAG,EAAEz9E,OAAO,KAAKy9E,GAAG,GAAGz9E,OAAO,CAACJ,MAAM,EAAE,CAAC,CAAC;MAC1Fw9E,eAAe,IAAII,aAAa;MAChCL,0BAA0B,IAAIK,aAAa;IAC/C;IACAN,SAAS,CAACt5E,GAAG,CAACw5E,eAAe,EAAED,0BAA0B,CAAC;IAC1DE,UAAU,EAAE;EAChB;EACA,OAAOH,SAAS;AACpB;AAEA,MAAMQ,YAAY,CAAC;EACfz+E,WAAWA,CAACsS,UAAU,EAAEyW,IAAI,EAAE;IAC1B,IAAI,CAACzW,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACyW,IAAI,GAAGA,IAAI;EACpB;AACJ;AACA,MAAMotC,IAAI,SAASsoB,YAAY,CAAC;EAC5Bz+E,WAAWA,CAAC0C,KAAK,EAAE4P,UAAU,EAAEo/D,MAAM,EAAE3oD,IAAI,EAAE;IACzC,KAAK,CAACzW,UAAU,EAAEyW,IAAI,CAAC;IACvB,IAAI,CAACrmB,KAAK,GAAGA,KAAK;IAClB,IAAI,CAACgvE,MAAM,GAAGA,MAAM;EACxB;EACA/nE,KAAKA,CAACJ,OAAO,EAAES,OAAO,EAAE;IACpB,OAAOT,OAAO,CAACO,SAAS,CAAC,IAAI,EAAEE,OAAO,CAAC;EAC3C;AACJ;AACA,MAAM00E,SAAS,SAASD,YAAY,CAAC;EACjCz+E,WAAWA,CAAC2+E,WAAW,EAAE/zE,IAAI,EAAEH,KAAK,EAAE6H,UAAU,EAAEssE,qBAAqB,EAAE71D,IAAI,EAAE;IAC3E,KAAK,CAACzW,UAAU,EAAEyW,IAAI,CAAC;IACvB,IAAI,CAAC41D,WAAW,GAAGA,WAAW;IAC9B,IAAI,CAAC/zE,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACH,KAAK,GAAGA,KAAK;IAClB,IAAI,CAACm0E,qBAAqB,GAAGA,qBAAqB;EACtD;EACAj1E,KAAKA,CAACJ,OAAO,EAAES,OAAO,EAAE;IACpB,OAAOT,OAAO,CAACs1E,cAAc,CAAC,IAAI,EAAE70E,OAAO,CAAC;EAChD;AACJ;AACA,MAAM80E,aAAa,CAAC;EAChB9+E,WAAWA,CAAC0C,KAAK,EAAEiI,UAAU,EAAE2H,UAAU,EAAEysE,eAAe,EAAEC,aAAa,EAAE;IACvE,IAAI,CAACt8E,KAAK,GAAGA,KAAK;IAClB,IAAI,CAACiI,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAAC2H,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACysE,eAAe,GAAGA,eAAe;IACtC,IAAI,CAACC,aAAa,GAAGA,aAAa;EACtC;EACAr1E,KAAKA,CAACJ,OAAO,EAAES,OAAO,EAAE;IACpB,OAAOT,OAAO,CAAC01E,kBAAkB,CAAC,IAAI,EAAEj1E,OAAO,CAAC;EACpD;AACJ;AACA,MAAMgkD,SAAS,SAASywB,YAAY,CAAC;EACjCz+E,WAAWA,CAACyC,IAAI,EAAEC,KAAK,EAAE4P,UAAU,EAAEypB,OAAO,EAAEC,SAAS,EAAEkjD,WAAW,EAAEn2D,IAAI,EAAE;IACxE,KAAK,CAACzW,UAAU,EAAEyW,IAAI,CAAC;IACvB,IAAI,CAACtmB,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACC,KAAK,GAAGA,KAAK;IAClB,IAAI,CAACq5B,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACC,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAACkjD,WAAW,GAAGA,WAAW;EAClC;EACAv1E,KAAKA,CAACJ,OAAO,EAAES,OAAO,EAAE;IACpB,OAAOT,OAAO,CAAC41E,cAAc,CAAC,IAAI,EAAEn1E,OAAO,CAAC;EAChD;AACJ;AACA,MAAM4rD,OAAO,SAAS6oB,YAAY,CAAC;EAC/Bz+E,WAAWA,CAACyC,IAAI,EAAEtC,KAAK,EAAEgK,QAAQ,EAAEmI,UAAU,EAAE4qB,eAAe,EAAEC,aAAa,GAAG,IAAI,EAAEpU,IAAI,EAAE;IACxF,KAAK,CAACzW,UAAU,EAAEyW,IAAI,CAAC;IACvB,IAAI,CAACtmB,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACtC,KAAK,GAAGA,KAAK;IAClB,IAAI,CAACgK,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAAC+yB,eAAe,GAAGA,eAAe;IACtC,IAAI,CAACC,aAAa,GAAGA,aAAa;EACtC;EACAxzB,KAAKA,CAACJ,OAAO,EAAES,OAAO,EAAE;IACpB,OAAOT,OAAO,CAAC6zB,YAAY,CAAC,IAAI,EAAEpzB,OAAO,CAAC;EAC9C;AACJ;AACA,MAAMo1E,OAAO,CAAC;EACVp/E,WAAWA,CAAC0C,KAAK,EAAE4P,UAAU,EAAE;IAC3B,IAAI,CAAC5P,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC4P,UAAU,GAAGA,UAAU;EAChC;EACA3I,KAAKA,CAACJ,OAAO,EAAES,OAAO,EAAE;IACpB,OAAOT,OAAO,CAAC81E,YAAY,CAAC,IAAI,EAAEr1E,OAAO,CAAC;EAC9C;AACJ;AACA,MAAMs1E,UAAU,CAAC;EACbt/E,WAAWA,CAAC0rD,MAAM,EAAEp5C,UAAU,EAAE4qB,eAAe,EAAEC,aAAa,GAAG,IAAI,EAAE;IACnE,IAAI,CAACuuB,MAAM,GAAGA,MAAM;IACpB,IAAI,CAACp5C,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAAC4qB,eAAe,GAAGA,eAAe;IACtC,IAAI,CAACC,aAAa,GAAGA,aAAa;EACtC;EACAxzB,KAAKA,CAACJ,OAAO,EAAES,OAAO,EAAE;IACpB,OAAOT,OAAO,CAACg2E,eAAe,CAAC,IAAI,EAAEv1E,OAAO,CAAC;EACjD;AACJ;AACA,MAAMw1E,KAAK,CAAC;EACRx/E,WAAWA,CAACyC,IAAI,EAAE6f,UAAU,EAAEnY,QAAQ,EAAEmI,UAAU,EAAE4qB,eAAe,EAAEC,aAAa,GAAG,IAAI,EAAE;IACvF,IAAI,CAAC16B,IAAI,GAAGA,IAAI;IAChB,IAAI,CAAC6f,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACnY,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACmI,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAAC4qB,eAAe,GAAGA,eAAe;IACtC,IAAI,CAACC,aAAa,GAAGA,aAAa;EACtC;EACAxzB,KAAKA,CAACJ,OAAO,EAAES,OAAO,EAAE;IACpB,OAAOT,OAAO,CAACk2E,UAAU,CAAC,IAAI,EAAEz1E,OAAO,CAAC;EAC5C;AACJ;AACA,MAAM01E,cAAc,CAAC;EACjB1/E,WAAWA,CAAC2K,UAAU,EAAE2H,UAAU,EAAE;IAChC,IAAI,CAAC3H,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAAC2H,UAAU,GAAGA,UAAU;EAChC;EACA3I,KAAKA,CAACJ,OAAO,EAAES,OAAO,EAAE;IACpB,OAAOT,OAAO,CAACo2E,mBAAmB,CAAC,IAAI,EAAE31E,OAAO,CAAC;EACrD;AACJ;AACA,SAASyyC,QAAQA,CAAClzC,OAAO,EAAEJ,KAAK,EAAEa,OAAO,GAAG,IAAI,EAAE;EAC9C,MAAMnI,MAAM,GAAG,EAAE;EACjB,MAAM8H,KAAK,GAAGJ,OAAO,CAACI,KAAK,GACtBoU,GAAG,IAAKxU,OAAO,CAACI,KAAK,CAACoU,GAAG,EAAE/T,OAAO,CAAC,IAAI+T,GAAG,CAACpU,KAAK,CAACJ,OAAO,EAAES,OAAO,CAAC,GAClE+T,GAAG,IAAKA,GAAG,CAACpU,KAAK,CAACJ,OAAO,EAAES,OAAO,CAAC;EACxCb,KAAK,CAACtG,OAAO,CAACkb,GAAG,IAAI;IACjB,MAAM6hE,SAAS,GAAGj2E,KAAK,CAACoU,GAAG,CAAC;IAC5B,IAAI6hE,SAAS,EAAE;MACX/9E,MAAM,CAACjB,IAAI,CAACg/E,SAAS,CAAC;IAC1B;EACJ,CAAC,CAAC;EACF,OAAO/9E,MAAM;AACjB;AACA,MAAMg+E,gBAAgB,CAAC;EACnB7/E,WAAWA,CAAA,EAAG,CAAE;EAChBo9B,YAAYA,CAACrf,GAAG,EAAE/T,OAAO,EAAE;IACvB,IAAI,CAAC81E,aAAa,CAAC91E,OAAO,EAAEL,KAAK,IAAI;MACjCA,KAAK,CAACoU,GAAG,CAAC5d,KAAK,CAAC;MAChBwJ,KAAK,CAACoU,GAAG,CAAC5T,QAAQ,CAAC;IACvB,CAAC,CAAC;EACN;EACAg1E,cAAcA,CAACphE,GAAG,EAAE/T,OAAO,EAAE,CAAE;EAC/BF,SAASA,CAACiU,GAAG,EAAE/T,OAAO,EAAE,CAAE;EAC1Bq1E,YAAYA,CAACthE,GAAG,EAAE/T,OAAO,EAAE,CAAE;EAC7B60E,cAAcA,CAAC9gE,GAAG,EAAE/T,OAAO,EAAE;IACzB,OAAO,IAAI,CAAC81E,aAAa,CAAC91E,OAAO,EAAEL,KAAK,IAAI;MACxCA,KAAK,CAACoU,GAAG,CAACtT,KAAK,CAAC;IACpB,CAAC,CAAC;EACN;EACAw0E,kBAAkBA,CAAClhE,GAAG,EAAE/T,OAAO,EAAE,CAAE;EACnCu1E,eAAeA,CAACxhE,GAAG,EAAE/T,OAAO,EAAE;IAC1B,IAAI,CAAC81E,aAAa,CAAC91E,OAAO,EAAEL,KAAK,IAAI;MACjCA,KAAK,CAACoU,GAAG,CAAC2tC,MAAM,CAAC;IACrB,CAAC,CAAC;EACN;EACA+zB,UAAUA,CAAC7/C,KAAK,EAAE51B,OAAO,EAAE;IACvB,IAAI,CAAC81E,aAAa,CAAC91E,OAAO,EAAEL,KAAK,IAAI;MACjCA,KAAK,CAACi2B,KAAK,CAACtd,UAAU,CAAC;MACvB3Y,KAAK,CAACi2B,KAAK,CAACz1B,QAAQ,CAAC;IACzB,CAAC,CAAC;EACN;EACAw1E,mBAAmBA,CAAC5hE,GAAG,EAAE/T,OAAO,EAAE,CAAE;EACpC81E,aAAaA,CAAC91E,OAAO,EAAEiwE,EAAE,EAAE;IACvB,IAAI15E,OAAO,GAAG,EAAE;IAChB,IAAIm4B,CAAC,GAAG,IAAI;IACZ,SAAS/uB,KAAKA,CAACQ,QAAQ,EAAE;MACrB,IAAIA,QAAQ,EACR5J,OAAO,CAACK,IAAI,CAAC67C,QAAQ,CAAC/jB,CAAC,EAAEvuB,QAAQ,EAAEH,OAAO,CAAC,CAAC;IACpD;IACAiwE,EAAE,CAACtwE,KAAK,CAAC;IACT,OAAOqlB,KAAK,CAAC+wD,SAAS,CAACv9E,MAAM,CAACw9E,KAAK,CAAC,EAAE,EAAEz/E,OAAO,CAAC;EACpD;AACJ;AAEA,MAAM0/E,qBAAqB,CAAC;AAG5B,MAAMC,OAAO,GAAG,SAAS;AACzB,MAAMC,MAAM,GAAG,QAAQ;AACvB,MAAMC,MAAM,GAAG,QAAQ;AACvB,MAAMC,MAAM,GAAG,QAAQ;AACvB;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMC,MAAM,GAAG,CACX,uwBAAuwB,GACnwB;AACA,kKAAkK,EACtK,gvCAAgvC,EAChvC,86CAA86C,EAC96C,+OAA+O,EAC/O,ykCAAykC,EACzkC,sBAAsB,EACtB,0CAA0C,EAC1C,sBAAsB,EACtB,uCAAuC,EACvC,sBAAsB,EACtB,iCAAiC,EACjC,wCAAwC,EACxC,2LAA2L,EAC3L,sKAAsK,EACtK,cAAc,EACd,wBAAwB,EACxB,gCAAgC,EAChC,uSAAuS,EACvS,6GAA6G,EAC7G,qCAAqC,EACrC,8BAA8B,EAC9B,2BAA2B,EAC3B,0BAA0B,EAC1B,yBAAyB,EACzB,6BAA6B,EAC7B,wCAAwC,EACxC,4BAA4B,EAC5B,yBAAyB,EACzB,sDAAsD,EACtD,uCAAuC,EACvC,oCAAoC,EACpC,sGAAsG,EACtG,gGAAgG,EAChG,4QAA4Q,EAC5Q,kDAAkD,EAClD,qBAAqB,EACrB,uCAAuC,EACvC,4BAA4B,EAC5B,iMAAiM,EACjM,oKAAoK,EACpK,6ZAA6Z,EAC7Z,8BAA8B,EAC9B,6BAA6B,EAC7B,4BAA4B,EAC5B,8JAA8J,EAC9J,wBAAwB,EACxB,2HAA2H,EAC3H,6BAA6B,EAC7B,wDAAwD,EACxD,0DAA0D,EAC1D,qCAAqC,EACrC,iDAAiD,EACjD,sIAAsI,EACtI,wCAAwC,EACxC,4EAA4E,EAC5E,uDAAuD,EACvD,uBAAuB,EACvB,+CAA+C,EAC/C,wBAAwB,EACxB,0BAA0B,EAC1B,oCAAoC,EACpC,kCAAkC,EAClC,yHAAyH,EACzH,yGAAyG,EACzG,yBAAyB,EACzB,iEAAiE,EACjE,qBAAqB,EACrB,0CAA0C,EAC1C,6BAA6B,EAC7B,kHAAkH,EAClH,8DAA8D,EAC9D,mHAAmH,EACnH,gDAAgD,EAChD,uDAAuD,EACvD,yBAAyB,EACzB,uMAAuM,EACvM,6BAA6B,EAC7B,0BAA0B,EAC1B,qDAAqD,EACrD,gCAAgC,EAChC,wBAAwB,EACxB,uHAAuH,EACvH,uBAAuB,EACvB,8BAA8B,EAC9B,oCAAoC,EACpC,uCAAuC,EACvC,4BAA4B,EAC5B,8BAA8B,EAC9B,0BAA0B,EAC1B,kBAAkB,EAClB,qBAAqB,EACrB,6BAA6B,EAC7B,qBAAqB,EACrB,2BAA2B,EAC3B,iCAAiC,EACjC,yBAAyB,EACzB,8BAA8B,EAC9B,+BAA+B,EAC/B,+BAA+B,EAC/B,4BAA4B,EAC5B,0BAA0B,EAC1B,qBAAqB,EACrB,8CAA8C,EAC9C,8CAA8C,EAC9C,8CAA8C,EAC9C,8CAA8C,EAC9C,4BAA4B,EAC5B,qBAAqB,EACrB,qBAAqB,EACrB,yBAAyB,EACzB,0BAA0B,EAC1B,sBAAsB,EACtB,0BAA0B,EAC1B,gCAAgC,EAChC,yBAAyB,EACzB,oBAAoB,EACpB,0BAA0B,EAC1B,oBAAoB,EACpB,mCAAmC,EACnC,uBAAuB,EACvB,mCAAmC,EACnC,0BAA0B,EAC1B,oCAAoC,EACpC,mBAAmB,EACnB,oBAAoB,EACpB,kBAAkB,EAClB,sBAAsB,EACtB,0BAA0B,EAC1B,qBAAqB,EACrB,6BAA6B,EAC7B,8BAA8B,EAC9B,oCAAoC,EACpC,0BAA0B,EAC1B,kDAAkD,EAClD,wBAAwB,EACxB,0BAA0B,EAC1B,kBAAkB,EAClB,6CAA6C,EAC7C,4BAA4B,EAC5B,oBAAoB,EACpB,kCAAkC,EAClC,iCAAiC,EACjC,iCAAiC,EACjC,mBAAmB,EACnB,yBAAyB,EACzB,6BAA6B,EAC7B,0BAA0B,EAC1B,uEAAuE,EACvE,+EAA+E,EAC/E,wBAAwB,EACxB,6BAA6B,EAC7B,oBAAoB,CACvB;AACD,MAAMC,aAAa,GAAG,IAAIr9E,GAAG,CAAC2D,MAAM,CAACkV,OAAO,CAAC;EACzC,OAAO,EAAE,WAAW;EACpB,KAAK,EAAE,SAAS;EAChB,YAAY,EAAE,YAAY;EAC1B,WAAW,EAAE,WAAW;EACxB,UAAU,EAAE,UAAU;EACtB,UAAU,EAAE;AAChB,CAAC,CAAC,CAAC;AACH;AACA,MAAMykE,aAAa,GAAGxxD,KAAK,CAAC0C,IAAI,CAAC6uD,aAAa,CAAC,CAACxzE,MAAM,CAAC,CAAC0zE,QAAQ,EAAE,CAACC,YAAY,EAAE/xB,aAAa,CAAC,KAAK;EAChG8xB,QAAQ,CAAC97E,GAAG,CAAC+7E,YAAY,EAAE/xB,aAAa,CAAC;EACzC,OAAO8xB,QAAQ;AACnB,CAAC,EAAE,IAAIv9E,GAAG,CAAC,CAAC,CAAC;AACb,MAAMy9E,wBAAwB,SAASV,qBAAqB,CAAC;EACzDjgF,WAAWA,CAAA,EAAG;IACV,KAAK,CAAC,CAAC;IACP,IAAI,CAAC4gF,OAAO,GAAG,IAAI19E,GAAG,CAAC,CAAC;IACxB;IACA;IACA,IAAI,CAAC29E,YAAY,GAAG,IAAI39E,GAAG,CAAD,CAAC;IAC3Bo9E,MAAM,CAACz9E,OAAO,CAACi+E,WAAW,IAAI;MAC1B,MAAMl2E,IAAI,GAAG,IAAI1H,GAAG,CAAC,CAAC;MACtB,MAAMgpE,MAAM,GAAG,IAAIvjC,GAAG,CAAC,CAAC;MACxB,MAAM,CAACo4C,OAAO,EAAEC,aAAa,CAAC,GAAGF,WAAW,CAACtxD,KAAK,CAAC,GAAG,CAAC;MACvD,MAAMw8C,UAAU,GAAGgV,aAAa,CAACxxD,KAAK,CAAC,GAAG,CAAC;MAC3C,MAAM,CAACyxD,SAAS,EAAEC,SAAS,CAAC,GAAGH,OAAO,CAACvxD,KAAK,CAAC,GAAG,CAAC;MACjDyxD,SAAS,CAACzxD,KAAK,CAAC,GAAG,CAAC,CAAC3sB,OAAO,CAACzB,GAAG,IAAI;QAChC,IAAI,CAACw/E,OAAO,CAACj8E,GAAG,CAACvD,GAAG,CAACuB,WAAW,CAAC,CAAC,EAAEiI,IAAI,CAAC;QACzC,IAAI,CAACi2E,YAAY,CAACl8E,GAAG,CAACvD,GAAG,CAACuB,WAAW,CAAC,CAAC,EAAEupE,MAAM,CAAC;MACpD,CAAC,CAAC;MACF,MAAMiV,SAAS,GAAGD,SAAS,IAAI,IAAI,CAACN,OAAO,CAACl8E,GAAG,CAACw8E,SAAS,CAACv+E,WAAW,CAAC,CAAC,CAAC;MACxE,IAAIw+E,SAAS,EAAE;QACX,KAAK,MAAM,CAAC5uE,IAAI,EAAE7P,KAAK,CAAC,IAAIy+E,SAAS,EAAE;UACnCv2E,IAAI,CAACjG,GAAG,CAAC4N,IAAI,EAAE7P,KAAK,CAAC;QACzB;QACA,KAAK,MAAM0+E,UAAU,IAAI,IAAI,CAACP,YAAY,CAACn8E,GAAG,CAACw8E,SAAS,CAACv+E,WAAW,CAAC,CAAC,CAAC,EAAE;UACrEupE,MAAM,CAAC5kE,GAAG,CAAC85E,UAAU,CAAC;QAC1B;MACJ;MACApV,UAAU,CAACnpE,OAAO,CAAEulB,QAAQ,IAAK;QAC7B,IAAIA,QAAQ,CAACznB,MAAM,GAAG,CAAC,EAAE;UACrB,QAAQynB,QAAQ,CAAC,CAAC,CAAC;YACf,KAAK,GAAG;cACJ8jD,MAAM,CAAC5kE,GAAG,CAAC8gB,QAAQ,CAACgH,SAAS,CAAC,CAAC,CAAC,CAAC;cACjC;YACJ,KAAK,GAAG;cACJxkB,IAAI,CAACjG,GAAG,CAACyjB,QAAQ,CAACgH,SAAS,CAAC,CAAC,CAAC,EAAE8wD,OAAO,CAAC;cACxC;YACJ,KAAK,GAAG;cACJt1E,IAAI,CAACjG,GAAG,CAACyjB,QAAQ,CAACgH,SAAS,CAAC,CAAC,CAAC,EAAE+wD,MAAM,CAAC;cACvC;YACJ,KAAK,GAAG;cACJv1E,IAAI,CAACjG,GAAG,CAACyjB,QAAQ,CAACgH,SAAS,CAAC,CAAC,CAAC,EAAEixD,MAAM,CAAC;cACvC;YACJ;cACIz1E,IAAI,CAACjG,GAAG,CAACyjB,QAAQ,EAAEg4D,MAAM,CAAC;UAClC;QACJ;MACJ,CAAC,CAAC;IACN,CAAC,CAAC;EACN;EACAiB,WAAWA,CAACxhE,OAAO,EAAEyhE,QAAQ,EAAEC,WAAW,EAAE;IACxC,IAAIA,WAAW,CAACl7C,IAAI,CAAEm7C,MAAM,IAAKA,MAAM,CAAC/+E,IAAI,KAAKsD,gBAAgB,CAACtD,IAAI,CAAC,EAAE;MACrE,OAAO,IAAI;IACf;IACA,IAAIod,OAAO,CAACqO,OAAO,CAAC,GAAG,CAAC,GAAG,CAAC,CAAC,EAAE;MAC3B,IAAIi/B,aAAa,CAACttC,OAAO,CAAC,IAAIutC,WAAW,CAACvtC,OAAO,CAAC,EAAE;QAChD,OAAO,KAAK;MAChB;MACA,IAAI0hE,WAAW,CAACl7C,IAAI,CAAEm7C,MAAM,IAAKA,MAAM,CAAC/+E,IAAI,KAAKqD,sBAAsB,CAACrD,IAAI,CAAC,EAAE;QAC3E;QACA;QACA,OAAO,IAAI;MACf;IACJ;IACA,MAAMg/E,iBAAiB,GAAG,IAAI,CAACb,OAAO,CAACl8E,GAAG,CAACmb,OAAO,CAACld,WAAW,CAAC,CAAC,CAAC,IAAI,IAAI,CAACi+E,OAAO,CAACl8E,GAAG,CAAC,SAAS,CAAC;IAChG,OAAO+8E,iBAAiB,CAAC9/D,GAAG,CAAC2/D,QAAQ,CAAC;EAC1C;EACAI,UAAUA,CAAC7hE,OAAO,EAAE0hE,WAAW,EAAE;IAC7B,IAAIA,WAAW,CAACl7C,IAAI,CAAEm7C,MAAM,IAAKA,MAAM,CAAC/+E,IAAI,KAAKsD,gBAAgB,CAACtD,IAAI,CAAC,EAAE;MACrE,OAAO,IAAI;IACf;IACA,IAAIod,OAAO,CAACqO,OAAO,CAAC,GAAG,CAAC,GAAG,CAAC,CAAC,EAAE;MAC3B,IAAIi/B,aAAa,CAACttC,OAAO,CAAC,IAAIutC,WAAW,CAACvtC,OAAO,CAAC,EAAE;QAChD,OAAO,IAAI;MACf;MACA,IAAI0hE,WAAW,CAACl7C,IAAI,CAAEm7C,MAAM,IAAKA,MAAM,CAAC/+E,IAAI,KAAKqD,sBAAsB,CAACrD,IAAI,CAAC,EAAE;QAC3E;QACA,OAAO,IAAI;MACf;IACJ;IACA,OAAO,IAAI,CAACm+E,OAAO,CAACj/D,GAAG,CAAC9B,OAAO,CAACld,WAAW,CAAC,CAAC,CAAC;EAClD;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIw5B,eAAeA,CAACtc,OAAO,EAAEyhE,QAAQ,EAAEK,WAAW,EAAE;IAC5C,IAAIA,WAAW,EAAE;MACb;MACAL,QAAQ,GAAG,IAAI,CAACM,iBAAiB,CAACN,QAAQ,CAAC;IAC/C;IACA;IACA;IACAzhE,OAAO,GAAGA,OAAO,CAACld,WAAW,CAAC,CAAC;IAC/B2+E,QAAQ,GAAGA,QAAQ,CAAC3+E,WAAW,CAAC,CAAC;IACjC,IAAIkzB,GAAG,GAAG4sB,eAAe,CAAC,CAAC,CAAC5iC,OAAO,GAAG,GAAG,GAAGyhE,QAAQ,CAAC;IACrD,IAAIzrD,GAAG,EAAE;MACL,OAAOA,GAAG;IACd;IACAA,GAAG,GAAG4sB,eAAe,CAAC,CAAC,CAAC,IAAI,GAAG6+B,QAAQ,CAAC;IACxC,OAAOzrD,GAAG,GAAGA,GAAG,GAAG3vB,eAAe,CAACo2D,IAAI;EAC3C;EACAslB,iBAAiBA,CAACN,QAAQ,EAAE;IACxB,OAAOf,aAAa,CAAC77E,GAAG,CAAC48E,QAAQ,CAAC,IAAIA,QAAQ;EAClD;EACAO,8BAA8BA,CAAA,EAAG;IAC7B,OAAO,cAAc;EACzB;EACAC,gBAAgBA,CAACr/E,IAAI,EAAE;IACnB,IAAIA,IAAI,CAACE,WAAW,CAAC,CAAC,CAACqjC,UAAU,CAAC,IAAI,CAAC,EAAE;MACrC,MAAMn4B,GAAG,GAAG,8BAA8BpL,IAAI,wCAAwC,GAClF,eAAeA,IAAI,CAAClB,KAAK,CAAC,CAAC,CAAC,OAAO,GACnC,SAASkB,IAAI,oEAAoE,GACjF,kBAAkB;MACtB,OAAO;QAAE8rB,KAAK,EAAE,IAAI;QAAE1gB,GAAG,EAAEA;MAAI,CAAC;IACpC,CAAC,MACI;MACD,OAAO;QAAE0gB,KAAK,EAAE;MAAM,CAAC;IAC3B;EACJ;EACAwzD,iBAAiBA,CAACt/E,IAAI,EAAE;IACpB,IAAIA,IAAI,CAACE,WAAW,CAAC,CAAC,CAACqjC,UAAU,CAAC,IAAI,CAAC,EAAE;MACrC,MAAMn4B,GAAG,GAAG,+BAA+BpL,IAAI,wCAAwC,GACnF,eAAeA,IAAI,CAAClB,KAAK,CAAC,CAAC,CAAC,OAAO;MACvC,OAAO;QAAEgtB,KAAK,EAAE,IAAI;QAAE1gB,GAAG,EAAEA;MAAI,CAAC;IACpC,CAAC,MACI;MACD,OAAO;QAAE0gB,KAAK,EAAE;MAAM,CAAC;IAC3B;EACJ;EACAyzD,oBAAoBA,CAAA,EAAG;IACnB,OAAOhzD,KAAK,CAAC0C,IAAI,CAAC,IAAI,CAACkvD,OAAO,CAACp2E,IAAI,CAAC,CAAC,CAAC;EAC1C;EACAy3E,2BAA2BA,CAACpiE,OAAO,EAAE;IACjC,MAAM4hE,iBAAiB,GAAG,IAAI,CAACb,OAAO,CAACl8E,GAAG,CAACmb,OAAO,CAACld,WAAW,CAAC,CAAC,CAAC,IAAI,IAAI,CAACi+E,OAAO,CAACl8E,GAAG,CAAC,SAAS,CAAC;IAChG;IACA,OAAOsqB,KAAK,CAAC0C,IAAI,CAAC+vD,iBAAiB,CAACj3E,IAAI,CAAC,CAAC,CAAC,CAAC1F,GAAG,CAACyN,IAAI,IAAIiuE,aAAa,CAAC97E,GAAG,CAAC6N,IAAI,CAAC,IAAIA,IAAI,CAAC;EAC5F;EACA2vE,uBAAuBA,CAACriE,OAAO,EAAE;IAC7B,OAAOmP,KAAK,CAAC0C,IAAI,CAAC,IAAI,CAACmvD,YAAY,CAACn8E,GAAG,CAACmb,OAAO,CAACld,WAAW,CAAC,CAAC,CAAC,IAAI,EAAE,CAAC;EACzE;EACAw/E,+BAA+BA,CAACb,QAAQ,EAAE;IACtC,OAAO9zD,mBAAmB,CAAC8zD,QAAQ,CAAC;EACxC;EACAc,4BAA4BA,CAACC,aAAa,EAAEC,gBAAgB,EAAEj0D,GAAG,EAAE;IAC/D,IAAI+N,IAAI,GAAG,EAAE;IACb,MAAMmmD,MAAM,GAAGl0D,GAAG,CAACzrB,QAAQ,CAAC,CAAC,CAACurB,IAAI,CAAC,CAAC;IACpC,IAAIq0D,QAAQ,GAAG,IAAI;IACnB,IAAIC,sBAAsB,CAACJ,aAAa,CAAC,IAAIh0D,GAAG,KAAK,CAAC,IAAIA,GAAG,KAAK,GAAG,EAAE;MACnE,IAAI,OAAOA,GAAG,KAAK,QAAQ,EAAE;QACzB+N,IAAI,GAAG,IAAI;MACf,CAAC,MACI;QACD,MAAMsmD,iBAAiB,GAAGr0D,GAAG,CAACvtB,KAAK,CAAC,wBAAwB,CAAC;QAC7D,IAAI4hF,iBAAiB,IAAIA,iBAAiB,CAAC,CAAC,CAAC,CAAC/hF,MAAM,IAAI,CAAC,EAAE;UACvD6hF,QAAQ,GAAG,uCAAuCF,gBAAgB,IAAIj0D,GAAG,EAAE;QAC/E;MACJ;IACJ;IACA,OAAO;MAAEE,KAAK,EAAEi0D,QAAQ;MAAE9/E,KAAK,EAAE6/E,MAAM,GAAGnmD;IAAK,CAAC;EACpD;AACJ;AACA,SAASqmD,sBAAsBA,CAAClwE,IAAI,EAAE;EAClC,QAAQA,IAAI;IACR,KAAK,OAAO;IACZ,KAAK,QAAQ;IACb,KAAK,UAAU;IACf,KAAK,WAAW;IAChB,KAAK,UAAU;IACf,KAAK,WAAW;IAChB,KAAK,MAAM;IACX,KAAK,KAAK;IACV,KAAK,QAAQ;IACb,KAAK,OAAO;IACZ,KAAK,UAAU;IACf,KAAK,cAAc;IACnB,KAAK,eAAe;IACpB,KAAK,YAAY;IACjB,KAAK,aAAa;IAClB,KAAK,eAAe;IACpB,KAAK,cAAc;IACnB,KAAK,WAAW;IAChB,KAAK,YAAY;IACjB,KAAK,cAAc;IACnB,KAAK,aAAa;IAClB,KAAK,cAAc;IACnB,KAAK,aAAa;IAClB,KAAK,gBAAgB;IACrB,KAAK,iBAAiB;IACtB,KAAK,kBAAkB;IACvB,KAAK,mBAAmB;IACxB,KAAK,YAAY;MACb,OAAO,IAAI;IACf;MACI,OAAO,KAAK;EACpB;AACJ;AAEA,MAAMowE,iBAAiB,CAAC;EACpB3iF,WAAWA,CAAC;IAAE4iF,gBAAgB;IAAEC,uBAAuB;IAAEC,WAAW,GAAG91B,cAAc,CAAC+1B,aAAa;IAAEC,cAAc,GAAG,KAAK;IAAEj4E,MAAM,GAAG,KAAK;IAAEk4E,aAAa,GAAG,KAAK;IAAEC,2BAA2B,GAAG,KAAK;IAAEC,YAAY,GAAG;EAAO,CAAC,GAAG,CAAC,CAAC,EAAE;IACnO,IAAI,CAACP,gBAAgB,GAAG,CAAC,CAAC;IAC1B,IAAI,CAACI,cAAc,GAAG,KAAK;IAC3B,IAAIJ,gBAAgB,IAAIA,gBAAgB,CAACjiF,MAAM,GAAG,CAAC,EAAE;MACjDiiF,gBAAgB,CAAC//E,OAAO,CAACgd,OAAO,IAAI,IAAI,CAAC+iE,gBAAgB,CAAC/iE,OAAO,CAAC,GAAG,IAAI,CAAC;IAC9E;IACA,IAAI,CAAC9U,MAAM,GAAGA,MAAM;IACpB,IAAI,CAACi4E,cAAc,GAAGA,cAAc,IAAIj4E,MAAM;IAC9C,IAAI,CAAC83E,uBAAuB,GAAGA,uBAAuB,IAAI,IAAI;IAC9D,IAAI,CAACC,WAAW,GAAGA,WAAW;IAC9B,IAAI,CAACG,aAAa,GAAGA,aAAa;IAClC,IAAI,CAACC,2BAA2B,GAAGA,2BAA2B;IAC9D,IAAI,CAACC,YAAY,GAAGA,YAAY,IAAIp4E,MAAM;EAC9C;EACAq4E,eAAeA,CAAC3gF,IAAI,EAAE;IAClB,OAAO,IAAI,CAACsI,MAAM,IAAItI,IAAI,CAACE,WAAW,CAAC,CAAC,IAAI,IAAI,CAACigF,gBAAgB;EACrE;EACAS,cAAcA,CAAChiF,MAAM,EAAE;IACnB,IAAI,OAAO,IAAI,CAACyhF,WAAW,KAAK,QAAQ,EAAE;MACtC,MAAMQ,YAAY,GAAGjiF,MAAM,KAAKitB,SAAS,GAAGA,SAAS,GAAG,IAAI,CAACw0D,WAAW,CAACzhF,MAAM,CAAC;MAChF,OAAOiiF,YAAY,IAAI,IAAI,CAACR,WAAW,CAACS,OAAO;IACnD;IACA,OAAO,IAAI,CAACT,WAAW;EAC3B;AACJ;AACA,IAAIU,sBAAsB;AAC1B;AACA;AACA,IAAIC,eAAe;AACnB,SAASC,oBAAoBA,CAAC7jE,OAAO,EAAE;EACnC,IAAI,CAAC4jE,eAAe,EAAE;IAClBD,sBAAsB,GAAG,IAAIb,iBAAiB,CAAC;MAAEQ,YAAY,EAAE;IAAK,CAAC,CAAC;IACtEM,eAAe,GAAG;MACd,MAAM,EAAE,IAAId,iBAAiB,CAAC;QAAE53E,MAAM,EAAE;MAAK,CAAC,CAAC;MAC/C,MAAM,EAAE,IAAI43E,iBAAiB,CAAC;QAAE53E,MAAM,EAAE;MAAK,CAAC,CAAC;MAC/C,MAAM,EAAE,IAAI43E,iBAAiB,CAAC;QAAE53E,MAAM,EAAE;MAAK,CAAC,CAAC;MAC/C,OAAO,EAAE,IAAI43E,iBAAiB,CAAC;QAAE53E,MAAM,EAAE;MAAK,CAAC,CAAC;MAChD,MAAM,EAAE,IAAI43E,iBAAiB,CAAC;QAAE53E,MAAM,EAAE;MAAK,CAAC,CAAC;MAC/C,KAAK,EAAE,IAAI43E,iBAAiB,CAAC;QAAE53E,MAAM,EAAE;MAAK,CAAC,CAAC;MAC9C,OAAO,EAAE,IAAI43E,iBAAiB,CAAC;QAAE53E,MAAM,EAAE;MAAK,CAAC,CAAC;MAChD,OAAO,EAAE,IAAI43E,iBAAiB,CAAC;QAAE53E,MAAM,EAAE;MAAK,CAAC,CAAC;MAChD,IAAI,EAAE,IAAI43E,iBAAiB,CAAC;QAAE53E,MAAM,EAAE;MAAK,CAAC,CAAC;MAC7C,IAAI,EAAE,IAAI43E,iBAAiB,CAAC;QAAE53E,MAAM,EAAE;MAAK,CAAC,CAAC;MAC7C,QAAQ,EAAE,IAAI43E,iBAAiB,CAAC;QAAE53E,MAAM,EAAE;MAAK,CAAC,CAAC;MACjD,OAAO,EAAE,IAAI43E,iBAAiB,CAAC;QAAE53E,MAAM,EAAE;MAAK,CAAC,CAAC;MAChD,KAAK,EAAE,IAAI43E,iBAAiB,CAAC;QAAE53E,MAAM,EAAE;MAAK,CAAC,CAAC;MAC9C,GAAG,EAAE,IAAI43E,iBAAiB,CAAC;QACvBC,gBAAgB,EAAE,CACd,SAAS,EAAE,SAAS,EAAE,OAAO,EAAE,YAAY,EAAE,KAAK,EAAE,IAAI,EAAE,UAAU,EACpE,QAAQ,EAAE,MAAM,EAAE,IAAI,EAAE,IAAI,EAAE,IAAI,EAAE,IAAI,EAAE,IAAI,EAC9C,IAAI,EAAE,QAAQ,EAAE,QAAQ,EAAE,IAAI,EAAE,MAAM,EAAE,KAAK,EAAE,IAAI,EACnD,GAAG,EAAE,KAAK,EAAE,SAAS,EAAE,OAAO,EAAE,IAAI,CACvC;QACDI,cAAc,EAAE;MACpB,CAAC,CAAC;MACF,OAAO,EAAE,IAAIL,iBAAiB,CAAC;QAAEC,gBAAgB,EAAE,CAAC,OAAO,EAAE,OAAO;MAAE,CAAC,CAAC;MACxE,OAAO,EAAE,IAAID,iBAAiB,CAAC;QAAEC,gBAAgB,EAAE,CAAC,OAAO,EAAE,OAAO,CAAC;QAAEI,cAAc,EAAE;MAAK,CAAC,CAAC;MAC9F,OAAO,EAAE,IAAIL,iBAAiB,CAAC;QAAEC,gBAAgB,EAAE,CAAC,OAAO,CAAC;QAAEI,cAAc,EAAE;MAAK,CAAC,CAAC;MACrF,IAAI,EAAE,IAAIL,iBAAiB,CAAC;QAAEC,gBAAgB,EAAE,CAAC,IAAI,CAAC;QAAEI,cAAc,EAAE;MAAK,CAAC,CAAC;MAC/E,IAAI,EAAE,IAAIL,iBAAiB,CAAC;QAAEC,gBAAgB,EAAE,CAAC,IAAI,EAAE,IAAI,CAAC;QAAEI,cAAc,EAAE;MAAK,CAAC,CAAC;MACrF,IAAI,EAAE,IAAIL,iBAAiB,CAAC;QAAEC,gBAAgB,EAAE,CAAC,IAAI,EAAE,IAAI,CAAC;QAAEI,cAAc,EAAE;MAAK,CAAC,CAAC;MACrF,KAAK,EAAE,IAAIL,iBAAiB,CAAC;QAAE53E,MAAM,EAAE;MAAK,CAAC,CAAC;MAC9C,KAAK,EAAE,IAAI43E,iBAAiB,CAAC;QAAEE,uBAAuB,EAAE;MAAM,CAAC,CAAC;MAChE,eAAe,EAAE,IAAIF,iBAAiB,CAAC;QACnC;QACA;QACA;QACA;QACA;QACAE,uBAAuB,EAAE,KAAK;QAC9B;QACA;QACAK,2BAA2B,EAAE;MACjC,CAAC,CAAC;MACF,MAAM,EAAE,IAAIP,iBAAiB,CAAC;QAAEE,uBAAuB,EAAE;MAAO,CAAC,CAAC;MAClE,IAAI,EAAE,IAAIF,iBAAiB,CAAC;QAAEC,gBAAgB,EAAE,CAAC,IAAI,CAAC;QAAEI,cAAc,EAAE;MAAK,CAAC,CAAC;MAC/E,IAAI,EAAE,IAAIL,iBAAiB,CAAC;QAAEC,gBAAgB,EAAE,CAAC,IAAI,EAAE,IAAI;MAAE,CAAC,CAAC;MAC/D,IAAI,EAAE,IAAID,iBAAiB,CAAC;QAAEC,gBAAgB,EAAE,CAAC,IAAI,EAAE,IAAI,CAAC;QAAEI,cAAc,EAAE;MAAK,CAAC,CAAC;MACrF,IAAI,EAAE,IAAIL,iBAAiB,CAAC;QAAEC,gBAAgB,EAAE,CAAC,IAAI,EAAE,IAAI,EAAE,KAAK,EAAE,IAAI,CAAC;QAAEI,cAAc,EAAE;MAAK,CAAC,CAAC;MAClG,IAAI,EAAE,IAAIL,iBAAiB,CAAC;QAAEC,gBAAgB,EAAE,CAAC,IAAI,EAAE,IAAI,EAAE,KAAK,EAAE,IAAI,CAAC;QAAEI,cAAc,EAAE;MAAK,CAAC,CAAC;MAClG,KAAK,EAAE,IAAIL,iBAAiB,CAAC;QAAEC,gBAAgB,EAAE,CAAC,IAAI,EAAE,KAAK,EAAE,IAAI,CAAC;QAAEI,cAAc,EAAE;MAAK,CAAC,CAAC;MAC7F,IAAI,EAAE,IAAIL,iBAAiB,CAAC;QAAEC,gBAAgB,EAAE,CAAC,IAAI,EAAE,IAAI,EAAE,KAAK,EAAE,IAAI,CAAC;QAAEI,cAAc,EAAE;MAAK,CAAC,CAAC;MAClG,UAAU,EAAE,IAAIL,iBAAiB,CAAC;QAAEC,gBAAgB,EAAE,CAAC,UAAU,CAAC;QAAEI,cAAc,EAAE;MAAK,CAAC,CAAC;MAC3F,QAAQ,EAAE,IAAIL,iBAAiB,CAAC;QAAEC,gBAAgB,EAAE,CAAC,QAAQ,EAAE,UAAU,CAAC;QAAEI,cAAc,EAAE;MAAK,CAAC,CAAC;MACnG,KAAK,EAAE,IAAIL,iBAAiB,CAAC;QAAEM,aAAa,EAAE;MAAK,CAAC,CAAC;MACrD,SAAS,EAAE,IAAIN,iBAAiB,CAAC;QAAEM,aAAa,EAAE;MAAK,CAAC,CAAC;MACzD,OAAO,EAAE,IAAIN,iBAAiB,CAAC;QAAEG,WAAW,EAAE91B,cAAc,CAAC22B;MAAS,CAAC,CAAC;MACxE,QAAQ,EAAE,IAAIhB,iBAAiB,CAAC;QAAEG,WAAW,EAAE91B,cAAc,CAAC22B;MAAS,CAAC,CAAC;MACzE,OAAO,EAAE,IAAIhB,iBAAiB,CAAC;QAC3B;QACA;QACAG,WAAW,EAAE;UAAES,OAAO,EAAEv2B,cAAc,CAAC42B,kBAAkB;UAAEC,GAAG,EAAE72B,cAAc,CAAC+1B;QAAc;MACjG,CAAC,CAAC;MACF,UAAU,EAAE,IAAIJ,iBAAiB,CAAC;QAAEG,WAAW,EAAE91B,cAAc,CAAC42B,kBAAkB;QAAEX,aAAa,EAAE;MAAK,CAAC;IAC7G,CAAC;IACD,IAAItC,wBAAwB,CAAC,CAAC,CAACqB,oBAAoB,CAAC,CAAC,CAACn/E,OAAO,CAACihF,YAAY,IAAI;MAC1E,IAAI,CAACL,eAAe,CAAC7hD,cAAc,CAACkiD,YAAY,CAAC,IAAIx2B,WAAW,CAACw2B,YAAY,CAAC,KAAK,IAAI,EAAE;QACrFL,eAAe,CAACK,YAAY,CAAC,GAAG,IAAInB,iBAAiB,CAAC;UAAEQ,YAAY,EAAE;QAAM,CAAC,CAAC;MAClF;IACJ,CAAC,CAAC;EACN;EACA;EACA;EACA,OAAOM,eAAe,CAAC5jE,OAAO,CAAC,IAAI4jE,eAAe,CAAC5jE,OAAO,CAACld,WAAW,CAAC,CAAC,CAAC,IACrE6gF,sBAAsB;AAC9B;;AAEA;AACA;AACA;AACA;AACA,MAAMO,cAAc,GAAG;EACnB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,cAAc;EACrB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,eAAe,EAAE,QAAQ;EACzB,IAAI,EAAE,QAAQ;EACd,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,WAAW,EAAE,QAAQ;EACrB,UAAU,EAAE,QAAQ;EACpB,OAAO,EAAE,QAAQ;EACjB,eAAe,EAAE,QAAQ;EACzB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,gBAAgB,EAAE,QAAQ;EAC1B,KAAK,EAAE,QAAQ;EACf,SAAS,EAAE,QAAQ;EACnB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,YAAY,EAAE,QAAQ;EACtB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,cAAc;EACrB,MAAM,EAAE,cAAc;EACtB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,cAAc,EAAE,QAAQ;EACxB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,sBAAsB,EAAE,QAAQ;EAChC,IAAI,EAAE,QAAQ;EACd,SAAS,EAAE,QAAQ;EACnB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,QAAQ;EAChB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,WAAW,EAAE,QAAQ;EACrB,WAAW,EAAE,QAAQ;EACrB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,WAAW,EAAE,QAAQ;EACrB,MAAM,EAAE,QAAQ;EAChB,aAAa,EAAE,QAAQ;EACvB,QAAQ,EAAE,QAAQ;EAClB,YAAY,EAAE,QAAQ;EACtB,OAAO,EAAE,QAAQ;EACjB,aAAa,EAAE,QAAQ;EACvB,QAAQ,EAAE,QAAQ;EAClB,0BAA0B,EAAE,QAAQ;EACpC,UAAU,EAAE,QAAQ;EACpB,uBAAuB,EAAE,QAAQ;EACjC,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,iBAAiB,EAAE,QAAQ;EAC3B,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,YAAY,EAAE,QAAQ;EACtB,QAAQ,EAAE,QAAQ;EAClB,WAAW,EAAE,QAAQ;EACrB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,uBAAuB,EAAE,QAAQ;EACjC,iBAAiB,EAAE,QAAQ;EAC3B,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,WAAW,EAAE,QAAQ;EACrB,WAAW,EAAE,QAAQ;EACrB,QAAQ,EAAE,QAAQ;EAClB,iCAAiC,EAAE,QAAQ;EAC3C,UAAU,EAAE,QAAQ;EACpB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,UAAU,EAAE,QAAQ;EACpB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,eAAe,EAAE,QAAQ;EACzB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,cAAc;EACrB,kBAAkB,EAAE,QAAQ;EAC5B,OAAO,EAAE,QAAQ;EACjB,gBAAgB,EAAE,QAAQ;EAC1B,KAAK,EAAE,QAAQ;EACf,wBAAwB,EAAE,QAAQ;EAClC,OAAO,EAAE,QAAQ;EACjB,kBAAkB,EAAE,QAAQ;EAC5B,OAAO,EAAE,QAAQ;EACjB,kBAAkB,EAAE,QAAQ;EAC5B,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,QAAQ;EAChB,SAAS,EAAE,QAAQ;EACnB,eAAe,EAAE,QAAQ;EACzB,IAAI,EAAE,QAAQ;EACd,MAAM,EAAE,cAAc;EACtB,KAAK,EAAE,QAAQ;EACf,WAAW,EAAE,QAAQ;EACrB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,iBAAiB,EAAE,QAAQ;EAC3B,WAAW,EAAE,QAAQ;EACrB,MAAM,EAAE,QAAQ;EAChB,iBAAiB,EAAE,QAAQ;EAC3B,WAAW,EAAE,QAAQ;EACrB,MAAM,EAAE,QAAQ;EAChB,sBAAsB,EAAE,QAAQ;EAChC,gBAAgB,EAAE,QAAQ;EAC1B,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,QAAQ;EACf,qBAAqB,EAAE,QAAQ;EAC/B,eAAe,EAAE,QAAQ;EACzB,OAAO,EAAE,QAAQ;EACjB,0BAA0B,EAAE,QAAQ;EACpC,oBAAoB,EAAE,QAAQ;EAC9B,OAAO,EAAE,QAAQ;EACjB,sBAAsB,EAAE,QAAQ;EAChC,gBAAgB,EAAE,QAAQ;EAC1B,OAAO,EAAE,QAAQ;EACjB,kBAAkB,EAAE,QAAQ;EAC5B,SAAS,EAAE,QAAQ;EACnB,YAAY,EAAE,QAAQ;EACtB,MAAM,EAAE,QAAQ;EAChB,gBAAgB,EAAE,QAAQ;EAC1B,OAAO,EAAE,QAAQ;EACjB,eAAe,EAAE,QAAQ;EACzB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,QAAQ;EAChB,mBAAmB,EAAE,QAAQ;EAC7B,aAAa,EAAE,QAAQ;EACvB,MAAM,EAAE,QAAQ;EAChB,mBAAmB,EAAE,QAAQ;EAC7B,KAAK,EAAE,QAAQ;EACf,UAAU,EAAE,QAAQ;EACpB,eAAe,EAAE,QAAQ;EACzB,MAAM,EAAE,QAAQ;EAChB,WAAW,EAAE,QAAQ;EACrB,gBAAgB,EAAE,QAAQ;EAC1B,MAAM,EAAE,QAAQ;EAChB,WAAW,EAAE,QAAQ;EACrB,cAAc,EAAE,QAAQ;EACxB,kBAAkB,EAAE,QAAQ;EAC5B,OAAO,EAAE,QAAQ;EACjB,WAAW,EAAE,QAAQ;EACrB,qBAAqB,EAAE,QAAQ;EAC/B,mBAAmB,EAAE,QAAQ;EAC7B,gBAAgB,EAAE,QAAQ;EAC1B,iBAAiB,EAAE,QAAQ;EAC3B,OAAO,EAAE,QAAQ;EACjB,mBAAmB,EAAE,QAAQ;EAC7B,oBAAoB,EAAE,QAAQ;EAC9B,iBAAiB,EAAE,QAAQ;EAC3B,OAAO,EAAE,QAAQ;EACjB,kBAAkB,EAAE,QAAQ;EAC5B,oBAAoB,EAAE,QAAQ;EAC9B,SAAS,EAAE,QAAQ;EACnB,KAAK,EAAE,QAAQ;EACf,cAAc,EAAE,QAAQ;EACxB,YAAY,EAAE,QAAQ;EACtB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,cAAc;EACrB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,IAAI,EAAE,QAAQ;EACd,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,kBAAkB,EAAE,QAAQ;EAC5B,sBAAsB,EAAE,QAAQ;EAChC,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,YAAY,EAAE,QAAQ;EACtB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,aAAa,EAAE,QAAQ;EACvB,mBAAmB,EAAE,QAAQ;EAC7B,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,aAAa,EAAE,QAAQ;EACvB,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,cAAc,EAAE,QAAQ;EACxB,IAAI,EAAE,QAAQ;EACd,cAAc,EAAE,QAAQ;EACxB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,cAAc;EACrB,mBAAmB,EAAE,QAAQ;EAC7B,uBAAuB,EAAE,QAAQ;EACjC,aAAa,EAAE,QAAQ;EACvB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,YAAY,EAAE,QAAQ;EACtB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,IAAI,EAAE,QAAQ;EACd,IAAI,EAAE,QAAQ;EACd,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,cAAc;EACrB,IAAI,EAAE,QAAQ;EACd,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,cAAc;EACtB,cAAc,EAAE,QAAQ;EACxB,IAAI,EAAE,QAAQ;EACd,KAAK,EAAE,QAAQ;EACf,kBAAkB,EAAE,QAAQ;EAC5B,KAAK,EAAE,QAAQ;EACf,WAAW,EAAE,QAAQ;EACrB,kBAAkB,EAAE,QAAQ;EAC5B,IAAI,EAAE,QAAQ;EACd,MAAM,EAAE,QAAQ;EAChB,gBAAgB,EAAE,QAAQ;EAC1B,aAAa,EAAE,QAAQ;EACvB,IAAI,EAAE,QAAQ;EACd,SAAS,EAAE,QAAQ;EACnB,mBAAmB,EAAE,QAAQ;EAC7B,UAAU,EAAE,QAAQ;EACpB,KAAK,EAAE,QAAQ;EACf,cAAc,EAAE,QAAQ;EACxB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,cAAc;EACtB,IAAI,EAAE,QAAQ;EACd,sBAAsB,EAAE,QAAQ;EAChC,IAAI,EAAE,QAAQ;EACd,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,eAAe,EAAE,QAAQ;EACzB,cAAc,EAAE,QAAQ;EACxB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,aAAa,EAAE,QAAQ;EACvB,gBAAgB,EAAE,QAAQ;EAC1B,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,WAAW,EAAE,QAAQ;EACrB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,QAAQ;EACf,IAAI,EAAE,QAAQ;EACd,OAAO,EAAE,QAAQ;EACjB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,YAAY,EAAE,QAAQ;EACtB,IAAI,EAAE,QAAQ;EACd,KAAK,EAAE,QAAQ;EACf,UAAU,EAAE,QAAQ;EACpB,KAAK,EAAE,QAAQ;EACf,cAAc,EAAE,QAAQ;EACxB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,gBAAgB,EAAE,QAAQ;EAC1B,IAAI,EAAE,QAAQ;EACd,gBAAgB,EAAE,QAAQ;EAC1B,IAAI,EAAE,QAAQ;EACd,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,cAAc;EACrB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,cAAc;EACrB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,QAAQ;EAChB,IAAI,EAAE,QAAQ;EACd,IAAI,EAAE,QAAQ;EACd,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,YAAY,EAAE,QAAQ;EACtB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,kBAAkB,EAAE,QAAQ;EAC5B,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,kBAAkB,EAAE,QAAQ;EAC5B,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,WAAW,EAAE,QAAQ;EACrB,gBAAgB,EAAE,QAAQ;EAC1B,MAAM,EAAE,QAAQ;EAChB,WAAW,EAAE,QAAQ;EACrB,OAAO,EAAE,QAAQ;EACjB,cAAc,EAAE,QAAQ;EACxB,OAAO,EAAE,QAAQ;EACjB,qBAAqB,EAAE,QAAQ;EAC/B,iBAAiB,EAAE,QAAQ;EAC3B,OAAO,EAAE,QAAQ;EACjB,aAAa,EAAE,QAAQ;EACvB,OAAO,EAAE,QAAQ;EACjB,mBAAmB,EAAE,QAAQ;EAC7B,OAAO,EAAE,QAAQ;EACjB,mBAAmB,EAAE,QAAQ;EAC7B,gBAAgB,EAAE,QAAQ;EAC1B,OAAO,EAAE,QAAQ;EACjB,iBAAiB,EAAE,QAAQ;EAC3B,mBAAmB,EAAE,QAAQ;EAC7B,WAAW,EAAE,QAAQ;EACrB,QAAQ,EAAE,QAAQ;EAClB,gBAAgB,EAAE,QAAQ;EAC1B,MAAM,EAAE,QAAQ;EAChB,gBAAgB,EAAE,QAAQ;EAC1B,iBAAiB,EAAE,QAAQ;EAC3B,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,cAAc,EAAE,QAAQ;EACxB,YAAY,EAAE,QAAQ;EACtB,eAAe,EAAE,QAAQ;EACzB,cAAc,EAAE,QAAQ;EACxB,iBAAiB,EAAE,QAAQ;EAC3B,OAAO,EAAE,QAAQ;EACjB,iBAAiB,EAAE,QAAQ;EAC3B,mBAAmB,EAAE,QAAQ;EAC7B,OAAO,EAAE,QAAQ;EACjB,gBAAgB,EAAE,QAAQ;EAC1B,kBAAkB,EAAE,QAAQ;EAC5B,iBAAiB,EAAE,QAAQ;EAC3B,cAAc,EAAE,QAAQ;EACxB,OAAO,EAAE,QAAQ;EACjB,eAAe,EAAE,QAAQ;EACzB,iBAAiB,EAAE,QAAQ;EAC3B,YAAY,EAAE,QAAQ;EACtB,eAAe,EAAE,QAAQ;EACzB,OAAO,EAAE,QAAQ;EACjB,eAAe,EAAE,QAAQ;EACzB,kBAAkB,EAAE,QAAQ;EAC5B,KAAK,EAAE,QAAQ;EACf,WAAW,EAAE,QAAQ;EACrB,eAAe,EAAE,QAAQ;EACzB,IAAI,EAAE,QAAQ;EACd,MAAM,EAAE,QAAQ;EAChB,aAAa,EAAE,QAAQ;EACvB,SAAS,EAAE,QAAQ;EACnB,IAAI,EAAE,QAAQ;EACd,UAAU,EAAE,QAAQ;EACpB,gBAAgB,EAAE,QAAQ;EAC1B,UAAU,EAAE,QAAQ;EACpB,KAAK,EAAE,QAAQ;EACf,WAAW,EAAE,QAAQ;EACrB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,cAAc;EACrB,IAAI,EAAE,QAAQ;EACd,YAAY,EAAE,QAAQ;EACtB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,eAAe,EAAE,QAAQ;EACzB,eAAe,EAAE,QAAQ;EACzB,OAAO,EAAE,QAAQ;EACjB,oBAAoB,EAAE,QAAQ;EAC9B,oBAAoB,EAAE,QAAQ;EAC9B,OAAO,EAAE,QAAQ;EACjB,gBAAgB,EAAE,QAAQ;EAC1B,gBAAgB,EAAE,QAAQ;EAC1B,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,gBAAgB,EAAE,QAAQ;EAC1B,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,iBAAiB,EAAE,QAAQ;EAC3B,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,IAAI,EAAE,QAAQ;EACd,gBAAgB,EAAE,QAAQ;EAC1B,IAAI,EAAE,QAAQ;EACd,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,QAAQ;EACf,aAAa,EAAE,QAAQ;EACvB,WAAW,EAAE,QAAQ;EACrB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,cAAc;EACrB,WAAW,EAAE,QAAQ;EACrB,QAAQ,EAAE,QAAQ;EAClB,IAAI,EAAE,QAAQ;EACd,MAAM,EAAE,cAAc;EACtB,IAAI,EAAE,QAAQ;EACd,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,qBAAqB,EAAE,QAAQ;EAC/B,oBAAoB,EAAE,QAAQ;EAC9B,mBAAmB,EAAE,QAAQ;EAC7B,uBAAuB,EAAE,QAAQ;EACjC,gBAAgB,EAAE,QAAQ;EAC1B,SAAS,EAAE,QAAQ;EACnB,KAAK,EAAE,cAAc;EACrB,SAAS,EAAE,QAAQ;EACnB,kBAAkB,EAAE,QAAQ;EAC5B,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,UAAU,EAAE,QAAQ;EACpB,KAAK,EAAE,QAAQ;EACf,cAAc,EAAE,QAAQ;EACxB,QAAQ,EAAE,QAAQ;EAClB,WAAW,EAAE,QAAQ;EACrB,sBAAsB,EAAE,QAAQ;EAChC,MAAM,EAAE,QAAQ;EAChB,WAAW,EAAE,QAAQ;EACrB,gBAAgB,EAAE,QAAQ;EAC1B,OAAO,EAAE,QAAQ;EACjB,YAAY,EAAE,QAAQ;EACtB,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,UAAU,EAAE,QAAQ;EACpB,IAAI,EAAE,QAAQ;EACd,eAAe,EAAE,cAAc;EAC/B,OAAO,EAAE,cAAc;EACvB,WAAW,EAAE,QAAQ;EACrB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,YAAY,EAAE,QAAQ;EACtB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,iBAAiB,EAAE,QAAQ;EAC3B,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,qBAAqB,EAAE,cAAc;EACrC,KAAK,EAAE,cAAc;EACrB,OAAO,EAAE,cAAc;EACvB,mBAAmB,EAAE,cAAc;EACnC,MAAM,EAAE,cAAc;EACtB,gBAAgB,EAAE,QAAQ;EAC1B,MAAM,EAAE,QAAQ;EAChB,sBAAsB,EAAE,cAAc;EACtC,WAAW,EAAE,cAAc;EAC3B,MAAM,EAAE,cAAc;EACtB,iBAAiB,EAAE,QAAQ;EAC3B,OAAO,EAAE,QAAQ;EACjB,iBAAiB,EAAE,cAAc;EACjC,OAAO,EAAE,cAAc;EACvB,cAAc,EAAE,cAAc;EAC9B,QAAQ,EAAE,cAAc;EACxB,iBAAiB,EAAE,QAAQ;EAC3B,OAAO,EAAE,QAAQ;EACjB,eAAe,EAAE,QAAQ;EACzB,oBAAoB,EAAE,cAAc;EACpC,sBAAsB,EAAE,QAAQ;EAChC,QAAQ,EAAE,QAAQ;EAClB,iBAAiB,EAAE,QAAQ;EAC3B,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,cAAc,EAAE,QAAQ;EACxB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,gBAAgB,EAAE,QAAQ;EAC1B,MAAM,EAAE,QAAQ;EAChB,aAAa,EAAE,cAAc;EAC7B,MAAM,EAAE,cAAc;EACtB,mBAAmB,EAAE,cAAc;EACnC,WAAW,EAAE,cAAc;EAC3B,MAAM,EAAE,cAAc;EACtB,cAAc,EAAE,QAAQ;EACxB,OAAO,EAAE,QAAQ;EACjB,yBAAyB,EAAE,cAAc;EACzC,mBAAmB,EAAE,cAAc;EACnC,aAAa,EAAE,QAAQ;EACvB,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,kBAAkB,EAAE,cAAc;EAClC,MAAM,EAAE,cAAc;EACtB,SAAS,EAAE,cAAc;EACzB,uBAAuB,EAAE,QAAQ;EACjC,QAAQ,EAAE,QAAQ;EAClB,mBAAmB,EAAE,QAAQ;EAC7B,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,kBAAkB,EAAE,QAAQ;EAC5B,OAAO,EAAE,QAAQ;EACjB,gBAAgB,EAAE,QAAQ;EAC1B,qBAAqB,EAAE,cAAc;EACrC,uBAAuB,EAAE,QAAQ;EACjC,QAAQ,EAAE,QAAQ;EAClB,kBAAkB,EAAE,QAAQ;EAC5B,iBAAiB,EAAE,cAAc;EACjC,sBAAsB,EAAE,QAAQ;EAChC,SAAS,EAAE,QAAQ;EACnB,mBAAmB,EAAE,cAAc;EACnC,wBAAwB,EAAE,QAAQ;EAClC,SAAS,EAAE,QAAQ;EACnB,WAAW,EAAE,cAAc;EAC3B,SAAS,EAAE,cAAc;EACzB,OAAO,EAAE,cAAc;EACvB,gBAAgB,EAAE,QAAQ;EAC1B,OAAO,EAAE,QAAQ;EACjB,WAAW,EAAE,QAAQ;EACrB,aAAa,EAAE,QAAQ;EACvB,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,kBAAkB,EAAE,cAAc;EAClC,MAAM,EAAE,cAAc;EACtB,SAAS,EAAE,cAAc;EACzB,uBAAuB,EAAE,QAAQ;EACjC,QAAQ,EAAE,QAAQ;EAClB,kBAAkB,EAAE,cAAc;EAClC,aAAa,EAAE,cAAc;EAC7B,SAAS,EAAE,cAAc;EACzB,OAAO,EAAE,cAAc;EACvB,kBAAkB,EAAE,QAAQ;EAC5B,OAAO,EAAE,QAAQ;EACjB,WAAW,EAAE,QAAQ;EACrB,UAAU,EAAE,QAAQ;EACpB,MAAM,EAAE,QAAQ;EAChB,eAAe,EAAE,QAAQ;EACzB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,mBAAmB,EAAE,QAAQ;EAC7B,OAAO,EAAE,QAAQ;EACjB,eAAe,EAAE,QAAQ;EACzB,KAAK,EAAE,QAAQ;EACf,SAAS,EAAE,QAAQ;EACnB,gBAAgB,EAAE,QAAQ;EAC1B,MAAM,EAAE,QAAQ;EAChB,WAAW,EAAE,QAAQ;EACrB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,IAAI,EAAE,QAAQ;EACd,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,cAAc;EACrB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,cAAc;EACtB,sBAAsB,EAAE,QAAQ;EAChC,OAAO,EAAE,QAAQ;EACjB,gBAAgB,EAAE,QAAQ;EAC1B,OAAO,EAAE,QAAQ;EACjB,IAAI,EAAE,QAAQ;EACd,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,WAAW,EAAE,QAAQ;EACrB,aAAa,EAAE,QAAQ;EACvB,MAAM,EAAE,QAAQ;EAChB,iBAAiB,EAAE,QAAQ;EAC3B,UAAU,EAAE,QAAQ;EACpB,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,cAAc;EACrB,KAAK,EAAE,QAAQ;EACf,IAAI,EAAE,QAAQ;EACd,WAAW,EAAE,QAAQ;EACrB,QAAQ,EAAE,QAAQ;EAClB,IAAI,EAAE,QAAQ;EACd,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,IAAI,EAAE,QAAQ;EACd,UAAU,EAAE,QAAQ;EACpB,IAAI,EAAE,QAAQ;EACd,MAAM,EAAE,QAAQ;EAChB,eAAe,EAAE,QAAQ;EACzB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,oBAAoB,EAAE,QAAQ;EAC9B,OAAO,EAAE,QAAQ;EACjB,aAAa,EAAE,QAAQ;EACvB,eAAe,EAAE,QAAQ;EACzB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,QAAQ;EAChB,cAAc,EAAE,QAAQ;EACxB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,WAAW,EAAE,QAAQ;EACrB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,cAAc;EACrB,MAAM,EAAE,QAAQ;EAChB,WAAW,EAAE,QAAQ;EACrB,MAAM,EAAE,cAAc;EACtB,OAAO,EAAE,QAAQ;EACjB,UAAU,EAAE,QAAQ;EACpB,KAAK,EAAE,QAAQ;EACf,UAAU,EAAE,QAAQ;EACpB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,mBAAmB,EAAE,QAAQ;EAC7B,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,IAAI,EAAE,QAAQ;EACd,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,UAAU,EAAE,QAAQ;EACpB,gBAAgB,EAAE,QAAQ;EAC1B,UAAU,EAAE,QAAQ;EACpB,IAAI,EAAE,QAAQ;EACd,KAAK,EAAE,QAAQ;EACf,oBAAoB,EAAE,QAAQ;EAC9B,mBAAmB,EAAE,QAAQ;EAC7B,OAAO,EAAE,QAAQ;EACjB,sBAAsB,EAAE,QAAQ;EAChC,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,mBAAmB,EAAE,QAAQ;EAC7B,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,YAAY,EAAE,QAAQ;EACtB,iBAAiB,EAAE,QAAQ;EAC3B,MAAM,EAAE,QAAQ;EAChB,YAAY,EAAE,QAAQ;EACtB,OAAO,EAAE,QAAQ;EACjB,eAAe,EAAE,QAAQ;EACzB,OAAO,EAAE,QAAQ;EACjB,qBAAqB,EAAE,QAAQ;EAC/B,iBAAiB,EAAE,QAAQ;EAC3B,OAAO,EAAE,QAAQ;EACjB,cAAc,EAAE,QAAQ;EACxB,OAAO,EAAE,QAAQ;EACjB,oBAAoB,EAAE,QAAQ;EAC9B,OAAO,EAAE,QAAQ;EACjB,oBAAoB,EAAE,QAAQ;EAC9B,iBAAiB,EAAE,QAAQ;EAC3B,OAAO,EAAE,QAAQ;EACjB,kBAAkB,EAAE,QAAQ;EAC5B,oBAAoB,EAAE,QAAQ;EAC9B,YAAY,EAAE,QAAQ;EACtB,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,OAAO,EAAE,QAAQ;EACjB,eAAe,EAAE,QAAQ;EACzB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,gBAAgB,EAAE,QAAQ;EAC1B,eAAe,EAAE,QAAQ;EACzB,kBAAkB,EAAE,QAAQ;EAC5B,OAAO,EAAE,QAAQ;EACjB,kBAAkB,EAAE,QAAQ;EAC5B,oBAAoB,EAAE,QAAQ;EAC9B,OAAO,EAAE,QAAQ;EACjB,iBAAiB,EAAE,QAAQ;EAC3B,mBAAmB,EAAE,QAAQ;EAC7B,kBAAkB,EAAE,QAAQ;EAC5B,eAAe,EAAE,QAAQ;EACzB,OAAO,EAAE,QAAQ;EACjB,gBAAgB,EAAE,QAAQ;EAC1B,kBAAkB,EAAE,QAAQ;EAC5B,aAAa,EAAE,QAAQ;EACvB,OAAO,EAAE,QAAQ;EACjB,gBAAgB,EAAE,QAAQ;EAC1B,gBAAgB,EAAE,QAAQ;EAC1B,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,cAAc,EAAE,QAAQ;EACxB,aAAa,EAAE,QAAQ;EACvB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,SAAS,EAAE,QAAQ;EACnB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,QAAQ;EACf,aAAa,EAAE,QAAQ;EACvB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,IAAI,EAAE,QAAQ;EACd,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,cAAc;EACrB,cAAc,EAAE,QAAQ;EACxB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,QAAQ;EAChB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,aAAa,EAAE,QAAQ;EACvB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,oBAAoB,EAAE,QAAQ;EAC9B,OAAO,EAAE,QAAQ;EACjB,cAAc,EAAE,QAAQ;EACxB,OAAO,EAAE,QAAQ;EACjB,UAAU,EAAE,QAAQ;EACpB,mBAAmB,EAAE,QAAQ;EAC7B,QAAQ,EAAE,QAAQ;EAClB,YAAY,EAAE,QAAQ;EACtB,gBAAgB,EAAE,QAAQ;EAC1B,OAAO,EAAE,QAAQ;EACjB,UAAU,EAAE,QAAQ;EACpB,qBAAqB,EAAE,QAAQ;EAC/B,QAAQ,EAAE,QAAQ;EAClB,YAAY,EAAE,QAAQ;EACtB,aAAa,EAAE,QAAQ;EACvB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,aAAa,EAAE,QAAQ;EACvB,MAAM,EAAE,QAAQ;EAChB,UAAU,EAAE,QAAQ;EACpB,UAAU,EAAE,QAAQ;EACpB,IAAI,EAAE,QAAQ;EACd,MAAM,EAAE,QAAQ;EAChB,eAAe,EAAE,QAAQ;EACzB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,oBAAoB,EAAE,QAAQ;EAC9B,OAAO,EAAE,QAAQ;EACjB,aAAa,EAAE,QAAQ;EACvB,eAAe,EAAE,QAAQ;EACzB,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,eAAe,EAAE,QAAQ;EACzB,MAAM,EAAE,QAAQ;EAChB,UAAU,EAAE,QAAQ;EACpB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,cAAc;EACrB,WAAW,EAAE,QAAQ;EACrB,QAAQ,EAAE,QAAQ;EAClB,WAAW,EAAE,QAAQ;EACrB,OAAO,EAAE,QAAQ;EACjB,YAAY,EAAE,cAAc;EAC5B,WAAW,EAAE,QAAQ;EACrB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,YAAY,EAAE,QAAQ;EACtB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,gBAAgB,EAAE,QAAQ;EAC1B,MAAM,EAAE,QAAQ;EAChB,YAAY,EAAE,QAAQ;EACtB,IAAI,EAAE,QAAQ;EACd,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,aAAa,EAAE,QAAQ;EACvB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,WAAW,EAAE,QAAQ;EACrB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,UAAU,EAAE,QAAQ;EACpB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,cAAc;EACrB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,YAAY,EAAE,QAAQ;EACtB,cAAc,EAAE,QAAQ;EACxB,MAAM,EAAE,QAAQ;EAChB,kBAAkB,EAAE,QAAQ;EAC5B,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,WAAW,EAAE,QAAQ;EACrB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,YAAY,EAAE,QAAQ;EACtB,kBAAkB,EAAE,QAAQ;EAC5B,OAAO,EAAE,QAAQ;EACjB,aAAa,EAAE,QAAQ;EACvB,aAAa,EAAE,QAAQ;EACvB,MAAM,EAAE,QAAQ;EAChB,eAAe,EAAE,QAAQ;EACzB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,YAAY,EAAE,QAAQ;EACtB,UAAU,EAAE,QAAQ;EACpB,gBAAgB,EAAE,QAAQ;EAC1B,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,iBAAiB,EAAE,QAAQ;EAC3B,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,aAAa,EAAE,QAAQ;EACvB,KAAK,EAAE,QAAQ;EACf,UAAU,EAAE,QAAQ;EACpB,MAAM,EAAE,QAAQ;EAChB,cAAc,EAAE,QAAQ;EACxB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,mBAAmB,EAAE,QAAQ;EAC7B,eAAe,EAAE,QAAQ;EACzB,IAAI,EAAE,QAAQ;EACd,QAAQ,EAAE,QAAQ;EAClB,eAAe,EAAE,QAAQ;EACzB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,cAAc;EACrB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,cAAc;EACrB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,cAAc;EACtB,KAAK,EAAE,cAAc;EACrB,IAAI,EAAE,QAAQ;EACd,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,cAAc;EACrB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,UAAU,EAAE,QAAQ;EACpB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,IAAI,EAAE,QAAQ;EACd,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,cAAc;EACrB,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,cAAc;EACrB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,UAAU,EAAE,QAAQ;EACpB,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,eAAe,EAAE,QAAQ;EACzB,UAAU,EAAE,QAAQ;EACpB,UAAU,EAAE,QAAQ;EACpB,UAAU,EAAE,QAAQ;EACpB,UAAU,EAAE,QAAQ;EACpB,UAAU,EAAE,QAAQ;EACpB,UAAU,EAAE,QAAQ;EACpB,UAAU,EAAE,QAAQ;EACpB,UAAU,EAAE,QAAQ;EACpB,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,UAAU,EAAE,QAAQ;EACpB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,UAAU,EAAE,QAAQ;EACpB,OAAO,EAAE,QAAQ;EACjB,aAAa,EAAE,QAAQ;EACvB,OAAO,EAAE,QAAQ;EACjB,WAAW,EAAE,QAAQ;EACrB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,QAAQ;EAChB,WAAW,EAAE,QAAQ;EACrB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,UAAU,EAAE,QAAQ;EACpB,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,cAAc;EACrB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,WAAW,EAAE,QAAQ;EACrB,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,iBAAiB,EAAE,QAAQ;EAC3B,OAAO,EAAE,QAAQ;EACjB,eAAe,EAAE,QAAQ;EACzB,OAAO,EAAE,QAAQ;EACjB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,cAAc,EAAE,QAAQ;EACxB,MAAM,EAAE,QAAQ;EAChB,eAAe,EAAE,QAAQ;EACzB,OAAO,EAAE,QAAQ;EACjB,mBAAmB,EAAE,QAAQ;EAC7B,OAAO,EAAE,QAAQ;EACjB,mBAAmB,EAAE,QAAQ;EAC7B,OAAO,EAAE,QAAQ;EACjB,oBAAoB,EAAE,QAAQ;EAC9B,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,cAAc;EACrB,SAAS,EAAE,cAAc;EACzB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,cAAc;EACtB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,UAAU,EAAE,QAAQ;EACpB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,cAAc;EACtB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,QAAQ;EAChB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,cAAc;EACrB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,WAAW,EAAE,QAAQ;EACrB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,iBAAiB,EAAE,QAAQ;EAC3B,OAAO,EAAE,QAAQ;EACjB,kBAAkB,EAAE,QAAQ;EAC5B,OAAO,EAAE,QAAQ;EACjB,UAAU,EAAE,QAAQ;EACpB,IAAI,EAAE,QAAQ;EACd,YAAY,EAAE,QAAQ;EACtB,MAAM,EAAE,QAAQ;EAChB,aAAa,EAAE,QAAQ;EACvB,MAAM,EAAE,QAAQ;EAChB,aAAa,EAAE,QAAQ;EACvB,OAAO,EAAE,QAAQ;EACjB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,UAAU,EAAE,QAAQ;EACpB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,YAAY,EAAE,QAAQ;EACtB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,aAAa,EAAE,QAAQ;EACvB,OAAO,EAAE,QAAQ;EACjB,aAAa,EAAE,QAAQ;EACvB,QAAQ,EAAE,QAAQ;EAClB,gBAAgB,EAAE,QAAQ;EAC1B,SAAS,EAAE,QAAQ;EACnB,KAAK,EAAE,QAAQ;EACf,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,iBAAiB,EAAE,QAAQ;EAC3B,SAAS,EAAE,QAAQ;EACnB,UAAU,EAAE,QAAQ;EACpB,OAAO,EAAE,QAAQ;EACjB,YAAY,EAAE,QAAQ;EACtB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,gBAAgB,EAAE,QAAQ;EAC1B,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,cAAc;EACrB,aAAa,EAAE,QAAQ;EACvB,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,eAAe,EAAE,QAAQ;EACzB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,cAAc;EACtB,UAAU,EAAE,QAAQ;EACpB,MAAM,EAAE,QAAQ;EAChB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,QAAQ,EAAE,QAAQ;EAClB,WAAW,EAAE,QAAQ;EACrB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,cAAc,EAAE,QAAQ;EACxB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,QAAQ;EAChB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,eAAe,EAAE,QAAQ;EACzB,KAAK,EAAE,cAAc;EACrB,IAAI,EAAE,QAAQ;EACd,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,YAAY,EAAE,QAAQ;EACtB,QAAQ,EAAE,QAAQ;EAClB,IAAI,EAAE,QAAQ;EACd,UAAU,EAAE,QAAQ;EACpB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,QAAQ;EACf,aAAa,EAAE,QAAQ;EACvB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,YAAY,EAAE,QAAQ;EACtB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,iBAAiB,EAAE,QAAQ;EAC3B,YAAY,EAAE,QAAQ;EACtB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,SAAS,EAAE,QAAQ;EACnB,UAAU,EAAE,QAAQ;EACpB,OAAO,EAAE,QAAQ;EACjB,cAAc,EAAE,QAAQ;EACxB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,cAAc;EACrB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,cAAc;EACvB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,QAAQ;EAChB,WAAW,EAAE,QAAQ;EACrB,OAAO,EAAE,QAAQ;EACjB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,cAAc;EACtB,KAAK,EAAE,QAAQ;EACf,YAAY,EAAE,QAAQ;EACtB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,WAAW,EAAE,QAAQ;EACrB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,UAAU,EAAE,QAAQ;EACpB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,cAAc;EACrB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,UAAU,EAAE,QAAQ;EACpB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,QAAQ,EAAE,QAAQ;EAClB,WAAW,EAAE,cAAc;EAC3B,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,qBAAqB,EAAE,QAAQ;EAC/B,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,WAAW,EAAE,QAAQ;EACrB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,cAAc;EACrB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,eAAe,EAAE,QAAQ;EACzB,QAAQ,EAAE,QAAQ;EAClB,gBAAgB,EAAE,QAAQ;EAC1B,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,cAAc;EACrB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,UAAU,EAAE,QAAQ;EACpB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,cAAc;EACtB,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,cAAc;EACrB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,cAAc;EACrB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,YAAY,EAAE,QAAQ;EACtB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,YAAY,EAAE,QAAQ;EACtB,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,eAAe,EAAE,QAAQ;EACzB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,QAAQ,EAAE,QAAQ;EAClB,eAAe,EAAE,QAAQ;EACzB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,cAAc;EACvB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,SAAS,EAAE,QAAQ;EACnB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,SAAS,EAAE,QAAQ;EACnB,UAAU,EAAE,QAAQ;EACpB,MAAM,EAAE,QAAQ;EAChB,IAAI,EAAE,QAAQ;EACd,KAAK,EAAE,QAAQ;EACf,gBAAgB,EAAE,QAAQ;EAC1B,OAAO,EAAE,QAAQ;EACjB,gBAAgB,EAAE,QAAQ;EAC1B,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,UAAU,EAAE,QAAQ;EACpB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,cAAc;EACrB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,YAAY,EAAE,QAAQ;EACtB,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,UAAU,EAAE,QAAQ;EACpB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,YAAY,EAAE,QAAQ;EACtB,MAAM,EAAE,QAAQ;EAChB,gBAAgB,EAAE,QAAQ;EAC1B,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,cAAc;EACtB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,cAAc,EAAE,QAAQ;EACxB,UAAU,EAAE,QAAQ;EACpB,SAAS,EAAE,QAAQ;EACnB,WAAW,EAAE,cAAc;EAC3B,MAAM,EAAE,cAAc;EACtB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,SAAS,EAAE,QAAQ;EACnB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,cAAc;EACrB,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,cAAc;EACtB,IAAI,EAAE,QAAQ;EACd,UAAU,EAAE,QAAQ;EACpB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,cAAc;EACrB,KAAK,EAAE,cAAc;EACrB,YAAY,EAAE,QAAQ;EACtB,OAAO,EAAE,QAAQ;EACjB,iBAAiB,EAAE,QAAQ;EAC3B,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,cAAc;EACrB,KAAK,EAAE,cAAc;EACrB,aAAa,EAAE,QAAQ;EACvB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,cAAc;EACtB,OAAO,EAAE,cAAc;EACvB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,cAAc;EAC1B,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,cAAc;EACvB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,cAAc;EACrB,OAAO,EAAE,QAAQ;EACjB,iBAAiB,EAAE,QAAQ;EAC3B,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,cAAc;EACrB,OAAO,EAAE,cAAc;EACvB,OAAO,EAAE,QAAQ;EACjB,YAAY,EAAE,QAAQ;EACtB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,cAAc;EACtB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,cAAc;EACxB,UAAU,EAAE,cAAc;EAC1B,SAAS,EAAE,QAAQ;EACnB,SAAS,EAAE,QAAQ;EACnB,SAAS,EAAE,QAAQ;EACnB,SAAS,EAAE,QAAQ;EACnB,QAAQ,EAAE,cAAc;EACxB,OAAO,EAAE,cAAc;EACvB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,aAAa,EAAE,QAAQ;EACvB,QAAQ,EAAE,cAAc;EACxB,QAAQ,EAAE,cAAc;EACxB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,cAAc;EACvB,YAAY,EAAE,cAAc;EAC5B,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,cAAc;EACvB,YAAY,EAAE,cAAc;EAC5B,QAAQ,EAAE,QAAQ;EAClB,IAAI,EAAE,QAAQ;EACd,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,cAAc;EACtB,SAAS,EAAE,QAAQ;EACnB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,cAAc;EACtB,SAAS,EAAE,cAAc;EACzB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,cAAc;EACzB,OAAO,EAAE,cAAc;EACvB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,cAAc;EACrB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,IAAI,EAAE,QAAQ;EACd,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,SAAS,EAAE,QAAQ;EACnB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,KAAK,EAAE,cAAc;EACrB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,aAAa,EAAE,QAAQ;EACvB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,IAAI,EAAE,QAAQ;EACd,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,QAAQ;EAChB,UAAU,EAAE,QAAQ;EACpB,SAAS,EAAE,QAAQ;EACnB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,SAAS,EAAE,QAAQ;EACnB,UAAU,EAAE,QAAQ;EACpB,MAAM,EAAE,cAAc;EACtB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,YAAY,EAAE,QAAQ;EACtB,aAAa,EAAE,QAAQ;EACvB,OAAO,EAAE,QAAQ;EACjB,UAAU,EAAE,QAAQ;EACpB,MAAM,EAAE,QAAQ;EAChB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,UAAU,EAAE,QAAQ;EACpB,UAAU,EAAE,QAAQ;EACpB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,cAAc;EACtB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,cAAc;EACrB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,cAAc;EACtB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,QAAQ,EAAE,QAAQ;EAClB,gBAAgB,EAAE,QAAQ;EAC1B,OAAO,EAAE,QAAQ;EACjB,iBAAiB,EAAE,QAAQ;EAC3B,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,SAAS,EAAE,QAAQ;EACnB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,cAAc;EACrB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,kBAAkB,EAAE,QAAQ;EAC5B,OAAO,EAAE,QAAQ;EACjB,iBAAiB,EAAE,QAAQ;EAC3B,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,YAAY,EAAE,QAAQ;EACtB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,eAAe,EAAE,QAAQ;EACzB,UAAU,EAAE,QAAQ;EACpB,SAAS,EAAE,QAAQ;EACnB,IAAI,EAAE,QAAQ;EACd,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,YAAY,EAAE,QAAQ;EACtB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,UAAU,EAAE,QAAQ;EACpB,OAAO,EAAE,QAAQ;EACjB,aAAa,EAAE,QAAQ;EACvB,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,UAAU,EAAE,QAAQ;EACpB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,cAAc;EACrB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,QAAQ;EACf,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,SAAS,EAAE,QAAQ;EACnB,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,cAAc;EACvB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,WAAW,EAAE,QAAQ;EACrB,QAAQ,EAAE,cAAc;EACxB,QAAQ,EAAE,cAAc;EACxB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,WAAW,EAAE,QAAQ;EACrB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,YAAY,EAAE,QAAQ;EACtB,OAAO,EAAE,QAAQ;EACjB,WAAW,EAAE,QAAQ;EACrB,SAAS,EAAE,QAAQ;EACnB,SAAS,EAAE,QAAQ;EACnB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,WAAW,EAAE,QAAQ;EACrB,QAAQ,EAAE,QAAQ;EAClB,SAAS,EAAE,QAAQ;EACnB,SAAS,EAAE,QAAQ;EACnB,SAAS,EAAE,QAAQ;EACnB,SAAS,EAAE,QAAQ;EACnB,SAAS,EAAE,QAAQ;EACnB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,YAAY,EAAE,QAAQ;EACtB,OAAO,EAAE,QAAQ;EACjB,WAAW,EAAE,QAAQ;EACrB,SAAS,EAAE,QAAQ;EACnB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,cAAc;EACrB,OAAO,EAAE,QAAQ;EACjB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,cAAc;EACtB,SAAS,EAAE,QAAQ;EACnB,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,MAAM,EAAE,QAAQ;EAChB,WAAW,EAAE,QAAQ;EACrB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,SAAS,EAAE,QAAQ;EACnB,UAAU,EAAE,QAAQ;EACpB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,cAAc;EACrB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,QAAQ;EAChB,SAAS,EAAE,QAAQ;EACnB,YAAY,EAAE,QAAQ;EACtB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,UAAU,EAAE,QAAQ;EACpB,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,OAAO,EAAE,QAAQ;EACjB,MAAM,EAAE,cAAc;EACtB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,cAAc,EAAE,cAAc;EAC9B,QAAQ,EAAE,cAAc;EACxB,eAAe,EAAE,cAAc;EAC/B,QAAQ,EAAE,cAAc;EACxB,cAAc,EAAE,cAAc;EAC9B,QAAQ,EAAE,cAAc;EACxB,eAAe,EAAE,cAAc;EAC/B,QAAQ,EAAE,cAAc;EACxB,KAAK,EAAE,QAAQ;EACf,QAAQ,EAAE,QAAQ;EAClB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,cAAc;EACrB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,cAAc;EACtB,SAAS,EAAE,QAAQ;EACnB,OAAO,EAAE,QAAQ;EACjB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,IAAI,EAAE,QAAQ;EACd,KAAK,EAAE,cAAc;EACrB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,cAAc;EACtB,KAAK,EAAE,cAAc;EACrB,IAAI,EAAE,QAAQ;EACd,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,cAAc;EACtB,QAAQ,EAAE,QAAQ;EAClB,MAAM,EAAE,QAAQ;EAChB,OAAO,EAAE,QAAQ;EACjB,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,QAAQ;EACf,KAAK,EAAE,cAAc;EACrB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,QAAQ,EAAE,QAAQ;EAClB,QAAQ,EAAE,QAAQ;EAClB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE,QAAQ;EAChB,MAAM,EAAE,QAAQ;EAChB,KAAK,EAAE,cAAc;EACrB,MAAM,EAAE,QAAQ;EAChB,SAAS,EAAE,QAAQ;EACnB,MAAM,EAAE,cAAc;EACtB,MAAM,EAAE,cAAc;EACtB,KAAK,EAAE,QAAQ;EACf,MAAM,EAAE;AACZ,CAAC;AACD;AACA;AACA;AACA,MAAMC,YAAY,GAAG,QAAQ;AAC7BD,cAAc,CAAC,MAAM,CAAC,GAAGC,YAAY;AAErC,MAAMC,UAAU,SAAShyC,UAAU,CAAC;EAChCjyC,WAAWA,CAACwiF,QAAQ,EAAE0B,SAAS,EAAElvD,IAAI,EAAE;IACnC,KAAK,CAACA,IAAI,EAAEwtD,QAAQ,CAAC;IACrB,IAAI,CAAC0B,SAAS,GAAGA,SAAS;EAC9B;AACJ;AACA,MAAMC,cAAc,CAAC;EACjBnkF,WAAWA,CAAC0xE,MAAM,EAAEr1B,MAAM,EAAE+nC,2BAA2B,EAAE;IACrD,IAAI,CAAC1S,MAAM,GAAGA,MAAM;IACpB,IAAI,CAACr1B,MAAM,GAAGA,MAAM;IACpB,IAAI,CAAC+nC,2BAA2B,GAAGA,2BAA2B;EAClE;AACJ;AACA,SAAS7S,QAAQA,CAACt8C,MAAM,EAAEra,GAAG,EAAEypE,gBAAgB,EAAEC,OAAO,GAAG,CAAC,CAAC,EAAE;EAC3D,MAAMC,SAAS,GAAG,IAAIC,UAAU,CAAC,IAAI5yC,eAAe,CAAC3c,MAAM,EAAEra,GAAG,CAAC,EAAEypE,gBAAgB,EAAEC,OAAO,CAAC;EAC7FC,SAAS,CAAChT,QAAQ,CAAC,CAAC;EACpB,OAAO,IAAI4S,cAAc,CAACM,eAAe,CAACF,SAAS,CAAC7S,MAAM,CAAC,EAAE6S,SAAS,CAACloC,MAAM,EAAEkoC,SAAS,CAACH,2BAA2B,CAAC;AACzH;AACA,MAAMM,kBAAkB,GAAG,QAAQ;AACnC,SAASC,4BAA4BA,CAACC,QAAQ,EAAE;EAC5C,MAAM5iF,IAAI,GAAG4iF,QAAQ,KAAKt4C,IAAI,GAAG,KAAK,GAAG76B,MAAM,CAACy/B,YAAY,CAAC0zC,QAAQ,CAAC;EACtE,OAAO,yBAAyB5iF,IAAI,GAAG;AAC3C;AACA,SAAS6iF,sBAAsBA,CAACC,SAAS,EAAE;EACvC,OAAO,mBAAmBA,SAAS,mDAAmD;AAC1F;AACA,SAASC,yBAAyBA,CAACn6E,IAAI,EAAEo6E,SAAS,EAAE;EAChD,OAAO,2BAA2BA,SAAS,OAAOp6E,IAAI,iDAAiD;AAC3G;AACA,IAAIq6E,sBAAsB;AAC1B,CAAC,UAAUA,sBAAsB,EAAE;EAC/BA,sBAAsB,CAAC,KAAK,CAAC,GAAG,aAAa;EAC7CA,sBAAsB,CAAC,KAAK,CAAC,GAAG,SAAS;AAC7C,CAAC,EAAEA,sBAAsB,KAAKA,sBAAsB,GAAG,CAAC,CAAC,CAAC,CAAC;AAC3D,MAAMC,iBAAiB,CAAC;EACpBllF,WAAWA,CAACuuB,KAAK,EAAE;IACf,IAAI,CAACA,KAAK,GAAGA,KAAK;EACtB;AACJ;AACA;AACA,MAAMi2D,UAAU,CAAC;EACb;AACJ;AACA;AACA;AACA;EACIxkF,WAAWA,CAACmlF,KAAK,EAAEC,iBAAiB,EAAEd,OAAO,EAAE;IAC3C,IAAI,CAACc,iBAAiB,GAAGA,iBAAiB;IAC1C,IAAI,CAACC,kBAAkB,GAAG,IAAI;IAC9B,IAAI,CAACC,iBAAiB,GAAG,IAAI;IAC7B,IAAI,CAACC,mBAAmB,GAAG,EAAE;IAC7B,IAAI,CAACC,gBAAgB,GAAG,KAAK;IAC7B,IAAI,CAAC9T,MAAM,GAAG,EAAE;IAChB,IAAI,CAACr1B,MAAM,GAAG,EAAE;IAChB,IAAI,CAAC+nC,2BAA2B,GAAG,EAAE;IACrC,IAAI,CAACqB,YAAY,GAAGnB,OAAO,CAACoB,sBAAsB,IAAI,KAAK;IAC3D,IAAI,CAACC,oBAAoB,GAAGrB,OAAO,CAACrO,mBAAmB,IAAI5pC,4BAA4B;IACvF,IAAI,CAACu5C,wBAAwB,GACzBtB,OAAO,CAACuB,kBAAkB,IAAIvB,OAAO,CAACuB,kBAAkB,CAAC/gF,GAAG,CAACmH,CAAC,IAAIA,CAAC,CAAC65E,WAAW,CAAC,CAAC,CAAC,IAAI,CAAC,CAAC;IAC5F,MAAM7rE,KAAK,GAAGqqE,OAAO,CAACrqE,KAAK,IAAI;MAAE8rE,MAAM,EAAEZ,KAAK,CAACp0D,OAAO,CAACpwB,MAAM;MAAEqlF,QAAQ,EAAE,CAAC;MAAE7lD,SAAS,EAAE,CAAC;MAAEC,QAAQ,EAAE;IAAE,CAAC;IACvG,IAAI,CAAC6lD,OAAO,GAAG3B,OAAO,CAAC/4B,aAAa,GAAG,IAAI26B,sBAAsB,CAACf,KAAK,EAAElrE,KAAK,CAAC,GAC3E,IAAIksE,oBAAoB,CAAChB,KAAK,EAAElrE,KAAK,CAAC;IAC1C,IAAI,CAACmsE,oBAAoB,GAAG9B,OAAO,CAAC+B,mBAAmB,IAAI,KAAK;IAChE,IAAI,CAACC,+BAA+B,GAAGhC,OAAO,CAACiC,8BAA8B,IAAI,KAAK;IACtF,IAAI,CAACC,eAAe,GAAGlC,OAAO,CAACmC,cAAc,IAAI,KAAK;IACtD,IAAI;MACA,IAAI,CAACR,OAAO,CAACS,IAAI,CAAC,CAAC;IACvB,CAAC,CACD,OAAOv6E,CAAC,EAAE;MACN,IAAI,CAACw6E,WAAW,CAACx6E,CAAC,CAAC;IACvB;EACJ;EACAy6E,uBAAuBA,CAAC71D,OAAO,EAAE;IAC7B,IAAI,IAAI,CAACq1D,oBAAoB,EAAE;MAC3B,OAAOr1D,OAAO;IAClB;IACA;IACA;IACA;IACA;IACA,OAAOA,OAAO,CAAC5uB,OAAO,CAACuiF,kBAAkB,EAAE,IAAI,CAAC;EACpD;EACAnT,QAAQA,CAAA,EAAG;IACP,OAAO,IAAI,CAAC0U,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAKtnC,IAAI,EAAE;MACjC,MAAMpX,KAAK,GAAG,IAAI,CAAC+wD,OAAO,CAAC5+E,KAAK,CAAC,CAAC;MAClC,IAAI;QACA,IAAI,IAAI,CAACw/E,gBAAgB,CAAC94C,GAAG,CAAC,EAAE;UAC5B,IAAI,IAAI,CAAC84C,gBAAgB,CAAC/5C,KAAK,CAAC,EAAE;YAC9B,IAAI,IAAI,CAAC+5C,gBAAgB,CAACl4C,SAAS,CAAC,EAAE;cAClC,IAAI,CAACm4C,aAAa,CAAC5xD,KAAK,CAAC;YAC7B,CAAC,MACI,IAAI,IAAI,CAAC2xD,gBAAgB,CAACn5C,MAAM,CAAC,EAAE;cACpC,IAAI,CAACq5C,eAAe,CAAC7xD,KAAK,CAAC;YAC/B,CAAC,MACI;cACD,IAAI,CAAC8xD,eAAe,CAAC9xD,KAAK,CAAC;YAC/B;UACJ,CAAC,MACI,IAAI,IAAI,CAAC2xD,gBAAgB,CAACj5C,MAAM,CAAC,EAAE;YACpC,IAAI,CAACq5C,gBAAgB,CAAC/xD,KAAK,CAAC;UAChC,CAAC,MACI;YACD,IAAI,CAACgyD,eAAe,CAAChyD,KAAK,CAAC;UAC/B;QACJ,CAAC,MACI,IAAI,IAAI,CAACsxD,eAAe,IAAI,IAAI,CAACW,WAAW,CAAC,IAAI,CAAC,EAAE;UACrD,IAAI,CAACC,sBAAsB,CAAClyD,KAAK,CAAC;QACtC,CAAC,MACI,IAAI,IAAI,CAACsxD,eAAe,IAAI,IAAI,CAACW,WAAW,CAAC,IAAI,CAAC,EAAE;UACrD,IAAI,CAACE,uBAAuB,CAACnyD,KAAK,CAAC;QACvC,CAAC,MACI,IAAI,IAAI,CAACsxD,eAAe,IAAI,IAAI,CAACW,WAAW,CAAC,IAAI,CAAC,EAAE;UACrD,IAAI,CAACG,aAAa,CAACpyD,KAAK,CAAC;QAC7B,CAAC,MACI,IAAI,EAAE,IAAI,CAACuwD,YAAY,IAAI,IAAI,CAAC8B,sBAAsB,CAAC,CAAC,CAAC,EAAE;UAC5D;UACA;UACA,IAAI,CAACC,yBAAyB,CAAC,CAAC,CAAC,sBAAsB,CAAC,CAAC,+BAA+B,MAAM,IAAI,CAACC,UAAU,CAAC,CAAC,EAAE,MAAM,IAAI,CAACC,WAAW,CAAC,CAAC,CAAC;QAC9I;MACJ,CAAC,CACD,OAAOv7E,CAAC,EAAE;QACN,IAAI,CAACw6E,WAAW,CAACx6E,CAAC,CAAC;MACvB;IACJ;IACA,IAAI,CAACw7E,WAAW,CAAC,EAAE,CAAC,mBAAmB,CAAC;IACxC,IAAI,CAACC,SAAS,CAAC,EAAE,CAAC;EACtB;EACAR,sBAAsBA,CAAClyD,KAAK,EAAE;IAC1B,IAAI,CAACyyD,WAAW,CAAC,EAAE,CAAC,wCAAwCzyD,KAAK,CAAC;IAClE,MAAM2yD,UAAU,GAAG,IAAI,CAAC5B,OAAO,CAAC5+E,KAAK,CAAC,CAAC;IACvC,IAAI,CAACygF,uBAAuB,CAAC13C,IAAI,IAAI,CAAC23C,eAAe,CAAC33C,IAAI,CAAC,CAAC;IAC5D,IAAI,CAACw3C,SAAS,CAAC,CAAC,IAAI,CAAC3B,OAAO,CAAC+B,QAAQ,CAACH,UAAU,CAAC,CAAC,CAAC;IACnD,IAAI,CAACI,uBAAuB,CAAC,CAAC;IAC9B,IAAI,CAACN,WAAW,CAAC,EAAE,CAAC,oCAAoC,CAAC;IACzD,IAAI,CAACO,gBAAgB,CAACr4C,OAAO,CAAC;IAC9B,IAAI,CAAC+3C,SAAS,CAAC,EAAE,CAAC;EACtB;EACAP,uBAAuBA,CAACnyD,KAAK,EAAE;IAC3B,IAAI,CAACyyD,WAAW,CAAC,EAAE,CAAC,mCAAmCzyD,KAAK,CAAC;IAC7D,MAAM2yD,UAAU,GAAG,IAAI,CAAC5B,OAAO,CAAC5+E,KAAK,CAAC,CAAC;IACvC,IAAI,CAACygF,uBAAuB,CAAC13C,IAAI,IAAI,CAAC23C,eAAe,CAAC33C,IAAI,CAAC,CAAC;IAC5D,MAAM3tC,IAAI,GAAG,IAAI,CAACwjF,OAAO,CAAC+B,QAAQ,CAACH,UAAU,CAAC;IAC9C,IAAI,CAACK,gBAAgB,CAACr4C,OAAO,CAAC;IAC9B,IAAI,CAAC+3C,SAAS,CAAC,CAACnlF,IAAI,CAAC,CAAC;EAC1B;EACA6kF,aAAaA,CAACpyD,KAAK,EAAE;IACjB,IAAI,CAACyyD,WAAW,CAAC,EAAE,CAAC,kCAAkCzyD,KAAK,CAAC;IAC5D,MAAM2yD,UAAU,GAAG,IAAI,CAAC5B,OAAO,CAAC5+E,KAAK,CAAC,CAAC;IACvC,IAAI,CAACygF,uBAAuB,CAAC13C,IAAI,IAAI,CAAC23C,eAAe,CAAC33C,IAAI,CAAC,CAAC;IAC5D,IAAI,CAACw3C,SAAS,CAAC,CAAC,IAAI,CAAC3B,OAAO,CAAC+B,QAAQ,CAACH,UAAU,CAAC,CAAC,CAAC;IACnD,IAAI,CAACI,uBAAuB,CAAC,CAAC;IAC9B,IAAI,CAACN,WAAW,CAAC,EAAE,CAAC,8BAA8B,CAAC;IACnD,IAAI,CAACO,gBAAgB,CAACr4C,OAAO,CAAC;IAC9B,IAAI,CAAC+3C,SAAS,CAAC,EAAE,CAAC;EACtB;EACAK,uBAAuBA,CAAA,EAAG;IACtB;IACA,IAAI,CAACH,uBAAuB,CAACK,oBAAoB,CAAC;IAClD,OAAO,IAAI,CAAClC,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAK/jC,OAAO,IAAI,IAAI,CAACo2C,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAKtnC,IAAI,EAAE;MACpE,IAAI,CAACq7C,WAAW,CAAC,EAAE,CAAC,+BAA+B,CAAC;MACpD,MAAMzyD,KAAK,GAAG,IAAI,CAAC+wD,OAAO,CAAC5+E,KAAK,CAAC,CAAC;MAClC,IAAI+gF,OAAO,GAAG,IAAI;MAClB,IAAIC,UAAU,GAAG,CAAC;MAClB;MACA;MACA,OAAQ,IAAI,CAACpC,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAK9lC,UAAU,IAAI,IAAI,CAACm4C,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAKtnC,IAAI,IACtE87C,OAAO,KAAK,IAAI,EAAE;QAClB,MAAMpmF,IAAI,GAAG,IAAI,CAACikF,OAAO,CAACrS,IAAI,CAAC,CAAC;QAChC;QACA,IAAI5xE,IAAI,KAAK4sC,UAAU,EAAE;UACrB,IAAI,CAACq3C,OAAO,CAAC7iE,OAAO,CAAC,CAAC;QAC1B,CAAC,MACI,IAAIphB,IAAI,KAAKomF,OAAO,EAAE;UACvBA,OAAO,GAAG,IAAI;QAClB,CAAC,MACI,IAAIA,OAAO,KAAK,IAAI,IAAI13C,OAAO,CAAC1uC,IAAI,CAAC,EAAE;UACxComF,OAAO,GAAGpmF,IAAI;QAClB,CAAC,MACI,IAAIA,IAAI,KAAK2tC,OAAO,IAAIy4C,OAAO,KAAK,IAAI,EAAE;UAC3CC,UAAU,EAAE;QAChB,CAAC,MACI,IAAIrmF,IAAI,KAAK6tC,OAAO,IAAIu4C,OAAO,KAAK,IAAI,EAAE;UAC3C,IAAIC,UAAU,KAAK,CAAC,EAAE;YAClB;UACJ,CAAC,MACI,IAAIA,UAAU,GAAG,CAAC,EAAE;YACrBA,UAAU,EAAE;UAChB;QACJ;QACA,IAAI,CAACpC,OAAO,CAAC7iE,OAAO,CAAC,CAAC;MAC1B;MACA,IAAI,CAACwkE,SAAS,CAAC,CAAC,IAAI,CAAC3B,OAAO,CAAC+B,QAAQ,CAAC9yD,KAAK,CAAC,CAAC,CAAC;MAC9C;MACA,IAAI,CAAC4yD,uBAAuB,CAACK,oBAAoB,CAAC;IACtD;EACJ;EACA;AACJ;AACA;AACA;EACIZ,sBAAsBA,CAAA,EAAG;IACrB,IAAI,IAAI,CAACe,oBAAoB,CAAC,CAAC,EAAE;MAC7B,IAAI,CAACC,0BAA0B,CAAC,CAAC;MACjC,OAAO,IAAI;IACf;IACA,IAAIC,oBAAoB,CAAC,IAAI,CAACvC,OAAO,CAACrS,IAAI,CAAC,CAAC,CAAC,IAAI,IAAI,CAAC6U,kBAAkB,CAAC,CAAC,EAAE;MACxE,IAAI,CAACC,0BAA0B,CAAC,CAAC;MACjC,OAAO,IAAI;IACf;IACA,IAAI,IAAI,CAACzC,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAK/jC,OAAO,EAAE;MACjC,IAAI,IAAI,CAAC84C,kBAAkB,CAAC,CAAC,EAAE;QAC3B,IAAI,CAACC,wBAAwB,CAAC,CAAC;QAC/B,OAAO,IAAI;MACf;MACA,IAAI,IAAI,CAACH,kBAAkB,CAAC,CAAC,EAAE;QAC3B,IAAI,CAACI,wBAAwB,CAAC,CAAC;QAC/B,OAAO,IAAI;MACf;IACJ;IACA,OAAO,KAAK;EAChB;EACAlB,WAAWA,CAAC/8E,IAAI,EAAEsqB,KAAK,GAAG,IAAI,CAAC+wD,OAAO,CAAC5+E,KAAK,CAAC,CAAC,EAAE;IAC5C,IAAI,CAACg+E,kBAAkB,GAAGnwD,KAAK;IAC/B,IAAI,CAACowD,iBAAiB,GAAG16E,IAAI;EACjC;EACAg9E,SAASA,CAACn+E,KAAK,EAAE0E,GAAG,EAAE;IAClB,IAAI,IAAI,CAACk3E,kBAAkB,KAAK,IAAI,EAAE;MAClC,MAAM,IAAIpB,UAAU,CAAC,mFAAmF,EAAE,IAAI,CAACqB,iBAAiB,EAAE,IAAI,CAACW,OAAO,CAAC6C,OAAO,CAAC36E,GAAG,CAAC,CAAC;IAChK;IACA,IAAI,IAAI,CAACm3E,iBAAiB,KAAK,IAAI,EAAE;MACjC,MAAM,IAAIrB,UAAU,CAAC,sEAAsE,EAAE,IAAI,EAAE,IAAI,CAACgC,OAAO,CAAC6C,OAAO,CAAC,IAAI,CAACzD,kBAAkB,CAAC,CAAC;IACrJ;IACA,MAAMt2D,KAAK,GAAG;MACVnkB,IAAI,EAAE,IAAI,CAAC06E,iBAAiB;MAC5B77E,KAAK;MACL6I,UAAU,EAAE,CAACnE,GAAG,IAAI,IAAI,CAAC83E,OAAO,EAAE6C,OAAO,CAAC,IAAI,CAACzD,kBAAkB,EAAE,IAAI,CAACO,wBAAwB;IACpG,CAAC;IACD,IAAI,CAAClU,MAAM,CAAC9wE,IAAI,CAACmuB,KAAK,CAAC;IACvB,IAAI,CAACs2D,kBAAkB,GAAG,IAAI;IAC9B,IAAI,CAACC,iBAAiB,GAAG,IAAI;IAC7B,OAAOv2D,KAAK;EAChB;EACAg6D,YAAYA,CAACl7E,GAAG,EAAEmnB,IAAI,EAAE;IACpB,IAAI,IAAI,CAACyzD,kBAAkB,CAAC,CAAC,EAAE;MAC3B56E,GAAG,IAAI,kFAAkF;IAC7F;IACA,MAAM0gB,KAAK,GAAG,IAAI01D,UAAU,CAACp2E,GAAG,EAAE,IAAI,CAACy3E,iBAAiB,EAAEtwD,IAAI,CAAC;IAC/D,IAAI,CAACqwD,kBAAkB,GAAG,IAAI;IAC9B,IAAI,CAACC,iBAAiB,GAAG,IAAI;IAC7B,OAAO,IAAIJ,iBAAiB,CAAC32D,KAAK,CAAC;EACvC;EACAo4D,WAAWA,CAACx6E,CAAC,EAAE;IACX,IAAIA,CAAC,YAAY68E,WAAW,EAAE;MAC1B78E,CAAC,GAAG,IAAI,CAAC48E,YAAY,CAAC58E,CAAC,CAAC0B,GAAG,EAAE,IAAI,CAACo4E,OAAO,CAAC6C,OAAO,CAAC38E,CAAC,CAAC88E,MAAM,CAAC,CAAC;IAChE;IACA,IAAI98E,CAAC,YAAY+4E,iBAAiB,EAAE;MAChC,IAAI,CAAC7oC,MAAM,CAACz7C,IAAI,CAACuL,CAAC,CAACoiB,KAAK,CAAC;IAC7B,CAAC,MACI;MACD,MAAMpiB,CAAC;IACX;EACJ;EACA06E,gBAAgBA,CAACjC,QAAQ,EAAE;IACvB,IAAI,IAAI,CAACqB,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAKgR,QAAQ,EAAE;MAClC,IAAI,CAACqB,OAAO,CAAC7iE,OAAO,CAAC,CAAC;MACtB,OAAO,IAAI;IACf;IACA,OAAO,KAAK;EAChB;EACA8lE,+BAA+BA,CAACtE,QAAQ,EAAE;IACtC,IAAIuE,8BAA8B,CAAC,IAAI,CAAClD,OAAO,CAACrS,IAAI,CAAC,CAAC,EAAEgR,QAAQ,CAAC,EAAE;MAC/D,IAAI,CAACqB,OAAO,CAAC7iE,OAAO,CAAC,CAAC;MACtB,OAAO,IAAI;IACf;IACA,OAAO,KAAK;EAChB;EACA8kE,gBAAgBA,CAACtD,QAAQ,EAAE;IACvB,MAAMxoC,QAAQ,GAAG,IAAI,CAAC6pC,OAAO,CAAC5+E,KAAK,CAAC,CAAC;IACrC,IAAI,CAAC,IAAI,CAACw/E,gBAAgB,CAACjC,QAAQ,CAAC,EAAE;MAClC,MAAM,IAAI,CAACmE,YAAY,CAACpE,4BAA4B,CAAC,IAAI,CAACsB,OAAO,CAACrS,IAAI,CAAC,CAAC,CAAC,EAAE,IAAI,CAACqS,OAAO,CAAC6C,OAAO,CAAC1sC,QAAQ,CAAC,CAAC;IAC9G;EACJ;EACA+qC,WAAWA,CAACiC,KAAK,EAAE;IACf,MAAMv9E,GAAG,GAAGu9E,KAAK,CAACzoF,MAAM;IACxB,IAAI,IAAI,CAACslF,OAAO,CAACoD,SAAS,CAAC,CAAC,GAAGx9E,GAAG,EAAE;MAChC,OAAO,KAAK;IAChB;IACA,MAAMy9E,eAAe,GAAG,IAAI,CAACrD,OAAO,CAAC5+E,KAAK,CAAC,CAAC;IAC5C,KAAK,IAAItF,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAG8J,GAAG,EAAE9J,CAAC,EAAE,EAAE;MAC1B,IAAI,CAAC,IAAI,CAAC8kF,gBAAgB,CAACuC,KAAK,CAACv6D,UAAU,CAAC9sB,CAAC,CAAC,CAAC,EAAE;QAC7C;QACA;QACA,IAAI,CAACkkF,OAAO,GAAGqD,eAAe;QAC9B,OAAO,KAAK;MAChB;IACJ;IACA,OAAO,IAAI;EACf;EACAC,0BAA0BA,CAACH,KAAK,EAAE;IAC9B,KAAK,IAAIrnF,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGqnF,KAAK,CAACzoF,MAAM,EAAEoB,CAAC,EAAE,EAAE;MACnC,IAAI,CAAC,IAAI,CAACmnF,+BAA+B,CAACE,KAAK,CAACv6D,UAAU,CAAC9sB,CAAC,CAAC,CAAC,EAAE;QAC5D,OAAO,KAAK;MAChB;IACJ;IACA,OAAO,IAAI;EACf;EACAynF,WAAWA,CAACJ,KAAK,EAAE;IACf,MAAMhtC,QAAQ,GAAG,IAAI,CAAC6pC,OAAO,CAAC5+E,KAAK,CAAC,CAAC;IACrC,IAAI,CAAC,IAAI,CAAC8/E,WAAW,CAACiC,KAAK,CAAC,EAAE;MAC1B,MAAM,IAAI,CAACL,YAAY,CAACpE,4BAA4B,CAAC,IAAI,CAACsB,OAAO,CAACrS,IAAI,CAAC,CAAC,CAAC,EAAE,IAAI,CAACqS,OAAO,CAAC6C,OAAO,CAAC1sC,QAAQ,CAAC,CAAC;IAC9G;EACJ;EACA0rC,uBAAuBA,CAACh+C,SAAS,EAAE;IAC/B,OAAO,CAACA,SAAS,CAAC,IAAI,CAACm8C,OAAO,CAACrS,IAAI,CAAC,CAAC,CAAC,EAAE;MACpC,IAAI,CAACqS,OAAO,CAAC7iE,OAAO,CAAC,CAAC;IAC1B;EACJ;EACAqmE,uBAAuBA,CAAC3/C,SAAS,EAAEj+B,GAAG,EAAE;IACpC,MAAMqpB,KAAK,GAAG,IAAI,CAAC+wD,OAAO,CAAC5+E,KAAK,CAAC,CAAC;IAClC,IAAI,CAACygF,uBAAuB,CAACh+C,SAAS,CAAC;IACvC,IAAI,IAAI,CAACm8C,OAAO,CAACyD,IAAI,CAACx0D,KAAK,CAAC,GAAGrpB,GAAG,EAAE;MAChC,MAAM,IAAI,CAACk9E,YAAY,CAACpE,4BAA4B,CAAC,IAAI,CAACsB,OAAO,CAACrS,IAAI,CAAC,CAAC,CAAC,EAAE,IAAI,CAACqS,OAAO,CAAC6C,OAAO,CAAC5zD,KAAK,CAAC,CAAC;IAC3G;EACJ;EACAy0D,iBAAiBA,CAAC3nF,IAAI,EAAE;IACpB,OAAO,IAAI,CAACikF,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAK5xE,IAAI,EAAE;MACjC,IAAI,CAACikF,OAAO,CAAC7iE,OAAO,CAAC,CAAC;IAC1B;EACJ;EACAwmE,SAASA,CAAA,EAAG;IACR;IACA;IACA,MAAM5nF,IAAI,GAAGyP,MAAM,CAACo4E,aAAa,CAAC,IAAI,CAAC5D,OAAO,CAACrS,IAAI,CAAC,CAAC,CAAC;IACtD,IAAI,CAACqS,OAAO,CAAC7iE,OAAO,CAAC,CAAC;IACtB,OAAOphB,IAAI;EACf;EACA8nF,cAAcA,CAACC,aAAa,EAAE;IAC1B,IAAI,CAACpC,WAAW,CAAC,CAAC,CAAC,8BAA8B,CAAC;IAClD,MAAMzyD,KAAK,GAAG,IAAI,CAAC+wD,OAAO,CAAC5+E,KAAK,CAAC,CAAC;IAClC,IAAI,CAAC4+E,OAAO,CAAC7iE,OAAO,CAAC,CAAC;IACtB,IAAI,IAAI,CAACyjE,gBAAgB,CAAC75C,KAAK,CAAC,EAAE;MAC9B,MAAMg9C,KAAK,GAAG,IAAI,CAACnD,gBAAgB,CAACp3C,EAAE,CAAC,IAAI,IAAI,CAACo3C,gBAAgB,CAACp4C,EAAE,CAAC;MACpE,MAAMw7C,SAAS,GAAG,IAAI,CAAChE,OAAO,CAAC5+E,KAAK,CAAC,CAAC;MACtC,IAAI,CAACygF,uBAAuB,CAACoC,gBAAgB,CAAC;MAC9C,IAAI,IAAI,CAACjE,OAAO,CAACrS,IAAI,CAAC,CAAC,IAAI9lC,UAAU,EAAE;QACnC;QACA;QACA,IAAI,CAACm4C,OAAO,CAAC7iE,OAAO,CAAC,CAAC;QACtB,MAAM+mE,UAAU,GAAGH,KAAK,GAAG/E,sBAAsB,CAACmF,GAAG,GAAGnF,sBAAsB,CAACoF,GAAG;QAClF,MAAM,IAAI,CAACtB,YAAY,CAAChE,yBAAyB,CAACoF,UAAU,EAAE,IAAI,CAAClE,OAAO,CAAC+B,QAAQ,CAAC9yD,KAAK,CAAC,CAAC,EAAE,IAAI,CAAC+wD,OAAO,CAAC6C,OAAO,CAAC,CAAC,CAAC;MACxH;MACA,MAAMwB,MAAM,GAAG,IAAI,CAACrE,OAAO,CAAC+B,QAAQ,CAACiC,SAAS,CAAC;MAC/C,IAAI,CAAChE,OAAO,CAAC7iE,OAAO,CAAC,CAAC;MACtB,IAAI;QACA,MAAMwhE,QAAQ,GAAGxP,QAAQ,CAACkV,MAAM,EAAEN,KAAK,GAAG,EAAE,GAAG,EAAE,CAAC;QAClD,IAAI,CAACpC,SAAS,CAAC,CAACn2E,MAAM,CAACy/B,YAAY,CAAC0zC,QAAQ,CAAC,EAAE,IAAI,CAACqB,OAAO,CAAC+B,QAAQ,CAAC9yD,KAAK,CAAC,CAAC,CAAC;MACjF,CAAC,CACD,MAAM;QACF,MAAM,IAAI,CAAC6zD,YAAY,CAAClE,sBAAsB,CAAC,IAAI,CAACoB,OAAO,CAAC+B,QAAQ,CAAC9yD,KAAK,CAAC,CAAC,EAAE,IAAI,CAAC+wD,OAAO,CAAC6C,OAAO,CAAC,CAAC,CAAC;MACzG;IACJ,CAAC,MACI;MACD,MAAM3N,SAAS,GAAG,IAAI,CAAC8K,OAAO,CAAC5+E,KAAK,CAAC,CAAC;MACtC,IAAI,CAACygF,uBAAuB,CAACyC,gBAAgB,CAAC;MAC9C,IAAI,IAAI,CAACtE,OAAO,CAACrS,IAAI,CAAC,CAAC,IAAI9lC,UAAU,EAAE;QACnC;QACA;QACA,IAAI,CAAC65C,WAAW,CAACoC,aAAa,EAAE70D,KAAK,CAAC;QACtC,IAAI,CAAC+wD,OAAO,GAAG9K,SAAS;QACxB,IAAI,CAACyM,SAAS,CAAC,CAAC,GAAG,CAAC,CAAC;MACzB,CAAC,MACI;QACD,MAAMnlF,IAAI,GAAG,IAAI,CAACwjF,OAAO,CAAC+B,QAAQ,CAAC7M,SAAS,CAAC;QAC7C,IAAI,CAAC8K,OAAO,CAAC7iE,OAAO,CAAC,CAAC;QACtB,MAAMphB,IAAI,GAAG+hF,cAAc,CAACthF,IAAI,CAAC;QACjC,IAAI,CAACT,IAAI,EAAE;UACP,MAAM,IAAI,CAAC+mF,YAAY,CAAClE,sBAAsB,CAACpiF,IAAI,CAAC,EAAE,IAAI,CAACwjF,OAAO,CAAC6C,OAAO,CAAC5zD,KAAK,CAAC,CAAC;QACtF;QACA,IAAI,CAAC0yD,SAAS,CAAC,CAAC5lF,IAAI,EAAE,IAAIS,IAAI,GAAG,CAAC,CAAC;MACvC;IACJ;EACJ;EACA+nF,eAAeA,CAACC,eAAe,EAAEC,kBAAkB,EAAE;IACjD,IAAI,CAAC/C,WAAW,CAAC8C,eAAe,GAAG,CAAC,CAAC,qCAAqC,CAAC,CAAC,wBAAwB,CAAC;IACrG,MAAMhhF,KAAK,GAAG,EAAE;IAChB,OAAO,IAAI,EAAE;MACT,MAAMkhF,aAAa,GAAG,IAAI,CAAC1E,OAAO,CAAC5+E,KAAK,CAAC,CAAC;MAC1C,MAAMujF,cAAc,GAAGF,kBAAkB,CAAC,CAAC;MAC3C,IAAI,CAACzE,OAAO,GAAG0E,aAAa;MAC5B,IAAIC,cAAc,EAAE;QAChB;MACJ;MACA,IAAIH,eAAe,IAAI,IAAI,CAACxE,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAKzmC,UAAU,EAAE;QACvD,IAAI,CAACy6C,SAAS,CAAC,CAAC,IAAI,CAAChB,uBAAuB,CAACn9E,KAAK,CAAClH,IAAI,CAAC,EAAE,CAAC,CAAC,CAAC,CAAC;QAC9DkH,KAAK,CAAC9I,MAAM,GAAG,CAAC;QAChB,IAAI,CAACmpF,cAAc,CAAC,CAAC,CAAC,kCAAkC,CAAC;QACzD,IAAI,CAACnC,WAAW,CAAC,CAAC,CAAC,kCAAkC,CAAC;MAC1D,CAAC,MACI;QACDl+E,KAAK,CAAC7I,IAAI,CAAC,IAAI,CAACgpF,SAAS,CAAC,CAAC,CAAC;MAChC;IACJ;IACA,IAAI,CAAChC,SAAS,CAAC,CAAC,IAAI,CAAChB,uBAAuB,CAACn9E,KAAK,CAAClH,IAAI,CAAC,EAAE,CAAC,CAAC,CAAC,CAAC;EAClE;EACAwkF,eAAeA,CAAC7xD,KAAK,EAAE;IACnB,IAAI,CAACyyD,WAAW,CAAC,EAAE,CAAC,+BAA+BzyD,KAAK,CAAC;IACzD,IAAI,CAACgzD,gBAAgB,CAACx6C,MAAM,CAAC;IAC7B,IAAI,CAACk6C,SAAS,CAAC,EAAE,CAAC;IAClB,IAAI,CAAC4C,eAAe,CAAC,KAAK,EAAE,MAAM,IAAI,CAACrD,WAAW,CAAC,KAAK,CAAC,CAAC;IAC1D,IAAI,CAACQ,WAAW,CAAC,EAAE,CAAC,2BAA2B,CAAC;IAChD,IAAI,CAAC6B,WAAW,CAAC,KAAK,CAAC;IACvB,IAAI,CAAC5B,SAAS,CAAC,EAAE,CAAC;EACtB;EACAd,aAAaA,CAAC5xD,KAAK,EAAE;IACjB,IAAI,CAACyyD,WAAW,CAAC,EAAE,CAAC,6BAA6BzyD,KAAK,CAAC;IACvD,IAAI,CAACs0D,WAAW,CAAC,QAAQ,CAAC;IAC1B,IAAI,CAAC5B,SAAS,CAAC,EAAE,CAAC;IAClB,IAAI,CAAC4C,eAAe,CAAC,KAAK,EAAE,MAAM,IAAI,CAACrD,WAAW,CAAC,KAAK,CAAC,CAAC;IAC1D,IAAI,CAACQ,WAAW,CAAC,EAAE,CAAC,yBAAyB,CAAC;IAC9C,IAAI,CAAC6B,WAAW,CAAC,KAAK,CAAC;IACvB,IAAI,CAAC5B,SAAS,CAAC,EAAE,CAAC;EACtB;EACAZ,eAAeA,CAAC9xD,KAAK,EAAE;IACnB,IAAI,CAACyyD,WAAW,CAAC,EAAE,CAAC,0BAA0BzyD,KAAK,CAAC;IACpD,MAAM21D,YAAY,GAAG,IAAI,CAAC5E,OAAO,CAAC5+E,KAAK,CAAC,CAAC;IACzC,IAAI,CAACsiF,iBAAiB,CAAC17C,GAAG,CAAC;IAC3B,MAAMld,OAAO,GAAG,IAAI,CAACk1D,OAAO,CAAC+B,QAAQ,CAAC6C,YAAY,CAAC;IACnD,IAAI,CAAC5E,OAAO,CAAC7iE,OAAO,CAAC,CAAC;IACtB,IAAI,CAACwkE,SAAS,CAAC,CAAC72D,OAAO,CAAC,CAAC;EAC7B;EACA+5D,qBAAqBA,CAAA,EAAG;IACpB,MAAMC,iBAAiB,GAAG,IAAI,CAAC9E,OAAO,CAAC5+E,KAAK,CAAC,CAAC;IAC9C,IAAIhG,MAAM,GAAG,EAAE;IACf,OAAO,IAAI,CAAC4kF,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAK/lC,MAAM,IAAI,CAACm9C,WAAW,CAAC,IAAI,CAAC/E,OAAO,CAACrS,IAAI,CAAC,CAAC,CAAC,EAAE;MACxE,IAAI,CAACqS,OAAO,CAAC7iE,OAAO,CAAC,CAAC;IAC1B;IACA,IAAI+3D,SAAS;IACb,IAAI,IAAI,CAAC8K,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAK/lC,MAAM,EAAE;MAChCxsC,MAAM,GAAG,IAAI,CAAC4kF,OAAO,CAAC+B,QAAQ,CAAC+C,iBAAiB,CAAC;MACjD,IAAI,CAAC9E,OAAO,CAAC7iE,OAAO,CAAC,CAAC;MACtB+3D,SAAS,GAAG,IAAI,CAAC8K,OAAO,CAAC5+E,KAAK,CAAC,CAAC;IACpC,CAAC,MACI;MACD8zE,SAAS,GAAG4P,iBAAiB;IACjC;IACA,IAAI,CAACtB,uBAAuB,CAACwB,SAAS,EAAE5pF,MAAM,KAAK,EAAE,GAAG,CAAC,GAAG,CAAC,CAAC;IAC9D,MAAMoB,IAAI,GAAG,IAAI,CAACwjF,OAAO,CAAC+B,QAAQ,CAAC7M,SAAS,CAAC;IAC7C,OAAO,CAAC95E,MAAM,EAAEoB,IAAI,CAAC;EACzB;EACAykF,eAAeA,CAAChyD,KAAK,EAAE;IACnB,IAAIrV,OAAO;IACX,IAAIxe,MAAM;IACV,IAAI6pF,YAAY;IAChB,IAAI;MACA,IAAI,CAAC56C,aAAa,CAAC,IAAI,CAAC21C,OAAO,CAACrS,IAAI,CAAC,CAAC,CAAC,EAAE;QACrC,MAAM,IAAI,CAACmV,YAAY,CAACpE,4BAA4B,CAAC,IAAI,CAACsB,OAAO,CAACrS,IAAI,CAAC,CAAC,CAAC,EAAE,IAAI,CAACqS,OAAO,CAAC6C,OAAO,CAAC5zD,KAAK,CAAC,CAAC;MAC3G;MACAg2D,YAAY,GAAG,IAAI,CAACC,oBAAoB,CAACj2D,KAAK,CAAC;MAC/C7zB,MAAM,GAAG6pF,YAAY,CAACzhF,KAAK,CAAC,CAAC,CAAC;MAC9BoW,OAAO,GAAGqrE,YAAY,CAACzhF,KAAK,CAAC,CAAC,CAAC;MAC/B,IAAI,CAACq+E,uBAAuB,CAACsD,eAAe,CAAC;MAC7C,OAAO,IAAI,CAACnF,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAKhmC,MAAM,IAAI,IAAI,CAACq4C,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAK3lC,GAAG,IAChE,IAAI,CAACg4C,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAK7lC,GAAG,IAAI,IAAI,CAACk4C,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAKtnC,IAAI,EAAE;QAC7D,IAAI,CAAC++C,qBAAqB,CAAC,CAAC;QAC5B,IAAI,CAACvD,uBAAuB,CAACsD,eAAe,CAAC;QAC7C,IAAI,IAAI,CAACvE,gBAAgB,CAAC74C,GAAG,CAAC,EAAE;UAC5B,IAAI,CAAC85C,uBAAuB,CAACsD,eAAe,CAAC;UAC7C,IAAI,CAACE,sBAAsB,CAAC,CAAC;QACjC;QACA,IAAI,CAACxD,uBAAuB,CAACsD,eAAe,CAAC;MACjD;MACA,IAAI,CAACG,kBAAkB,CAAC,CAAC;IAC7B,CAAC,CACD,OAAOp/E,CAAC,EAAE;MACN,IAAIA,CAAC,YAAY+4E,iBAAiB,EAAE;QAChC,IAAIgG,YAAY,EAAE;UACd;UACAA,YAAY,CAACtgF,IAAI,GAAG,CAAC,CAAC;QAC1B,CAAC,MACI;UACD;UACA;UACA,IAAI,CAAC+8E,WAAW,CAAC,CAAC,CAAC,sBAAsBzyD,KAAK,CAAC;UAC/C,IAAI,CAAC0yD,SAAS,CAAC,CAAC,GAAG,CAAC,CAAC;QACzB;QACA;MACJ;MACA,MAAMz7E,CAAC;IACX;IACA,MAAMq/E,gBAAgB,GAAG,IAAI,CAACpG,iBAAiB,CAACvlE,OAAO,CAAC,CAACwjE,cAAc,CAAChiF,MAAM,CAAC;IAC/E,IAAImqF,gBAAgB,KAAKx+B,cAAc,CAAC22B,QAAQ,EAAE;MAC9C,IAAI,CAAC8H,2BAA2B,CAACpqF,MAAM,EAAEwe,OAAO,EAAE,KAAK,CAAC;IAC5D,CAAC,MACI,IAAI2rE,gBAAgB,KAAKx+B,cAAc,CAAC42B,kBAAkB,EAAE;MAC7D,IAAI,CAAC6H,2BAA2B,CAACpqF,MAAM,EAAEwe,OAAO,EAAE,IAAI,CAAC;IAC3D;EACJ;EACA4rE,2BAA2BA,CAACpqF,MAAM,EAAEwe,OAAO,EAAE4qE,eAAe,EAAE;IAC1D,IAAI,CAACD,eAAe,CAACC,eAAe,EAAE,MAAM;MACxC,IAAI,CAAC,IAAI,CAAC5D,gBAAgB,CAAC94C,GAAG,CAAC,EAC3B,OAAO,KAAK;MAChB,IAAI,CAAC,IAAI,CAAC84C,gBAAgB,CAACj5C,MAAM,CAAC,EAC9B,OAAO,KAAK;MAChB,IAAI,CAACk6C,uBAAuB,CAACsD,eAAe,CAAC;MAC7C,IAAI,CAAC,IAAI,CAAC7B,0BAA0B,CAAC1pE,OAAO,CAAC,EACzC,OAAO,KAAK;MAChB,IAAI,CAACioE,uBAAuB,CAACsD,eAAe,CAAC;MAC7C,OAAO,IAAI,CAACvE,gBAAgB,CAAC54C,GAAG,CAAC;IACrC,CAAC,CAAC;IACF,IAAI,CAAC05C,WAAW,CAAC,CAAC,CAAC,yBAAyB,CAAC;IAC7C,IAAI,CAAC8B,uBAAuB,CAACr5C,IAAI,IAAIA,IAAI,KAAKnC,GAAG,EAAE,CAAC,CAAC;IACrD,IAAI,CAACg4C,OAAO,CAAC7iE,OAAO,CAAC,CAAC,CAAC,CAAC;IACxB,IAAI,CAACwkE,SAAS,CAAC,CAACvmF,MAAM,EAAEwe,OAAO,CAAC,CAAC;EACrC;EACAsrE,oBAAoBA,CAACj2D,KAAK,EAAE;IACxB,IAAI,CAACyyD,WAAW,CAAC,CAAC,CAAC,gCAAgCzyD,KAAK,CAAC;IACzD,MAAMzrB,KAAK,GAAG,IAAI,CAACqhF,qBAAqB,CAAC,CAAC;IAC1C,OAAO,IAAI,CAAClD,SAAS,CAACn+E,KAAK,CAAC;EAChC;EACA4hF,qBAAqBA,CAAA,EAAG;IACpB,MAAMK,aAAa,GAAG,IAAI,CAACzF,OAAO,CAACrS,IAAI,CAAC,CAAC;IACzC,IAAI8X,aAAa,KAAKt+C,GAAG,IAAIs+C,aAAa,KAAK3+C,GAAG,EAAE;MAChD,MAAM,IAAI,CAACg8C,YAAY,CAACpE,4BAA4B,CAAC+G,aAAa,CAAC,EAAE,IAAI,CAACzF,OAAO,CAAC6C,OAAO,CAAC,CAAC,CAAC;IAChG;IACA,IAAI,CAACnB,WAAW,CAAC,EAAE,CAAC,yBAAyB,CAAC;IAC9C,MAAMgE,aAAa,GAAG,IAAI,CAACb,qBAAqB,CAAC,CAAC;IAClD,IAAI,CAAClD,SAAS,CAAC+D,aAAa,CAAC;EACjC;EACAL,sBAAsBA,CAAA,EAAG;IACrB,IAAI,IAAI,CAACrF,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAKxmC,GAAG,IAAI,IAAI,CAAC64C,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAK7mC,GAAG,EAAE;MAC5D,MAAM6+C,SAAS,GAAG,IAAI,CAAC3F,OAAO,CAACrS,IAAI,CAAC,CAAC;MACrC,IAAI,CAACiY,aAAa,CAACD,SAAS,CAAC;MAC7B;MACA;MACA,MAAME,YAAY,GAAGA,CAAA,KAAM,IAAI,CAAC7F,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAKgY,SAAS;MAC5D,IAAI,CAACpE,yBAAyB,CAAC,EAAE,CAAC,iCAAiC,EAAE,CAAC,0CAA0CsE,YAAY,EAAEA,YAAY,CAAC;MAC3I,IAAI,CAACD,aAAa,CAACD,SAAS,CAAC;IACjC,CAAC,MACI;MACD,MAAME,YAAY,GAAGA,CAAA,KAAMb,SAAS,CAAC,IAAI,CAAChF,OAAO,CAACrS,IAAI,CAAC,CAAC,CAAC;MACzD,IAAI,CAAC4T,yBAAyB,CAAC,EAAE,CAAC,iCAAiC,EAAE,CAAC,0CAA0CsE,YAAY,EAAEA,YAAY,CAAC;IAC/I;EACJ;EACAD,aAAaA,CAACD,SAAS,EAAE;IACrB,IAAI,CAACjE,WAAW,CAAC,EAAE,CAAC,0BAA0B,CAAC;IAC/C,IAAI,CAACO,gBAAgB,CAAC0D,SAAS,CAAC;IAChC,IAAI,CAAChE,SAAS,CAAC,CAACn2E,MAAM,CAACo4E,aAAa,CAAC+B,SAAS,CAAC,CAAC,CAAC;EACrD;EACAL,kBAAkBA,CAAA,EAAG;IACjB,MAAMrH,SAAS,GAAG,IAAI,CAAC2C,gBAAgB,CAACj5C,MAAM,CAAC,GAAG,CAAC,CAAC,oCAAoC,CAAC,CAAC;IAC1F,IAAI,CAAC+5C,WAAW,CAACzD,SAAS,CAAC;IAC3B,IAAI,CAACgE,gBAAgB,CAACj6C,GAAG,CAAC;IAC1B,IAAI,CAAC25C,SAAS,CAAC,EAAE,CAAC;EACtB;EACAX,gBAAgBA,CAAC/xD,KAAK,EAAE;IACpB,IAAI,CAACyyD,WAAW,CAAC,CAAC,CAAC,2BAA2BzyD,KAAK,CAAC;IACpD,IAAI,CAAC4yD,uBAAuB,CAACsD,eAAe,CAAC;IAC7C,MAAMO,aAAa,GAAG,IAAI,CAACb,qBAAqB,CAAC,CAAC;IAClD,IAAI,CAAChD,uBAAuB,CAACsD,eAAe,CAAC;IAC7C,IAAI,CAAClD,gBAAgB,CAACj6C,GAAG,CAAC;IAC1B,IAAI,CAAC25C,SAAS,CAAC+D,aAAa,CAAC;EACjC;EACApD,0BAA0BA,CAAA,EAAG;IACzB,IAAI,CAACZ,WAAW,CAAC,EAAE,CAAC,oCAAoC,CAAC;IACzD,IAAI,CAACO,gBAAgB,CAACv4C,OAAO,CAAC;IAC9B,IAAI,CAACi4C,SAAS,CAAC,EAAE,CAAC;IAClB,IAAI,CAACrC,mBAAmB,CAAC3kF,IAAI,CAAC,EAAE,CAAC,oCAAoC,CAAC;IACtE,IAAI,CAAC+mF,WAAW,CAAC,CAAC,CAAC,wBAAwB,CAAC;IAC5C,MAAMltE,SAAS,GAAG,IAAI,CAACsxE,UAAU,CAACt+C,MAAM,CAAC;IACzC,MAAMu+C,mBAAmB,GAAG,IAAI,CAACpF,uBAAuB,CAACnsE,SAAS,CAAC;IACnE,IAAI,IAAI,CAAC6rE,+BAA+B,EAAE;MACtC;MACA,IAAI,CAACsB,SAAS,CAAC,CAACoE,mBAAmB,CAAC,CAAC;IACzC,CAAC,MACI;MACD;MACA,MAAMC,cAAc,GAAG,IAAI,CAACrE,SAAS,CAAC,CAACntE,SAAS,CAAC,CAAC;MAClD,IAAIuxE,mBAAmB,KAAKvxE,SAAS,EAAE;QACnC,IAAI,CAAC2pE,2BAA2B,CAACxjF,IAAI,CAACqrF,cAAc,CAAC;MACzD;IACJ;IACA,IAAI,CAAC/D,gBAAgB,CAACz6C,MAAM,CAAC;IAC7B,IAAI,CAACq6C,uBAAuB,CAACsD,eAAe,CAAC;IAC7C,IAAI,CAACzD,WAAW,CAAC,CAAC,CAAC,wBAAwB,CAAC;IAC5C,MAAM/8E,IAAI,GAAG,IAAI,CAACmhF,UAAU,CAACt+C,MAAM,CAAC;IACpC,IAAI,CAACm6C,SAAS,CAAC,CAACh9E,IAAI,CAAC,CAAC;IACtB,IAAI,CAACs9E,gBAAgB,CAACz6C,MAAM,CAAC;IAC7B,IAAI,CAACq6C,uBAAuB,CAACsD,eAAe,CAAC;EACjD;EACA1C,0BAA0BA,CAAA,EAAG;IACzB,IAAI,CAACf,WAAW,CAAC,EAAE,CAAC,oCAAoC,CAAC;IACzD,MAAMjlF,KAAK,GAAG,IAAI,CAACqpF,UAAU,CAACp8C,OAAO,CAAC,CAACxhB,IAAI,CAAC,CAAC;IAC7C,IAAI,CAACy5D,SAAS,CAAC,CAACllF,KAAK,CAAC,CAAC;IACvB,IAAI,CAAColF,uBAAuB,CAACsD,eAAe,CAAC;IAC7C,IAAI,CAACzD,WAAW,CAAC,EAAE,CAAC,wCAAwC,CAAC;IAC7D,IAAI,CAACO,gBAAgB,CAACv4C,OAAO,CAAC;IAC9B,IAAI,CAACi4C,SAAS,CAAC,EAAE,CAAC;IAClB,IAAI,CAACE,uBAAuB,CAACsD,eAAe,CAAC;IAC7C,IAAI,CAAC7F,mBAAmB,CAAC3kF,IAAI,CAAC,EAAE,CAAC,wCAAwC,CAAC;EAC9E;EACAgoF,wBAAwBA,CAAA,EAAG;IACvB,IAAI,CAACjB,WAAW,CAAC,EAAE,CAAC,sCAAsC,CAAC;IAC3D,IAAI,CAACO,gBAAgB,CAACr4C,OAAO,CAAC;IAC9B,IAAI,CAAC+3C,SAAS,CAAC,EAAE,CAAC;IAClB,IAAI,CAACE,uBAAuB,CAACsD,eAAe,CAAC;IAC7C,IAAI,CAAC7F,mBAAmB,CAACtxD,GAAG,CAAC,CAAC;EAClC;EACA40D,wBAAwBA,CAAA,EAAG;IACvB,IAAI,CAAClB,WAAW,CAAC,EAAE,CAAC,kCAAkC,CAAC;IACvD,IAAI,CAACO,gBAAgB,CAACr4C,OAAO,CAAC;IAC9B,IAAI,CAAC+3C,SAAS,CAAC,EAAE,CAAC;IAClB,IAAI,CAACrC,mBAAmB,CAACtxD,GAAG,CAAC,CAAC;EAClC;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIuzD,yBAAyBA,CAACuC,aAAa,EAAEmC,sBAAsB,EAAEJ,YAAY,EAAEK,gBAAgB,EAAE;IAC7F,IAAI,CAACxE,WAAW,CAACoC,aAAa,CAAC;IAC/B,MAAMtgF,KAAK,GAAG,EAAE;IAChB,OAAO,CAACqiF,YAAY,CAAC,CAAC,EAAE;MACpB,MAAM/qF,OAAO,GAAG,IAAI,CAACklF,OAAO,CAAC5+E,KAAK,CAAC,CAAC;MACpC,IAAI,IAAI,CAACs+E,oBAAoB,IAAI,IAAI,CAACwB,WAAW,CAAC,IAAI,CAACxB,oBAAoB,CAACzwD,KAAK,CAAC,EAAE;QAChF,IAAI,CAAC0yD,SAAS,CAAC,CAAC,IAAI,CAAChB,uBAAuB,CAACn9E,KAAK,CAAClH,IAAI,CAAC,EAAE,CAAC,CAAC,CAAC,EAAExB,OAAO,CAAC;QACvE0I,KAAK,CAAC9I,MAAM,GAAG,CAAC;QAChB,IAAI,CAACyrF,qBAAqB,CAACF,sBAAsB,EAAEnrF,OAAO,EAAEorF,gBAAgB,CAAC;QAC7E,IAAI,CAACxE,WAAW,CAACoC,aAAa,CAAC;MACnC,CAAC,MACI,IAAI,IAAI,CAAC9D,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAKzmC,UAAU,EAAE;QACzC,IAAI,CAACy6C,SAAS,CAAC,CAAC,IAAI,CAAChB,uBAAuB,CAACn9E,KAAK,CAAClH,IAAI,CAAC,EAAE,CAAC,CAAC,CAAC,CAAC;QAC9DkH,KAAK,CAAC9I,MAAM,GAAG,CAAC;QAChB,IAAI,CAACmpF,cAAc,CAACC,aAAa,CAAC;QAClC,IAAI,CAACpC,WAAW,CAACoC,aAAa,CAAC;MACnC,CAAC,MACI;QACDtgF,KAAK,CAAC7I,IAAI,CAAC,IAAI,CAACgpF,SAAS,CAAC,CAAC,CAAC;MAChC;IACJ;IACA;IACA;IACA,IAAI,CAACpE,gBAAgB,GAAG,KAAK;IAC7B,IAAI,CAACoC,SAAS,CAAC,CAAC,IAAI,CAAChB,uBAAuB,CAACn9E,KAAK,CAAClH,IAAI,CAAC,EAAE,CAAC,CAAC,CAAC,CAAC;EAClE;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;EACI6pF,qBAAqBA,CAACF,sBAAsB,EAAEG,kBAAkB,EAAEC,qBAAqB,EAAE;IACrF,MAAM7iF,KAAK,GAAG,EAAE;IAChB,IAAI,CAACk+E,WAAW,CAACuE,sBAAsB,EAAEG,kBAAkB,CAAC;IAC5D5iF,KAAK,CAAC7I,IAAI,CAAC,IAAI,CAAC+kF,oBAAoB,CAACzwD,KAAK,CAAC;IAC3C;IACA,MAAMq3D,eAAe,GAAG,IAAI,CAACtG,OAAO,CAAC5+E,KAAK,CAAC,CAAC;IAC5C,IAAI+gF,OAAO,GAAG,IAAI;IAClB,IAAIoE,SAAS,GAAG,KAAK;IACrB,OAAO,IAAI,CAACvG,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAKtnC,IAAI,KAC9BggD,qBAAqB,KAAK,IAAI,IAAI,CAACA,qBAAqB,CAAC,CAAC,CAAC,EAAE;MAC9D,MAAMvrF,OAAO,GAAG,IAAI,CAACklF,OAAO,CAAC5+E,KAAK,CAAC,CAAC;MACpC,IAAI,IAAI,CAACqgF,WAAW,CAAC,CAAC,EAAE;QACpB;QACA;QACA;QACA,IAAI,CAACzB,OAAO,GAAGllF,OAAO;QACtB0I,KAAK,CAAC7I,IAAI,CAAC,IAAI,CAAC6rF,kBAAkB,CAACF,eAAe,EAAExrF,OAAO,CAAC,CAAC;QAC7D,IAAI,CAAC6mF,SAAS,CAACn+E,KAAK,CAAC;QACrB;MACJ;MACA,IAAI2+E,OAAO,KAAK,IAAI,EAAE;QAClB,IAAI,IAAI,CAACjB,WAAW,CAAC,IAAI,CAACxB,oBAAoB,CAACx3E,GAAG,CAAC,EAAE;UACjD;UACA1E,KAAK,CAAC7I,IAAI,CAAC,IAAI,CAAC6rF,kBAAkB,CAACF,eAAe,EAAExrF,OAAO,CAAC,CAAC;UAC7D0I,KAAK,CAAC7I,IAAI,CAAC,IAAI,CAAC+kF,oBAAoB,CAACx3E,GAAG,CAAC;UACzC,IAAI,CAACy5E,SAAS,CAACn+E,KAAK,CAAC;UACrB;QACJ,CAAC,MACI,IAAI,IAAI,CAAC09E,WAAW,CAAC,IAAI,CAAC,EAAE;UAC7B;UACAqF,SAAS,GAAG,IAAI;QACpB;MACJ;MACA,MAAMxqF,IAAI,GAAG,IAAI,CAACikF,OAAO,CAACrS,IAAI,CAAC,CAAC;MAChC,IAAI,CAACqS,OAAO,CAAC7iE,OAAO,CAAC,CAAC;MACtB,IAAIphB,IAAI,KAAK4sC,UAAU,EAAE;QACrB;QACA,IAAI,CAACq3C,OAAO,CAAC7iE,OAAO,CAAC,CAAC;MAC1B,CAAC,MACI,IAAIphB,IAAI,KAAKomF,OAAO,EAAE;QACvB;QACAA,OAAO,GAAG,IAAI;MAClB,CAAC,MACI,IAAI,CAACoE,SAAS,IAAIpE,OAAO,KAAK,IAAI,IAAI13C,OAAO,CAAC1uC,IAAI,CAAC,EAAE;QACtD;QACAomF,OAAO,GAAGpmF,IAAI;MAClB;IACJ;IACA;IACAyH,KAAK,CAAC7I,IAAI,CAAC,IAAI,CAAC6rF,kBAAkB,CAACF,eAAe,EAAE,IAAI,CAACtG,OAAO,CAAC,CAAC;IAClE,IAAI,CAAC2B,SAAS,CAACn+E,KAAK,CAAC;EACzB;EACAgjF,kBAAkBA,CAACv3D,KAAK,EAAE/mB,GAAG,EAAE;IAC3B,OAAO,IAAI,CAACy4E,uBAAuB,CAACz4E,GAAG,CAAC65E,QAAQ,CAAC9yD,KAAK,CAAC,CAAC;EAC5D;EACAuyD,UAAUA,CAAA,EAAG;IACT,IAAI,IAAI,CAACC,WAAW,CAAC,CAAC,IAAI,IAAI,CAACgF,aAAa,CAAC,CAAC,IAAI,IAAI,CAACzG,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAKtnC,IAAI,EAAE;MAC5E,OAAO,IAAI;IACf;IACA,IAAI,IAAI,CAACm5C,YAAY,IAAI,CAAC,IAAI,CAACD,gBAAgB,EAAE;MAC7C,IAAI,IAAI,CAAC8C,oBAAoB,CAAC,CAAC,EAAE;QAC7B;QACA,OAAO,IAAI;MACf;MACA,IAAI,IAAI,CAACrC,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAK/jC,OAAO,IAAI,IAAI,CAAC84C,kBAAkB,CAAC,CAAC,EAAE;QAC9D;QACA,OAAO,IAAI;MACf;IACJ;IACA,OAAO,KAAK;EAChB;EACA;AACJ;AACA;AACA;EACIjB,WAAWA,CAAA,EAAG;IACV,IAAI,IAAI,CAACzB,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAK7lC,GAAG,EAAE;MAC7B;MACA,MAAM+rC,GAAG,GAAG,IAAI,CAACmM,OAAO,CAAC5+E,KAAK,CAAC,CAAC;MAChCyyE,GAAG,CAAC12D,OAAO,CAAC,CAAC;MACb;MACA,MAAMgtB,IAAI,GAAG0pC,GAAG,CAAClG,IAAI,CAAC,CAAC;MACvB,IAAK5kC,EAAE,IAAIoB,IAAI,IAAIA,IAAI,IAAIV,EAAE,IAAMpB,EAAE,IAAI8B,IAAI,IAAIA,IAAI,IAAI1B,EAAG,IACxD0B,IAAI,KAAKxC,MAAM,IAAIwC,IAAI,KAAKtD,KAAK,EAAE;QACnC,OAAO,IAAI;MACf;IACJ;IACA,OAAO,KAAK;EAChB;EACA4/C,aAAaA,CAAA,EAAG;IACZ,IAAI,IAAI,CAAClG,eAAe,IAAI,IAAI,CAACP,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAKjkC,OAAO,EAAE;MACzD,MAAMmqC,GAAG,GAAG,IAAI,CAACmM,OAAO,CAAC5+E,KAAK,CAAC,CAAC;MAChC;MACAyyE,GAAG,CAAC12D,OAAO,CAAC,CAAC;MACb,MAAMytC,IAAI,GAAGipB,GAAG,CAAClG,IAAI,CAAC,CAAC;MACvB,IAAI/iB,IAAI,KAAK/jB,KAAK,IAAI+jB,IAAI,KAAKjjB,MAAM,IAAIijB,IAAI,KAAKhjB,MAAM,EAAE;QACtD,OAAO,KAAK;MAChB;MACA;MACAisC,GAAG,CAAC12D,OAAO,CAAC,CAAC;MACb,IAAI2kE,eAAe,CAACjO,GAAG,CAAClG,IAAI,CAAC,CAAC,CAAC,EAAE;QAC7B,OAAO,IAAI;MACf;IACJ;IACA,OAAO,KAAK;EAChB;EACAmY,UAAUA,CAAC/pF,IAAI,EAAE;IACb,MAAMkzB,KAAK,GAAG,IAAI,CAAC+wD,OAAO,CAAC5+E,KAAK,CAAC,CAAC;IAClC,IAAI,CAACsiF,iBAAiB,CAAC3nF,IAAI,CAAC;IAC5B,OAAO,IAAI,CAACikF,OAAO,CAAC+B,QAAQ,CAAC9yD,KAAK,CAAC;EACvC;EACAyzD,kBAAkBA,CAAA,EAAG;IACjB,OAAO,IAAI,CAACpD,mBAAmB,CAAC5kF,MAAM,GAAG,CAAC,IACtC,IAAI,CAAC4kF,mBAAmB,CAAC,IAAI,CAACA,mBAAmB,CAAC5kF,MAAM,GAAG,CAAC,CAAC,KACzD,EAAE,CAAC;EACf;EACA8nF,kBAAkBA,CAAA,EAAG;IACjB,OAAO,IAAI,CAAClD,mBAAmB,CAAC5kF,MAAM,GAAG,CAAC,IACtC,IAAI,CAAC4kF,mBAAmB,CAAC,IAAI,CAACA,mBAAmB,CAAC5kF,MAAM,GAAG,CAAC,CAAC,KACzD,EAAE,CAAC;EACf;EACA2nF,oBAAoBA,CAAA,EAAG;IACnB,IAAI,IAAI,CAACrC,OAAO,CAACrS,IAAI,CAAC,CAAC,KAAKjkC,OAAO,EAAE;MACjC,OAAO,KAAK;IAChB;IACA,IAAI,IAAI,CAACg2C,oBAAoB,EAAE;MAC3B,MAAMzwD,KAAK,GAAG,IAAI,CAAC+wD,OAAO,CAAC5+E,KAAK,CAAC,CAAC;MAClC,MAAMslF,eAAe,GAAG,IAAI,CAACxF,WAAW,CAAC,IAAI,CAACxB,oBAAoB,CAACzwD,KAAK,CAAC;MACzE,IAAI,CAAC+wD,OAAO,GAAG/wD,KAAK;MACpB,OAAO,CAACy3D,eAAe;IAC3B;IACA,OAAO,IAAI;EACf;AACJ;AACA,SAASvB,eAAeA,CAACh7C,IAAI,EAAE;EAC3B,OAAO,CAACD,YAAY,CAACC,IAAI,CAAC,IAAIA,IAAI,KAAK9D,IAAI;AAC/C;AACA,SAAS2+C,SAASA,CAAC76C,IAAI,EAAE;EACrB,OAAOD,YAAY,CAACC,IAAI,CAAC,IAAIA,IAAI,KAAKnC,GAAG,IAAImC,IAAI,KAAKrC,GAAG,IACrDqC,IAAI,KAAKxC,MAAM,IAAIwC,IAAI,KAAKhD,GAAG,IAAIgD,IAAI,KAAKrD,GAAG,IAAIqD,IAAI,KAAKpC,GAAG,IAC/DoC,IAAI,KAAK9D,IAAI;AACrB;AACA,SAAS0+C,WAAWA,CAAC56C,IAAI,EAAE;EACvB,OAAO,CAACA,IAAI,GAAGpB,EAAE,IAAIU,EAAE,GAAGU,IAAI,MAAMA,IAAI,GAAG9B,EAAE,IAAII,EAAE,GAAG0B,IAAI,CAAC,KACtDA,IAAI,GAAGjC,EAAE,IAAIiC,IAAI,GAAG/B,EAAE,CAAC;AAChC;AACA,SAAS67C,gBAAgBA,CAAC95C,IAAI,EAAE;EAC5B,OAAOA,IAAI,KAAKtC,UAAU,IAAIsC,IAAI,KAAK9D,IAAI,IAAI,CAACiE,eAAe,CAACH,IAAI,CAAC;AACzE;AACA,SAASm6C,gBAAgBA,CAACn6C,IAAI,EAAE;EAC5B,OAAOA,IAAI,KAAKtC,UAAU,IAAIsC,IAAI,KAAK9D,IAAI,IAAI,CAACgE,aAAa,CAACF,IAAI,CAAC;AACvE;AACA,SAASo4C,oBAAoBA,CAAC5U,IAAI,EAAE;EAChC,OAAOA,IAAI,KAAK/jC,OAAO;AAC3B;AACA,SAASs5C,8BAA8BA,CAACyD,KAAK,EAAEC,KAAK,EAAE;EAClD,OAAOC,mBAAmB,CAACF,KAAK,CAAC,KAAKE,mBAAmB,CAACD,KAAK,CAAC;AACpE;AACA,SAASC,mBAAmBA,CAAC18C,IAAI,EAAE;EAC/B,OAAOA,IAAI,IAAIpB,EAAE,IAAIoB,IAAI,IAAIV,EAAE,GAAGU,IAAI,GAAGpB,EAAE,GAAGV,EAAE,GAAG8B,IAAI;AAC3D;AACA,SAAS23C,eAAeA,CAAC33C,IAAI,EAAE;EAC3B,OAAOE,aAAa,CAACF,IAAI,CAAC,IAAIC,OAAO,CAACD,IAAI,CAAC,IAAIA,IAAI,KAAKrB,EAAE;AAC9D;AACA,SAASo5C,oBAAoBA,CAAC/3C,IAAI,EAAE;EAChC,OAAOA,IAAI,KAAKtC,UAAU,IAAIs9C,eAAe,CAACh7C,IAAI,CAAC;AACvD;AACA,SAASq0C,eAAeA,CAACsI,SAAS,EAAE;EAChC,MAAMC,SAAS,GAAG,EAAE;EACpB,IAAIC,YAAY,GAAG3+D,SAAS;EAC5B,KAAK,IAAIvsB,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGgrF,SAAS,CAACpsF,MAAM,EAAEoB,CAAC,EAAE,EAAE;IACvC,MAAMgtB,KAAK,GAAGg+D,SAAS,CAAChrF,CAAC,CAAC;IAC1B,IAAKkrF,YAAY,IAAIA,YAAY,CAACriF,IAAI,KAAK,CAAC,CAAC,wBAAwBmkB,KAAK,CAACnkB,IAAI,KAAK,CAAC,CAAC,wBACjFqiF,YAAY,IAAIA,YAAY,CAACriF,IAAI,KAAK,EAAE,CAAC,mCACtCmkB,KAAK,CAACnkB,IAAI,KAAK,EAAE,CAAC,+BAAgC,EAAE;MACxDqiF,YAAY,CAACxjF,KAAK,CAAC,CAAC,CAAC,IAAIslB,KAAK,CAACtlB,KAAK,CAAC,CAAC,CAAC;MACvCwjF,YAAY,CAAC36E,UAAU,CAACnE,GAAG,GAAG4gB,KAAK,CAACzc,UAAU,CAACnE,GAAG;IACtD,CAAC,MACI;MACD8+E,YAAY,GAAGl+D,KAAK;MACpBi+D,SAAS,CAACpsF,IAAI,CAACqsF,YAAY,CAAC;IAChC;EACJ;EACA,OAAOD,SAAS;AACpB;AACA,MAAM7G,oBAAoB,CAAC;EACvBnmF,WAAWA,CAACktF,YAAY,EAAEjzE,KAAK,EAAE;IAC7B,IAAIizE,YAAY,YAAY/G,oBAAoB,EAAE;MAC9C,IAAI,CAAC11D,IAAI,GAAGy8D,YAAY,CAACz8D,IAAI;MAC7B,IAAI,CAAChD,KAAK,GAAGy/D,YAAY,CAACz/D,KAAK;MAC/B,IAAI,CAACtf,GAAG,GAAG++E,YAAY,CAAC/+E,GAAG;MAC3B,MAAM4yD,KAAK,GAAGmsB,YAAY,CAACnsB,KAAK;MAChC;MACA;MACA;MACA;MACA,IAAI,CAACA,KAAK,GAAG;QACT6S,IAAI,EAAE7S,KAAK,CAAC6S,IAAI;QAChBhjC,MAAM,EAAEmwB,KAAK,CAACnwB,MAAM;QACpBhc,IAAI,EAAEmsC,KAAK,CAACnsC,IAAI;QAChBW,MAAM,EAAEwrC,KAAK,CAACxrC;MAClB,CAAC;IACL,CAAC,MACI;MACD,IAAI,CAACtb,KAAK,EAAE;QACR,MAAM,IAAI9Y,KAAK,CAAC,8EAA8E,CAAC;MACnG;MACA,IAAI,CAACsvB,IAAI,GAAGy8D,YAAY;MACxB,IAAI,CAACz/D,KAAK,GAAGy/D,YAAY,CAACn8D,OAAO;MACjC,IAAI,CAAC5iB,GAAG,GAAG8L,KAAK,CAAC8rE,MAAM;MACvB,IAAI,CAAChlB,KAAK,GAAG;QACT6S,IAAI,EAAE,CAAC,CAAC;QACRhjC,MAAM,EAAE32B,KAAK,CAAC+rE,QAAQ;QACtBpxD,IAAI,EAAE3a,KAAK,CAACkmB,SAAS;QACrB5K,MAAM,EAAEtb,KAAK,CAACmmB;MAClB,CAAC;IACL;EACJ;EACA/4B,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAI8+E,oBAAoB,CAAC,IAAI,CAAC;EACzC;EACAvS,IAAIA,CAAA,EAAG;IACH,OAAO,IAAI,CAAC7S,KAAK,CAAC6S,IAAI;EAC1B;EACAyV,SAASA,CAAA,EAAG;IACR,OAAO,IAAI,CAACl7E,GAAG,GAAG,IAAI,CAAC4yD,KAAK,CAACnwB,MAAM;EACvC;EACA84C,IAAIA,CAACniF,KAAK,EAAE;IACR,OAAO,IAAI,CAACw5D,KAAK,CAACnwB,MAAM,GAAGrpC,KAAK,CAACw5D,KAAK,CAACnwB,MAAM;EACjD;EACAxtB,OAAOA,CAAA,EAAG;IACN,IAAI,CAAC+pE,YAAY,CAAC,IAAI,CAACpsB,KAAK,CAAC;EACjC;EACA2lB,IAAIA,CAAA,EAAG;IACH,IAAI,CAAC0G,UAAU,CAAC,IAAI,CAACrsB,KAAK,CAAC;EAC/B;EACA+nB,OAAOA,CAAC5zD,KAAK,EAAEm4D,uBAAuB,EAAE;IACpCn4D,KAAK,GAAGA,KAAK,IAAI,IAAI;IACrB,IAAI4c,SAAS,GAAG5c,KAAK;IACrB,IAAIm4D,uBAAuB,EAAE;MACzB,OAAO,IAAI,CAAC3D,IAAI,CAACx0D,KAAK,CAAC,GAAG,CAAC,IAAIm4D,uBAAuB,CAACn/D,OAAO,CAACgH,KAAK,CAAC0+C,IAAI,CAAC,CAAC,CAAC,KAAK,CAAC,CAAC,EAAE;QACjF,IAAI9hC,SAAS,KAAK5c,KAAK,EAAE;UACrBA,KAAK,GAAGA,KAAK,CAAC7tB,KAAK,CAAC,CAAC;QACzB;QACA6tB,KAAK,CAAC9R,OAAO,CAAC,CAAC;MACnB;IACJ;IACA,MAAMkqE,aAAa,GAAG,IAAI,CAACC,kBAAkB,CAACr4D,KAAK,CAAC;IACpD,MAAMs4D,WAAW,GAAG,IAAI,CAACD,kBAAkB,CAAC,IAAI,CAAC;IACjD,MAAME,iBAAiB,GAAG37C,SAAS,KAAK5c,KAAK,GAAG,IAAI,CAACq4D,kBAAkB,CAACz7C,SAAS,CAAC,GAAGw7C,aAAa;IAClG,OAAO,IAAIz7C,eAAe,CAACy7C,aAAa,EAAEE,WAAW,EAAEC,iBAAiB,CAAC;EAC7E;EACAzF,QAAQA,CAAC9yD,KAAK,EAAE;IACZ,OAAO,IAAI,CAACzH,KAAK,CAAC2B,SAAS,CAAC8F,KAAK,CAAC6rC,KAAK,CAACnwB,MAAM,EAAE,IAAI,CAACmwB,KAAK,CAACnwB,MAAM,CAAC;EACtE;EACA3uC,MAAMA,CAACyrF,GAAG,EAAE;IACR,OAAO,IAAI,CAACjgE,KAAK,CAACoB,UAAU,CAAC6+D,GAAG,CAAC;EACrC;EACAP,YAAYA,CAACpsB,KAAK,EAAE;IAChB,IAAIA,KAAK,CAACnwB,MAAM,IAAI,IAAI,CAACziC,GAAG,EAAE;MAC1B,IAAI,CAAC4yD,KAAK,GAAGA,KAAK;MAClB,MAAM,IAAIioB,WAAW,CAAC,4BAA4B,EAAE,IAAI,CAAC;IAC7D;IACA,MAAM2E,WAAW,GAAG,IAAI,CAAC1rF,MAAM,CAAC8+D,KAAK,CAACnwB,MAAM,CAAC;IAC7C,IAAI+8C,WAAW,KAAKlhD,GAAG,EAAE;MACrBs0B,KAAK,CAACnsC,IAAI,EAAE;MACZmsC,KAAK,CAACxrC,MAAM,GAAG,CAAC;IACpB,CAAC,MACI,IAAI,CAACib,SAAS,CAACm9C,WAAW,CAAC,EAAE;MAC9B5sB,KAAK,CAACxrC,MAAM,EAAE;IAClB;IACAwrC,KAAK,CAACnwB,MAAM,EAAE;IACd,IAAI,CAACw8C,UAAU,CAACrsB,KAAK,CAAC;EAC1B;EACAqsB,UAAUA,CAACrsB,KAAK,EAAE;IACdA,KAAK,CAAC6S,IAAI,GAAG7S,KAAK,CAACnwB,MAAM,IAAI,IAAI,CAACziC,GAAG,GAAGm+B,IAAI,GAAG,IAAI,CAACrqC,MAAM,CAAC8+D,KAAK,CAACnwB,MAAM,CAAC;EAC5E;EACA28C,kBAAkBA,CAACtE,MAAM,EAAE;IACvB,OAAO,IAAIt4C,aAAa,CAACs4C,MAAM,CAACx4D,IAAI,EAAEw4D,MAAM,CAACloB,KAAK,CAACnwB,MAAM,EAAEq4C,MAAM,CAACloB,KAAK,CAACnsC,IAAI,EAAEq0D,MAAM,CAACloB,KAAK,CAACxrC,MAAM,CAAC;EACtG;AACJ;AACA,MAAM2wD,sBAAsB,SAASC,oBAAoB,CAAC;EACtDnmF,WAAWA,CAACktF,YAAY,EAAEjzE,KAAK,EAAE;IAC7B,IAAIizE,YAAY,YAAYhH,sBAAsB,EAAE;MAChD,KAAK,CAACgH,YAAY,CAAC;MACnB,IAAI,CAACU,aAAa,GAAG;QAAE,GAAGV,YAAY,CAACU;MAAc,CAAC;IAC1D,CAAC,MACI;MACD,KAAK,CAACV,YAAY,EAAEjzE,KAAK,CAAC;MAC1B,IAAI,CAAC2zE,aAAa,GAAG,IAAI,CAAC7sB,KAAK;IACnC;EACJ;EACA39C,OAAOA,CAAA,EAAG;IACN,IAAI,CAAC29C,KAAK,GAAG,IAAI,CAAC6sB,aAAa;IAC/B,KAAK,CAACxqE,OAAO,CAAC,CAAC;IACf,IAAI,CAACyqE,qBAAqB,CAAC,CAAC;EAChC;EACAnH,IAAIA,CAAA,EAAG;IACH,KAAK,CAACA,IAAI,CAAC,CAAC;IACZ,IAAI,CAACmH,qBAAqB,CAAC,CAAC;EAChC;EACAxmF,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAI6+E,sBAAsB,CAAC,IAAI,CAAC;EAC3C;EACA8B,QAAQA,CAAC9yD,KAAK,EAAE;IACZ,MAAM+zD,MAAM,GAAG/zD,KAAK,CAAC7tB,KAAK,CAAC,CAAC;IAC5B,IAAI+hF,KAAK,GAAG,EAAE;IACd,OAAOH,MAAM,CAAC2E,aAAa,CAACh9C,MAAM,GAAG,IAAI,CAACg9C,aAAa,CAACh9C,MAAM,EAAE;MAC5Dw4C,KAAK,IAAI33E,MAAM,CAACo4E,aAAa,CAACZ,MAAM,CAACrV,IAAI,CAAC,CAAC,CAAC;MAC5CqV,MAAM,CAAC7lE,OAAO,CAAC,CAAC;IACpB;IACA,OAAOgmE,KAAK;EAChB;EACA;AACJ;AACA;AACA;AACA;EACIyE,qBAAqBA,CAAA,EAAG;IACpB,MAAMja,IAAI,GAAGA,CAAA,KAAM,IAAI,CAACga,aAAa,CAACha,IAAI;IAC1C,IAAIA,IAAI,CAAC,CAAC,KAAKhlC,UAAU,EAAE;MACvB;MACA;MACA,IAAI,CAACg/C,aAAa,GAAG;QAAE,GAAG,IAAI,CAAC7sB;MAAM,CAAC;MACtC;MACA,IAAI,CAACosB,YAAY,CAAC,IAAI,CAACS,aAAa,CAAC;MACrC;MACA,IAAIha,IAAI,CAAC,CAAC,KAAKxkC,EAAE,EAAE;QACf,IAAI,CAAC2xB,KAAK,CAAC6S,IAAI,GAAGnnC,GAAG;MACzB,CAAC,MACI,IAAImnC,IAAI,CAAC,CAAC,KAAKvkC,EAAE,EAAE;QACpB,IAAI,CAAC0xB,KAAK,CAAC6S,IAAI,GAAGhnC,GAAG;MACzB,CAAC,MACI,IAAIgnC,IAAI,CAAC,CAAC,KAAKpkC,EAAE,EAAE;QACpB,IAAI,CAACuxB,KAAK,CAAC6S,IAAI,GAAGlnC,KAAK;MAC3B,CAAC,MACI,IAAIknC,IAAI,CAAC,CAAC,KAAKtkC,EAAE,EAAE;QACpB,IAAI,CAACyxB,KAAK,CAAC6S,IAAI,GAAGpnC,IAAI;MAC1B,CAAC,MACI,IAAIonC,IAAI,CAAC,CAAC,KAAK3kC,EAAE,EAAE;QACpB,IAAI,CAAC8xB,KAAK,CAAC6S,IAAI,GAAGrnC,OAAO;MAC7B,CAAC,MACI,IAAIqnC,IAAI,CAAC,CAAC,KAAKzkC,EAAE,EAAE;QACpB,IAAI,CAAC4xB,KAAK,CAAC6S,IAAI,GAAGjnC,GAAG;MACzB;MACA;MAAA,KACK,IAAIinC,IAAI,CAAC,CAAC,KAAKrkC,EAAE,EAAE;QACpB;QACA,IAAI,CAAC49C,YAAY,CAAC,IAAI,CAACS,aAAa,CAAC,CAAC,CAAC;QACvC,IAAIha,IAAI,CAAC,CAAC,KAAKjkC,OAAO,EAAE;UACpB;UACA,IAAI,CAACw9C,YAAY,CAAC,IAAI,CAACS,aAAa,CAAC,CAAC,CAAC;UACvC;UACA,MAAME,UAAU,GAAG,IAAI,CAACzmF,KAAK,CAAC,CAAC;UAC/B,IAAI1G,MAAM,GAAG,CAAC;UACd,OAAOizE,IAAI,CAAC,CAAC,KAAK/jC,OAAO,EAAE;YACvB,IAAI,CAACs9C,YAAY,CAAC,IAAI,CAACS,aAAa,CAAC;YACrCjtF,MAAM,EAAE;UACZ;UACA,IAAI,CAACogE,KAAK,CAAC6S,IAAI,GAAG,IAAI,CAACma,eAAe,CAACD,UAAU,EAAEntF,MAAM,CAAC;QAC9D,CAAC,MACI;UACD;UACA,MAAMmtF,UAAU,GAAG,IAAI,CAACzmF,KAAK,CAAC,CAAC;UAC/B,IAAI,CAAC8lF,YAAY,CAAC,IAAI,CAACS,aAAa,CAAC;UACrC,IAAI,CAACT,YAAY,CAAC,IAAI,CAACS,aAAa,CAAC;UACrC,IAAI,CAACT,YAAY,CAAC,IAAI,CAACS,aAAa,CAAC;UACrC,IAAI,CAAC7sB,KAAK,CAAC6S,IAAI,GAAG,IAAI,CAACma,eAAe,CAACD,UAAU,EAAE,CAAC,CAAC;QACzD;MACJ,CAAC,MACI,IAAIla,IAAI,CAAC,CAAC,KAAKnkC,EAAE,EAAE;QACpB;QACA,IAAI,CAAC09C,YAAY,CAAC,IAAI,CAACS,aAAa,CAAC,CAAC,CAAC;QACvC,MAAME,UAAU,GAAG,IAAI,CAACzmF,KAAK,CAAC,CAAC;QAC/B,IAAI,CAAC8lF,YAAY,CAAC,IAAI,CAACS,aAAa,CAAC;QACrC,IAAI,CAAC7sB,KAAK,CAAC6S,IAAI,GAAG,IAAI,CAACma,eAAe,CAACD,UAAU,EAAE,CAAC,CAAC;MACzD,CAAC,MACI,IAAIr9C,YAAY,CAACmjC,IAAI,CAAC,CAAC,CAAC,EAAE;QAC3B;QACA,IAAIoa,KAAK,GAAG,EAAE;QACd,IAAIrtF,MAAM,GAAG,CAAC;QACd,IAAIstF,QAAQ,GAAG,IAAI,CAAC5mF,KAAK,CAAC,CAAC;QAC3B,OAAOopC,YAAY,CAACmjC,IAAI,CAAC,CAAC,CAAC,IAAIjzE,MAAM,GAAG,CAAC,EAAE;UACvCstF,QAAQ,GAAG,IAAI,CAAC5mF,KAAK,CAAC,CAAC;UACvB2mF,KAAK,IAAIv8E,MAAM,CAACo4E,aAAa,CAACjW,IAAI,CAAC,CAAC,CAAC;UACrC,IAAI,CAACuZ,YAAY,CAAC,IAAI,CAACS,aAAa,CAAC;UACrCjtF,MAAM,EAAE;QACZ;QACA,IAAI,CAACogE,KAAK,CAAC6S,IAAI,GAAGwB,QAAQ,CAAC4Y,KAAK,EAAE,CAAC,CAAC;QACpC;QACA,IAAI,CAACJ,aAAa,GAAGK,QAAQ,CAACL,aAAa;MAC/C,CAAC,MACI,IAAIp9C,SAAS,CAAC,IAAI,CAACo9C,aAAa,CAACha,IAAI,CAAC,EAAE;QACzC;QACA,IAAI,CAACuZ,YAAY,CAAC,IAAI,CAACS,aAAa,CAAC,CAAC,CAAC;QACvC,IAAI,CAAC7sB,KAAK,GAAG,IAAI,CAAC6sB,aAAa;MACnC,CAAC,MACI;QACD;QACA;QACA,IAAI,CAAC7sB,KAAK,CAAC6S,IAAI,GAAG,IAAI,CAACga,aAAa,CAACha,IAAI;MAC7C;IACJ;EACJ;EACAma,eAAeA,CAAC74D,KAAK,EAAEv0B,MAAM,EAAE;IAC3B,MAAMw0E,GAAG,GAAG,IAAI,CAAC1nD,KAAK,CAAClsB,KAAK,CAAC2zB,KAAK,CAAC04D,aAAa,CAACh9C,MAAM,EAAE1b,KAAK,CAAC04D,aAAa,CAACh9C,MAAM,GAAGjwC,MAAM,CAAC;IAC7F,MAAMikF,QAAQ,GAAGxP,QAAQ,CAACD,GAAG,EAAE,EAAE,CAAC;IAClC,IAAI,CAACI,KAAK,CAACqP,QAAQ,CAAC,EAAE;MAClB,OAAOA,QAAQ;IACnB,CAAC,MACI;MACD1vD,KAAK,CAAC6rC,KAAK,GAAG7rC,KAAK,CAAC04D,aAAa;MACjC,MAAM,IAAI5E,WAAW,CAAC,qCAAqC,EAAE9zD,KAAK,CAAC;IACvE;EACJ;AACJ;AACA,MAAM8zD,WAAW,CAAC;EACdhpF,WAAWA,CAAC6N,GAAG,EAAEo7E,MAAM,EAAE;IACrB,IAAI,CAACp7E,GAAG,GAAGA,GAAG;IACd,IAAI,CAACo7E,MAAM,GAAGA,MAAM;EACxB;AACJ;AAEA,MAAMiF,SAAS,SAASj8C,UAAU,CAAC;EAC/B,OAAOqnB,MAAMA,CAAChzD,WAAW,EAAE0uB,IAAI,EAAEnnB,GAAG,EAAE;IAClC,OAAO,IAAIqgF,SAAS,CAAC5nF,WAAW,EAAE0uB,IAAI,EAAEnnB,GAAG,CAAC;EAChD;EACA7N,WAAWA,CAACsG,WAAW,EAAE0uB,IAAI,EAAEnnB,GAAG,EAAE;IAChC,KAAK,CAACmnB,IAAI,EAAEnnB,GAAG,CAAC;IAChB,IAAI,CAACvH,WAAW,GAAGA,WAAW;EAClC;AACJ;AACA,MAAM6nF,eAAe,CAAC;EAClBnuF,WAAWA,CAACouF,SAAS,EAAE/xC,MAAM,EAAE;IAC3B,IAAI,CAAC+xC,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAAC/xC,MAAM,GAAGA,MAAM;EACxB;AACJ;AACA,MAAMgyC,MAAM,CAAC;EACTruF,WAAWA,CAACqkF,gBAAgB,EAAE;IAC1B,IAAI,CAACA,gBAAgB,GAAGA,gBAAgB;EAC5C;EACAhkF,KAAKA,CAAC40B,MAAM,EAAEra,GAAG,EAAE0pE,OAAO,EAAE;IACxB,MAAMgK,cAAc,GAAG/c,QAAQ,CAACt8C,MAAM,EAAEra,GAAG,EAAE,IAAI,CAACypE,gBAAgB,EAAEC,OAAO,CAAC;IAC5E,MAAMlN,MAAM,GAAG,IAAImX,YAAY,CAACD,cAAc,CAAC5c,MAAM,EAAE,IAAI,CAAC2S,gBAAgB,CAAC;IAC7EjN,MAAM,CAACoX,KAAK,CAAC,CAAC;IACd,OAAO,IAAIL,eAAe,CAAC/W,MAAM,CAACgX,SAAS,EAAEE,cAAc,CAACjyC,MAAM,CAAC75C,MAAM,CAAC40E,MAAM,CAAC/6B,MAAM,CAAC,CAAC;EAC7F;AACJ;AACA,MAAMkyC,YAAY,CAAC;EACfvuF,WAAWA,CAAC0xE,MAAM,EAAE2S,gBAAgB,EAAE;IAClC,IAAI,CAAC3S,MAAM,GAAGA,MAAM;IACpB,IAAI,CAAC2S,gBAAgB,GAAGA,gBAAgB;IACxC,IAAI,CAACoK,MAAM,GAAG,CAAC,CAAC;IAChB,IAAI,CAACC,eAAe,GAAG,EAAE;IACzB,IAAI,CAACN,SAAS,GAAG,EAAE;IACnB,IAAI,CAAC/xC,MAAM,GAAG,EAAE;IAChB,IAAI,CAACsyC,QAAQ,CAAC,CAAC;EACnB;EACAH,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAI,CAACI,KAAK,CAAChkF,IAAI,KAAK,EAAE,CAAC,qBAAqB;MAC/C,IAAI,IAAI,CAACgkF,KAAK,CAAChkF,IAAI,KAAK,CAAC,CAAC,kCACtB,IAAI,CAACgkF,KAAK,CAAChkF,IAAI,KAAK,CAAC,CAAC,qCAAqC;QAC3D,IAAI,CAACikF,gBAAgB,CAAC,IAAI,CAACF,QAAQ,CAAC,CAAC,CAAC;MAC1C,CAAC,MACI,IAAI,IAAI,CAACC,KAAK,CAAChkF,IAAI,KAAK,CAAC,CAAC,2BAA2B;QACtD,IAAI,CAACkkF,cAAc,CAAC,IAAI,CAACH,QAAQ,CAAC,CAAC,CAAC;MACxC,CAAC,MACI,IAAI,IAAI,CAACC,KAAK,CAAChkF,IAAI,KAAK,EAAE,CAAC,6BAA6B;QACzD,IAAI,CAACmkF,iBAAiB,CAAC,CAAC;QACxB,IAAI,CAACjI,aAAa,CAAC,IAAI,CAAC6H,QAAQ,CAAC,CAAC,CAAC;MACvC,CAAC,MACI,IAAI,IAAI,CAACC,KAAK,CAAChkF,IAAI,KAAK,EAAE,CAAC,+BAA+B;QAC3D,IAAI,CAACmkF,iBAAiB,CAAC,CAAC;QACxB,IAAI,CAAChI,eAAe,CAAC,IAAI,CAAC4H,QAAQ,CAAC,CAAC,CAAC;MACzC,CAAC,MACI,IAAI,IAAI,CAACC,KAAK,CAAChkF,IAAI,KAAK,CAAC,CAAC,wBAAwB,IAAI,CAACgkF,KAAK,CAAChkF,IAAI,KAAK,CAAC,CAAC,4BACzE,IAAI,CAACgkF,KAAK,CAAChkF,IAAI,KAAK,CAAC,CAAC,oCAAoC;QAC1D,IAAI,CAACmkF,iBAAiB,CAAC,CAAC;QACxB,IAAI,CAACC,YAAY,CAAC,IAAI,CAACL,QAAQ,CAAC,CAAC,CAAC;MACtC,CAAC,MACI,IAAI,IAAI,CAACC,KAAK,CAAChkF,IAAI,KAAK,EAAE,CAAC,sCAAsC;QAClE,IAAI,CAACqkF,iBAAiB,CAAC,IAAI,CAACN,QAAQ,CAAC,CAAC,CAAC;MAC3C,CAAC,MACI,IAAI,IAAI,CAACC,KAAK,CAAChkF,IAAI,KAAK,EAAE,CAAC,wCAAwC;QACpE,IAAI,CAACmkF,iBAAiB,CAAC,CAAC;QACxB,IAAI,CAAC3H,sBAAsB,CAAC,IAAI,CAACuH,QAAQ,CAAC,CAAC,CAAC;MAChD,CAAC,MACI,IAAI,IAAI,CAACC,KAAK,CAAChkF,IAAI,KAAK,EAAE,CAAC,kCAAkC;QAC9D,IAAI,CAACmkF,iBAAiB,CAAC,CAAC;QACxB,IAAI,CAACzH,aAAa,CAAC,IAAI,CAACqH,QAAQ,CAAC,CAAC,EAAE,EAAE,CAAC,8BAA8B,CAAC;MAC1E,CAAC,MACI,IAAI,IAAI,CAACC,KAAK,CAAChkF,IAAI,KAAK,EAAE,CAAC,mCAAmC;QAC/D,IAAI,CAACmkF,iBAAiB,CAAC,CAAC;QACxB,IAAI,CAAC1H,uBAAuB,CAAC,IAAI,CAACsH,QAAQ,CAAC,CAAC,CAAC;MACjD,CAAC,MACI;QACD;QACA,IAAI,CAACA,QAAQ,CAAC,CAAC;MACnB;IACJ;EACJ;EACAA,QAAQA,CAAA,EAAG;IACP,MAAM/9B,IAAI,GAAG,IAAI,CAACg+B,KAAK;IACvB,IAAI,IAAI,CAACH,MAAM,GAAG,IAAI,CAAC/c,MAAM,CAAC/wE,MAAM,GAAG,CAAC,EAAE;MACtC;MACA,IAAI,CAAC8tF,MAAM,EAAE;IACjB;IACA,IAAI,CAACG,KAAK,GAAG,IAAI,CAACld,MAAM,CAAC,IAAI,CAAC+c,MAAM,CAAC;IACrC,OAAO79B,IAAI;EACf;EACAs+B,UAAUA,CAACtkF,IAAI,EAAE;IACb,IAAI,IAAI,CAACgkF,KAAK,CAAChkF,IAAI,KAAKA,IAAI,EAAE;MAC1B,OAAO,IAAI,CAAC+jF,QAAQ,CAAC,CAAC;IAC1B;IACA,OAAO,IAAI;EACf;EACA7H,aAAaA,CAACqI,WAAW,EAAE;IACvB,IAAI,CAACH,YAAY,CAAC,IAAI,CAACL,QAAQ,CAAC,CAAC,CAAC;IAClC,IAAI,CAACO,UAAU,CAAC,EAAE,CAAC,yBAAyB,CAAC;EACjD;EACAnI,eAAeA,CAACh4D,KAAK,EAAE;IACnB,MAAMhlB,IAAI,GAAG,IAAI,CAACmlF,UAAU,CAAC,CAAC,CAAC,wBAAwB,CAAC;IACxD,MAAME,QAAQ,GAAG,IAAI,CAACF,UAAU,CAAC,EAAE,CAAC,2BAA2B,CAAC;IAChE,MAAMxsF,KAAK,GAAGqH,IAAI,IAAI,IAAI,GAAGA,IAAI,CAACN,KAAK,CAAC,CAAC,CAAC,CAAC0kB,IAAI,CAAC,CAAC,GAAG,IAAI;IACxD,MAAM7b,UAAU,GAAG88E,QAAQ,IAAI,IAAI,GAC/BrgE,KAAK,CAACzc,UAAU,GAChB,IAAIu/B,eAAe,CAAC9iB,KAAK,CAACzc,UAAU,CAAC4iB,KAAK,EAAEk6D,QAAQ,CAAC98E,UAAU,CAACnE,GAAG,EAAE4gB,KAAK,CAACzc,UAAU,CAACw/B,SAAS,CAAC;IACpG,IAAI,CAACu9C,YAAY,CAAC,IAAIjQ,OAAO,CAAC18E,KAAK,EAAE4P,UAAU,CAAC,CAAC;EACrD;EACA28E,iBAAiBA,CAAClgE,KAAK,EAAE;IACrB,MAAM4vD,WAAW,GAAG,IAAI,CAACgQ,QAAQ,CAAC,CAAC;IACnC,MAAM/jF,IAAI,GAAG,IAAI,CAAC+jF,QAAQ,CAAC,CAAC;IAC5B,MAAMlkF,KAAK,GAAG,EAAE;IAChB;IACA,OAAO,IAAI,CAACmkF,KAAK,CAAChkF,IAAI,KAAK,EAAE,CAAC,sCAAsC;MAChE,MAAM0kF,OAAO,GAAG,IAAI,CAACC,mBAAmB,CAAC,CAAC;MAC1C,IAAI,CAACD,OAAO,EACR,OAAO,CAAC;MACZ7kF,KAAK,CAAC7J,IAAI,CAAC0uF,OAAO,CAAC;IACvB;IACA;IACA,IAAI,IAAI,CAACV,KAAK,CAAChkF,IAAI,KAAK,EAAE,CAAC,oCAAoC;MAC3D,IAAI,CAACyxC,MAAM,CAACz7C,IAAI,CAACstF,SAAS,CAAC50B,MAAM,CAAC,IAAI,EAAE,IAAI,CAACs1B,KAAK,CAACt8E,UAAU,EAAE,mCAAmC,CAAC,CAAC;MACpG;IACJ;IACA,MAAMA,UAAU,GAAG,IAAIu/B,eAAe,CAAC9iB,KAAK,CAACzc,UAAU,CAAC4iB,KAAK,EAAE,IAAI,CAAC05D,KAAK,CAACt8E,UAAU,CAACnE,GAAG,EAAE4gB,KAAK,CAACzc,UAAU,CAACw/B,SAAS,CAAC;IACrH,IAAI,CAACu9C,YAAY,CAAC,IAAI3Q,SAAS,CAACC,WAAW,CAACl1E,KAAK,CAAC,CAAC,CAAC,EAAEmB,IAAI,CAACnB,KAAK,CAAC,CAAC,CAAC,EAAEgB,KAAK,EAAE6H,UAAU,EAAEqsE,WAAW,CAACrsE,UAAU,CAAC,CAAC;IAChH,IAAI,CAACq8E,QAAQ,CAAC,CAAC;EACnB;EACAY,mBAAmBA,CAAA,EAAG;IAClB,MAAM7sF,KAAK,GAAG,IAAI,CAACisF,QAAQ,CAAC,CAAC;IAC7B;IACA,IAAI,IAAI,CAACC,KAAK,CAAChkF,IAAI,KAAK,EAAE,CAAC,0CAA0C;MACjE,IAAI,CAACyxC,MAAM,CAACz7C,IAAI,CAACstF,SAAS,CAAC50B,MAAM,CAAC,IAAI,EAAE,IAAI,CAACs1B,KAAK,CAACt8E,UAAU,EAAE,mCAAmC,CAAC,CAAC;MACpG,OAAO,IAAI;IACf;IACA;IACA,MAAM4iB,KAAK,GAAG,IAAI,CAACy5D,QAAQ,CAAC,CAAC;IAC7B,MAAMjvE,GAAG,GAAG,IAAI,CAAC8vE,0BAA0B,CAACt6D,KAAK,CAAC;IAClD,IAAI,CAACxV,GAAG,EACJ,OAAO,IAAI;IACf,MAAMvR,GAAG,GAAG,IAAI,CAACwgF,QAAQ,CAAC,CAAC;IAC3BjvE,GAAG,CAAC9e,IAAI,CAAC;MAAEgK,IAAI,EAAE,EAAE,CAAC;MAAqBnB,KAAK,EAAE,EAAE;MAAE6I,UAAU,EAAEnE,GAAG,CAACmE;IAAW,CAAC,CAAC;IACjF;IACA,MAAMm9E,mBAAmB,GAAG,IAAIlB,YAAY,CAAC7uE,GAAG,EAAE,IAAI,CAAC2kE,gBAAgB,CAAC;IACxEoL,mBAAmB,CAACjB,KAAK,CAAC,CAAC;IAC3B,IAAIiB,mBAAmB,CAACpzC,MAAM,CAAC17C,MAAM,GAAG,CAAC,EAAE;MACvC,IAAI,CAAC07C,MAAM,GAAG,IAAI,CAACA,MAAM,CAAC75C,MAAM,CAACitF,mBAAmB,CAACpzC,MAAM,CAAC;MAC5D,OAAO,IAAI;IACf;IACA,MAAM/pC,UAAU,GAAG,IAAIu/B,eAAe,CAACnvC,KAAK,CAAC4P,UAAU,CAAC4iB,KAAK,EAAE/mB,GAAG,CAACmE,UAAU,CAACnE,GAAG,EAAEzL,KAAK,CAAC4P,UAAU,CAACw/B,SAAS,CAAC;IAC9G,MAAMktC,aAAa,GAAG,IAAIntC,eAAe,CAAC3c,KAAK,CAAC5iB,UAAU,CAAC4iB,KAAK,EAAE/mB,GAAG,CAACmE,UAAU,CAACnE,GAAG,EAAE+mB,KAAK,CAAC5iB,UAAU,CAACw/B,SAAS,CAAC;IACjH,OAAO,IAAIgtC,aAAa,CAACp8E,KAAK,CAAC+G,KAAK,CAAC,CAAC,CAAC,EAAEgmF,mBAAmB,CAACrB,SAAS,EAAE97E,UAAU,EAAE5P,KAAK,CAAC4P,UAAU,EAAE0sE,aAAa,CAAC;EACxH;EACAwQ,0BAA0BA,CAACt6D,KAAK,EAAE;IAC9B,MAAMxV,GAAG,GAAG,EAAE;IACd,MAAMgwE,kBAAkB,GAAG,CAAC,EAAE,CAAC,yCAAyC;IACxE,OAAO,IAAI,EAAE;MACT,IAAI,IAAI,CAACd,KAAK,CAAChkF,IAAI,KAAK,EAAE,CAAC,wCACvB,IAAI,CAACgkF,KAAK,CAAChkF,IAAI,KAAK,EAAE,CAAC,0CAA0C;QACjE8kF,kBAAkB,CAAC9uF,IAAI,CAAC,IAAI,CAACguF,KAAK,CAAChkF,IAAI,CAAC;MAC5C;MACA,IAAI,IAAI,CAACgkF,KAAK,CAAChkF,IAAI,KAAK,EAAE,CAAC,wCAAwC;QAC/D,IAAI+kF,WAAW,CAACD,kBAAkB,EAAE,EAAE,CAAC,wCAAwC,CAAC,EAAE;UAC9EA,kBAAkB,CAACz7D,GAAG,CAAC,CAAC;UACxB,IAAIy7D,kBAAkB,CAAC/uF,MAAM,KAAK,CAAC,EAC/B,OAAO+e,GAAG;QAClB,CAAC,MACI;UACD,IAAI,CAAC28B,MAAM,CAACz7C,IAAI,CAACstF,SAAS,CAAC50B,MAAM,CAAC,IAAI,EAAEpkC,KAAK,CAAC5iB,UAAU,EAAE,mCAAmC,CAAC,CAAC;UAC/F,OAAO,IAAI;QACf;MACJ;MACA,IAAI,IAAI,CAACs8E,KAAK,CAAChkF,IAAI,KAAK,EAAE,CAAC,oCAAoC;QAC3D,IAAI+kF,WAAW,CAACD,kBAAkB,EAAE,EAAE,CAAC,oCAAoC,CAAC,EAAE;UAC1EA,kBAAkB,CAACz7D,GAAG,CAAC,CAAC;QAC5B,CAAC,MACI;UACD,IAAI,CAACooB,MAAM,CAACz7C,IAAI,CAACstF,SAAS,CAAC50B,MAAM,CAAC,IAAI,EAAEpkC,KAAK,CAAC5iB,UAAU,EAAE,mCAAmC,CAAC,CAAC;UAC/F,OAAO,IAAI;QACf;MACJ;MACA,IAAI,IAAI,CAACs8E,KAAK,CAAChkF,IAAI,KAAK,EAAE,CAAC,qBAAqB;QAC5C,IAAI,CAACyxC,MAAM,CAACz7C,IAAI,CAACstF,SAAS,CAAC50B,MAAM,CAAC,IAAI,EAAEpkC,KAAK,CAAC5iB,UAAU,EAAE,mCAAmC,CAAC,CAAC;QAC/F,OAAO,IAAI;MACf;MACAoN,GAAG,CAAC9e,IAAI,CAAC,IAAI,CAAC+tF,QAAQ,CAAC,CAAC,CAAC;IAC7B;EACJ;EACAK,YAAYA,CAACjgE,KAAK,EAAE;IAChB,MAAM2iD,MAAM,GAAG,CAAC3iD,KAAK,CAAC;IACtB,MAAM6gE,SAAS,GAAG7gE,KAAK,CAACzc,UAAU;IAClC,IAAIvI,IAAI,GAAGglB,KAAK,CAACtlB,KAAK,CAAC,CAAC,CAAC;IACzB,IAAIM,IAAI,CAACpJ,MAAM,GAAG,CAAC,IAAIoJ,IAAI,CAAC,CAAC,CAAC,KAAK,IAAI,EAAE;MACrC,MAAM0wD,MAAM,GAAG,IAAI,CAACo1B,aAAa,CAAC,CAAC;MACnC;MACA,IAAIp1B,MAAM,YAAY6kB,UAAU,EAAE;QAC9B,IAAI,CAACjjC,MAAM,CAACz7C,IAAI,CAACstF,SAAS,CAAC50B,MAAM,CAAC,IAAI,EAAEs2B,SAAS,EAAE,yDAAyD,CAAC,CAAC;QAC9G,OAAO,IAAI;MACf;MACA,IAAIn1B,MAAM,IAAI,IAAI,IAAIA,MAAM,CAACtwD,QAAQ,CAACxJ,MAAM,KAAK,CAAC,IAC9C,IAAI,CAAC0jF,gBAAgB,CAAC5pB,MAAM,CAACh4D,IAAI,CAAC,CAACwgF,aAAa,EAAE;QAClDl5E,IAAI,GAAGA,IAAI,CAACqlB,SAAS,CAAC,CAAC,CAAC;QACxBsiD,MAAM,CAAC,CAAC,CAAC,GAAG;UAAE9mE,IAAI,EAAEmkB,KAAK,CAACnkB,IAAI;UAAE0H,UAAU,EAAEyc,KAAK,CAACzc,UAAU;UAAE7I,KAAK,EAAE,CAACM,IAAI;QAAE,CAAC;MACjF;IACJ;IACA,OAAO,IAAI,CAAC6kF,KAAK,CAAChkF,IAAI,KAAK,CAAC,CAAC,iCAAiC,IAAI,CAACgkF,KAAK,CAAChkF,IAAI,KAAK,CAAC,CAAC,wBAChF,IAAI,CAACgkF,KAAK,CAAChkF,IAAI,KAAK,CAAC,CAAC,gCAAgC;MACtDmkB,KAAK,GAAG,IAAI,CAAC4/D,QAAQ,CAAC,CAAC;MACvBjd,MAAM,CAAC9wE,IAAI,CAACmuB,KAAK,CAAC;MAClB,IAAIA,KAAK,CAACnkB,IAAI,KAAK,CAAC,CAAC,+BAA+B;QAChD;QACA;QACA;QACA;QACAb,IAAI,IAAIglB,KAAK,CAACtlB,KAAK,CAAClH,IAAI,CAAC,EAAE,CAAC,CAACJ,OAAO,CAAC,YAAY,EAAE2tF,YAAY,CAAC;MACpE,CAAC,MACI,IAAI/gE,KAAK,CAACnkB,IAAI,KAAK,CAAC,CAAC,gCAAgC;QACtDb,IAAI,IAAIglB,KAAK,CAACtlB,KAAK,CAAC,CAAC,CAAC;MAC1B,CAAC,MACI;QACDM,IAAI,IAAIglB,KAAK,CAACtlB,KAAK,CAAClH,IAAI,CAAC,EAAE,CAAC;MAChC;IACJ;IACA,IAAIwH,IAAI,CAACpJ,MAAM,GAAG,CAAC,EAAE;MACjB,MAAMovF,OAAO,GAAGhhE,KAAK,CAACzc,UAAU;MAChC,IAAI,CAAC+8E,YAAY,CAAC,IAAIl5B,IAAI,CAACpsD,IAAI,EAAE,IAAI8nC,eAAe,CAAC+9C,SAAS,CAAC16D,KAAK,EAAE66D,OAAO,CAAC5hF,GAAG,EAAEyhF,SAAS,CAAC99C,SAAS,EAAE89C,SAAS,CAAC79C,OAAO,CAAC,EAAE2/B,MAAM,CAAC,CAAC;IACxI;EACJ;EACAqd,iBAAiBA,CAAA,EAAG;IAChB,MAAM72E,EAAE,GAAG,IAAI,CAAC23E,aAAa,CAAC,CAAC;IAC/B,IAAI33E,EAAE,YAAY09C,OAAO,IAAI,IAAI,CAACyuB,gBAAgB,CAACnsE,EAAE,CAACzV,IAAI,CAAC,CAACsI,MAAM,EAAE;MAChE,IAAI,CAAC2jF,eAAe,CAACz6D,GAAG,CAAC,CAAC;IAC9B;EACJ;EACA46D,gBAAgBA,CAACmB,aAAa,EAAE;IAC5B,MAAM,CAAC3uF,MAAM,EAAEoB,IAAI,CAAC,GAAGutF,aAAa,CAACvmF,KAAK;IAC1C,MAAMtJ,KAAK,GAAG,EAAE;IAChB,OAAO,IAAI,CAACyuF,KAAK,CAAChkF,IAAI,KAAK,EAAE,CAAC,2BAA2B;MACrDzK,KAAK,CAACS,IAAI,CAAC,IAAI,CAACqvF,YAAY,CAAC,IAAI,CAACtB,QAAQ,CAAC,CAAC,CAAC,CAAC;IAClD;IACA,MAAMphC,QAAQ,GAAG,IAAI,CAAC2iC,mBAAmB,CAAC7uF,MAAM,EAAEoB,IAAI,EAAE,IAAI,CAAC0tF,wBAAwB,CAAC,CAAC,CAAC;IACxF,IAAIC,WAAW,GAAG,KAAK;IACvB;IACA;IACA,IAAI,IAAI,CAACxB,KAAK,CAAChkF,IAAI,KAAK,CAAC,CAAC,mCAAmC;MACzD,IAAI,CAAC+jF,QAAQ,CAAC,CAAC;MACfyB,WAAW,GAAG,IAAI;MAClB,MAAMC,MAAM,GAAG,IAAI,CAAChM,gBAAgB,CAAC92B,QAAQ,CAAC;MAC9C,IAAI,EAAE8iC,MAAM,CAAClN,YAAY,IAAI71B,WAAW,CAACC,QAAQ,CAAC,KAAK,IAAI,IAAI8iC,MAAM,CAACtlF,MAAM,CAAC,EAAE;QAC3E,IAAI,CAACsxC,MAAM,CAACz7C,IAAI,CAACstF,SAAS,CAAC50B,MAAM,CAAC/L,QAAQ,EAAEyiC,aAAa,CAAC19E,UAAU,EAAE,8DAA8D09E,aAAa,CAACvmF,KAAK,CAAC,CAAC,CAAC,GAAG,CAAC,CAAC;MACnK;IACJ,CAAC,MACI,IAAI,IAAI,CAACmlF,KAAK,CAAChkF,IAAI,KAAK,CAAC,CAAC,8BAA8B;MACzD,IAAI,CAAC+jF,QAAQ,CAAC,CAAC;MACfyB,WAAW,GAAG,KAAK;IACvB;IACA,MAAMjiF,GAAG,GAAG,IAAI,CAACygF,KAAK,CAACt8E,UAAU,CAACw/B,SAAS;IAC3C,MAAM9c,IAAI,GAAG,IAAI6c,eAAe,CAACm+C,aAAa,CAAC19E,UAAU,CAAC4iB,KAAK,EAAE/mB,GAAG,EAAE6hF,aAAa,CAAC19E,UAAU,CAACw/B,SAAS,CAAC;IACzG;IACA,MAAM89C,SAAS,GAAG,IAAI/9C,eAAe,CAACm+C,aAAa,CAAC19E,UAAU,CAAC4iB,KAAK,EAAE/mB,GAAG,EAAE6hF,aAAa,CAAC19E,UAAU,CAACw/B,SAAS,CAAC;IAC9G,MAAM55B,EAAE,GAAG,IAAI09C,OAAO,CAACrI,QAAQ,EAAEptD,KAAK,EAAE,EAAE,EAAE60B,IAAI,EAAE46D,SAAS,EAAEthE,SAAS,CAAC;IACvE,MAAMgiE,QAAQ,GAAG,IAAI,CAACT,aAAa,CAAC,CAAC;IACrC,IAAI,CAACU,cAAc,CAACr4E,EAAE,EAAEo4E,QAAQ,YAAY16B,OAAO,IAC/C,IAAI,CAACyuB,gBAAgB,CAACiM,QAAQ,CAAC7tF,IAAI,CAAC,CAAC2gF,eAAe,CAAClrE,EAAE,CAACzV,IAAI,CAAC,CAAC;IAClE,IAAI2tF,WAAW,EAAE;MACb;MACA;MACA,IAAI,CAACI,aAAa,CAACjjC,QAAQ,EAAEqI,OAAO,EAAE5gC,IAAI,CAAC;IAC/C,CAAC,MACI,IAAIg7D,aAAa,CAACplF,IAAI,KAAK,CAAC,CAAC,qCAAqC;MACnE;MACA;MACA,IAAI,CAAC4lF,aAAa,CAACjjC,QAAQ,EAAEqI,OAAO,EAAE,IAAI,CAAC;MAC3C,IAAI,CAACvZ,MAAM,CAACz7C,IAAI,CAACstF,SAAS,CAAC50B,MAAM,CAAC/L,QAAQ,EAAEv4B,IAAI,EAAE,gBAAgBu4B,QAAQ,mBAAmB,CAAC,CAAC;IACnG;EACJ;EACAgjC,cAAcA,CAACh6E,IAAI,EAAE6sE,eAAe,EAAE;IAClC,IAAIA,eAAe,EAAE;MACjB,IAAI,CAACsL,eAAe,CAACz6D,GAAG,CAAC,CAAC;IAC9B;IACA,IAAI,CAACo7D,YAAY,CAAC94E,IAAI,CAAC;IACvB,IAAI,CAACm4E,eAAe,CAAC9tF,IAAI,CAAC2V,IAAI,CAAC;EACnC;EACAu4E,cAAcA,CAAC2B,WAAW,EAAE;IACxB,MAAMljC,QAAQ,GAAG,IAAI,CAAC2iC,mBAAmB,CAACO,WAAW,CAAChnF,KAAK,CAAC,CAAC,CAAC,EAAEgnF,WAAW,CAAChnF,KAAK,CAAC,CAAC,CAAC,EAAE,IAAI,CAAC0mF,wBAAwB,CAAC,CAAC,CAAC;IACtH,IAAI,IAAI,CAAC9L,gBAAgB,CAAC92B,QAAQ,CAAC,CAACxiD,MAAM,EAAE;MACxC,IAAI,CAACsxC,MAAM,CAACz7C,IAAI,CAACstF,SAAS,CAAC50B,MAAM,CAAC/L,QAAQ,EAAEkjC,WAAW,CAACn+E,UAAU,EAAE,uCAAuCm+E,WAAW,CAAChnF,KAAK,CAAC,CAAC,CAAC,GAAG,CAAC,CAAC;IACxI,CAAC,MACI,IAAI,CAAC,IAAI,CAAC+mF,aAAa,CAACjjC,QAAQ,EAAEqI,OAAO,EAAE66B,WAAW,CAACn+E,UAAU,CAAC,EAAE;MACrE,MAAMo+E,MAAM,GAAG,2BAA2BnjC,QAAQ,6KAA6K;MAC/N,IAAI,CAAClR,MAAM,CAACz7C,IAAI,CAACstF,SAAS,CAAC50B,MAAM,CAAC/L,QAAQ,EAAEkjC,WAAW,CAACn+E,UAAU,EAAEo+E,MAAM,CAAC,CAAC;IAChF;EACJ;EACA;AACJ;AACA;AACA;AACA;AACA;EACIF,aAAaA,CAACjjC,QAAQ,EAAEojC,YAAY,EAAExzD,aAAa,EAAE;IACjD,IAAIyzD,0BAA0B,GAAG,KAAK;IACtC,KAAK,IAAIC,UAAU,GAAG,IAAI,CAACnC,eAAe,CAAC/tF,MAAM,GAAG,CAAC,EAAEkwF,UAAU,IAAI,CAAC,EAAEA,UAAU,EAAE,EAAE;MAClF,MAAMt6E,IAAI,GAAG,IAAI,CAACm4E,eAAe,CAACmC,UAAU,CAAC;MAC7C,MAAMpuF,IAAI,GAAG8T,IAAI,YAAY+oE,UAAU,GAAG/oE,IAAI,CAACm1C,MAAM,CAAC,CAAC,CAAC,EAAEjpD,IAAI,GAAG8T,IAAI,CAAC9T,IAAI;MAC1E,IAAIA,IAAI,KAAK8qD,QAAQ,IAAIh3C,IAAI,YAAYo6E,YAAY,EAAE;QACnD;QACA;QACA;QACAp6E,IAAI,CAAC4mB,aAAa,GAAGA,aAAa;QAClC5mB,IAAI,CAACjE,UAAU,CAACnE,GAAG,GAAGgvB,aAAa,KAAK,IAAI,GAAGA,aAAa,CAAChvB,GAAG,GAAGoI,IAAI,CAACjE,UAAU,CAACnE,GAAG;QACtF,IAAI,CAACugF,eAAe,CAACoC,MAAM,CAACD,UAAU,EAAE,IAAI,CAACnC,eAAe,CAAC/tF,MAAM,GAAGkwF,UAAU,CAAC;QACjF,OAAO,CAACD,0BAA0B;MACtC;MACA;MACA,IAAIr6E,IAAI,YAAY+oE,UAAU,IAC1B/oE,IAAI,YAAYq/C,OAAO,IAAI,CAAC,IAAI,CAACyuB,gBAAgB,CAAC9tE,IAAI,CAAC9T,IAAI,CAAC,CAACugF,cAAc,EAAE;QAC7E;QACA;QACA;QACA4N,0BAA0B,GAAG,IAAI;MACrC;IACJ;IACA,OAAO,KAAK;EAChB;EACAX,YAAYA,CAAC9sC,QAAQ,EAAE;IACnB,MAAMoK,QAAQ,GAAGC,cAAc,CAACrK,QAAQ,CAAC15C,KAAK,CAAC,CAAC,CAAC,EAAE05C,QAAQ,CAAC15C,KAAK,CAAC,CAAC,CAAC,CAAC;IACrE,IAAIsnF,OAAO,GAAG5tC,QAAQ,CAAC7wC,UAAU,CAACnE,GAAG;IACrC;IACA,IAAI,IAAI,CAACygF,KAAK,CAAChkF,IAAI,KAAK,EAAE,CAAC,4BAA4B;MACnD,IAAI,CAAC+jF,QAAQ,CAAC,CAAC;IACnB;IACA;IACA,IAAIjsF,KAAK,GAAG,EAAE;IACd,MAAMw8E,WAAW,GAAG,EAAE;IACtB,IAAI8R,cAAc,GAAG1iE,SAAS;IAC9B,IAAI2iE,QAAQ,GAAG3iE,SAAS;IACxB;IACA;IACA;IACA;IACA,MAAM4iE,aAAa,GAAG,IAAI,CAACtC,KAAK,CAAChkF,IAAI;IACrC,IAAIsmF,aAAa,KAAK,EAAE,CAAC,iCAAiC;MACtDF,cAAc,GAAG,IAAI,CAACpC,KAAK,CAACt8E,UAAU;MACtC2+E,QAAQ,GAAG,IAAI,CAACrC,KAAK,CAACt8E,UAAU,CAACnE,GAAG;MACpC,OAAO,IAAI,CAACygF,KAAK,CAAChkF,IAAI,KAAK,EAAE,CAAC,mCAC1B,IAAI,CAACgkF,KAAK,CAAChkF,IAAI,KAAK,EAAE,CAAC,4CACvB,IAAI,CAACgkF,KAAK,CAAChkF,IAAI,KAAK,CAAC,CAAC,gCAAgC;QACtD,MAAMumF,UAAU,GAAG,IAAI,CAACxC,QAAQ,CAAC,CAAC;QAClCzP,WAAW,CAACt+E,IAAI,CAACuwF,UAAU,CAAC;QAC5B,IAAIA,UAAU,CAACvmF,IAAI,KAAK,EAAE,CAAC,0CAA0C;UACjE;UACA;UACA;UACA;UACAlI,KAAK,IAAIyuF,UAAU,CAAC1nF,KAAK,CAAClH,IAAI,CAAC,EAAE,CAAC,CAACJ,OAAO,CAAC,YAAY,EAAE2tF,YAAY,CAAC;QAC1E,CAAC,MACI,IAAIqB,UAAU,CAACvmF,IAAI,KAAK,CAAC,CAAC,gCAAgC;UAC3DlI,KAAK,IAAIyuF,UAAU,CAAC1nF,KAAK,CAAC,CAAC,CAAC;QAChC,CAAC,MACI;UACD/G,KAAK,IAAIyuF,UAAU,CAAC1nF,KAAK,CAAClH,IAAI,CAAC,EAAE,CAAC;QACtC;QACA0uF,QAAQ,GAAGF,OAAO,GAAGI,UAAU,CAAC7+E,UAAU,CAACnE,GAAG;MAClD;IACJ;IACA;IACA,IAAI,IAAI,CAACygF,KAAK,CAAChkF,IAAI,KAAK,EAAE,CAAC,4BAA4B;MACnD,MAAMwmF,UAAU,GAAG,IAAI,CAACzC,QAAQ,CAAC,CAAC;MAClCoC,OAAO,GAAGK,UAAU,CAAC9+E,UAAU,CAACnE,GAAG;IACvC;IACA,MAAM6tB,SAAS,GAAGg1D,cAAc,IAAIC,QAAQ,IACxC,IAAIp/C,eAAe,CAACm/C,cAAc,CAAC97D,KAAK,EAAE+7D,QAAQ,EAAED,cAAc,CAACl/C,SAAS,CAAC;IACjF,OAAO,IAAIkc,SAAS,CAACT,QAAQ,EAAE7qD,KAAK,EAAE,IAAImvC,eAAe,CAACsR,QAAQ,CAAC7wC,UAAU,CAAC4iB,KAAK,EAAE67D,OAAO,EAAE5tC,QAAQ,CAAC7wC,UAAU,CAACw/B,SAAS,CAAC,EAAEqR,QAAQ,CAAC7wC,UAAU,EAAE0pB,SAAS,EAAEkjD,WAAW,CAACv+E,MAAM,GAAG,CAAC,GAAGu+E,WAAW,GAAG5wD,SAAS,EAAEA,SAAS,CAAC;EAC9N;EACA84D,sBAAsBA,CAACr4D,KAAK,EAAE;IAC1B,MAAM5gB,GAAG,GAAG,IAAI,CAACygF,KAAK,CAACt8E,UAAU,CAACw/B,SAAS;IAC3C,MAAM9c,IAAI,GAAG,IAAI6c,eAAe,CAAC9iB,KAAK,CAACzc,UAAU,CAAC4iB,KAAK,EAAE/mB,GAAG,EAAE4gB,KAAK,CAACzc,UAAU,CAACw/B,SAAS,CAAC;IACzF;IACA,MAAM89C,SAAS,GAAG,IAAI/9C,eAAe,CAAC9iB,KAAK,CAACzc,UAAU,CAAC4iB,KAAK,EAAE/mB,GAAG,EAAE4gB,KAAK,CAACzc,UAAU,CAACw/B,SAAS,CAAC;IAC9F,MAAMu/C,UAAU,GAAG,IAAI/R,UAAU,CAAC,EAAE,EAAEtqD,IAAI,EAAE46D,SAAS,EAAE,IAAI,CAAC;IAC5D,IAAI,CAACW,cAAc,CAACc,UAAU,EAAE,KAAK,CAAC;IACtC,MAAMC,aAAa,GAAG,IAAI,CAAChK,aAAa,CAACv4D,KAAK,EAAE,EAAE,CAAC,oCAAoC,CAAC;IACxF;IACA;IACA6gE,SAAS,CAACzhF,GAAG,GAAGmjF,aAAa,CAACp0D,eAAe,CAAC/uB,GAAG;EACrD;EACAm5E,aAAaA,CAACv4D,KAAK,EAAEwiE,UAAU,EAAE;IAC7B;IACA,IAAI,CAACC,gCAAgC,CAAC,CAAC;IACvC,MAAMlvE,UAAU,GAAG,EAAE;IACrB,OAAO,IAAI,CAACssE,KAAK,CAAChkF,IAAI,KAAK,EAAE,CAAC,iCAAiC;MAC3D,MAAM6mF,UAAU,GAAG,IAAI,CAAC9C,QAAQ,CAAC,CAAC;MAClCrsE,UAAU,CAAC1hB,IAAI,CAAC,IAAI8+E,cAAc,CAAC+R,UAAU,CAAChoF,KAAK,CAAC,CAAC,CAAC,EAAEgoF,UAAU,CAACn/E,UAAU,CAAC,CAAC;IACnF;IACA,IAAI,IAAI,CAACs8E,KAAK,CAAChkF,IAAI,KAAK2mF,UAAU,EAAE;MAChC,IAAI,CAAC5C,QAAQ,CAAC,CAAC;IACnB;IACA,MAAMxgF,GAAG,GAAG,IAAI,CAACygF,KAAK,CAACt8E,UAAU,CAACw/B,SAAS;IAC3C,MAAM9c,IAAI,GAAG,IAAI6c,eAAe,CAAC9iB,KAAK,CAACzc,UAAU,CAAC4iB,KAAK,EAAE/mB,GAAG,EAAE4gB,KAAK,CAACzc,UAAU,CAACw/B,SAAS,CAAC;IACzF;IACA,MAAM89C,SAAS,GAAG,IAAI/9C,eAAe,CAAC9iB,KAAK,CAACzc,UAAU,CAAC4iB,KAAK,EAAE/mB,GAAG,EAAE4gB,KAAK,CAACzc,UAAU,CAACw/B,SAAS,CAAC;IAC9F,MAAMlS,KAAK,GAAG,IAAI4/C,KAAK,CAACzwD,KAAK,CAACtlB,KAAK,CAAC,CAAC,CAAC,EAAE6Y,UAAU,EAAE,EAAE,EAAE0S,IAAI,EAAE46D,SAAS,CAAC;IACxE,MAAMn1B,MAAM,GAAG,IAAI,CAACo1B,aAAa,CAAC,CAAC;IACnC,IAAI,EAAEp1B,MAAM,YAAY6kB,UAAU,CAAC,EAAE;MACjC,IAAI,CAACjjC,MAAM,CAACz7C,IAAI,CAACstF,SAAS,CAAC50B,MAAM,CAAC15B,KAAK,CAACn9B,IAAI,EAAEm9B,KAAK,CAACttB,UAAU,EAAE,mDAAmD,CAAC,CAAC;IACzH,CAAC,MACI;MACDmoD,MAAM,CAAC/O,MAAM,CAAC9qD,IAAI,CAACg/B,KAAK,CAAC;MACzB,IAAI,CAAC8uD,eAAe,CAAC9tF,IAAI,CAACg/B,KAAK,CAAC;IACpC;IACA,OAAOA,KAAK;EAChB;EACAynD,uBAAuBA,CAACt4D,KAAK,EAAE;IAC3B,MAAMtsB,IAAI,GAAGssB,KAAK,CAACtlB,KAAK,CAAC,CAAC,CAAC;IAC3B,MAAMioF,iBAAiB,GAAG,IAAI,CAAC7B,aAAa,CAAC,CAAC;IAC9C;IACA,IAAI,CAAC2B,gCAAgC,CAAC,CAAC;IACvC,IAAI,CAAC,IAAI,CAAChB,aAAa,CAAC/tF,IAAI,EAAE68E,UAAU,EAAEvwD,KAAK,CAACzc,UAAU,CAAC,EAAE;MACzD,MAAMtI,OAAO,GAAG0nF,iBAAiB,YAAY97B,OAAO,GAChD,yBAAyB87B,iBAAiB,CAACjvF,IAAI,oDAAoD,GACnG,yCAAyC;MAC7C,IAAI,CAAC45C,MAAM,CAACz7C,IAAI,CAACstF,SAAS,CAAC50B,MAAM,CAAC72D,IAAI,EAAEssB,KAAK,CAACzc,UAAU,EAAE,6BAA6B7P,IAAI,MAAMuH,OAAO,EAAE,CAAC,CAAC;IAChH;EACJ;EACAwnF,gCAAgCA,CAAA,EAAG;IAC/B,MAAMtnF,SAAS,GAAG,IAAI,CAAC2lF,aAAa,CAAC,CAAC;IACtC,IAAI3lF,SAAS,YAAYs1E,KAAK,EAAE;MAC5B;MACA;MACA,MAAMmS,SAAS,GAAGznF,SAAS,CAACC,QAAQ,CAACxJ,MAAM,GAAGuJ,SAAS,CAACC,QAAQ,CAACD,SAAS,CAACC,QAAQ,CAACxJ,MAAM,GAAG,CAAC,CAAC,GAAG,IAAI;MACtG,MAAMovF,OAAO,GAAG4B,SAAS,KAAK,IAAI,GAC9B,IAAI,GACJ,IAAI9/C,eAAe,CAAC8/C,SAAS,CAACr/E,UAAU,CAACnE,GAAG,EAAEwjF,SAAS,CAACr/E,UAAU,CAACnE,GAAG,CAAC;MAC3E,IAAI,CAACqiF,aAAa,CAACtmF,SAAS,CAACzH,IAAI,EAAE+8E,KAAK,EAAEuQ,OAAO,CAAC;IACtD;EACJ;EACAF,aAAaA,CAAA,EAAG;IACZ,OAAO,IAAI,CAACnB,eAAe,CAAC/tF,MAAM,GAAG,CAAC,GAAG,IAAI,CAAC+tF,eAAe,CAAC,IAAI,CAACA,eAAe,CAAC/tF,MAAM,GAAG,CAAC,CAAC,GAC1F,IAAI;EACZ;EACAwvF,wBAAwBA,CAAA,EAAG;IACvB,KAAK,IAAIpuF,CAAC,GAAG,IAAI,CAAC2sF,eAAe,CAAC/tF,MAAM,GAAG,CAAC,EAAEoB,CAAC,GAAG,CAAC,CAAC,EAAEA,CAAC,EAAE,EAAE;MACvD,IAAI,IAAI,CAAC2sF,eAAe,CAAC3sF,CAAC,CAAC,YAAY6zD,OAAO,EAAE;QAC5C,OAAO,IAAI,CAAC84B,eAAe,CAAC3sF,CAAC,CAAC;MAClC;IACJ;IACA,OAAO,IAAI;EACf;EACAstF,YAAYA,CAAC94E,IAAI,EAAE;IACf,MAAMkkD,MAAM,GAAG,IAAI,CAACo1B,aAAa,CAAC,CAAC;IACnC,IAAIp1B,MAAM,KAAK,IAAI,EAAE;MACjB,IAAI,CAAC2zB,SAAS,CAACxtF,IAAI,CAAC2V,IAAI,CAAC;IAC7B,CAAC,MACI,IAAIkkD,MAAM,YAAY6kB,UAAU,EAAE;MACnC;MACA;MACA,IAAI,CAACjjC,MAAM,CAACz7C,IAAI,CAACstF,SAAS,CAAC50B,MAAM,CAAC,IAAI,EAAE/iD,IAAI,CAACjE,UAAU,EAAE,uCAAuC,CAAC,CAAC;IACtG,CAAC,MACI;MACDmoD,MAAM,CAACtwD,QAAQ,CAACvJ,IAAI,CAAC2V,IAAI,CAAC;IAC9B;EACJ;EACA25E,mBAAmBA,CAAC7uF,MAAM,EAAEosD,SAAS,EAAEmkC,aAAa,EAAE;IAClD,IAAIvwF,MAAM,KAAK,EAAE,EAAE;MACfA,MAAM,GAAG,IAAI,CAACgjF,gBAAgB,CAAC52B,SAAS,CAAC,CAACo1B,uBAAuB,IAAI,EAAE;MACvE,IAAIxhF,MAAM,KAAK,EAAE,IAAIuwF,aAAa,IAAI,IAAI,EAAE;QACxC,MAAMC,aAAa,GAAG5kC,WAAW,CAAC2kC,aAAa,CAACnvF,IAAI,CAAC,CAAC,CAAC,CAAC;QACxD,MAAMqvF,mBAAmB,GAAG,IAAI,CAACzN,gBAAgB,CAACwN,aAAa,CAAC;QAChE,IAAI,CAACC,mBAAmB,CAAC5O,2BAA2B,EAAE;UAClD7hF,MAAM,GAAGisD,WAAW,CAACskC,aAAa,CAACnvF,IAAI,CAAC;QAC5C;MACJ;IACJ;IACA,OAAO+qD,cAAc,CAACnsD,MAAM,EAAEosD,SAAS,CAAC;EAC5C;AACJ;AACA,SAASkiC,WAAWA,CAACoC,KAAK,EAAE9xF,OAAO,EAAE;EACjC,OAAO8xF,KAAK,CAACpxF,MAAM,GAAG,CAAC,IAAIoxF,KAAK,CAACA,KAAK,CAACpxF,MAAM,GAAG,CAAC,CAAC,KAAKV,OAAO;AAClE;AACA;AACA;AACA;AACA;AACA;AACA,SAAS6vF,YAAYA,CAAChvF,KAAK,EAAEkxF,MAAM,EAAE;EACjC,IAAIjO,cAAc,CAACiO,MAAM,CAAC,KAAK1jE,SAAS,EAAE;IACtC,OAAOy1D,cAAc,CAACiO,MAAM,CAAC,IAAIlxF,KAAK;EAC1C;EACA,IAAI,gBAAgB,CAAC61B,IAAI,CAACq7D,MAAM,CAAC,EAAE;IAC/B,OAAOvgF,MAAM,CAACo4E,aAAa,CAACzU,QAAQ,CAAC4c,MAAM,CAACzwF,KAAK,CAAC,CAAC,CAAC,EAAE,EAAE,CAAC,CAAC;EAC9D;EACA,IAAI,QAAQ,CAACo1B,IAAI,CAACq7D,MAAM,CAAC,EAAE;IACvB,OAAOvgF,MAAM,CAACo4E,aAAa,CAACzU,QAAQ,CAAC4c,MAAM,CAACzwF,KAAK,CAAC,CAAC,CAAC,EAAE,EAAE,CAAC,CAAC;EAC9D;EACA,OAAOT,KAAK;AAChB;AAEA,MAAMmxF,UAAU,SAAS5D,MAAM,CAAC;EAC5BruF,WAAWA,CAAA,EAAG;IACV,KAAK,CAAC0jF,oBAAoB,CAAC;EAC/B;EACArjF,KAAKA,CAAC40B,MAAM,EAAEra,GAAG,EAAE0pE,OAAO,EAAE;IACxB,OAAO,KAAK,CAACjkF,KAAK,CAAC40B,MAAM,EAAEra,GAAG,EAAE0pE,OAAO,CAAC;EAC5C;AACJ;AAEA,MAAM4N,qBAAqB,GAAG,uBAAuB;AACrD,MAAMC,iBAAiB,GAAG,IAAIxpD,GAAG,CAAC,CAAC,KAAK,EAAE,UAAU,EAAE,UAAU,EAAE,QAAQ,EAAE,OAAO,CAAC,CAAC;AACrF;AACA;AACA,MAAMypD,QAAQ,GAAG,0EAA0E;AAC3F,MAAMC,YAAY,GAAG,IAAIvyF,MAAM,CAAC,KAAKsyF,QAAQ,GAAG,CAAC;AACjD,MAAME,iBAAiB,GAAG,IAAIxyF,MAAM,CAAC,IAAIsyF,QAAQ,OAAO,EAAE,GAAG,CAAC;AAC9D,SAASG,0BAA0BA,CAACpyF,KAAK,EAAE;EACvC,OAAOA,KAAK,CAACkmC,IAAI,CAAEzkC,IAAI,IAAKA,IAAI,CAACa,IAAI,KAAKyvF,qBAAqB,CAAC;AACpE;AACA;AACA;AACA;AACA;AACA;AACA,SAASM,WAAWA,CAAC9vF,KAAK,EAAE;EACxB;EACA,OAAOA,KAAK,CAACP,OAAO,CAAC,IAAIrC,MAAM,CAACkkF,YAAY,EAAE,GAAG,CAAC,EAAE,GAAG,CAAC;AAC5D;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMyO,iBAAiB,CAAC;EACpBr1D,YAAYA,CAACn9B,OAAO,EAAE+J,OAAO,EAAE;IAC3B,IAAImoF,iBAAiB,CAACxwE,GAAG,CAAC1hB,OAAO,CAACwC,IAAI,CAAC,IAAI8vF,0BAA0B,CAACtyF,OAAO,CAACE,KAAK,CAAC,EAAE;MAClF;MACA;MACA,OAAO,IAAIy1D,OAAO,CAAC31D,OAAO,CAACwC,IAAI,EAAEg6C,QAAQ,CAAC,IAAI,EAAEx8C,OAAO,CAACE,KAAK,CAAC,EAAEF,OAAO,CAACkK,QAAQ,EAAElK,OAAO,CAACqS,UAAU,EAAErS,OAAO,CAACi9B,eAAe,EAAEj9B,OAAO,CAACk9B,aAAa,EAAEl9B,OAAO,CAAC8oB,IAAI,CAAC;IACvK;IACA,OAAO,IAAI6sC,OAAO,CAAC31D,OAAO,CAACwC,IAAI,EAAExC,OAAO,CAACE,KAAK,EAAEuyF,oBAAoB,CAAC,IAAI,EAAEzyF,OAAO,CAACkK,QAAQ,CAAC,EAAElK,OAAO,CAACqS,UAAU,EAAErS,OAAO,CAACi9B,eAAe,EAAEj9B,OAAO,CAACk9B,aAAa,EAAEl9B,OAAO,CAAC8oB,IAAI,CAAC;EACnL;EACAo2D,cAAcA,CAACz9E,SAAS,EAAEsI,OAAO,EAAE;IAC/B,OAAOtI,SAAS,CAACe,IAAI,KAAKyvF,qBAAqB,GAAGxwF,SAAS,GAAG,IAAI;EACtE;EACAoI,SAASA,CAACC,IAAI,EAAEC,OAAO,EAAE;IACrB,MAAM2oF,UAAU,GAAG5oF,IAAI,CAACrH,KAAK,CAAC5B,KAAK,CAACuxF,YAAY,CAAC;IACjD,MAAMO,mBAAmB,GAAG5oF,OAAO,KAC9BA,OAAO,CAAC4mD,IAAI,YAAY8tB,SAAS,IAAI10E,OAAO,CAAC6mD,IAAI,YAAY6tB,SAAS,CAAC;IAC5E,IAAIiU,UAAU,IAAIC,mBAAmB,EAAE;MACnC;MACA,MAAMlhB,MAAM,GAAG3nE,IAAI,CAAC2nE,MAAM,CAAC5sE,GAAG,CAACiqB,KAAK,IAAIA,KAAK,CAACnkB,IAAI,KAAK,CAAC,CAAC,uBAAuBioF,kCAAkC,CAAC9jE,KAAK,CAAC,GAAGA,KAAK,CAAC;MAClI;MACA,MAAMrsB,KAAK,GAAGowF,iBAAiB,CAAC/oF,IAAI,CAACrH,KAAK,CAAC;MAC3C,OAAO,IAAIyzD,IAAI,CAACzzD,KAAK,EAAEqH,IAAI,CAACuI,UAAU,EAAEo/D,MAAM,EAAE3nE,IAAI,CAACgf,IAAI,CAAC;IAC9D;IACA,OAAO,IAAI;EACf;EACAs2D,YAAYA,CAACvpD,OAAO,EAAE9rB,OAAO,EAAE;IAC3B,OAAO8rB,OAAO;EAClB;EACA+oD,cAAcA,CAACkU,SAAS,EAAE/oF,OAAO,EAAE;IAC/B,OAAO+oF,SAAS;EACpB;EACA9T,kBAAkBA,CAAC+T,aAAa,EAAEhpF,OAAO,EAAE;IACvC,OAAOgpF,aAAa;EACxB;EACAzT,eAAeA,CAACjc,KAAK,EAAEt5D,OAAO,EAAE;IAC5B,OAAO,IAAIs1E,UAAU,CAACoT,oBAAoB,CAAC,IAAI,EAAEpvB,KAAK,CAAC5X,MAAM,CAAC,EAAE4X,KAAK,CAAChxD,UAAU,EAAEgxD,KAAK,CAACpmC,eAAe,EAAEomC,KAAK,CAACnmC,aAAa,CAAC;EACjI;EACAsiD,UAAUA,CAAC7/C,KAAK,EAAE51B,OAAO,EAAE;IACvB,OAAO,IAAIw1E,KAAK,CAAC5/C,KAAK,CAACn9B,IAAI,EAAEm9B,KAAK,CAACtd,UAAU,EAAEowE,oBAAoB,CAAC,IAAI,EAAE9yD,KAAK,CAACz1B,QAAQ,CAAC,EAAEy1B,KAAK,CAACttB,UAAU,EAAEstB,KAAK,CAAC1C,eAAe,CAAC;EACvI;EACAyiD,mBAAmBA,CAACsT,SAAS,EAAEjpF,OAAO,EAAE;IACpC,OAAOipF,SAAS;EACpB;AACJ;AACA,SAASJ,kCAAkCA,CAAC;EAAEjoF,IAAI;EAAEnB,KAAK;EAAE6I;AAAW,CAAC,EAAE;EACrE,OAAO;IAAE1H,IAAI;IAAEnB,KAAK,EAAE,CAACqpF,iBAAiB,CAACrpF,KAAK,CAAC,CAAC,CAAC,CAAC,CAAC;IAAE6I;EAAW,CAAC;AACrE;AACA,SAASwgF,iBAAiBA,CAAC/oF,IAAI,EAAE;EAC7B,OAAOyoF,WAAW,CAACzoF,IAAI,CAAC,CAAC5H,OAAO,CAACmwF,iBAAiB,EAAE,GAAG,CAAC;AAC5D;AACA,SAASY,iBAAiBA,CAACC,iBAAiB,EAAE;EAC1C,OAAO,IAAIhF,eAAe,CAAC1xC,QAAQ,CAAC,IAAIg2C,iBAAiB,CAAC,CAAC,EAAEU,iBAAiB,CAAC/E,SAAS,CAAC,EAAE+E,iBAAiB,CAAC92C,MAAM,CAAC;AACxH;AACA,SAASq2C,oBAAoBA,CAACnpF,OAAO,EAAEJ,KAAK,EAAE;EAC1C,MAAMtH,MAAM,GAAG,EAAE;EACjBsH,KAAK,CAACtG,OAAO,CAAC,CAACkb,GAAG,EAAEhc,CAAC,KAAK;IACtB,MAAMiI,OAAO,GAAG;MAAE4mD,IAAI,EAAEznD,KAAK,CAACpH,CAAC,GAAG,CAAC,CAAC;MAAE8uD,IAAI,EAAE1nD,KAAK,CAACpH,CAAC,GAAG,CAAC;IAAE,CAAC;IAC1D,MAAM69E,SAAS,GAAG7hE,GAAG,CAACpU,KAAK,CAACJ,OAAO,EAAES,OAAO,CAAC;IAC7C,IAAI41E,SAAS,EAAE;MACX/9E,MAAM,CAACjB,IAAI,CAACg/E,SAAS,CAAC;IAC1B;EACJ,CAAC,CAAC;EACF,OAAO/9E,MAAM;AACjB;AAEA,SAASuxF,QAAQA,CAAC3gF,GAAG,EAAE/P,KAAK,EAAE;EAC1B,OAAO;IAAE+P,GAAG;IAAE/P,KAAK;IAAEyZ,MAAM,EAAE;EAAM,CAAC;AACxC;AACA,SAASk3E,UAAUA,CAACx2C,GAAG,EAAE1gC,MAAM,GAAG,KAAK,EAAE;EACrC,OAAO2C,UAAU,CAACjY,MAAM,CAAC2D,IAAI,CAACqyC,GAAG,CAAC,CAAC/3C,GAAG,CAAC2N,GAAG,KAAK;IAC3CA,GAAG;IACH0J,MAAM;IACNzZ,KAAK,EAAEm6C,GAAG,CAACpqC,GAAG;EAClB,CAAC,CAAC,CAAC,CAAC;AACR;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAM6gF,mBAAmB,GAAG,IAAI3qD,GAAG,CAAC;AAChC;AACA;AACA,eAAe,EACf,aAAa,EACb,aAAa;AACb;AACA;AACA,WAAW,EACX,iBAAiB,EACjB,aAAa,CAChB,CAAC;AACF;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAAS4qD,kBAAkBA,CAAC1zE,OAAO,EAAEyhE,QAAQ,EAAE;EAC3C;EACA;EACAzhE,OAAO,GAAGA,OAAO,CAACld,WAAW,CAAC,CAAC;EAC/B2+E,QAAQ,GAAGA,QAAQ,CAAC3+E,WAAW,CAAC,CAAC;EACjC,OAAO2wF,mBAAmB,CAAC3xE,GAAG,CAAC9B,OAAO,GAAG,GAAG,GAAGyhE,QAAQ,CAAC,IACpDgS,mBAAmB,CAAC3xE,GAAG,CAAC,IAAI,GAAG2/D,QAAQ,CAAC;AAChD;AAEA,MAAMkS,wBAAwB,GAAG,GAAG;AACpC,MAAMC,gBAAgB,GAAG,MAAM;AAC/B,MAAMC,YAAY,GAAG,OAAO;AAC5B,MAAMC,YAAY,GAAG,OAAO;AAC5B,MAAMC,sBAAsB,GAAG,GAAG;AAClC,MAAMC,mBAAmB,GAAG,UAAU;AACtC;AACA;AACA;AACA,MAAMC,aAAa,CAAC;EAChB9zF,WAAWA,CAAC+zF,WAAW,EAAEpO,oBAAoB,EAAEqO,eAAe,EAAE33C,MAAM,EAAE;IACpE,IAAI,CAAC03C,WAAW,GAAGA,WAAW;IAC9B,IAAI,CAACpO,oBAAoB,GAAGA,oBAAoB;IAChD,IAAI,CAACqO,eAAe,GAAGA,eAAe;IACtC,IAAI,CAAC33C,MAAM,GAAGA,MAAM;EACxB;EACA,IAAI45B,mBAAmBA,CAAA,EAAG;IACtB,OAAO,IAAI,CAAC0P,oBAAoB;EACpC;EACAsO,yBAAyBA,CAACjoB,UAAU,EAAE15D,UAAU,EAAE;IAC9C,MAAM4hF,UAAU,GAAG,EAAE;IACrB,KAAK,MAAM5S,QAAQ,IAAIz6E,MAAM,CAAC2D,IAAI,CAACwhE,UAAU,CAAC,EAAE;MAC5C,MAAMrhE,UAAU,GAAGqhE,UAAU,CAACsV,QAAQ,CAAC;MACvC,IAAI,OAAO32E,UAAU,KAAK,QAAQ,EAAE;QAChC,IAAI,CAACwpF,oBAAoB,CAAC7S,QAAQ,EAAE32E,UAAU,EAAE,IAAI,EAAE2H,UAAU,EAAEA,UAAU,CAAC4iB,KAAK,CAAC0b,MAAM,EAAEtiB,SAAS,EAAE,EAAE;QACxG;QACA;QACA;QACA;QACA;QACA;QACA4lE,UAAU,EAAE5hF,UAAU,CAAC;MAC3B,CAAC,MACI;QACD,IAAI,CAACukE,YAAY,CAAC,uCAAuCyK,QAAQ,8DAA8D32E,UAAU,MAAM,OAAOA,UAAU,GAAG,EAAE2H,UAAU,CAAC;MACpL;IACJ;IACA,OAAO4hF,UAAU;EACrB;EACAE,4BAA4BA,CAACC,aAAa,EAAE/hF,UAAU,EAAE;IACpD,MAAMgiF,YAAY,GAAG,EAAE;IACvB,KAAK,MAAMhT,QAAQ,IAAIz6E,MAAM,CAAC2D,IAAI,CAAC6pF,aAAa,CAAC,EAAE;MAC/C,MAAM1pF,UAAU,GAAG0pF,aAAa,CAAC/S,QAAQ,CAAC;MAC1C,IAAI,OAAO32E,UAAU,KAAK,QAAQ,EAAE;QAChC;QACA;QACA;QACA;QACA;QACA;QACA,IAAI,CAAC4pF,UAAU,CAACjT,QAAQ,EAAE32E,UAAU,EAAE,uBAAwB,KAAK,EAAE2H,UAAU,EAAEA,UAAU,EAAE,EAAE,EAAEgiF,YAAY,EAAEhiF,UAAU,CAAC;MAC9H,CAAC,MACI;QACD,IAAI,CAACukE,YAAY,CAAC,+BAA+ByK,QAAQ,8DAA8D32E,UAAU,MAAM,OAAOA,UAAU,GAAG,EAAE2H,UAAU,CAAC;MAC5K;IACJ;IACA,OAAOgiF,YAAY;EACvB;EACAjd,kBAAkBA,CAAC30E,KAAK,EAAE4P,UAAU,EAAEglE,kBAAkB,EAAE;IACtD,MAAMkd,UAAU,GAAGliF,UAAU,CAAC4iB,KAAK,CAACtyB,QAAQ,CAAC,CAAC;IAC9C,MAAM41C,cAAc,GAAGlmC,UAAU,CAACw/B,SAAS,CAAClB,MAAM;IAClD,IAAI;MACA,MAAM7yB,GAAG,GAAG,IAAI,CAACg2E,WAAW,CAAC1c,kBAAkB,CAAC30E,KAAK,EAAE8xF,UAAU,EAAEh8C,cAAc,EAAE8+B,kBAAkB,EAAE,IAAI,CAACqO,oBAAoB,CAAC;MACjI,IAAI5nE,GAAG,EACH,IAAI,CAAC02E,6BAA6B,CAAC12E,GAAG,CAACs+B,MAAM,EAAE/pC,UAAU,CAAC;MAC9D,OAAOyL,GAAG;IACd,CAAC,CACD,OAAO5R,CAAC,EAAE;MACN,IAAI,CAAC0qE,YAAY,CAAC,GAAG1qE,CAAC,EAAE,EAAEmG,UAAU,CAAC;MACrC,OAAO,IAAI,CAACyhF,WAAW,CAACvb,oBAAoB,CAAC,OAAO,EAAEgc,UAAU,EAAEh8C,cAAc,CAAC;IACrF;EACJ;EACA;AACJ;AACA;AACA;AACA;EACIm/B,4BAA4BA,CAAChtE,UAAU,EAAE2H,UAAU,EAAE;IACjD,MAAMkiF,UAAU,GAAGliF,UAAU,CAAC4iB,KAAK,CAACtyB,QAAQ,CAAC,CAAC;IAC9C,MAAM41C,cAAc,GAAGlmC,UAAU,CAAC4iB,KAAK,CAAC0b,MAAM;IAC9C,IAAI;MACA,MAAM7yB,GAAG,GAAG,IAAI,CAACg2E,WAAW,CAACpc,4BAA4B,CAAChtE,UAAU,EAAE6pF,UAAU,EAAEh8C,cAAc,CAAC;MACjG,IAAIz6B,GAAG,EACH,IAAI,CAAC02E,6BAA6B,CAAC12E,GAAG,CAACs+B,MAAM,EAAE/pC,UAAU,CAAC;MAC9D,OAAOyL,GAAG;IACd,CAAC,CACD,OAAO5R,CAAC,EAAE;MACN,IAAI,CAAC0qE,YAAY,CAAC,GAAG1qE,CAAC,EAAE,EAAEmG,UAAU,CAAC;MACrC,OAAO,IAAI,CAACyhF,WAAW,CAACvb,oBAAoB,CAAC,OAAO,EAAEgc,UAAU,EAAEh8C,cAAc,CAAC;IACrF;EACJ;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIk8C,0BAA0BA,CAACC,MAAM,EAAEC,QAAQ,EAAEtiF,UAAU,EAAE6kE,mBAAmB,EAAE0d,oBAAoB,EAAEC,WAAW,EAAEC,UAAU,EAAEC,QAAQ,EAAE;IACnI,MAAM9d,iBAAiB,GAAG5kE,UAAU,CAAC4iB,KAAK,CAAC0b,MAAM,GAAGgjD,sBAAsB,CAACjzF,MAAM;IACjF,MAAMytD,QAAQ,GAAG,IAAI,CAAC6mC,sBAAsB,CAACN,MAAM,EAAEC,QAAQ,EAAEtiF,UAAU,EAAE4kE,iBAAiB,EAAEC,mBAAmB,CAAC;IAClH,KAAK,MAAM1U,OAAO,IAAIrU,QAAQ,EAAE;MAC5B;MACA;MACA,MAAM8mC,WAAW,GAAGC,mBAAmB,CAAC7iF,UAAU,EAAEmwD,OAAO,CAACnwD,UAAU,CAAC;MACvE,MAAMG,GAAG,GAAGgwD,OAAO,CAAChwD,GAAG,CAACwiB,MAAM;MAC9B,MAAM8G,OAAO,GAAGo5D,mBAAmB,CAAC7iF,UAAU,EAAEmwD,OAAO,CAAChwD,GAAG,CAACuiB,IAAI,CAAC;MACjE,IAAIytC,OAAO,YAAYlmB,eAAe,EAAE;QACpC,MAAM75C,KAAK,GAAG+/D,OAAO,CAAC//D,KAAK,GAAG+/D,OAAO,CAAC//D,KAAK,CAACuyB,MAAM,GAAG,WAAW;QAChE,MAAM+G,SAAS,GAAGymC,OAAO,CAAC//D,KAAK,GAAGyyF,mBAAmB,CAAC7iF,UAAU,EAAEmwD,OAAO,CAAC//D,KAAK,CAACsyB,IAAI,CAAC,GAAG1G,SAAS;QACjGymE,UAAU,CAACn0F,IAAI,CAAC,IAAI08C,cAAc,CAAC7qC,GAAG,EAAE/P,KAAK,EAAEwyF,WAAW,EAAEn5D,OAAO,EAAEC,SAAS,CAAC,CAAC;MACpF,CAAC,MACI,IAAIymC,OAAO,CAAC//D,KAAK,EAAE;QACpB,MAAM0yF,OAAO,GAAGJ,QAAQ,GAAGE,WAAW,GAAG5iF,UAAU;QACnD,MAAM0pB,SAAS,GAAGm5D,mBAAmB,CAAC7iF,UAAU,EAAEmwD,OAAO,CAAC//D,KAAK,CAACqb,GAAG,CAACzL,UAAU,CAAC;QAC/E,IAAI,CAAC+iF,iBAAiB,CAAC5iF,GAAG,EAAEgwD,OAAO,CAAC//D,KAAK,EAAE0yF,OAAO,EAAEr5D,OAAO,EAAEC,SAAS,EAAE64D,oBAAoB,EAAEC,WAAW,CAAC;MAC9G,CAAC,MACI;QACDD,oBAAoB,CAACj0F,IAAI,CAAC,CAAC6R,GAAG,EAAE,EAAE,CAAC,YAAY,CAAC;QAChD;QACA;QACA,IAAI,CAAC6iF,gBAAgB,CAAC7iF,GAAG,EAAE,IAAI,CAAC,aAAaspB,OAAO,EAAEo7C,mBAAmB,EAAE7oD,SAAS,CAAC,iBAAiBumE,oBAAoB,EAAEC,WAAW,EAAE/4D,OAAO,CAAC;MACrJ;IACJ;EACJ;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIk5D,sBAAsBA,CAACN,MAAM,EAAEC,QAAQ,EAAEtiF,UAAU,EAAE4kE,iBAAiB,EAAEC,mBAAmB,EAAE;IACzF,MAAMqd,UAAU,GAAGliF,UAAU,CAAC4iB,KAAK,CAACtyB,QAAQ,CAAC,CAAC;IAC9C,IAAI;MACA,MAAM2yF,cAAc,GAAG,IAAI,CAACxB,WAAW,CAACjd,qBAAqB,CAAC6d,MAAM,EAAEC,QAAQ,EAAEJ,UAAU,EAAEtd,iBAAiB,EAAEC,mBAAmB,CAAC;MACnI,IAAI,CAACsd,6BAA6B,CAACc,cAAc,CAACl5C,MAAM,EAAE/pC,UAAU,CAAC;MACrEijF,cAAc,CAAC3f,QAAQ,CAAC/yE,OAAO,CAAE2yF,OAAO,IAAK;QACzC,IAAI,CAAC3e,YAAY,CAAC2e,OAAO,EAAEljF,UAAU,EAAE0/B,eAAe,CAACyjD,OAAO,CAAC;MACnE,CAAC,CAAC;MACF,OAAOF,cAAc,CAAC5f,gBAAgB;IAC1C,CAAC,CACD,OAAOxpE,CAAC,EAAE;MACN,IAAI,CAAC0qE,YAAY,CAAC,GAAG1qE,CAAC,EAAE,EAAEmG,UAAU,CAAC;MACrC,OAAO,EAAE;IACb;EACJ;EACAgjF,gBAAgBA,CAAC7yF,IAAI,EAAEC,KAAK,EAAE4P,UAAU,EAAEkmC,cAAc,EAAExc,SAAS,EAAE64D,oBAAoB,EAAEC,WAAW,EAAE/4D,OAAO,EAAE;IAC7G,IAAI25D,gBAAgB,CAACjzF,IAAI,CAAC,EAAE;MACxBA,IAAI,GAAGA,IAAI,CAAC2sB,SAAS,CAAC,CAAC,CAAC;MACxB,IAAI2M,OAAO,KAAKzN,SAAS,EAAE;QACvByN,OAAO,GAAGo5D,mBAAmB,CAACp5D,OAAO,EAAE,IAAI0c,kBAAkB,CAAC1c,OAAO,CAAC7G,KAAK,CAAC0b,MAAM,GAAG,CAAC,EAAE7U,OAAO,CAAC5tB,GAAG,CAACyiC,MAAM,CAAC,CAAC;MAChH;MACA,IAAIluC,KAAK,EAAE;QACP,IAAI,CAACm0E,YAAY,CAAC,wFAAwF,GACtG,uGAAuG,EAAEvkE,UAAU,EAAE0/B,eAAe,CAACG,KAAK,CAAC;MACnJ;MACA,IAAI,CAACwjD,eAAe,CAAClzF,IAAI,EAAEC,KAAK,EAAE4P,UAAU,EAAEkmC,cAAc,EAAEzc,OAAO,EAAEC,SAAS,EAAE64D,oBAAoB,EAAEC,WAAW,CAAC;IACxH,CAAC,MACI;MACDA,WAAW,CAACl0F,IAAI,CAAC,IAAIm8C,cAAc,CAACt6C,IAAI,EAAE,IAAI,CAACsxF,WAAW,CAACvb,oBAAoB,CAAC91E,KAAK,EAAE,EAAE,EAAE81C,cAAc,CAAC,EAAEyE,kBAAkB,CAACC,YAAY,EAAE5qC,UAAU,EAAEypB,OAAO,EAAEC,SAAS,CAAC,CAAC;IACjL;EACJ;EACAm4D,oBAAoBA,CAAC1xF,IAAI,EAAEkI,UAAU,EAAEirF,MAAM,EAAEtjF,UAAU,EAAEkmC,cAAc,EAAExc,SAAS,EAAE64D,oBAAoB,EAAEC,WAAW,EAAE/4D,OAAO,EAAE;IAC9H,IAAIt5B,IAAI,CAAC9B,MAAM,KAAK,CAAC,EAAE;MACnB,IAAI,CAACk2E,YAAY,CAAC,qCAAqC,EAAEvkE,UAAU,CAAC;IACxE;IACA,IAAIujF,eAAe,GAAG,KAAK;IAC3B,IAAIpzF,IAAI,CAACujC,UAAU,CAAC6tD,mBAAmB,CAAC,EAAE;MACtCgC,eAAe,GAAG,IAAI;MACtBpzF,IAAI,GAAGA,IAAI,CAAC2sB,SAAS,CAACykE,mBAAmB,CAAClzF,MAAM,CAAC;MACjD,IAAIo7B,OAAO,KAAKzN,SAAS,EAAE;QACvByN,OAAO,GAAGo5D,mBAAmB,CAACp5D,OAAO,EAAE,IAAI0c,kBAAkB,CAAC1c,OAAO,CAAC7G,KAAK,CAAC0b,MAAM,GAAGijD,mBAAmB,CAAClzF,MAAM,EAAEo7B,OAAO,CAAC5tB,GAAG,CAACyiC,MAAM,CAAC,CAAC;MACzI;IACJ,CAAC,MACI,IAAI8kD,gBAAgB,CAACjzF,IAAI,CAAC,EAAE;MAC7BozF,eAAe,GAAG,IAAI;MACtBpzF,IAAI,GAAGA,IAAI,CAAC2sB,SAAS,CAAC,CAAC,CAAC;MACxB,IAAI2M,OAAO,KAAKzN,SAAS,EAAE;QACvByN,OAAO,GAAGo5D,mBAAmB,CAACp5D,OAAO,EAAE,IAAI0c,kBAAkB,CAAC1c,OAAO,CAAC7G,KAAK,CAAC0b,MAAM,GAAG,CAAC,EAAE7U,OAAO,CAAC5tB,GAAG,CAACyiC,MAAM,CAAC,CAAC;MAChH;IACJ;IACA,IAAIilD,eAAe,EAAE;MACjB,IAAI,CAACF,eAAe,CAAClzF,IAAI,EAAEkI,UAAU,EAAE2H,UAAU,EAAEkmC,cAAc,EAAEzc,OAAO,EAAEC,SAAS,EAAE64D,oBAAoB,EAAEC,WAAW,CAAC;IAC7H,CAAC,MACI;MACD,IAAI,CAACO,iBAAiB,CAAC5yF,IAAI,EAAE,IAAI,CAAC8zE,YAAY,CAAC5rE,UAAU,EAAEirF,MAAM,EAAE55D,SAAS,IAAI1pB,UAAU,EAAEkmC,cAAc,CAAC,EAAElmC,UAAU,EAAEypB,OAAO,EAAEC,SAAS,EAAE64D,oBAAoB,EAAEC,WAAW,CAAC;IACnL;EACJ;EACAgB,0BAA0BA,CAACrzF,IAAI,EAAEC,KAAK,EAAE4P,UAAU,EAAE0pB,SAAS,EAAE64D,oBAAoB,EAAEC,WAAW,EAAE/4D,OAAO,EAAEu7C,kBAAkB,EAAE;IAC3H,MAAMlhE,IAAI,GAAG,IAAI,CAACihE,kBAAkB,CAAC30E,KAAK,EAAEs5B,SAAS,IAAI1pB,UAAU,EAAEglE,kBAAkB,CAAC;IACxF,IAAIlhE,IAAI,EAAE;MACN,IAAI,CAACi/E,iBAAiB,CAAC5yF,IAAI,EAAE2T,IAAI,EAAE9D,UAAU,EAAEypB,OAAO,EAAEC,SAAS,EAAE64D,oBAAoB,EAAEC,WAAW,CAAC;MACrG,OAAO,IAAI;IACf;IACA,OAAO,KAAK;EAChB;EACAO,iBAAiBA,CAAC5yF,IAAI,EAAEsb,GAAG,EAAEzL,UAAU,EAAEypB,OAAO,EAAEC,SAAS,EAAE64D,oBAAoB,EAAEC,WAAW,EAAE;IAC5FD,oBAAoB,CAACj0F,IAAI,CAAC,CAAC6B,IAAI,EAAEsb,GAAG,CAACkX,MAAM,CAAC,CAAC;IAC7C6/D,WAAW,CAACl0F,IAAI,CAAC,IAAIm8C,cAAc,CAACt6C,IAAI,EAAEsb,GAAG,EAAEk/B,kBAAkB,CAAC84C,OAAO,EAAEzjF,UAAU,EAAEypB,OAAO,EAAEC,SAAS,CAAC,CAAC;EAC/G;EACA25D,eAAeA,CAAClzF,IAAI,EAAEkI,UAAU,EAAE2H,UAAU,EAAEkmC,cAAc,EAAEzc,OAAO,EAAEC,SAAS,EAAE64D,oBAAoB,EAAEC,WAAW,EAAE;IACjH,IAAIryF,IAAI,CAAC9B,MAAM,KAAK,CAAC,EAAE;MACnB,IAAI,CAACk2E,YAAY,CAAC,8BAA8B,EAAEvkE,UAAU,CAAC;IACjE;IACA;IACA;IACA;IACA,MAAMyL,GAAG,GAAG,IAAI,CAACw4D,YAAY,CAAC5rE,UAAU,IAAI,WAAW,EAAE,KAAK,EAAEqxB,SAAS,IAAI1pB,UAAU,EAAEkmC,cAAc,CAAC;IACxGq8C,oBAAoB,CAACj0F,IAAI,CAAC,CAAC6B,IAAI,EAAEsb,GAAG,CAACkX,MAAM,CAAC,CAAC;IAC7C6/D,WAAW,CAACl0F,IAAI,CAAC,IAAIm8C,cAAc,CAACt6C,IAAI,EAAEsb,GAAG,EAAEk/B,kBAAkB,CAACG,SAAS,EAAE9qC,UAAU,EAAEypB,OAAO,EAAEC,SAAS,CAAC,CAAC;EACjH;EACAu6C,YAAYA,CAAC7zE,KAAK,EAAEszF,aAAa,EAAE1jF,UAAU,EAAEkmC,cAAc,EAAE;IAC3D,MAAMg8C,UAAU,GAAG,CAACliF,UAAU,IAAIA,UAAU,CAAC4iB,KAAK,IAAI,WAAW,EAAEtyB,QAAQ,CAAC,CAAC;IAC7E,IAAI;MACA,MAAMmb,GAAG,GAAGi4E,aAAa,GACrB,IAAI,CAACjC,WAAW,CAACnd,kBAAkB,CAACl0E,KAAK,EAAE8xF,UAAU,EAAEh8C,cAAc,EAAE,IAAI,CAACmtC,oBAAoB,CAAC,GACjG,IAAI,CAACoO,WAAW,CAACxd,YAAY,CAAC7zE,KAAK,EAAE8xF,UAAU,EAAEh8C,cAAc,EAAE,IAAI,CAACmtC,oBAAoB,CAAC;MAC/F,IAAI5nE,GAAG,EACH,IAAI,CAAC02E,6BAA6B,CAAC12E,GAAG,CAACs+B,MAAM,EAAE/pC,UAAU,CAAC;MAC9D,OAAOyL,GAAG;IACd,CAAC,CACD,OAAO5R,CAAC,EAAE;MACN,IAAI,CAAC0qE,YAAY,CAAC,GAAG1qE,CAAC,EAAE,EAAEmG,UAAU,CAAC;MACrC,OAAO,IAAI,CAACyhF,WAAW,CAACvb,oBAAoB,CAAC,OAAO,EAAEgc,UAAU,EAAEh8C,cAAc,CAAC;IACrF;EACJ;EACAy9C,0BAA0BA,CAACC,eAAe,EAAEC,SAAS,EAAEC,cAAc,GAAG,KAAK,EAAEC,eAAe,GAAG,IAAI,EAAE;IACnG,IAAIF,SAAS,CAACh5C,WAAW,EAAE;MACvB,OAAO,IAAII,oBAAoB,CAAC44C,SAAS,CAAC1zF,IAAI,EAAE,CAAC,CAAC,6BAA6ByD,eAAe,CAACo2D,IAAI,EAAE65B,SAAS,CAACxrF,UAAU,EAAE,IAAI,EAAEwrF,SAAS,CAAC7jF,UAAU,EAAE6jF,SAAS,CAACp6D,OAAO,EAAEo6D,SAAS,CAACn6D,SAAS,CAAC;IAClM;IACA,IAAII,IAAI,GAAG,IAAI;IACf,IAAIk6D,WAAW,GAAGhoE,SAAS;IAC3B,IAAIioE,iBAAiB,GAAG,IAAI;IAC5B,MAAM9sF,KAAK,GAAG0sF,SAAS,CAAC1zF,IAAI,CAAC+sB,KAAK,CAACgkE,wBAAwB,CAAC;IAC5D,IAAIgD,gBAAgB,GAAGloE,SAAS;IAChC;IACA,IAAI7kB,KAAK,CAAC9I,MAAM,GAAG,CAAC,EAAE;MAClB,IAAI8I,KAAK,CAAC,CAAC,CAAC,IAAIgqF,gBAAgB,EAAE;QAC9B8C,iBAAiB,GAAG9sF,KAAK,CAAClI,KAAK,CAAC,CAAC,CAAC,CAACgB,IAAI,CAACixF,wBAAwB,CAAC;QACjE,IAAI,CAAC4C,cAAc,EAAE;UACjB,IAAI,CAACK,gCAAgC,CAACF,iBAAiB,EAAEJ,SAAS,CAAC7jF,UAAU,EAAE,IAAI,CAAC;QACxF;QACAkkF,gBAAgB,GAAGE,4BAA4B,CAAC,IAAI,CAAC1C,eAAe,EAAEkC,eAAe,EAAEK,iBAAiB,EAAE,IAAI,CAAC;QAC/G,MAAMI,cAAc,GAAGJ,iBAAiB,CAACroE,OAAO,CAAC,GAAG,CAAC;QACrD,IAAIyoE,cAAc,GAAG,CAAC,CAAC,EAAE;UACrB,MAAMC,EAAE,GAAGL,iBAAiB,CAACnnE,SAAS,CAAC,CAAC,EAAEunE,cAAc,CAAC;UACzD,MAAMl0F,IAAI,GAAG8zF,iBAAiB,CAACnnE,SAAS,CAACunE,cAAc,GAAG,CAAC,CAAC;UAC5DJ,iBAAiB,GAAG/oC,cAAc,CAACopC,EAAE,EAAEn0F,IAAI,CAAC;QAChD;QACA6zF,WAAW,GAAG,CAAC,CAAC;MACpB,CAAC,MACI,IAAI7sF,KAAK,CAAC,CAAC,CAAC,IAAIiqF,YAAY,EAAE;QAC/B6C,iBAAiB,GAAG9sF,KAAK,CAAC,CAAC,CAAC;QAC5B6sF,WAAW,GAAG,CAAC,CAAC;QAChBE,gBAAgB,GAAG,CAACtwF,eAAe,CAACo2D,IAAI,CAAC;MAC7C,CAAC,MACI,IAAI7yD,KAAK,CAAC,CAAC,CAAC,IAAIkqF,YAAY,EAAE;QAC/Bv3D,IAAI,GAAG3yB,KAAK,CAAC9I,MAAM,GAAG,CAAC,GAAG8I,KAAK,CAAC,CAAC,CAAC,GAAG,IAAI;QACzC8sF,iBAAiB,GAAG9sF,KAAK,CAAC,CAAC,CAAC;QAC5B6sF,WAAW,GAAG,CAAC,CAAC;QAChBE,gBAAgB,GAAG,CAACtwF,eAAe,CAAC08C,KAAK,CAAC;MAC9C;IACJ;IACA;IACA,IAAI2zC,iBAAiB,KAAK,IAAI,EAAE;MAC5B,MAAMM,cAAc,GAAG,IAAI,CAAC7C,eAAe,CAACpS,iBAAiB,CAACuU,SAAS,CAAC1zF,IAAI,CAAC;MAC7E8zF,iBAAiB,GAAGF,eAAe,GAAGQ,cAAc,GAAGV,SAAS,CAAC1zF,IAAI;MACrE+zF,gBAAgB,GAAGE,4BAA4B,CAAC,IAAI,CAAC1C,eAAe,EAAEkC,eAAe,EAAEW,cAAc,EAAE,KAAK,CAAC;MAC7GP,WAAW,GAAG,CAAC,CAAC;MAChB,IAAI,CAACF,cAAc,EAAE;QACjB,IAAI,CAACK,gCAAgC,CAACI,cAAc,EAAEV,SAAS,CAAC7jF,UAAU,EAAE,KAAK,CAAC;MACtF;IACJ;IACA,OAAO,IAAIirC,oBAAoB,CAACg5C,iBAAiB,EAAED,WAAW,EAAEE,gBAAgB,CAAC,CAAC,CAAC,EAAEL,SAAS,CAACxrF,UAAU,EAAEyxB,IAAI,EAAE+5D,SAAS,CAAC7jF,UAAU,EAAE6jF,SAAS,CAACp6D,OAAO,EAAEo6D,SAAS,CAACn6D,SAAS,CAAC;EAClL;EACA;EACAu4D,UAAUA,CAAC9xF,IAAI,EAAEkI,UAAU,EAAEqrE,iBAAiB,EAAE1jE,UAAU,EAAEkqB,WAAW,EAAEq4D,oBAAoB,EAAEP,YAAY,EAAEv4D,OAAO,EAAE;IAClH,IAAIt5B,IAAI,CAAC9B,MAAM,KAAK,CAAC,EAAE;MACnB,IAAI,CAACk2E,YAAY,CAAC,kCAAkC,EAAEvkE,UAAU,CAAC;IACrE;IACA,IAAIojF,gBAAgB,CAACjzF,IAAI,CAAC,EAAE;MACxBA,IAAI,GAAGA,IAAI,CAAClB,KAAK,CAAC,CAAC,CAAC;MACpB,IAAIw6B,OAAO,KAAKzN,SAAS,EAAE;QACvByN,OAAO,GAAGo5D,mBAAmB,CAACp5D,OAAO,EAAE,IAAI0c,kBAAkB,CAAC1c,OAAO,CAAC7G,KAAK,CAAC0b,MAAM,GAAG,CAAC,EAAE7U,OAAO,CAAC5tB,GAAG,CAACyiC,MAAM,CAAC,CAAC;MAChH;MACA,IAAI,CAACkmD,oBAAoB,CAACr0F,IAAI,EAAEkI,UAAU,EAAEqrE,iBAAiB,EAAE1jE,UAAU,EAAEkqB,WAAW,EAAE83D,YAAY,EAAEv4D,OAAO,CAAC;IAClH,CAAC,MACI;MACD,IAAI,CAACg7D,kBAAkB,CAACt0F,IAAI,EAAEkI,UAAU,EAAEqrE,iBAAiB,EAAE1jE,UAAU,EAAEkqB,WAAW,EAAEq4D,oBAAoB,EAAEP,YAAY,EAAEv4D,OAAO,CAAC;IACtI;EACJ;EACA26D,4BAA4BA,CAACp2F,QAAQ,EAAEghF,QAAQ,EAAEK,WAAW,EAAE;IAC1D,MAAMpvE,IAAI,GAAG,IAAI,CAACyhF,eAAe,CAACpS,iBAAiB,CAACN,QAAQ,CAAC;IAC7D,OAAOoV,4BAA4B,CAAC,IAAI,CAAC1C,eAAe,EAAE1zF,QAAQ,EAAEiS,IAAI,EAAEovE,WAAW,CAAC;EAC1F;EACAmV,oBAAoBA,CAACr0F,IAAI,EAAEkI,UAAU,EAAEqrE,iBAAiB,EAAE1jE,UAAU,EAAEkqB,WAAW,EAAE83D,YAAY,EAAEv4D,OAAO,EAAE;IACtG,MAAMotB,OAAO,GAAGp7B,aAAa,CAACtrB,IAAI,EAAE,CAACA,IAAI,EAAE,EAAE,CAAC,CAAC;IAC/C,MAAMu0F,SAAS,GAAG7tC,OAAO,CAAC,CAAC,CAAC;IAC5B,MAAMlyB,KAAK,GAAGkyB,OAAO,CAAC,CAAC,CAAC,CAACxmD,WAAW,CAAC,CAAC;IACtC,MAAMob,GAAG,GAAG,IAAI,CAACk5E,YAAY,CAACtsF,UAAU,EAAEqrE,iBAAiB,EAAEx5C,WAAW,CAAC;IACzE83D,YAAY,CAAC1zF,IAAI,CAAC,IAAIy8C,WAAW,CAAC25C,SAAS,EAAE//D,KAAK,EAAE,CAAC,CAAC,iCAAiClZ,GAAG,EAAEzL,UAAU,EAAEkqB,WAAW,EAAET,OAAO,CAAC,CAAC;IAC9H,IAAIi7D,SAAS,CAACr2F,MAAM,KAAK,CAAC,EAAE;MACxB,IAAI,CAACk2E,YAAY,CAAC,4CAA4C,EAAEvkE,UAAU,CAAC;IAC/E;IACA,IAAI2kB,KAAK,EAAE;MACP,IAAIA,KAAK,KAAK,OAAO,IAAIA,KAAK,KAAK,MAAM,EAAE;QACvC,IAAI,CAAC4/C,YAAY,CAAC,8CAA8C5/C,KAAK,WAAW+/D,SAAS,wCAAwC,EAAE1kF,UAAU,CAAC;MAClJ;IACJ,CAAC,MACI;MACD,IAAI,CAACukE,YAAY,CAAC,wCAAwCmgB,SAAS,2EAA2E,EAAE1kF,UAAU,CAAC;IAC/J;EACJ;EACAykF,kBAAkBA,CAACt0F,IAAI,EAAEkI,UAAU,EAAEqrE,iBAAiB,EAAE1jE,UAAU,EAAEkqB,WAAW,EAAEq4D,oBAAoB,EAAEP,YAAY,EAAEv4D,OAAO,EAAE;IAC1H;IACA,MAAM,CAAC9C,MAAM,EAAE+9D,SAAS,CAAC,GAAGppE,YAAY,CAACnrB,IAAI,EAAE,CAAC,IAAI,EAAEA,IAAI,CAAC,CAAC;IAC5D,MAAMsb,GAAG,GAAG,IAAI,CAACk5E,YAAY,CAACtsF,UAAU,EAAEqrE,iBAAiB,EAAEx5C,WAAW,CAAC;IACzEq4D,oBAAoB,CAACj0F,IAAI,CAAC,CAAC6B,IAAI,EAAEsb,GAAG,CAACkX,MAAM,CAAC,CAAC;IAC7Cq/D,YAAY,CAAC1zF,IAAI,CAAC,IAAIy8C,WAAW,CAAC25C,SAAS,EAAE/9D,MAAM,EAAE,CAAC,CAAC,+BAA+Blb,GAAG,EAAEzL,UAAU,EAAEkqB,WAAW,EAAET,OAAO,CAAC,CAAC;IAC7H;IACA;EACJ;EACAk7D,YAAYA,CAACv0F,KAAK,EAAEszE,iBAAiB,EAAE1jE,UAAU,EAAE;IAC/C,MAAMkiF,UAAU,GAAG,CAACliF,UAAU,IAAIA,UAAU,CAAC4iB,KAAK,IAAI,UAAU,EAAEtyB,QAAQ,CAAC,CAAC;IAC5E,MAAM41C,cAAc,GAAIlmC,UAAU,IAAIA,UAAU,CAAC4iB,KAAK,GAAI5iB,UAAU,CAAC4iB,KAAK,CAAC0b,MAAM,GAAG,CAAC;IACrF,IAAI;MACA,MAAM7yB,GAAG,GAAG,IAAI,CAACg2E,WAAW,CAAChe,WAAW,CAACrzE,KAAK,EAAEszE,iBAAiB,EAAEwe,UAAU,EAAEh8C,cAAc,EAAE,IAAI,CAACmtC,oBAAoB,CAAC;MACzH,IAAI5nE,GAAG,EAAE;QACL,IAAI,CAAC02E,6BAA6B,CAAC12E,GAAG,CAACs+B,MAAM,EAAE/pC,UAAU,CAAC;MAC9D;MACA,IAAI,CAACyL,GAAG,IAAIA,GAAG,CAACA,GAAG,YAAY86B,WAAW,EAAE;QACxC,IAAI,CAACg+B,YAAY,CAAC,mCAAmC,EAAEvkE,UAAU,CAAC;QAClE,OAAO,IAAI,CAACyhF,WAAW,CAACvb,oBAAoB,CAAC,OAAO,EAAEgc,UAAU,EAAEh8C,cAAc,CAAC;MACrF;MACA,OAAOz6B,GAAG;IACd,CAAC,CACD,OAAO5R,CAAC,EAAE;MACN,IAAI,CAAC0qE,YAAY,CAAC,GAAG1qE,CAAC,EAAE,EAAEmG,UAAU,CAAC;MACrC,OAAO,IAAI,CAACyhF,WAAW,CAACvb,oBAAoB,CAAC,OAAO,EAAEgc,UAAU,EAAEh8C,cAAc,CAAC;IACrF;EACJ;EACAq+B,YAAYA,CAAC/tE,OAAO,EAAEwJ,UAAU,EAAE4/B,KAAK,GAAGF,eAAe,CAACG,KAAK,EAAE;IAC7D,IAAI,CAACkK,MAAM,CAACz7C,IAAI,CAAC,IAAIqxC,UAAU,CAAC3/B,UAAU,EAAExJ,OAAO,EAAEopC,KAAK,CAAC,CAAC;EAChE;EACAuiD,6BAA6BA,CAACp4C,MAAM,EAAE/pC,UAAU,EAAE;IAC9C,KAAK,MAAMic,KAAK,IAAI8tB,MAAM,EAAE;MACxB,IAAI,CAACw6B,YAAY,CAACtoD,KAAK,CAACzlB,OAAO,EAAEwJ,UAAU,CAAC;IAChD;EACJ;EACA;AACJ;AACA;AACA;AACA;EACImkF,gCAAgCA,CAACnV,QAAQ,EAAEhvE,UAAU,EAAE4kF,MAAM,EAAE;IAC3D,MAAMC,MAAM,GAAGD,MAAM,GAAG,IAAI,CAAClD,eAAe,CAACjS,iBAAiB,CAACT,QAAQ,CAAC,GACpE,IAAI,CAAC0S,eAAe,CAAClS,gBAAgB,CAACR,QAAQ,CAAC;IACnD,IAAI6V,MAAM,CAAC5oE,KAAK,EAAE;MACd,IAAI,CAACsoD,YAAY,CAACsgB,MAAM,CAACtpF,GAAG,EAAEyE,UAAU,EAAE0/B,eAAe,CAACG,KAAK,CAAC;IACpE;EACJ;AACJ;AACA,MAAMilD,aAAa,SAASr3E,mBAAmB,CAAC;EAC5C/f,WAAWA,CAAA,EAAG;IACV,KAAK,CAAC,GAAGg1D,SAAS,CAAC;IACnB,IAAI,CAACqiC,KAAK,GAAG,IAAIn0F,GAAG,CAAC,CAAC;EAC1B;EACAm3C,SAASA,CAACt8B,GAAG,EAAE/T,OAAO,EAAE;IACpB,IAAI,CAACqtF,KAAK,CAAC1yF,GAAG,CAACoZ,GAAG,CAACtb,IAAI,EAAEsb,GAAG,CAAC;IAC7BA,GAAG,CAAC2B,GAAG,CAAC/V,KAAK,CAAC,IAAI,CAAC;IACnB,IAAI,CAAC8yC,QAAQ,CAAC1+B,GAAG,CAAC1G,IAAI,EAAErN,OAAO,CAAC;IAChC,OAAO,IAAI;EACf;AACJ;AACA,SAAS0rF,gBAAgBA,CAACjzF,IAAI,EAAE;EAC5B,OAAOA,IAAI,CAAC,CAAC,CAAC,IAAI,GAAG;AACzB;AACA,SAASi0F,4BAA4BA,CAACY,QAAQ,EAAEh3F,QAAQ,EAAEghF,QAAQ,EAAEK,WAAW,EAAE;EAC7E,MAAM4V,IAAI,GAAG,EAAE;EACfx3F,WAAW,CAACM,KAAK,CAACC,QAAQ,CAAC,CAACuC,OAAO,CAAEvC,QAAQ,IAAK;IAC9C,MAAMk3F,YAAY,GAAGl3F,QAAQ,CAACL,OAAO,GAAG,CAACK,QAAQ,CAACL,OAAO,CAAC,GAAGq3F,QAAQ,CAACtV,oBAAoB,CAAC,CAAC;IAC5F,MAAMyV,eAAe,GAAG,IAAI9uD,GAAG,CAACroC,QAAQ,CAACF,YAAY,CAACgiB,MAAM,CAAC9hB,QAAQ,IAAIA,QAAQ,CAAC8B,iBAAiB,CAAC,CAAC,CAAC,CACjG0C,GAAG,CAAExE,QAAQ,IAAKA,QAAQ,CAACL,OAAO,CAAC,CAAC;IACzC,MAAMy3F,oBAAoB,GAAGF,YAAY,CAACp1E,MAAM,CAAC9b,WAAW,IAAI,CAACmxF,eAAe,CAAC91E,GAAG,CAACrb,WAAW,CAAC,CAAC;IAClGixF,IAAI,CAAC32F,IAAI,CAAC,GAAG82F,oBAAoB,CAAC5yF,GAAG,CAACwB,WAAW,IAAIgxF,QAAQ,CAACn7D,eAAe,CAAC71B,WAAW,EAAEg7E,QAAQ,EAAEK,WAAW,CAAC,CAAC,CAAC;EACvH,CAAC,CAAC;EACF,OAAO4V,IAAI,CAAC52F,MAAM,KAAK,CAAC,GAAG,CAACuF,eAAe,CAACo2D,IAAI,CAAC,GAAGttC,KAAK,CAAC0C,IAAI,CAAC,IAAIiX,GAAG,CAAC4uD,IAAI,CAAC,CAAC,CAACI,IAAI,CAAC,CAAC;AACxF;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASxC,mBAAmBA,CAAC7iF,UAAU,EAAEslF,YAAY,EAAE;EACnD;EACA,MAAMC,SAAS,GAAGD,YAAY,CAAC1iE,KAAK,GAAG5iB,UAAU,CAAC4iB,KAAK,CAAC0b,MAAM;EAC9D,MAAMknD,OAAO,GAAGF,YAAY,CAACzpF,GAAG,GAAGmE,UAAU,CAACnE,GAAG,CAACyiC,MAAM;EACxD,OAAO,IAAIiB,eAAe,CAACv/B,UAAU,CAAC4iB,KAAK,CAAC2b,MAAM,CAACgnD,SAAS,CAAC,EAAEvlF,UAAU,CAACnE,GAAG,CAAC0iC,MAAM,CAACinD,OAAO,CAAC,EAAExlF,UAAU,CAACw/B,SAAS,CAACjB,MAAM,CAACgnD,SAAS,CAAC,EAAEvlF,UAAU,CAACy/B,OAAO,CAAC;AAC9J;;AAEA;AACA;AACA,SAASgmD,oBAAoBA,CAACn9E,GAAG,EAAE;EAC/B,IAAIA,GAAG,IAAI,IAAI,IAAIA,GAAG,CAACja,MAAM,KAAK,CAAC,IAAIia,GAAG,CAAC,CAAC,CAAC,IAAI,GAAG,EAChD,OAAO,KAAK;EAChB,MAAMo9E,WAAW,GAAGp9E,GAAG,CAAC9Z,KAAK,CAACm3F,sBAAsB,CAAC;EACrD,OAAOD,WAAW,KAAK,IAAI,IAAIA,WAAW,CAAC,CAAC,CAAC,IAAI,SAAS,IAAIA,WAAW,CAAC,CAAC,CAAC,IAAI,OAAO;AAC3F;AACA,MAAMC,sBAAsB,GAAG,cAAc;AAE7C,MAAMC,wBAAwB,GAAG,QAAQ;AACzC,MAAMC,YAAY,GAAG,MAAM;AAC3B,MAAMC,mBAAmB,GAAG,KAAK;AACjC,MAAMC,oBAAoB,GAAG,MAAM;AACnC,MAAMC,oBAAoB,GAAG,YAAY;AACzC,MAAMC,aAAa,GAAG,OAAO;AAC7B,MAAMC,cAAc,GAAG,QAAQ;AAC/B,MAAMC,oBAAoB,GAAG,eAAe;AAC5C,MAAMC,aAAa,GAAG,aAAa;AACnC,SAASC,eAAeA,CAAC56E,GAAG,EAAE;EAC1B,IAAI66E,UAAU,GAAG,IAAI;EACrB,IAAIC,QAAQ,GAAG,IAAI;EACnB,IAAIC,OAAO,GAAG,IAAI;EAClB,IAAI3gC,WAAW,GAAG,KAAK;EACvB,IAAIpK,SAAS,GAAG,EAAE;EAClBhwC,GAAG,CAAC5d,KAAK,CAAC0C,OAAO,CAACjB,IAAI,IAAI;IACtB,MAAMm3F,UAAU,GAAGn3F,IAAI,CAACa,IAAI,CAACE,WAAW,CAAC,CAAC;IAC1C,IAAIo2F,UAAU,IAAIb,wBAAwB,EAAE;MACxCU,UAAU,GAAGh3F,IAAI,CAACc,KAAK;IAC3B,CAAC,MACI,IAAIq2F,UAAU,IAAIV,oBAAoB,EAAE;MACzCQ,QAAQ,GAAGj3F,IAAI,CAACc,KAAK;IACzB,CAAC,MACI,IAAIq2F,UAAU,IAAIX,mBAAmB,EAAE;MACxCU,OAAO,GAAGl3F,IAAI,CAACc,KAAK;IACxB,CAAC,MACI,IAAId,IAAI,CAACa,IAAI,IAAIg2F,oBAAoB,EAAE;MACxCtgC,WAAW,GAAG,IAAI;IACtB,CAAC,MACI,IAAIv2D,IAAI,CAACa,IAAI,IAAIi2F,aAAa,EAAE;MACjC,IAAI92F,IAAI,CAACc,KAAK,CAAC/B,MAAM,GAAG,CAAC,EAAE;QACvBotD,SAAS,GAAGnsD,IAAI,CAACc,KAAK;MAC1B;IACJ;EACJ,CAAC,CAAC;EACFk2F,UAAU,GAAGI,wBAAwB,CAACJ,UAAU,CAAC;EACjD,MAAMK,QAAQ,GAAGl7E,GAAG,CAACtb,IAAI,CAACE,WAAW,CAAC,CAAC;EACvC,IAAIiI,IAAI,GAAGsuF,oBAAoB,CAACC,KAAK;EACrC,IAAI/rC,WAAW,CAAC6rC,QAAQ,CAAC,EAAE;IACvBruF,IAAI,GAAGsuF,oBAAoB,CAACE,UAAU;EAC1C,CAAC,MACI,IAAIH,QAAQ,IAAIV,aAAa,EAAE;IAChC3tF,IAAI,GAAGsuF,oBAAoB,CAACt2C,KAAK;EACrC,CAAC,MACI,IAAIq2C,QAAQ,IAAIT,cAAc,EAAE;IACjC5tF,IAAI,GAAGsuF,oBAAoB,CAACxxB,MAAM;EACtC,CAAC,MACI,IAAIuxB,QAAQ,IAAId,YAAY,IAAIW,OAAO,IAAIR,oBAAoB,EAAE;IAClE1tF,IAAI,GAAGsuF,oBAAoB,CAACG,UAAU;EAC1C;EACA,OAAO,IAAIC,gBAAgB,CAAC1uF,IAAI,EAAEguF,UAAU,EAAEC,QAAQ,EAAE1gC,WAAW,EAAEpK,SAAS,CAAC;AACnF;AACA,IAAImrC,oBAAoB;AACxB,CAAC,UAAUA,oBAAoB,EAAE;EAC7BA,oBAAoB,CAACA,oBAAoB,CAAC,YAAY,CAAC,GAAG,CAAC,CAAC,GAAG,YAAY;EAC3EA,oBAAoB,CAACA,oBAAoB,CAAC,OAAO,CAAC,GAAG,CAAC,CAAC,GAAG,OAAO;EACjEA,oBAAoB,CAACA,oBAAoB,CAAC,YAAY,CAAC,GAAG,CAAC,CAAC,GAAG,YAAY;EAC3EA,oBAAoB,CAACA,oBAAoB,CAAC,QAAQ,CAAC,GAAG,CAAC,CAAC,GAAG,QAAQ;EACnEA,oBAAoB,CAACA,oBAAoB,CAAC,OAAO,CAAC,GAAG,CAAC,CAAC,GAAG,OAAO;AACrE,CAAC,EAAEA,oBAAoB,KAAKA,oBAAoB,GAAG,CAAC,CAAC,CAAC,CAAC;AACvD,MAAMI,gBAAgB,CAAC;EACnBt5F,WAAWA,CAAC4K,IAAI,EAAEguF,UAAU,EAAEC,QAAQ,EAAE1gC,WAAW,EAAEpK,SAAS,EAAE;IAC5D,IAAI,CAACnjD,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACguF,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACC,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAAC1gC,WAAW,GAAGA,WAAW;IAC9B,IAAI,CAACpK,SAAS,GAAGA,SAAS;EAC9B;AACJ;AACA,SAASirC,wBAAwBA,CAACJ,UAAU,EAAE;EAC1C,IAAIA,UAAU,KAAK,IAAI,IAAIA,UAAU,CAACj4F,MAAM,KAAK,CAAC,EAAE;IAChD,OAAO,GAAG;EACd;EACA,OAAOi4F,UAAU;AACrB;;AAEA;AACA,MAAMW,YAAY,GAAG,cAAc;AACnC;AACA,MAAMC,iBAAiB,GAAG,MAAM;AAChC;AACA,MAAMC,sBAAsB,GAAG,IAAIv2F,GAAG,CAAC,CACnC,CAACysC,OAAO,EAAEE,OAAO,CAAC,EAClB,CAAClB,SAAS,EAAEE,SAAS,CAAC,EACtB,CAACxB,OAAO,EAAEC,OAAO,CAAC,CAAE;AAAA,CACvB,CAAC;AACF;AACA,IAAIosD,aAAa;AACjB,CAAC,UAAUA,aAAa,EAAE;EACtBA,aAAa,CAAC,MAAM,CAAC,GAAG,MAAM;EAC9BA,aAAa,CAAC,OAAO,CAAC,GAAG,OAAO;EAChCA,aAAa,CAAC,aAAa,CAAC,GAAG,aAAa;EAC5CA,aAAa,CAAC,WAAW,CAAC,GAAG,WAAW;EACxCA,aAAa,CAAC,OAAO,CAAC,GAAG,OAAO;EAChCA,aAAa,CAAC,UAAU,CAAC,GAAG,UAAU;AAC1C,CAAC,EAAEA,aAAa,KAAKA,aAAa,GAAG,CAAC,CAAC,CAAC,CAAC;AACzC;AACA,SAASC,gBAAgBA,CAAC;EAAEhvF,UAAU;EAAE2H;AAAW,CAAC,EAAEy5D,aAAa,EAAE1vB,MAAM,EAAE;EACzE,MAAMu9C,SAAS,GAAGjvF,UAAU,CAACujB,OAAO,CAAC,MAAM,CAAC;EAC5C;EACA;EACA,IAAI0rE,SAAS,KAAK,CAAC,CAAC,EAAE;IAClBv9C,MAAM,CAACz7C,IAAI,CAAC,IAAIqxC,UAAU,CAAC3/B,UAAU,EAAE,6CAA6C,CAAC,CAAC;IACtF,OAAO,IAAI;EACf;EACA,MAAM4iB,KAAK,GAAG2kE,yBAAyB,CAAClvF,UAAU,EAAEivF,SAAS,GAAG,CAAC,CAAC;EAClE,MAAME,MAAM,GAAG/tB,aAAa,CAACwK,YAAY,CAAC5rE,UAAU,CAACpJ,KAAK,CAAC2zB,KAAK,CAAC,EAAE,KAAK,EAAE5iB,UAAU,EAAEA,UAAU,CAAC4iB,KAAK,CAAC0b,MAAM,GAAG1b,KAAK,CAAC;EACtH,OAAO,IAAIqI,oBAAoB,CAACu8D,MAAM,EAAExnF,UAAU,CAAC;AACvD;AACA;AACA,SAASynF,cAAcA,CAAC;EAAEpvF,UAAU;EAAE2H;AAAW,CAAC,EAAE+pC,MAAM,EAAE;EACxD,MAAM29C,OAAO,GAAGrvF,UAAU,CAACujB,OAAO,CAAC,IAAI,CAAC;EACxC;EACA;EACA,IAAI8rE,OAAO,KAAK,CAAC,CAAC,EAAE;IAChB39C,MAAM,CAACz7C,IAAI,CAAC,IAAIqxC,UAAU,CAAC3/B,UAAU,EAAE,2CAA2C,CAAC,CAAC;IACpF,OAAO,EAAE;EACb;EACA,MAAM4iB,KAAK,GAAG2kE,yBAAyB,CAAClvF,UAAU,EAAEqvF,OAAO,GAAG,CAAC,CAAC;EAChE,OAAO,IAAIC,eAAe,CAACtvF,UAAU,EAAEuqB,KAAK,EAAE5iB,UAAU,EAAE+pC,MAAM,CAAC,CAACh8C,KAAK,CAAC,CAAC;AAC7E;AACA,MAAM45F,eAAe,CAAC;EAClBj6F,WAAWA,CAAC2K,UAAU,EAAEuqB,KAAK,EAAEF,IAAI,EAAEqnB,MAAM,EAAE;IACzC,IAAI,CAAC1xC,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACuqB,KAAK,GAAGA,KAAK;IAClB,IAAI,CAACF,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACqnB,MAAM,GAAGA,MAAM;IACpB,IAAI,CAAClvC,KAAK,GAAG,CAAC;IACd,IAAI,CAACqxB,QAAQ,GAAG,EAAE;IAClB,IAAI,CAACkzC,MAAM,GAAG,IAAIJ,KAAK,CAAC,CAAC,CAACC,QAAQ,CAAC5mE,UAAU,CAACpJ,KAAK,CAAC2zB,KAAK,CAAC,CAAC;EAC/D;EACA70B,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAI,CAACqxE,MAAM,CAAC/wE,MAAM,GAAG,CAAC,IAAI,IAAI,CAACwM,KAAK,GAAG,IAAI,CAACukE,MAAM,CAAC/wE,MAAM,EAAE;MAC9D,MAAMouB,KAAK,GAAG,IAAI,CAACA,KAAK,CAAC,CAAC;MAC1B,IAAI,CAACA,KAAK,CAACsjD,YAAY,CAAC,CAAC,EAAE;QACvB,IAAI,CAAC6nB,eAAe,CAACnrE,KAAK,CAAC;QAC3B;MACJ;MACA;MACA;MACA,IAAI,IAAI,CAACorE,kBAAkB,CAAC1sD,MAAM,CAAC,EAAE;QACjC,IAAI,CAAC2sD,cAAc,CAACrrE,KAAK,EAAE,EAAE,CAAC;QAC9B,IAAI,CAAC3L,OAAO,CAAC,CAAC;MAClB,CAAC,MACI,IAAI,IAAI,CAAC+2E,kBAAkB,CAAC9sD,OAAO,CAAC,EAAE;QACvC,IAAI,CAACjqB,OAAO,CAAC,CAAC,CAAC,CAAC;QAChB,MAAMi3E,UAAU,GAAG,IAAI,CAACh+C,MAAM,CAAC17C,MAAM;QACrC,MAAM2hB,UAAU,GAAG,IAAI,CAACg4E,iBAAiB,CAAC,CAAC;QAC3C,IAAI,IAAI,CAACj+C,MAAM,CAAC17C,MAAM,KAAK05F,UAAU,EAAE;UACnC;QACJ;QACA,IAAI,CAACD,cAAc,CAACrrE,KAAK,EAAEzM,UAAU,CAAC;QACtC,IAAI,CAACc,OAAO,CAAC,CAAC,CAAC,CAAC;MACpB,CAAC,MACI,IAAI,IAAI,CAACjW,KAAK,GAAG,IAAI,CAACukE,MAAM,CAAC/wE,MAAM,GAAG,CAAC,EAAE;QAC1C,IAAI,CAACu5F,eAAe,CAAC,IAAI,CAACxoB,MAAM,CAAC,IAAI,CAACvkE,KAAK,GAAG,CAAC,CAAC,CAAC;MACrD;MACA,IAAI,CAACiW,OAAO,CAAC,CAAC;IAClB;IACA,OAAO,IAAI,CAACob,QAAQ;EACxB;EACApb,OAAOA,CAAA,EAAG;IACN,IAAI,CAACjW,KAAK,EAAE;EAChB;EACAgtF,kBAAkBA,CAACn4F,IAAI,EAAE;IACrB,IAAI,IAAI,CAACmL,KAAK,KAAK,IAAI,CAACukE,MAAM,CAAC/wE,MAAM,GAAG,CAAC,EAAE;MACvC,OAAO,IAAI;IACf;IACA,OAAO,IAAI,CAAC+wE,MAAM,CAAC,IAAI,CAACvkE,KAAK,GAAG,CAAC,CAAC,CAAC4kE,WAAW,CAAC/vE,IAAI,CAAC;EACxD;EACA+sB,KAAKA,CAAA,EAAG;IACJ,OAAO,IAAI,CAAC2iD,MAAM,CAAChqE,IAAI,CAAC6yF,GAAG,CAAC,IAAI,CAACptF,KAAK,EAAE,IAAI,CAACukE,MAAM,CAAC/wE,MAAM,GAAG,CAAC,CAAC,CAAC;EACpE;EACAy5F,cAAcA,CAACpuD,UAAU,EAAE1pB,UAAU,EAAE;IACnC,MAAMstE,SAAS,GAAG,IAAI,CAAC56D,IAAI,CAACE,KAAK,CAAC2b,MAAM,CAAC,IAAI,CAAC3b,KAAK,GAAG8W,UAAU,CAAC7+B,KAAK,GAAG,IAAI,CAACukE,MAAM,CAAC,CAAC,CAAC,CAACvkE,KAAK,CAAC;IAC9F,MAAM4iF,OAAO,GAAGH,SAAS,CAAC/+C,MAAM,CAAC,IAAI,CAAC9hB,KAAK,CAAC,CAAC,CAAC5gB,GAAG,GAAG69B,UAAU,CAAC7+B,KAAK,CAAC;IACrE,MAAMmF,UAAU,GAAG,IAAIu/B,eAAe,CAAC+9C,SAAS,EAAEG,OAAO,CAAC;IAC1D,IAAI;MACA,QAAQ/jD,UAAU,CAACppC,QAAQ,CAAC,CAAC;QACzB,KAAK82F,aAAa,CAACc,IAAI;UACnB,IAAI,CAACh8D,QAAQ,CAAC59B,IAAI,CAAC65F,iBAAiB,CAACn4E,UAAU,EAAEhQ,UAAU,CAAC,CAAC;UAC7D;QACJ,KAAKonF,aAAa,CAACgB,KAAK;UACpB,IAAI,CAACl8D,QAAQ,CAAC59B,IAAI,CAAC+5F,kBAAkB,CAACr4E,UAAU,EAAEhQ,UAAU,CAAC,CAAC;UAC9D;QACJ,KAAKonF,aAAa,CAACkB,WAAW;UAC1B,IAAI,CAACp8D,QAAQ,CAAC59B,IAAI,CAACi6F,wBAAwB,CAACv4E,UAAU,EAAEhQ,UAAU,CAAC,CAAC;UACpE;QACJ,KAAKonF,aAAa,CAACoB,SAAS;UACxB,IAAI,CAACt8D,QAAQ,CAAC59B,IAAI,CAACm6F,sBAAsB,CAACz4E,UAAU,EAAEhQ,UAAU,CAAC,CAAC;UAClE;QACJ,KAAKonF,aAAa,CAACsB,KAAK;UACpB,IAAI,CAACx8D,QAAQ,CAAC59B,IAAI,CAACq6F,kBAAkB,CAAC34E,UAAU,EAAEhQ,UAAU,CAAC,CAAC;UAC9D;QACJ,KAAKonF,aAAa,CAACwB,QAAQ;UACvB,IAAI,CAAC18D,QAAQ,CAAC59B,IAAI,CAACu6F,qBAAqB,CAAC74E,UAAU,EAAEhQ,UAAU,CAAC,CAAC;UACjE;QACJ;UACI,MAAM,IAAInR,KAAK,CAAC,8BAA8B6qC,UAAU,GAAG,CAAC;MACpE;IACJ,CAAC,CACD,OAAO7/B,CAAC,EAAE;MACN,IAAI,CAACoiB,KAAK,CAACyd,UAAU,EAAE7/B,CAAC,CAACrD,OAAO,CAAC;IACrC;EACJ;EACAwxF,iBAAiBA,CAAA,EAAG;IAChB,MAAMh4E,UAAU,GAAG,EAAE;IACrB,IAAI,CAAC,IAAI,CAACyM,KAAK,CAAC,CAAC,CAACgjD,WAAW,CAAC1kC,OAAO,CAAC,EAAE;MACpC,IAAI,CAAC6sD,eAAe,CAAC,IAAI,CAACnrE,KAAK,CAAC,CAAC,CAAC;MAClC,OAAOzM,UAAU;IACrB;IACA,IAAI,CAACc,OAAO,CAAC,CAAC;IACd,MAAMg4E,eAAe,GAAG,EAAE;IAC1B,IAAIr6F,OAAO,GAAG,EAAE;IAChB,OAAO,IAAI,CAACoM,KAAK,GAAG,IAAI,CAACukE,MAAM,CAAC/wE,MAAM,EAAE;MACpC,MAAMouB,KAAK,GAAG,IAAI,CAACA,KAAK,CAAC,CAAC;MAC1B;MACA;MACA;MACA,IAAIA,KAAK,CAACgjD,WAAW,CAACzkC,OAAO,CAAC,IAAI8tD,eAAe,CAACz6F,MAAM,KAAK,CAAC,EAAE;QAC5D,IAAII,OAAO,CAACJ,MAAM,EAAE;UAChB2hB,UAAU,CAAC1hB,IAAI,CAACG,OAAO,CAAC;QAC5B;QACA;MACJ;MACA;MACA;MACA;MACA;MACA;MACA;MACA,IAAIguB,KAAK,CAACnkB,IAAI,KAAKwmE,SAAS,CAACY,SAAS,IAAIynB,sBAAsB,CAAC93E,GAAG,CAACoN,KAAK,CAAC8iD,QAAQ,CAAC,EAAE;QAClFupB,eAAe,CAACx6F,IAAI,CAAC64F,sBAAsB,CAAC/0F,GAAG,CAACqqB,KAAK,CAAC8iD,QAAQ,CAAC,CAAC;MACpE;MACA,IAAIupB,eAAe,CAACz6F,MAAM,GAAG,CAAC,IAC1BouB,KAAK,CAACgjD,WAAW,CAACqpB,eAAe,CAACA,eAAe,CAACz6F,MAAM,GAAG,CAAC,CAAC,CAAC,EAAE;QAChEy6F,eAAe,CAACnnE,GAAG,CAAC,CAAC;MACzB;MACA;MACA;MACA,IAAImnE,eAAe,CAACz6F,MAAM,KAAK,CAAC,IAAIouB,KAAK,CAACgjD,WAAW,CAACtkC,MAAM,CAAC,IAAI1sC,OAAO,CAACJ,MAAM,GAAG,CAAC,EAAE;QACjF2hB,UAAU,CAAC1hB,IAAI,CAACG,OAAO,CAAC;QACxBA,OAAO,GAAG,EAAE;QACZ,IAAI,CAACqiB,OAAO,CAAC,CAAC;QACd;MACJ;MACA;MACAriB,OAAO,IAAI,IAAI,CAACs6F,SAAS,CAAC,CAAC;MAC3B,IAAI,CAACj4E,OAAO,CAAC,CAAC;IAClB;IACA,IAAI,CAAC,IAAI,CAAC2L,KAAK,CAAC,CAAC,CAACgjD,WAAW,CAACzkC,OAAO,CAAC,IAAI8tD,eAAe,CAACz6F,MAAM,GAAG,CAAC,EAAE;MAClE,IAAI,CAAC4tB,KAAK,CAAC,IAAI,CAACQ,KAAK,CAAC,CAAC,EAAE,8BAA8B,CAAC;IAC5D;IACA,IAAI,IAAI,CAAC5hB,KAAK,GAAG,IAAI,CAACukE,MAAM,CAAC/wE,MAAM,GAAG,CAAC,IACnC,CAAC,IAAI,CAAC+wE,MAAM,CAAC,IAAI,CAACvkE,KAAK,GAAG,CAAC,CAAC,CAAC4kE,WAAW,CAACtkC,MAAM,CAAC,EAAE;MAClD,IAAI,CAACysD,eAAe,CAAC,IAAI,CAACxoB,MAAM,CAAC,IAAI,CAACvkE,KAAK,GAAG,CAAC,CAAC,CAAC;IACrD;IACA,OAAOmV,UAAU;EACrB;EACA+4E,SAASA,CAAA,EAAG;IACR;IACA;IACA,OAAO,IAAI,CAAC1wF,UAAU,CAACpJ,KAAK,CAAC,IAAI,CAAC2zB,KAAK,GAAG,IAAI,CAACnG,KAAK,CAAC,CAAC,CAAC5hB,KAAK,EAAE,IAAI,CAAC+nB,KAAK,GAAG,IAAI,CAACnG,KAAK,CAAC,CAAC,CAAC5gB,GAAG,CAAC;EAChG;EACAogB,KAAKA,CAACQ,KAAK,EAAEjmB,OAAO,EAAE;IAClB,MAAMwyF,QAAQ,GAAG,IAAI,CAACtmE,IAAI,CAACE,KAAK,CAAC2b,MAAM,CAAC,IAAI,CAAC3b,KAAK,GAAGnG,KAAK,CAAC5hB,KAAK,CAAC;IACjE,MAAMouF,MAAM,GAAGD,QAAQ,CAACzqD,MAAM,CAAC9hB,KAAK,CAAC5gB,GAAG,GAAG4gB,KAAK,CAAC5hB,KAAK,CAAC;IACvD,IAAI,CAACkvC,MAAM,CAACz7C,IAAI,CAAC,IAAIqxC,UAAU,CAAC,IAAIJ,eAAe,CAACypD,QAAQ,EAAEC,MAAM,CAAC,EAAEzyF,OAAO,CAAC,CAAC;EACpF;EACAoxF,eAAeA,CAACnrE,KAAK,EAAE;IACnB,IAAI,CAACR,KAAK,CAACQ,KAAK,EAAE,qBAAqBA,KAAK,GAAG,CAAC;EACpD;AACJ;AACA,SAAS0rE,iBAAiBA,CAACn4E,UAAU,EAAEhQ,UAAU,EAAE;EAC/C,IAAIgQ,UAAU,CAAC3hB,MAAM,GAAG,CAAC,EAAE;IACvB,MAAM,IAAIQ,KAAK,CAAC,IAAIu4F,aAAa,CAACc,IAAI,kCAAkC,CAAC;EAC7E;EACA,OAAO,IAAIh9D,mBAAmB,CAAClrB,UAAU,CAAC;AAC9C;AACA,SAASqoF,kBAAkBA,CAACr4E,UAAU,EAAEhQ,UAAU,EAAE;EAChD,IAAIgQ,UAAU,CAAC3hB,MAAM,KAAK,CAAC,EAAE;IACzB,MAAM,IAAIQ,KAAK,CAAC,IAAIu4F,aAAa,CAACgB,KAAK,2CAA2C,CAAC;EACvF;EACA,MAAM98D,KAAK,GAAG49D,iBAAiB,CAACl5E,UAAU,CAAC,CAAC,CAAC,CAAC;EAC9C,IAAIsb,KAAK,KAAK,IAAI,EAAE;IAChB,MAAM,IAAIz8B,KAAK,CAAC,0CAA0Cu4F,aAAa,CAACgB,KAAK,GAAG,CAAC;EACrF;EACA,OAAO,IAAI/8D,oBAAoB,CAACC,KAAK,EAAEtrB,UAAU,CAAC;AACtD;AACA,SAASuoF,wBAAwBA,CAACv4E,UAAU,EAAEhQ,UAAU,EAAE;EACtD,IAAIgQ,UAAU,CAAC3hB,MAAM,GAAG,CAAC,EAAE;IACvB,MAAM,IAAIQ,KAAK,CAAC,IAAIu4F,aAAa,CAACkB,WAAW,gDAAgD,CAAC;EAClG;EACA,OAAO,IAAI/8D,0BAA0B,CAACvb,UAAU,CAAC,CAAC,CAAC,IAAI,IAAI,EAAEhQ,UAAU,CAAC;AAC5E;AACA,SAASyoF,sBAAsBA,CAACz4E,UAAU,EAAEhQ,UAAU,EAAE;EACpD,IAAIgQ,UAAU,CAAC3hB,MAAM,GAAG,CAAC,EAAE;IACvB,MAAM,IAAIQ,KAAK,CAAC,IAAIu4F,aAAa,CAACoB,SAAS,kCAAkC,CAAC;EAClF;EACA,OAAO,IAAIr9D,wBAAwB,CAACnrB,UAAU,CAAC;AACnD;AACA,SAAS2oF,kBAAkBA,CAAC34E,UAAU,EAAEhQ,UAAU,EAAE;EAChD,IAAIgQ,UAAU,CAAC3hB,MAAM,GAAG,CAAC,EAAE;IACvB,MAAM,IAAIQ,KAAK,CAAC,IAAIu4F,aAAa,CAACsB,KAAK,kCAAkC,CAAC;EAC9E;EACA,OAAO,IAAIt9D,oBAAoB,CAACprB,UAAU,CAAC;AAC/C;AACA,SAAS6oF,qBAAqBA,CAAC74E,UAAU,EAAEhQ,UAAU,EAAE;EACnD;EACA,IAAIgQ,UAAU,CAAC3hB,MAAM,GAAG,CAAC,EAAE;IACvB,MAAM,IAAIQ,KAAK,CAAC,IAAIu4F,aAAa,CAACwB,QAAQ,gDAAgD,CAAC;EAC/F;EACA,OAAO,IAAIp9D,uBAAuB,CAACxb,UAAU,CAAC,CAAC,CAAC,IAAI,IAAI,EAAEhQ,UAAU,CAAC;AACzE;AACA;AACA,SAASunF,yBAAyBA,CAACn3F,KAAK,EAAE+4F,aAAa,GAAG,CAAC,EAAE;EACzD,IAAIC,iBAAiB,GAAG,KAAK;EAC7B,KAAK,IAAI35F,CAAC,GAAG05F,aAAa,EAAE15F,CAAC,GAAGW,KAAK,CAAC/B,MAAM,EAAEoB,CAAC,EAAE,EAAE;IAC/C,IAAIy3F,iBAAiB,CAAC7iE,IAAI,CAACj0B,KAAK,CAACX,CAAC,CAAC,CAAC,EAAE;MAClC25F,iBAAiB,GAAG,IAAI;IAC5B,CAAC,MACI,IAAIA,iBAAiB,EAAE;MACxB,OAAO35F,CAAC;IACZ;EACJ;EACA,OAAO,CAAC,CAAC;AACb;AACA;AACA;AACA;AACA;AACA,SAASy5F,iBAAiBA,CAAC94F,KAAK,EAAE;EAC9B,MAAM5B,KAAK,GAAG4B,KAAK,CAAC5B,KAAK,CAACy4F,YAAY,CAAC;EACvC,IAAI,CAACz4F,KAAK,EAAE;IACR,OAAO,IAAI;EACf;EACA,MAAM,CAAC66F,IAAI,EAAE5hC,KAAK,CAAC,GAAGj5D,KAAK;EAC3B,OAAOs0E,QAAQ,CAACumB,IAAI,CAAC,IAAI5hC,KAAK,KAAK,GAAG,GAAG,IAAI,GAAG,CAAC,CAAC;AACtD;;AAEA;AACA,MAAM6hC,qBAAqB,GAAG,oBAAoB;AAClD;AACA,MAAMC,mBAAmB,GAAG,kBAAkB;AAC9C;AACA,MAAMC,yBAAyB,GAAG,YAAY;AAC9C;AACA,MAAMC,uBAAuB,GAAG,UAAU;AAC1C;AACA,MAAMC,sBAAsB,GAAG,SAAS;AACxC;AACA,MAAMC,oBAAoB,GAAG,OAAO;AACpC;AACA,IAAIC,0BAA0B;AAC9B,CAAC,UAAUA,0BAA0B,EAAE;EACnCA,0BAA0B,CAAC,aAAa,CAAC,GAAG,aAAa;EACzDA,0BAA0B,CAAC,SAAS,CAAC,GAAG,SAAS;EACjDA,0BAA0B,CAAC,OAAO,CAAC,GAAG,OAAO;AACjD,CAAC,EAAEA,0BAA0B,KAAKA,0BAA0B,GAAG,CAAC,CAAC,CAAC,CAAC;AACnE;AACA,SAASC,mBAAmBA,CAACp+E,GAAG,EAAExU,OAAO,EAAEwiE,aAAa,EAAE;EACtD,MAAM1vB,MAAM,GAAG,EAAE;EACjB,MAAM,CAAC+/C,YAAY,EAAE,GAAGC,eAAe,CAAC,GAAGt+E,GAAG,CAAC2tC,MAAM;EACrD,MAAM;IAAEltB,QAAQ;IAAEC;EAAiB,CAAC,GAAG69D,oBAAoB,CAACF,YAAY,CAAC95E,UAAU,EAAEypD,aAAa,EAAE1vB,MAAM,CAAC;EAC3G,MAAM;IAAEziC,WAAW;IAAE8kB,OAAO;IAAEnQ;EAAM,CAAC,GAAGguE,oBAAoB,CAACF,eAAe,EAAEhgD,MAAM,EAAE9yC,OAAO,CAAC;EAC9F,OAAO;IACHgN,IAAI,EAAE,IAAIgoB,aAAa,CAACke,QAAQ,CAAClzC,OAAO,EAAE6yF,YAAY,CAACjyF,QAAQ,CAAC,EAAEq0B,QAAQ,EAAEC,gBAAgB,EAAE7kB,WAAW,EAAE8kB,OAAO,EAAEnQ,KAAK,EAAExQ,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAACmf,eAAe,EAAEnf,GAAG,CAACof,aAAa,CAAC;IAClLkf;EACJ,CAAC;AACL;AACA,SAASkgD,oBAAoBA,CAAC7wC,MAAM,EAAErP,MAAM,EAAE9yC,OAAO,EAAE;EACnD,IAAIqQ,WAAW,GAAG,IAAI;EACtB,IAAI8kB,OAAO,GAAG,IAAI;EAClB,IAAInQ,KAAK,GAAG,IAAI;EAChB,KAAK,MAAMqR,KAAK,IAAI8rB,MAAM,EAAE;IACxB,IAAI;MACA,QAAQ9rB,KAAK,CAACn9B,IAAI;QACd,KAAKy5F,0BAA0B,CAACM,WAAW;UACvC,IAAI5iF,WAAW,KAAK,IAAI,EAAE;YACtByiC,MAAM,CAACz7C,IAAI,CAAC,IAAIqxC,UAAU,CAACrS,KAAK,CAAC1C,eAAe,EAAE,oCAAoCg/D,0BAA0B,CAACM,WAAW,SAAS,CAAC,CAAC;UAC3I,CAAC,MACI;YACD5iF,WAAW,GAAG6iF,qBAAqB,CAAC78D,KAAK,EAAEr2B,OAAO,CAAC;UACvD;UACA;QACJ,KAAK2yF,0BAA0B,CAACQ,OAAO;UACnC,IAAIh+D,OAAO,KAAK,IAAI,EAAE;YAClB2d,MAAM,CAACz7C,IAAI,CAAC,IAAIqxC,UAAU,CAACrS,KAAK,CAAC1C,eAAe,EAAE,oCAAoCg/D,0BAA0B,CAACQ,OAAO,SAAS,CAAC,CAAC;UACvI,CAAC,MACI;YACDh+D,OAAO,GAAGi+D,iBAAiB,CAAC/8D,KAAK,EAAEr2B,OAAO,CAAC;UAC/C;UACA;QACJ,KAAK2yF,0BAA0B,CAAC/pD,KAAK;UACjC,IAAI5jB,KAAK,KAAK,IAAI,EAAE;YAChB8tB,MAAM,CAACz7C,IAAI,CAAC,IAAIqxC,UAAU,CAACrS,KAAK,CAAC1C,eAAe,EAAE,oCAAoCg/D,0BAA0B,CAAC/pD,KAAK,SAAS,CAAC,CAAC;UACrI,CAAC,MACI;YACD5jB,KAAK,GAAGquE,eAAe,CAACh9D,KAAK,EAAEr2B,OAAO,CAAC;UAC3C;UACA;QACJ;UACI8yC,MAAM,CAACz7C,IAAI,CAAC,IAAIqxC,UAAU,CAACrS,KAAK,CAAC1C,eAAe,EAAE,uBAAuB0C,KAAK,CAACn9B,IAAI,GAAG,CAAC,CAAC;UACxF;MACR;IACJ,CAAC,CACD,OAAO0J,CAAC,EAAE;MACNkwC,MAAM,CAACz7C,IAAI,CAAC,IAAIqxC,UAAU,CAACrS,KAAK,CAAC1C,eAAe,EAAE/wB,CAAC,CAACrD,OAAO,CAAC,CAAC;IACjE;EACJ;EACA,OAAO;IAAE8Q,WAAW;IAAE8kB,OAAO;IAAEnQ;EAAM,CAAC;AAC1C;AACA,SAASkuE,qBAAqBA,CAAC1+E,GAAG,EAAExU,OAAO,EAAE;EACzC,IAAIy0B,WAAW,GAAG,IAAI;EACtB,KAAK,MAAM/iB,KAAK,IAAI8C,GAAG,CAACuE,UAAU,EAAE;IAChC,IAAIw5E,yBAAyB,CAACnlE,IAAI,CAAC1b,KAAK,CAACtQ,UAAU,CAAC,EAAE;MAClD,MAAMkyF,UAAU,GAAGrB,iBAAiB,CAACvgF,KAAK,CAACtQ,UAAU,CAACpJ,KAAK,CAACs4F,yBAAyB,CAAC5+E,KAAK,CAACtQ,UAAU,CAAC,CAAC,CAAC;MACzG,IAAIkyF,UAAU,KAAK,IAAI,EAAE;QACrB,MAAM,IAAI17F,KAAK,CAAC,mDAAmD,CAAC;MACxE;MACA68B,WAAW,GAAG6+D,UAAU;IAC5B,CAAC,MACI;MACD,MAAM,IAAI17F,KAAK,CAAC,8BAA8B+6F,0BAA0B,CAACM,WAAW,aAAavhF,KAAK,CAACtQ,UAAU,GAAG,CAAC;IACzH;EACJ;EACA,OAAO,IAAIozB,wBAAwB,CAAC0e,QAAQ,CAAClzC,OAAO,EAAEwU,GAAG,CAAC5T,QAAQ,CAAC,EAAE6zB,WAAW,EAAEjgB,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAACmf,eAAe,EAAEnf,GAAG,CAACof,aAAa,CAAC;AAC7I;AACA,SAASw/D,iBAAiBA,CAAC5+E,GAAG,EAAExU,OAAO,EAAE;EACrC,IAAI40B,SAAS,GAAG,IAAI;EACpB,IAAIH,WAAW,GAAG,IAAI;EACtB,KAAK,MAAM/iB,KAAK,IAAI8C,GAAG,CAACuE,UAAU,EAAE;IAChC,IAAIy5E,uBAAuB,CAACplE,IAAI,CAAC1b,KAAK,CAACtQ,UAAU,CAAC,EAAE;MAChD,MAAMkyF,UAAU,GAAGrB,iBAAiB,CAACvgF,KAAK,CAACtQ,UAAU,CAACpJ,KAAK,CAACs4F,yBAAyB,CAAC5+E,KAAK,CAACtQ,UAAU,CAAC,CAAC,CAAC;MACzG,IAAIkyF,UAAU,KAAK,IAAI,EAAE;QACrB,MAAM,IAAI17F,KAAK,CAAC,iDAAiD,CAAC;MACtE;MACAg9B,SAAS,GAAG0+D,UAAU;IAC1B,CAAC,MACI,IAAIf,yBAAyB,CAACnlE,IAAI,CAAC1b,KAAK,CAACtQ,UAAU,CAAC,EAAE;MACvD,MAAMkyF,UAAU,GAAGrB,iBAAiB,CAACvgF,KAAK,CAACtQ,UAAU,CAACpJ,KAAK,CAACs4F,yBAAyB,CAAC5+E,KAAK,CAACtQ,UAAU,CAAC,CAAC,CAAC;MACzG,IAAIkyF,UAAU,KAAK,IAAI,EAAE;QACrB,MAAM,IAAI17F,KAAK,CAAC,mDAAmD,CAAC;MACxE;MACA68B,WAAW,GAAG6+D,UAAU;IAC5B,CAAC,MACI;MACD,MAAM,IAAI17F,KAAK,CAAC,8BAA8B+6F,0BAA0B,CAACQ,OAAO,aAAazhF,KAAK,CAACtQ,UAAU,GAAG,CAAC;IACrH;EACJ;EACA,OAAO,IAAIuzB,oBAAoB,CAACue,QAAQ,CAAClzC,OAAO,EAAEwU,GAAG,CAAC5T,QAAQ,CAAC,EAAEg0B,SAAS,EAAEH,WAAW,EAAEjgB,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAACmf,eAAe,EAAEnf,GAAG,CAACof,aAAa,CAAC;AACpJ;AACA,SAASy/D,eAAeA,CAAC7+E,GAAG,EAAExU,OAAO,EAAE;EACnC,IAAIwU,GAAG,CAACuE,UAAU,CAAC3hB,MAAM,GAAG,CAAC,EAAE;IAC3B,MAAM,IAAIQ,KAAK,CAAC,IAAI+6F,0BAA0B,CAAC/pD,KAAK,gCAAgC,CAAC;EACzF;EACA,OAAO,IAAI9T,kBAAkB,CAACoe,QAAQ,CAAClzC,OAAO,EAAEwU,GAAG,CAAC5T,QAAQ,CAAC,EAAE4T,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAACmf,eAAe,EAAEnf,GAAG,CAACof,aAAa,CAAC;AAC1H;AACA,SAASm/D,oBAAoBA,CAAC1pF,MAAM,EAAEm5D,aAAa,EAAE1vB,MAAM,EAAE;EACzD,MAAM7d,QAAQ,GAAG,EAAE;EACnB,MAAMC,gBAAgB,GAAG,EAAE;EAC3B,KAAK,MAAMxjB,KAAK,IAAIrI,MAAM,EAAE;IACxB;IACA;IACA,IAAIopF,sBAAsB,CAACrlE,IAAI,CAAC1b,KAAK,CAACtQ,UAAU,CAAC,EAAE;MAC/C,MAAM9I,MAAM,GAAG83F,gBAAgB,CAAC1+E,KAAK,EAAE8wD,aAAa,EAAE1vB,MAAM,CAAC;MAC7Dx6C,MAAM,KAAK,IAAI,IAAI28B,QAAQ,CAAC59B,IAAI,CAACiB,MAAM,CAAC;IAC5C,CAAC,MACI,IAAIo6F,oBAAoB,CAACtlE,IAAI,CAAC1b,KAAK,CAACtQ,UAAU,CAAC,EAAE;MAClD6zB,QAAQ,CAAC59B,IAAI,CAAC,GAAGm5F,cAAc,CAAC9+E,KAAK,EAAEohC,MAAM,CAAC,CAAC;IACnD,CAAC,MACI,IAAIu/C,qBAAqB,CAACjlE,IAAI,CAAC1b,KAAK,CAACtQ,UAAU,CAAC,EAAE;MACnD,MAAM9I,MAAM,GAAG83F,gBAAgB,CAAC1+E,KAAK,EAAE8wD,aAAa,EAAE1vB,MAAM,CAAC;MAC7Dx6C,MAAM,KAAK,IAAI,IAAI48B,gBAAgB,CAAC79B,IAAI,CAACiB,MAAM,CAAC;IACpD,CAAC,MACI,IAAIg6F,mBAAmB,CAACllE,IAAI,CAAC1b,KAAK,CAACtQ,UAAU,CAAC,EAAE;MACjD8zB,gBAAgB,CAAC79B,IAAI,CAAC,GAAGm5F,cAAc,CAAC9+E,KAAK,EAAEohC,MAAM,CAAC,CAAC;IAC3D,CAAC,MACI;MACDA,MAAM,CAACz7C,IAAI,CAAC,IAAIqxC,UAAU,CAACh3B,KAAK,CAAC3I,UAAU,EAAE,sBAAsB,CAAC,CAAC;IACzE;EACJ;EACA,OAAO;IAAEksB,QAAQ;IAAEC;EAAiB,CAAC;AACzC;AAEA,MAAMq+D,gBAAgB,GAAG,uDAAuD;AAChF;AACA,MAAMC,WAAW,GAAG,CAAC;AACrB;AACA,MAAMC,UAAU,GAAG,CAAC;AACpB;AACA,MAAMC,UAAU,GAAG,CAAC;AACpB;AACA,MAAMC,SAAS,GAAG,CAAC;AACnB;AACA,MAAMC,aAAa,GAAG,CAAC;AACvB;AACA,MAAMC,SAAS,GAAG,CAAC;AACnB;AACA,MAAMC,YAAY,GAAG,CAAC;AACtB,MAAMC,cAAc,GAAG;EACnBC,UAAU,EAAE;IAAEroE,KAAK,EAAE,IAAI;IAAE/mB,GAAG,EAAE;EAAK,CAAC;EACtCqvF,QAAQ,EAAE;IAAEtoE,KAAK,EAAE,GAAG;IAAE/mB,GAAG,EAAE;EAAI,CAAC;EAClCsvF,KAAK,EAAE;IAAEvoE,KAAK,EAAE,GAAG;IAAE/mB,GAAG,EAAE;EAAI;AAClC,CAAC;AACD,MAAMuvF,oBAAoB,GAAG,GAAG;AAChC,SAASC,mBAAmBA,CAACC,SAAS,EAAE7xB,aAAa,EAAEuY,OAAO,EAAE;EAC5D,MAAMuZ,WAAW,GAAG,IAAIC,eAAe,CAAC/xB,aAAa,EAAEuY,OAAO,CAAC;EAC/D,MAAMyZ,QAAQ,GAAGthD,QAAQ,CAACohD,WAAW,EAAED,SAAS,CAAC;EACjD;EACA,MAAMI,SAAS,GAAGjyB,aAAa,CAAC1vB,MAAM,CAAC75C,MAAM,CAACq7F,WAAW,CAACxhD,MAAM,CAAC;EACjE,MAAMx6C,MAAM,GAAG;IACXsH,KAAK,EAAE40F,QAAQ;IACf1hD,MAAM,EAAE2hD,SAAS;IACjBC,SAAS,EAAEJ,WAAW,CAACI,SAAS;IAChC/vC,MAAM,EAAE2vC,WAAW,CAAC3vC,MAAM;IAC1BgwC,kBAAkB,EAAEL,WAAW,CAACK;EACpC,CAAC;EACD,IAAI5Z,OAAO,CAAC6Z,mBAAmB,EAAE;IAC7Bt8F,MAAM,CAACu8F,YAAY,GAAGP,WAAW,CAACO,YAAY;EAClD;EACA,OAAOv8F,MAAM;AACjB;AACA,MAAMi8F,eAAe,CAAC;EAClB99F,WAAWA,CAAC+rE,aAAa,EAAEuY,OAAO,EAAE;IAChC,IAAI,CAACvY,aAAa,GAAGA,aAAa;IAClC,IAAI,CAACuY,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACjoC,MAAM,GAAG,EAAE;IAChB,IAAI,CAAC6R,MAAM,GAAG,EAAE;IAChB,IAAI,CAAC+vC,SAAS,GAAG,EAAE;IACnB,IAAI,CAACC,kBAAkB,GAAG,EAAE;IAC5B;IACA,IAAI,CAACE,YAAY,GAAG,EAAE;IACtB,IAAI,CAACC,WAAW,GAAG,KAAK;EAC5B;EACA;EACAjhE,YAAYA,CAACn9B,OAAO,EAAE;IAClB,MAAMq+F,iBAAiB,GAAGr4D,cAAc,CAAChmC,OAAO,CAAC8oB,IAAI,CAAC;IACtD,IAAIu1E,iBAAiB,EAAE;MACnB,IAAI,IAAI,CAACD,WAAW,EAAE;QAClB,IAAI,CAACE,WAAW,CAAC,gHAAgH,EAAEt+F,OAAO,CAACqS,UAAU,CAAC;MAC1J;MACA,IAAI,CAAC+rF,WAAW,GAAG,IAAI;IAC3B;IACA,MAAMG,gBAAgB,GAAG7F,eAAe,CAAC14F,OAAO,CAAC;IACjD,IAAIu+F,gBAAgB,CAAC5zF,IAAI,KAAKsuF,oBAAoB,CAACxxB,MAAM,EAAE;MACvD,OAAO,IAAI;IACf,CAAC,MACI,IAAI82B,gBAAgB,CAAC5zF,IAAI,KAAKsuF,oBAAoB,CAACt2C,KAAK,EAAE;MAC3D,MAAM67C,QAAQ,GAAGC,YAAY,CAACz+F,OAAO,CAAC;MACtC,IAAIw+F,QAAQ,KAAK,IAAI,EAAE;QACnB,IAAI,CAACvwC,MAAM,CAACttD,IAAI,CAAC69F,QAAQ,CAAC;MAC9B;MACA,OAAO,IAAI;IACf,CAAC,MACI,IAAID,gBAAgB,CAAC5zF,IAAI,KAAKsuF,oBAAoB,CAACG,UAAU,IAC9DtB,oBAAoB,CAACyG,gBAAgB,CAAC3F,QAAQ,CAAC,EAAE;MACjD,IAAI,CAACoF,SAAS,CAACr9F,IAAI,CAAC49F,gBAAgB,CAAC3F,QAAQ,CAAC;MAC9C,OAAO,IAAI;IACf;IACA;IACA,MAAM8F,iBAAiB,GAAGtxC,YAAY,CAACptD,OAAO,CAACwC,IAAI,CAAC;IACpD,MAAMm8F,gBAAgB,GAAG,EAAE;IAC3B,MAAMC,WAAW,GAAG,EAAE;IACtB,MAAM//D,SAAS,GAAG,EAAE;IACpB,MAAM7B,UAAU,GAAG,EAAE;IACrB,MAAMH,UAAU,GAAG,EAAE;IACrB,MAAMgiE,aAAa,GAAG,CAAC,CAAC;IACxB,MAAMC,wBAAwB,GAAG,EAAE;IACnC,MAAMC,iBAAiB,GAAG,EAAE;IAC5B;IACA,IAAIC,wBAAwB,GAAG,KAAK;IACpC,KAAK,MAAMv9F,SAAS,IAAIzB,OAAO,CAACE,KAAK,EAAE;MACnC,IAAI++F,UAAU,GAAG,KAAK;MACtB,MAAMC,cAAc,GAAGC,sBAAsB,CAAC19F,SAAS,CAACe,IAAI,CAAC;MAC7D;MACA,IAAI6qE,iBAAiB,GAAG,KAAK;MAC7B,IAAI5rE,SAAS,CAACqnB,IAAI,EAAE;QAChB+1E,aAAa,CAACp9F,SAAS,CAACe,IAAI,CAAC,GAAGf,SAAS,CAACqnB,IAAI;MAClD;MACA,IAAIo2E,cAAc,CAACn5D,UAAU,CAAC03D,oBAAoB,CAAC,EAAE;QACjD;QACA,IAAIuB,wBAAwB,EAAE;UAC1B,IAAI,CAACV,WAAW,CAAC,8FAA8F,EAAE78F,SAAS,CAAC4Q,UAAU,CAAC;QAC1I;QACAg7D,iBAAiB,GAAG,IAAI;QACxB2xB,wBAAwB,GAAG,IAAI;QAC/B,MAAMjoB,aAAa,GAAGt1E,SAAS,CAACgB,KAAK;QACrC,MAAMq0E,WAAW,GAAGooB,cAAc,CAAC/vE,SAAS,CAACsuE,oBAAoB,CAAC/8F,MAAM,CAAC;QACzE,MAAM0+F,eAAe,GAAG,EAAE;QAC1B,MAAMloB,mBAAmB,GAAGz1E,SAAS,CAACs6B,SAAS,GAC3Ct6B,SAAS,CAACs6B,SAAS,CAAC9G,KAAK,CAAC0b,MAAM;QAChC;QACA;QACA;QACAlvC,SAAS,CAAC4Q,UAAU,CAAC4iB,KAAK,CAAC0b,MAAM,GAAGlvC,SAAS,CAACe,IAAI,CAAC9B,MAAM;QAC7D,IAAI,CAACorE,aAAa,CAAC2oB,0BAA0B,CAAC3d,WAAW,EAAEC,aAAa,EAAEt1E,SAAS,CAAC4Q,UAAU,EAAE6kE,mBAAmB,EAAE,EAAE,EAAE4nB,wBAAwB,EAAEM,eAAe,EAAE,IAAI,CAAC,cAAc,CAAC;QACxLL,iBAAiB,CAACp+F,IAAI,CAAC,GAAGy+F,eAAe,CAACv6F,GAAG,CAAC+2D,CAAC,IAAI,IAAI38B,QAAQ,CAAC28B,CAAC,CAACp5D,IAAI,EAAEo5D,CAAC,CAACn5D,KAAK,EAAEm5D,CAAC,CAACvpD,UAAU,EAAEupD,CAAC,CAAC9/B,OAAO,EAAE8/B,CAAC,CAAC7/B,SAAS,CAAC,CAAC,CAAC;MAC5H,CAAC,MACI;QACD;QACAkjE,UAAU,GAAG,IAAI,CAACI,cAAc,CAACX,iBAAiB,EAAEj9F,SAAS,EAAE,EAAE,EAAEk9F,gBAAgB,EAAEC,WAAW,EAAE//D,SAAS,EAAE7B,UAAU,CAAC;MAC5H;MACA,IAAI,CAACiiE,UAAU,IAAI,CAAC5xB,iBAAiB,EAAE;QACnC;QACAxwC,UAAU,CAACl8B,IAAI,CAAC,IAAI,CAACu+E,cAAc,CAACz9E,SAAS,CAAC,CAAC;MACnD;IACJ;IACA,IAAIyI,QAAQ;IACZ,IAAIq0F,gBAAgB,CAACrmC,WAAW,EAAE;MAC9B;MACA;MACA;MACAhuD,QAAQ,GAAGsyC,QAAQ,CAAC8iD,oBAAoB,EAAEt/F,OAAO,CAACkK,QAAQ,CAAC,CAACq1F,IAAI,CAACC,QAAQ,CAAC;IAC9E,CAAC,MACI;MACDt1F,QAAQ,GAAGsyC,QAAQ,CAAC,IAAI,EAAEx8C,OAAO,CAACkK,QAAQ,CAAC;IAC/C;IACA,IAAIu1F,aAAa;IACjB,IAAIlB,gBAAgB,CAAC5zF,IAAI,KAAKsuF,oBAAoB,CAACE,UAAU,EAAE;MAC3D;MACA,IAAIn5F,OAAO,CAACkK,QAAQ,IAChB,CAAClK,OAAO,CAACkK,QAAQ,CAAC6R,KAAK,CAAEzF,IAAI,IAAKopF,eAAe,CAACppF,IAAI,CAAC,IAAIqpF,aAAa,CAACrpF,IAAI,CAAC,CAAC,EAAE;QACjF,IAAI,CAACgoF,WAAW,CAAC,2CAA2C,EAAEt+F,OAAO,CAACqS,UAAU,CAAC;MACrF;MACA,MAAMhS,QAAQ,GAAGk+F,gBAAgB,CAAC5F,UAAU;MAC5C,MAAMz4F,KAAK,GAAGF,OAAO,CAACE,KAAK,CAAC2E,GAAG,CAAClD,IAAI,IAAI,IAAI,CAACu9E,cAAc,CAACv9E,IAAI,CAAC,CAAC;MAClE89F,aAAa,GAAG,IAAI1gE,OAAO,CAAC1+B,QAAQ,EAAEH,KAAK,EAAEF,OAAO,CAACqS,UAAU,EAAErS,OAAO,CAAC8oB,IAAI,CAAC;MAC9E,IAAI,CAACm1E,kBAAkB,CAACt9F,IAAI,CAACN,QAAQ,CAAC;IAC1C,CAAC,MACI,IAAIq+F,iBAAiB,EAAE;MACxB;MACA,MAAMx+F,KAAK,GAAG,IAAI,CAAC0/F,iBAAiB,CAAC5/F,OAAO,CAACwC,IAAI,EAAEm8F,gBAAgB,EAAEE,aAAa,CAAC;MACnFY,aAAa,GAAG,IAAI9gE,QAAQ,CAAC3+B,OAAO,CAACwC,IAAI,EAAEq6B,UAAU,EAAE38B,KAAK,CAAC2/F,KAAK,EAAEjB,WAAW,EAAE,CAAE,6BAA6B,EAAE10F,QAAQ,EAAE8yB,UAAU,EAAE6B,SAAS,EAAE7+B,OAAO,CAACqS,UAAU,EAAErS,OAAO,CAACi9B,eAAe,EAAEj9B,OAAO,CAACk9B,aAAa,EAAEl9B,OAAO,CAAC8oB,IAAI,CAAC;IACxO,CAAC,MACI;MACD,MAAM5oB,KAAK,GAAG,IAAI,CAAC0/F,iBAAiB,CAAC5/F,OAAO,CAACwC,IAAI,EAAEm8F,gBAAgB,EAAEE,aAAa,CAAC;MACnFY,aAAa,GAAG,IAAI7iE,SAAS,CAAC58B,OAAO,CAACwC,IAAI,EAAEq6B,UAAU,EAAE38B,KAAK,CAAC2/F,KAAK,EAAEjB,WAAW,EAAE10F,QAAQ,EAAE8yB,UAAU,EAAEh9B,OAAO,CAACqS,UAAU,EAAErS,OAAO,CAACi9B,eAAe,EAAEj9B,OAAO,CAACk9B,aAAa,EAAEl9B,OAAO,CAAC8oB,IAAI,CAAC;IAC7L;IACA,IAAIk2E,wBAAwB,EAAE;MAC1B;MACA;MACA;MACA;MACA,MAAM9+F,KAAK,GAAG,IAAI,CAAC0/F,iBAAiB,CAAC,aAAa,EAAEd,wBAAwB,EAAED,aAAa,CAAC;MAC5F,MAAMjgE,aAAa,GAAG,EAAE;MACxB1+B,KAAK,CAACmf,OAAO,CAACzc,OAAO,CAACjB,IAAI,IAAIi9B,aAAa,CAACj+B,IAAI,CAACgB,IAAI,CAAC,CAAC;MACvDzB,KAAK,CAAC2/F,KAAK,CAACj9F,OAAO,CAACjB,IAAI,IAAIi9B,aAAa,CAACj+B,IAAI,CAACgB,IAAI,CAAC,CAAC;MACrD,MAAMm+F,YAAY,GAAGL,aAAa,YAAY7iE,SAAS,GACnD;QACIC,UAAU,EAAE4iE,aAAa,CAAC5iE,UAAU;QACpCC,MAAM,EAAE2iE,aAAa,CAAC3iE,MAAM;QAC5BC,OAAO,EAAE0iE,aAAa,CAAC1iE;MAC3B,CAAC,GACD;QAAEF,UAAU,EAAE,EAAE;QAAEC,MAAM,EAAE,EAAE;QAAEC,OAAO,EAAE;MAAG,CAAC;MAC/C;MACA;MACA;MACA,MAAMjU,IAAI,GAAG41E,iBAAiB,IAAIL,iBAAiB,GAAGhwE,SAAS,GAAGruB,OAAO,CAAC8oB,IAAI;MAC9E,MAAMtmB,IAAI,GAAGi9F,aAAa,YAAY9gE,QAAQ,GAAG,IAAI,GAAG8gE,aAAa,CAACj9F,IAAI;MAC1Ei9F,aAAa,GAAG,IAAI9gE,QAAQ,CAACn8B,IAAI,EAAEs9F,YAAY,CAACjjE,UAAU,EAAEijE,YAAY,CAAChjE,MAAM,EAAEgjE,YAAY,CAAC/iE,OAAO,EAAE6B,aAAa,EAAE,CAAC6gE,aAAa,CAAC,EAAE,CAAE,oBAAoB,EAAEV,iBAAiB,EAAE/+F,OAAO,CAACqS,UAAU,EAAErS,OAAO,CAACi9B,eAAe,EAAEj9B,OAAO,CAACk9B,aAAa,EAAEpU,IAAI,CAAC;IAC/P;IACA,IAAIu1E,iBAAiB,EAAE;MACnB,IAAI,CAACD,WAAW,GAAG,KAAK;IAC5B;IACA,OAAOqB,aAAa;EACxB;EACAvgB,cAAcA,CAACz9E,SAAS,EAAE;IACtB,OAAO,IAAIo6B,aAAa,CAACp6B,SAAS,CAACe,IAAI,EAAEf,SAAS,CAACgB,KAAK,EAAEhB,SAAS,CAAC4Q,UAAU,EAAE5Q,SAAS,CAACq6B,OAAO,EAAEr6B,SAAS,CAACs6B,SAAS,EAAEt6B,SAAS,CAACqnB,IAAI,CAAC;EAC3I;EACAjf,SAASA,CAACC,IAAI,EAAE;IACZ,OAAO,IAAI,CAACi2F,2BAA2B,CAACj2F,IAAI,CAACrH,KAAK,EAAEqH,IAAI,CAACuI,UAAU,EAAEvI,IAAI,CAAC2nE,MAAM,EAAE3nE,IAAI,CAACgf,IAAI,CAAC;EAChG;EACA81D,cAAcA,CAACkU,SAAS,EAAE;IACtB,IAAI,CAACA,SAAS,CAAChqE,IAAI,EAAE;MACjB;MACA;MACA,OAAO,IAAI;IACf;IACA,IAAI,CAACkd,cAAc,CAAC8sD,SAAS,CAAChqE,IAAI,CAAC,EAAE;MACjC,MAAM,IAAI5nB,KAAK,CAAC,iBAAiB4xF,SAAS,CAAChqE,IAAI,CAAC/oB,WAAW,4BAA4B+yF,SAAS,CAACzgF,UAAU,CAAC1P,QAAQ,CAAC,CAAC,wBAAwB,CAAC;IACnJ;IACA,MAAMkG,OAAO,GAAGiqF,SAAS,CAAChqE,IAAI;IAC9B,MAAMwW,IAAI,GAAG,CAAC,CAAC;IACf,MAAMC,YAAY,GAAG,CAAC,CAAC;IACvB;IACA;IACA;IACA34B,MAAM,CAAC2D,IAAI,CAAC1B,OAAO,CAAC02B,YAAY,CAAC,CAAC38B,OAAO,CAAC4P,GAAG,IAAI;MAC7C,MAAM/P,KAAK,GAAGoG,OAAO,CAAC02B,YAAY,CAAC/sB,GAAG,CAAC;MACvC,IAAIA,GAAG,CAACuzB,UAAU,CAACJ,mBAAmB,CAAC,EAAE;QACrC;QACA;QACA;QACA;QACA;QACA,MAAMq6D,YAAY,GAAGxtF,GAAG,CAAC0b,IAAI,CAAC,CAAC;QAC/B,MAAMpQ,GAAG,GAAG,IAAI,CAACguD,aAAa,CAAC4L,4BAA4B,CAACj1E,KAAK,CAACqH,IAAI,EAAErH,KAAK,CAAC4P,UAAU,CAAC;QACzFitB,IAAI,CAAC0gE,YAAY,CAAC,GAAG,IAAIrkE,SAAS,CAAC7d,GAAG,EAAErb,KAAK,CAAC4P,UAAU,CAAC;MAC7D,CAAC,MACI;QACDktB,YAAY,CAAC/sB,GAAG,CAAC,GAAG,IAAI,CAACutF,2BAA2B,CAACt9F,KAAK,CAACqH,IAAI,EAAErH,KAAK,CAAC4P,UAAU,EAAE,IAAI,CAAC;MAC5F;IACJ,CAAC,CAAC;IACF,OAAO,IAAIgtB,KAAK,CAACC,IAAI,EAAEC,YAAY,EAAEuzD,SAAS,CAACzgF,UAAU,EAAExJ,OAAO,CAAC;EACvE;EACAm2E,kBAAkBA,CAAC+T,aAAa,EAAE;IAC9B,OAAO,IAAI;EACf;EACA3T,YAAYA,CAACvpD,OAAO,EAAE;IAClB,IAAI,IAAI,CAACwuD,OAAO,CAAC6Z,mBAAmB,EAAE;MAClC,IAAI,CAACC,YAAY,CAACx9F,IAAI,CAAC,IAAI66B,SAAS,CAAC3F,OAAO,CAACpzB,KAAK,IAAI,EAAE,EAAEozB,OAAO,CAACxjB,UAAU,CAAC,CAAC;IAClF;IACA,OAAO,IAAI;EACf;EACAitE,eAAeA,CAACjc,KAAK,EAAEt5D,OAAO,EAAE;IAC5B,MAAMoyF,YAAY,GAAG94B,KAAK,CAAC5X,MAAM,CAAC,CAAC,CAAC;IACpC;IACA,IAAI,CAAC0wC,YAAY,EAAE;MACf,IAAI,CAACmC,WAAW,CAAC,2CAA2C,EAAEj7B,KAAK,CAAChxD,UAAU,CAAC;MAC/E,OAAO,IAAI;IACf;IACA,IAAI8pF,YAAY,CAAC35F,IAAI,KAAK,OAAO,IAAI,IAAI,CAAC6hF,OAAO,CAAC4b,iBAAiB,CAACv+E,GAAG,CAACy6E,YAAY,CAAC35F,IAAI,CAAC,EAAE;MACxF,MAAM;QAAE8T,IAAI;QAAE8lC;MAAO,CAAC,GAAG8/C,mBAAmB,CAAC74B,KAAK,EAAE,IAAI,EAAE,IAAI,CAACyI,aAAa,CAAC;MAC7E,IAAI,CAAC1vB,MAAM,CAACz7C,IAAI,CAAC,GAAGy7C,MAAM,CAAC;MAC3B,OAAO9lC,IAAI;IACf;IACA,IAAI,CAACgoF,WAAW,CAAC,uBAAuBnC,YAAY,CAAC35F,IAAI,IAAI,EAAE25F,YAAY,CAAC9pF,UAAU,CAAC;IACvF,OAAO,IAAI;EACf;EACAmtE,UAAUA,CAAC7/C,KAAK,EAAE51B,OAAO,EAAE,CAAE;EAC7B21E,mBAAmBA,CAACsT,SAAS,EAAEjpF,OAAO,EAAE,CAAE;EAC1C;EACA61F,iBAAiBA,CAACv5F,WAAW,EAAE0lE,UAAU,EAAEm0B,aAAa,EAAE;IACtD,MAAML,KAAK,GAAG,EAAE;IAChB,MAAMxgF,OAAO,GAAG,EAAE;IAClB0sD,UAAU,CAACnpE,OAAO,CAAC0P,IAAI,IAAI;MACvB,MAAMwW,IAAI,GAAGo3E,aAAa,CAAC5tF,IAAI,CAAC9P,IAAI,CAAC;MACrC,IAAI8P,IAAI,CAACyqC,SAAS,EAAE;QAChB19B,OAAO,CAAC1e,IAAI,CAAC,IAAIk7B,aAAa,CAACvpB,IAAI,CAAC9P,IAAI,EAAE8P,IAAI,CAAC5H,UAAU,CAACsqB,MAAM,IAAI,EAAE,EAAE1iB,IAAI,CAACD,UAAU,EAAEC,IAAI,CAACwpB,OAAO,EAAExpB,IAAI,CAACypB,SAAS,EAAEjT,IAAI,CAAC,CAAC;MACjI,CAAC,MACI;QACD;QACA;QACA;QACA,MAAMq3E,GAAG,GAAG,IAAI,CAACr0B,aAAa,CAACkqB,0BAA0B,CAAC3vF,WAAW,EAAEiM,IAAI,EAAE,oBAAqB,IAAI,EAAE,qBAAsB,KAAK,CAAC;QACpIutF,KAAK,CAACl/F,IAAI,CAACs7B,cAAc,CAACG,wBAAwB,CAAC+jE,GAAG,EAAEr3E,IAAI,CAAC,CAAC;MAClE;IACJ,CAAC,CAAC;IACF,OAAO;MAAE+2E,KAAK;MAAExgF;IAAQ,CAAC;EAC7B;EACAggF,cAAcA,CAACX,iBAAiB,EAAEj9F,SAAS,EAAE2+F,mBAAmB,EAAEzB,gBAAgB,EAAEC,WAAW,EAAE//D,SAAS,EAAE7B,UAAU,EAAE;IACpH,MAAMx6B,IAAI,GAAG28F,sBAAsB,CAAC19F,SAAS,CAACe,IAAI,CAAC;IACnD,MAAMC,KAAK,GAAGhB,SAAS,CAACgB,KAAK;IAC7B,MAAM0yF,OAAO,GAAG1zF,SAAS,CAAC4Q,UAAU;IACpC,MAAMkmC,cAAc,GAAG92C,SAAS,CAACs6B,SAAS,GAAGt6B,SAAS,CAACs6B,SAAS,CAAC9G,KAAK,CAAC0b,MAAM,GAAGwkD,OAAO,CAAClgE,KAAK,CAAC0b,MAAM;IACpG,SAAS0vD,aAAaA,CAAClL,OAAO,EAAE/zF,MAAM,EAAE2qC,UAAU,EAAE;MAChD;MACA;MACA,MAAMu0D,uBAAuB,GAAG7+F,SAAS,CAACe,IAAI,CAAC9B,MAAM,GAAG8B,IAAI,CAAC9B,MAAM;MACnE,MAAM6/F,YAAY,GAAGpL,OAAO,CAAClgE,KAAK,CAAC2b,MAAM,CAACxvC,MAAM,CAACV,MAAM,GAAG4/F,uBAAuB,CAAC;MAClF,MAAME,UAAU,GAAGD,YAAY,CAAC3vD,MAAM,CAAC7E,UAAU,CAACrrC,MAAM,CAAC;MACzD,OAAO,IAAIkxC,eAAe,CAAC2uD,YAAY,EAAEC,UAAU,EAAED,YAAY,EAAEx0D,UAAU,CAAC;IAClF;IACA,MAAM00D,SAAS,GAAGj+F,IAAI,CAAC3B,KAAK,CAACg8F,gBAAgB,CAAC;IAC9C,IAAI4D,SAAS,EAAE;MACX,IAAIA,SAAS,CAAC3D,WAAW,CAAC,IAAI,IAAI,EAAE;QAChC,MAAM/wD,UAAU,GAAG00D,SAAS,CAACrD,YAAY,CAAC;QAC1C,MAAMthE,OAAO,GAAGukE,aAAa,CAAClL,OAAO,EAAEsL,SAAS,CAAC3D,WAAW,CAAC,EAAE/wD,UAAU,CAAC;QAC1E,IAAI,CAAC+/B,aAAa,CAACooB,oBAAoB,CAACnoD,UAAU,EAAEtpC,KAAK,EAAE,KAAK,EAAE0yF,OAAO,EAAE58C,cAAc,EAAE92C,SAAS,CAACs6B,SAAS,EAAEqkE,mBAAmB,EAAEzB,gBAAgB,EAAE7iE,OAAO,CAAC;MACnK,CAAC,MACI,IAAI2kE,SAAS,CAAC1D,UAAU,CAAC,EAAE;QAC5B,IAAI2B,iBAAiB,EAAE;UACnB,MAAM3yD,UAAU,GAAG00D,SAAS,CAACrD,YAAY,CAAC;UAC1C,MAAMthE,OAAO,GAAGukE,aAAa,CAAClL,OAAO,EAAEsL,SAAS,CAAC1D,UAAU,CAAC,EAAEhxD,UAAU,CAAC;UACzE,IAAI,CAAC20D,aAAa,CAAC30D,UAAU,EAAEtpC,KAAK,EAAE0yF,OAAO,EAAEr5D,OAAO,EAAEr6B,SAAS,CAACs6B,SAAS,EAAE8C,SAAS,CAAC;QAC3F,CAAC,MACI;UACD,IAAI,CAACy/D,WAAW,CAAC,mDAAmD,EAAEnJ,OAAO,CAAC;QAClF;MACJ,CAAC,MACI,IAAIsL,SAAS,CAACzD,UAAU,CAAC,EAAE;QAC5B,MAAMjxD,UAAU,GAAG00D,SAAS,CAACrD,YAAY,CAAC;QAC1C,MAAMthE,OAAO,GAAGukE,aAAa,CAAClL,OAAO,EAAEsL,SAAS,CAACzD,UAAU,CAAC,EAAEjxD,UAAU,CAAC;QACzE,IAAI,CAAC40D,cAAc,CAAC50D,UAAU,EAAEtpC,KAAK,EAAE0yF,OAAO,EAAEr5D,OAAO,EAAEr6B,SAAS,CAACs6B,SAAS,EAAEiB,UAAU,CAAC;MAC7F,CAAC,MACI,IAAIyjE,SAAS,CAACxD,SAAS,CAAC,EAAE;QAC3B,MAAMhxB,MAAM,GAAG,EAAE;QACjB,MAAMlgC,UAAU,GAAG00D,SAAS,CAACrD,YAAY,CAAC;QAC1C,MAAMthE,OAAO,GAAGukE,aAAa,CAAClL,OAAO,EAAEsL,SAAS,CAACxD,SAAS,CAAC,EAAElxD,UAAU,CAAC;QACxE,IAAI,CAAC+/B,aAAa,CAACwoB,UAAU,CAACvoD,UAAU,EAAEtpC,KAAK,EAAE,uBAAwB,KAAK,EAAE0yF,OAAO,EAAE1zF,SAAS,CAACs6B,SAAS,IAAIo5D,OAAO,EAAEiL,mBAAmB,EAAEn0B,MAAM,EAAEnwC,OAAO,CAAC;QAC9J8kE,SAAS,CAAC30B,MAAM,EAAE2yB,WAAW,CAAC;MAClC,CAAC,MACI,IAAI6B,SAAS,CAACvD,aAAa,CAAC,EAAE;QAC/B,MAAMnxD,UAAU,GAAG00D,SAAS,CAACrD,YAAY,CAAC;QAC1C,MAAMthE,OAAO,GAAGukE,aAAa,CAAClL,OAAO,EAAEsL,SAAS,CAACvD,aAAa,CAAC,EAAEnxD,UAAU,CAAC;QAC5E,IAAI,CAAC+/B,aAAa,CAACooB,oBAAoB,CAACnoD,UAAU,EAAEtpC,KAAK,EAAE,KAAK,EAAE0yF,OAAO,EAAE58C,cAAc,EAAE92C,SAAS,CAACs6B,SAAS,EAAEqkE,mBAAmB,EAAEzB,gBAAgB,EAAE7iE,OAAO,CAAC;QAC/J,IAAI,CAAC+kE,oBAAoB,CAAC90D,UAAU,EAAEtpC,KAAK,EAAE0yF,OAAO,EAAE1zF,SAAS,CAACs6B,SAAS,EAAEqkE,mBAAmB,EAAExB,WAAW,EAAE9iE,OAAO,CAAC;MACzH,CAAC,MACI,IAAI2kE,SAAS,CAACtD,SAAS,CAAC,EAAE;QAC3B,MAAMrhE,OAAO,GAAGukE,aAAa,CAAClL,OAAO,EAAE,EAAE,EAAE3yF,IAAI,CAAC;QAChD,IAAI,CAACspE,aAAa,CAACupB,gBAAgB,CAAC7yF,IAAI,EAAEC,KAAK,EAAE0yF,OAAO,EAAE58C,cAAc,EAAE92C,SAAS,CAACs6B,SAAS,EAAEqkE,mBAAmB,EAAEzB,gBAAgB,EAAE7iE,OAAO,CAAC;MAClJ;MACA,OAAO,IAAI;IACf;IACA;IACA;IACA,IAAIglE,MAAM,GAAG,IAAI;IACjB,IAAIt+F,IAAI,CAACujC,UAAU,CAACs3D,cAAc,CAACC,UAAU,CAACroE,KAAK,CAAC,EAAE;MAClD6rE,MAAM,GAAGzD,cAAc,CAACC,UAAU;IACtC,CAAC,MACI,IAAI96F,IAAI,CAACujC,UAAU,CAACs3D,cAAc,CAACE,QAAQ,CAACtoE,KAAK,CAAC,EAAE;MACrD6rE,MAAM,GAAGzD,cAAc,CAACE,QAAQ;IACpC,CAAC,MACI,IAAI/6F,IAAI,CAACujC,UAAU,CAACs3D,cAAc,CAACG,KAAK,CAACvoE,KAAK,CAAC,EAAE;MAClD6rE,MAAM,GAAGzD,cAAc,CAACG,KAAK;IACjC;IACA,IAAIsD,MAAM,KAAK,IAAI;IACf;IACA;IACA;IACA;IACAt+F,IAAI,CAACu+F,QAAQ,CAACD,MAAM,CAAC5yF,GAAG,CAAC,IAAI1L,IAAI,CAAC9B,MAAM,GAAGogG,MAAM,CAAC7rE,KAAK,CAACv0B,MAAM,GAAGogG,MAAM,CAAC5yF,GAAG,CAACxN,MAAM,EAAE;MACpF,MAAMqrC,UAAU,GAAGvpC,IAAI,CAAC2sB,SAAS,CAAC2xE,MAAM,CAAC7rE,KAAK,CAACv0B,MAAM,EAAE8B,IAAI,CAAC9B,MAAM,GAAGogG,MAAM,CAAC5yF,GAAG,CAACxN,MAAM,CAAC;MACvF,MAAMo7B,OAAO,GAAGukE,aAAa,CAAClL,OAAO,EAAE2L,MAAM,CAAC7rE,KAAK,EAAE8W,UAAU,CAAC;MAChE,IAAI+0D,MAAM,CAAC7rE,KAAK,KAAKooE,cAAc,CAACC,UAAU,CAACroE,KAAK,EAAE;QAClD,IAAI,CAAC62C,aAAa,CAACooB,oBAAoB,CAACnoD,UAAU,EAAEtpC,KAAK,EAAE,KAAK,EAAE0yF,OAAO,EAAE58C,cAAc,EAAE92C,SAAS,CAACs6B,SAAS,EAAEqkE,mBAAmB,EAAEzB,gBAAgB,EAAE7iE,OAAO,CAAC;QAC/J,IAAI,CAAC+kE,oBAAoB,CAAC90D,UAAU,EAAEtpC,KAAK,EAAE0yF,OAAO,EAAE1zF,SAAS,CAACs6B,SAAS,EAAEqkE,mBAAmB,EAAExB,WAAW,EAAE9iE,OAAO,CAAC;MACzH,CAAC,MACI,IAAIglE,MAAM,CAAC7rE,KAAK,KAAKooE,cAAc,CAACE,QAAQ,CAACtoE,KAAK,EAAE;QACrD,IAAI,CAAC62C,aAAa,CAACooB,oBAAoB,CAACnoD,UAAU,EAAEtpC,KAAK,EAAE,KAAK,EAAE0yF,OAAO,EAAE58C,cAAc,EAAE92C,SAAS,CAACs6B,SAAS,EAAEqkE,mBAAmB,EAAEzB,gBAAgB,EAAE7iE,OAAO,CAAC;MACnK,CAAC,MACI;QACD,MAAMmwC,MAAM,GAAG,EAAE;QACjB,IAAI,CAACH,aAAa,CAACwoB,UAAU,CAACvoD,UAAU,EAAEtpC,KAAK,EAAE,uBAAwB,KAAK,EAAE0yF,OAAO,EAAE1zF,SAAS,CAACs6B,SAAS,IAAIo5D,OAAO,EAAEiL,mBAAmB,EAAEn0B,MAAM,EAAEnwC,OAAO,CAAC;QAC9J8kE,SAAS,CAAC30B,MAAM,EAAE2yB,WAAW,CAAC;MAClC;MACA,OAAO,IAAI;IACf;IACA;IACA,MAAM9iE,OAAO,GAAGukE,aAAa,CAAClL,OAAO,EAAE,EAAE,CAAC,cAAc3yF,IAAI,CAAC;IAC7D,MAAMy8F,UAAU,GAAG,IAAI,CAACnzB,aAAa,CAAC+pB,0BAA0B,CAACrzF,IAAI,EAAEC,KAAK,EAAE0yF,OAAO,EAAE1zF,SAAS,CAACs6B,SAAS,EAAEqkE,mBAAmB,EAAEzB,gBAAgB,EAAE7iE,OAAO,EAAEr6B,SAAS,CAACw9E,WAAW,IAAI,IAAI,CAAC;IAC1L,OAAOggB,UAAU;EACrB;EACAc,2BAA2BA,CAACt9F,KAAK,EAAE4P,UAAU,EAAEglE,kBAAkB,EAAEvuD,IAAI,EAAE;IACrE,MAAMk4E,WAAW,GAAGzO,WAAW,CAAC9vF,KAAK,CAAC;IACtC,MAAM0T,IAAI,GAAG,IAAI,CAAC21D,aAAa,CAACsL,kBAAkB,CAAC4pB,WAAW,EAAE3uF,UAAU,EAAEglE,kBAAkB,CAAC;IAC/F,OAAOlhE,IAAI,GAAG,IAAIwlB,SAAS,CAACxlB,IAAI,EAAE9D,UAAU,EAAEyW,IAAI,CAAC,GAAG,IAAI4S,MAAM,CAACslE,WAAW,EAAE3uF,UAAU,CAAC;EAC7F;EACAquF,aAAaA,CAAC30D,UAAU,EAAEtpC,KAAK,EAAE4P,UAAU,EAAEypB,OAAO,EAAEC,SAAS,EAAE8C,SAAS,EAAE;IACxE,IAAIkN,UAAU,CAAC9d,OAAO,CAAC,GAAG,CAAC,GAAG,CAAC,CAAC,EAAE;MAC9B,IAAI,CAACqwE,WAAW,CAAC,sCAAsC,EAAEjsF,UAAU,CAAC;IACxE,CAAC,MACI,IAAI05B,UAAU,CAACrrC,MAAM,KAAK,CAAC,EAAE;MAC9B,IAAI,CAAC49F,WAAW,CAAC,+BAA+B,EAAEjsF,UAAU,CAAC;IACjE;IACAwsB,SAAS,CAACl+B,IAAI,CAAC,IAAIs+B,QAAQ,CAAC8M,UAAU,EAAEtpC,KAAK,EAAE4P,UAAU,EAAEypB,OAAO,EAAEC,SAAS,CAAC,CAAC;EACnF;EACA4kE,cAAcA,CAAC50D,UAAU,EAAEtpC,KAAK,EAAE4P,UAAU,EAAEypB,OAAO,EAAEC,SAAS,EAAEiB,UAAU,EAAE;IAC1E,IAAI+O,UAAU,CAAC9d,OAAO,CAAC,GAAG,CAAC,GAAG,CAAC,CAAC,EAAE;MAC9B,IAAI,CAACqwE,WAAW,CAAC,uCAAuC,EAAEjsF,UAAU,CAAC;IACzE,CAAC,MACI,IAAI05B,UAAU,CAACrrC,MAAM,KAAK,CAAC,EAAE;MAC9B,IAAI,CAAC49F,WAAW,CAAC,gCAAgC,EAAEjsF,UAAU,CAAC;IAClE,CAAC,MACI,IAAI2qB,UAAU,CAACoJ,IAAI,CAAC5c,SAAS,IAAIA,SAAS,CAAChnB,IAAI,KAAKupC,UAAU,CAAC,EAAE;MAClE,IAAI,CAACuyD,WAAW,CAAC,eAAevyD,UAAU,6BAA6B,EAAE15B,UAAU,CAAC;IACxF;IACA2qB,UAAU,CAACr8B,IAAI,CAAC,IAAIw+B,SAAS,CAAC4M,UAAU,EAAEtpC,KAAK,EAAE4P,UAAU,EAAEypB,OAAO,EAAEC,SAAS,CAAC,CAAC;EACrF;EACA8kE,oBAAoBA,CAACr+F,IAAI,EAAEkI,UAAU,EAAE2H,UAAU,EAAE0pB,SAAS,EAAE64D,oBAAoB,EAAEgK,WAAW,EAAE9iE,OAAO,EAAE;IACtG,MAAMmwC,MAAM,GAAG,EAAE;IACjB,IAAI,CAACH,aAAa,CAACwoB,UAAU,CAAC,GAAG9xF,IAAI,QAAQ,EAAE,GAAGkI,UAAU,UAAU,EAAE,uBAAwB,IAAI,EAAE2H,UAAU,EAAE0pB,SAAS,IAAI1pB,UAAU,EAAEuiF,oBAAoB,EAAE3oB,MAAM,EAAEnwC,OAAO,CAAC;IACjL8kE,SAAS,CAAC30B,MAAM,EAAE2yB,WAAW,CAAC;EAClC;EACAN,WAAWA,CAACz1F,OAAO,EAAEwJ,UAAU,EAAE4/B,KAAK,GAAGF,eAAe,CAACG,KAAK,EAAE;IAC5D,IAAI,CAACkK,MAAM,CAACz7C,IAAI,CAAC,IAAIqxC,UAAU,CAAC3/B,UAAU,EAAExJ,OAAO,EAAEopC,KAAK,CAAC,CAAC;EAChE;AACJ;AACA,MAAMgvD,kBAAkB,CAAC;EACrB9jE,YAAYA,CAACrf,GAAG,EAAE;IACd,MAAMygF,gBAAgB,GAAG7F,eAAe,CAAC56E,GAAG,CAAC;IAC7C,IAAIygF,gBAAgB,CAAC5zF,IAAI,KAAKsuF,oBAAoB,CAACxxB,MAAM,IACrD82B,gBAAgB,CAAC5zF,IAAI,KAAKsuF,oBAAoB,CAACt2C,KAAK,IACpD47C,gBAAgB,CAAC5zF,IAAI,KAAKsuF,oBAAoB,CAACG,UAAU,EAAE;MAC3D;MACA;MACA;MACA,OAAO,IAAI;IACf;IACA,MAAMlvF,QAAQ,GAAGsyC,QAAQ,CAAC,IAAI,EAAE1+B,GAAG,CAAC5T,QAAQ,EAAE,IAAI,CAAC;IACnD,OAAO,IAAI0yB,SAAS,CAAC9e,GAAG,CAACtb,IAAI,EAAEg6C,QAAQ,CAAC,IAAI,EAAE1+B,GAAG,CAAC5d,KAAK,CAAC,EACxD,YAAa,EAAE,EAAE,aAAc,EAAE,EAAEgK,QAAQ,EAAE,gBAAiB,EAAE,EAAE4T,GAAG,CAACzL,UAAU,EAAEyL,GAAG,CAACmf,eAAe,EAAEnf,GAAG,CAACof,aAAa,CAAC;EAC7H;EACAkiD,YAAYA,CAACvpD,OAAO,EAAE;IAClB,OAAO,IAAI;EACf;EACAqpD,cAAcA,CAACz9E,SAAS,EAAE;IACtB,OAAO,IAAIo6B,aAAa,CAACp6B,SAAS,CAACe,IAAI,EAAEf,SAAS,CAACgB,KAAK,EAAEhB,SAAS,CAAC4Q,UAAU,EAAE5Q,SAAS,CAACq6B,OAAO,EAAEr6B,SAAS,CAACs6B,SAAS,EAAEt6B,SAAS,CAACqnB,IAAI,CAAC;EAC3I;EACAjf,SAASA,CAACC,IAAI,EAAE;IACZ,OAAO,IAAI4xB,MAAM,CAAC5xB,IAAI,CAACrH,KAAK,EAAEqH,IAAI,CAACuI,UAAU,CAAC;EAClD;EACAusE,cAAcA,CAACkU,SAAS,EAAE;IACtB,OAAO,IAAI;EACf;EACA9T,kBAAkBA,CAAC+T,aAAa,EAAE;IAC9B,OAAO,IAAI;EACf;EACAzT,eAAeA,CAACjc,KAAK,EAAEt5D,OAAO,EAAE;IAC5B,MAAMb,KAAK,GAAGszC,QAAQ,CAAC,IAAI,EAAE6mB,KAAK,CAAC5X,MAAM,CAAC;IAC1C;IACA,IAAI4X,KAAK,CAACnmC,aAAa,KAAK,IAAI,EAAE;MAC9Bh0B,KAAK,CAACvI,IAAI,CAAC,IAAI+6B,MAAM,CAAC2nC,KAAK,CAACnmC,aAAa,CAACv6B,QAAQ,CAAC,CAAC,EAAE0gE,KAAK,CAACnmC,aAAa,CAAC,CAAC;IAC/E;IACA,OAAOh0B,KAAK;EAChB;EACAs2E,UAAUA,CAAC7/C,KAAK,EAAE51B,OAAO,EAAE;IACvB,OAAO;IACH;IACA;IACA,IAAI2xB,MAAM,CAACiE,KAAK,CAAC1C,eAAe,CAACt6B,QAAQ,CAAC,CAAC,EAAEg9B,KAAK,CAAC1C,eAAe,CAAC,EACnE,GAAGuf,QAAQ,CAAC,IAAI,EAAE7c,KAAK,CAACz1B,QAAQ,CAAC,CACpC;EACL;EACAw1E,mBAAmBA,CAACsT,SAAS,EAAEjpF,OAAO,EAAE;IACpC,OAAO,IAAI;EACf;AACJ;AACA,MAAMu1F,oBAAoB,GAAG,IAAI2B,kBAAkB,CAAC,CAAC;AACrD,SAAS9B,sBAAsBA,CAACj8C,QAAQ,EAAE;EACtC,OAAO,SAAS,CAACxsB,IAAI,CAACwsB,QAAQ,CAAC,GAAGA,QAAQ,CAAC/zB,SAAS,CAAC,CAAC,CAAC,GAAG+zB,QAAQ;AACtE;AACA,SAAS09C,SAASA,CAAC30B,MAAM,EAAE2yB,WAAW,EAAE;EACpCA,WAAW,CAACj+F,IAAI,CAAC,GAAGsrE,MAAM,CAACpnE,GAAG,CAACqH,CAAC,IAAIowB,UAAU,CAACE,eAAe,CAACtwB,CAAC,CAAC,CAAC,CAAC;AACvE;AACA,SAASwzF,eAAeA,CAACppF,IAAI,EAAE;EAC3B,OAAOA,IAAI,YAAY4/C,IAAI,IAAI5/C,IAAI,CAAC7T,KAAK,CAACyrB,IAAI,CAAC,CAAC,CAACxtB,MAAM,IAAI,CAAC;AAChE;AACA,SAASi/F,aAAaA,CAACrpF,IAAI,EAAE;EACzB,OAAOA,IAAI,YAAY6oE,OAAO;AAClC;AACA,SAASsf,YAAYA,CAACnoF,IAAI,EAAE;EACxB,IAAIA,IAAI,CAACpM,QAAQ,CAACxJ,MAAM,KAAK,CAAC,IAAI,EAAE4V,IAAI,CAACpM,QAAQ,CAAC,CAAC,CAAC,YAAYgsD,IAAI,CAAC,EAAE;IACnE,OAAO,IAAI;EACf,CAAC,MACI;IACD,OAAO5/C,IAAI,CAACpM,QAAQ,CAAC,CAAC,CAAC,CAACzH,KAAK;EACjC;AACJ;AAEA,IAAIy+F,OAAO;AACX,CAAC,UAAUA,OAAO,EAAE;EAChBA,OAAO,CAACA,OAAO,CAAC,SAAS,CAAC,GAAG,CAAC,CAAC,GAAG,SAAS;EAC3CA,OAAO,CAACA,OAAO,CAAC,UAAU,CAAC,GAAG,CAAC,CAAC,GAAG,UAAU;AACjD,CAAC,EAAEA,OAAO,KAAKA,OAAO,GAAG,CAAC,CAAC,CAAC,CAAC;AAC7B;AACA;AACA;AACA,SAASC,aAAaA,CAAA,EAAG;EACrB,OAAO;IAAEC,WAAW,EAAEt6D,qBAAqB,CAAC,CAAC;IAAEu6D,IAAI,EAAE,IAAIp+F,GAAG,CAAC;EAAE,CAAC;AACpE;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMq+F,WAAW,CAAC;EACdvhG,WAAWA,CAACmN,KAAK,EAAE+qB,GAAG,EAAEga,KAAK,GAAG,CAAC,EAAEsvD,aAAa,GAAG,IAAI,EAAE/oE,IAAI,EAAE6+D,QAAQ,EAAE;IACrE,IAAI,CAACnqF,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC+qB,GAAG,GAAGA,GAAG;IACd,IAAI,CAACga,KAAK,GAAGA,KAAK;IAClB,IAAI,CAACsvD,aAAa,GAAGA,aAAa;IAClC,IAAI,CAAC/oE,IAAI,GAAGA,IAAI;IAChB,IAAI,CAAC6+D,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAAClpC,QAAQ,GAAG,IAAIzlB,GAAG,CAAC,CAAC;IACzB,IAAI,CAACnJ,YAAY,GAAG,IAAIt8B,GAAG,CAAC,CAAC;IAC7B,IAAI,CAACu+F,SAAS,GAAG,KAAK;IACtB,IAAI,CAACC,mBAAmB,GAAG,CAAC;IAC5B,IAAI,CAACC,SAAS,GAAGrK,QAAQ,IAAI8J,aAAa,CAAC,CAAC;IAC5C,IAAI,CAACr4F,EAAE,GAAG,IAAI,CAAC44F,SAAS,CAACN,WAAW,CAAC,CAAC;EAC1C;EACAO,SAASA,CAACh3F,IAAI,EAAE2L,IAAI,EAAEpJ,KAAK,EAAE00F,MAAM,EAAE;IACjC,IAAItrF,IAAI,CAACxL,MAAM,IAAI82F,MAAM,EAAE;MACvB,OAAO,CAAC;IACZ;IACA,MAAM/2F,EAAE,GAAGyL,IAAI,CAACxL,MAAM,IAAI,CAAC82F,MAAM,GAAGtrF,IAAI,CAACvL,SAAS,GAAGuL,IAAI,CAACtL,SAAS;IACnE,MAAM8lB,OAAO,GAAG;MAAEnmB,IAAI;MAAEuC,KAAK;MAAE0oB,GAAG,EAAE,IAAI,CAAC9sB,EAAE;MAAEgC,MAAM,EAAEwL,IAAI,CAACxL,MAAM;MAAE82F;IAAO,CAAC;IAC1E36D,oBAAoB,CAAC,IAAI,CAAC1H,YAAY,EAAE10B,EAAE,EAAEimB,OAAO,CAAC;EACxD;EACA,IAAIuwE,IAAIA,CAAA,EAAG;IACP,OAAO,IAAI,CAACK,SAAS,CAACL,IAAI;EAC9B;EACA,IAAIQ,MAAMA,CAAA,EAAG;IACT,OAAO,IAAI,CAAC5vD,KAAK,KAAK,CAAC;EAC3B;EACA,IAAI6vD,UAAUA,CAAA,EAAG;IACb,OAAO,IAAI,CAACL,mBAAmB,KAAK,CAAC;EACzC;EACAM,yBAAyBA,CAAA,EAAG;IACxB,MAAMngG,MAAM,GAAG,IAAIqB,GAAG,CAAC,CAAC;IACxB,IAAI,CAACs8B,YAAY,CAAC38B,OAAO,CAAC,CAACgc,MAAM,EAAEpM,GAAG,KAAK5Q,MAAM,CAAC8C,GAAG,CAAC8N,GAAG,EAAEoM,MAAM,CAAC/Z,GAAG,CAACm9F,yBAAyB,CAAC,CAAC,CAAC;IAClG,OAAOpgG,MAAM;EACjB;EACA;EACAqgG,aAAaA,CAACz/B,OAAO,EAAE;IACnB,IAAI,CAACrU,QAAQ,CAAC9mD,GAAG,CAACm7D,OAAO,CAAC;EAC9B;EACA0/B,SAASA,CAAC1/F,IAAI,EAAEy1B,GAAG,EAAE;IACjBgP,oBAAoB,CAAC,IAAI,CAACy6D,SAAS,CAACL,IAAI,EAAE7+F,IAAI,EAAEy1B,GAAG,CAAC;EACxD;EACAkqE,eAAeA,CAAC7rF,IAAI,EAAE;IAClB,MAAM8rF,GAAG,GAAGl7D,6BAA6B,CAAC5wB,IAAI,EAAE,IAAI,CAAC63C,QAAQ,CAACh/C,IAAI,EAAE,IAAI,CAACrG,EAAE,CAAC;IAC5Es5F,GAAG,CAACx/F,OAAO,CAAC,CAACgc,MAAM,EAAEpM,GAAG,KAAKy0B,oBAAoB,CAAC,IAAI,CAAC1H,YAAY,EAAE/sB,GAAG,EAAE,GAAGoM,MAAM,CAAC,CAAC;EACzF;EACAyjF,cAAcA,CAAC/rF,IAAI,EAAEpJ,KAAK,EAAE;IACxB;IACA;IACA,IAAI,CAACy0F,SAAS,CAACT,OAAO,CAACoB,QAAQ,EAAEhsF,IAAI,EAAEpJ,KAAK,EAAE,KAAK,CAAC;IACpD,IAAI,CAACy0F,SAAS,CAACT,OAAO,CAACoB,QAAQ,EAAEhsF,IAAI,EAAEpJ,KAAK,EAAE,IAAI,CAAC;IACnD,IAAI,CAACu0F,mBAAmB,EAAE;EAC9B;EACAc,aAAaA,CAACjsF,IAAI,EAAEpJ,KAAK,EAAE00F,MAAM,EAAE;IAC/B,IAAI,CAACD,SAAS,CAACT,OAAO,CAACsB,OAAO,EAAElsF,IAAI,EAAEpJ,KAAK,EAAE00F,MAAM,CAAC;EACxD;EACAa,gBAAgBA,CAACnsF,IAAI,EAAEpJ,KAAK,EAAE;IAC1B;IACA;IACA;IACA;IACA,IAAI,CAACy0F,SAAS,CAACT,OAAO,CAACsB,OAAO,EAAElsF,IAAI,EAAEpJ,KAAK,EAAE,KAAK,CAAC;IACnD,IAAI,CAACy0F,SAAS,CAACT,OAAO,CAACsB,OAAO,EAAElsF,IAAI,EAAEpJ,KAAK,EAAE,IAAI,CAAC;EACtD;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIw1F,gBAAgBA,CAACx1F,KAAK,EAAEq0F,aAAa,EAAE/oE,IAAI,EAAE;IACzC,OAAO,IAAI8oE,WAAW,CAACp0F,KAAK,EAAE,IAAI,CAAC+qB,GAAG,EAAE,IAAI,CAACga,KAAK,GAAG,CAAC,EAAEsvD,aAAa,EAAE/oE,IAAI,EAAE,IAAI,CAACkpE,SAAS,CAAC;EAChG;EACA;AACJ;AACA;AACA;AACA;EACIiB,qBAAqBA,CAAC54F,OAAO,EAAE;IAC3B;IACA;IACA,CAAC,OAAO,EAAE,OAAO,CAAC,CAACnH,OAAO,CAAEg+C,EAAE,IAAK;MAC/B,MAAMpuC,GAAG,GAAGzI,OAAO,CAACyuB,IAAI,CAAC,GAAGooB,EAAE,MAAM,CAAC;MACrC,MAAMwhD,GAAG,GAAG,IAAI,CAAC7iE,YAAY,CAAC96B,GAAG,CAAC+N,GAAG,CAAC,IAAI,EAAE;MAC5C,MAAMrR,GAAG,GAAGihG,GAAG,CAACh7D,IAAI,CAACw7D,cAAc,CAAC,IAAI,CAAC95F,EAAE,EAAEiB,OAAO,CAACw3F,aAAa,CAAC,CAAC;MACpE,IAAIpgG,GAAG,EAAE;QACLA,GAAG,CAACy0B,GAAG,GAAG7rB,OAAO,CAACjB,EAAE;MACxB;IACJ,CAAC,CAAC;IACF;IACA,MAAM+5F,QAAQ,GAAG94F,OAAO,CAACw1B,YAAY;IACrCsjE,QAAQ,CAACjgG,OAAO,CAAC,CAACgc,MAAM,EAAEpM,GAAG,KAAK;MAC9B,MAAM4vF,GAAG,GAAG,IAAI,CAAC7iE,YAAY,CAAC96B,GAAG,CAAC+N,GAAG,CAAC;MACtC,IAAI,CAAC4vF,GAAG,EAAE;QACN,IAAI,CAAC7iE,YAAY,CAAC76B,GAAG,CAAC8N,GAAG,EAAEoM,MAAM,CAAC;QAClC;MACJ;MACA;MACA,MAAMkkF,OAAO,GAAGV,GAAG,CAACj/B,SAAS,CAACy/B,cAAc,CAAC74F,OAAO,CAACjB,EAAE,EAAEiB,OAAO,CAACw3F,aAAa,CAAC,CAAC;MAChF,IAAIuB,OAAO,IAAI,CAAC,EAAE;QACd;QACA,MAAMC,UAAU,GAAGvwF,GAAG,CAACuzB,UAAU,CAAC,OAAO,CAAC;QAC1C,MAAMi9D,aAAa,GAAGxwF,GAAG,CAACuuF,QAAQ,CAAC,aAAa,CAAC;QACjD,IAAIiC,aAAa,EAAE;UACf;UACA;UACAZ,GAAG,CAACvR,MAAM,CAACiS,OAAO,IAAIC,UAAU,GAAG,CAAC,GAAG,CAAC,CAAC,EAAE,CAAC,EAAE,GAAGnkF,MAAM,CAAC;QAC5D,CAAC,MACI;UACD,MAAMyoB,GAAG,GAAG07D,UAAU,GAAGnkF,MAAM,CAACle,MAAM,GAAG,CAAC,GAAG,CAAC;UAC9Cke,MAAM,CAACyoB,GAAG,CAAC,CAACwlC,IAAI,GAAGu1B,GAAG,CAACU,OAAO,CAAC;UAC/BV,GAAG,CAACvR,MAAM,CAACiS,OAAO,EAAE,CAAC,EAAE,GAAGlkF,MAAM,CAAC;QACrC;MACJ,CAAC,MACI;QACD;QACAwjF,GAAG,CAACzhG,IAAI,CAAC,GAAGie,MAAM,CAAC;MACvB;MACA,IAAI,CAAC2gB,YAAY,CAAC76B,GAAG,CAAC8N,GAAG,EAAE4vF,GAAG,CAAC;IACnC,CAAC,CAAC;IACF,IAAI,CAACX,mBAAmB,EAAE;EAC9B;AACJ;AACA;AACA;AACA;AACA,SAASwB,IAAIA,CAACC,MAAM,EAAEh2F,KAAK,EAAEq5B,SAAS,EAAEq7D,MAAM,EAAE;EAC5C,MAAM9gC,KAAK,GAAG8gC,MAAM,GAAG,GAAG,GAAG,EAAE;EAC/B,OAAOt7D,mBAAmB,CAAC,GAAGw6B,KAAK,GAAGoiC,MAAM,GAAGh2F,KAAK,EAAE,EAAEq5B,SAAS,CAAC;AACtE;AACA,SAAS48D,OAAOA,CAACD,MAAM,EAAE;EAAEh2F,KAAK;EAAE0oB,GAAG;EAAE9qB;AAAO,CAAC,EAAE82F,MAAM,EAAE;EACrD,OAAO92F,MAAM,GAAGm4F,IAAI,CAACC,MAAM,EAAEh2F,KAAK,EAAE0oB,GAAG,CAAC,GAAGqtE,IAAI,CAACC,MAAM,EAAEh2F,KAAK,EAAE0oB,GAAG,EAAE,IAAI,CAAC,GACrEqtE,IAAI,CAACC,MAAM,EAAEh2F,KAAK,EAAE0oB,GAAG,EAAEgsE,MAAM,CAAC;AACxC;AACA,SAASgB,cAAcA,CAAChtE,GAAG,EAAE2rE,aAAa,EAAE;EACxC,OAAQzyE,KAAK,IAAK,OAAOA,KAAK,KAAK,QAAQ,IAAIA,KAAK,CAACnkB,IAAI,KAAKu2F,OAAO,CAACoB,QAAQ,IAC1ExzE,KAAK,CAAC5hB,KAAK,KAAKq0F,aAAa,IAAIzyE,KAAK,CAAC8G,GAAG,KAAKA,GAAG;AAC1D;AACA,SAASosE,yBAAyBA,CAACv/F,KAAK,EAAE;EACtC,MAAMzC,OAAO,GAAGA,CAACojG,IAAI,EAAExB,MAAM,KAAKuB,OAAO,CAAC,GAAG,EAAEC,IAAI,EAAExB,MAAM,CAAC;EAC5D,MAAMpqF,QAAQ,GAAGA,CAAC4rF,IAAI,EAAExB,MAAM,KAAKuB,OAAO,CAAC,GAAG,EAAEC,IAAI,EAAExB,MAAM,CAAC;EAC7D,QAAQn/F,KAAK,CAACkI,IAAI;IACd,KAAKu2F,OAAO,CAACsB,OAAO;MAChB;MACA,IAAI//F,KAAK,CAACm/F,MAAM,EAAE;QACd,OAAO5hG,OAAO,CAACyC,KAAK,EAAE,IAAI,CAAC,IAAIA,KAAK,CAACoqE,IAAI,GAAGr1D,QAAQ,CAAC/U,KAAK,CAACoqE,IAAI,EAAE,IAAI,CAAC,GAAG,EAAE,CAAC;MAChF;MACA;MACA,IAAIpqE,KAAK,CAACoqE,IAAI,EAAE;QACZ,OAAOr1D,QAAQ,CAAC/U,KAAK,CAACoqE,IAAI,CAAC,GAAG7sE,OAAO,CAACyC,KAAK,CAAC,IACvCA,KAAK,CAACqI,MAAM,GAAG0M,QAAQ,CAAC/U,KAAK,CAACoqE,IAAI,EAAE,IAAI,CAAC,GAAG,EAAE,CAAC;MACxD;MACA,OAAO7sE,OAAO,CAACyC,KAAK,CAAC;IACzB,KAAKy+F,OAAO,CAACoB,QAAQ;MACjB,OAAO9qF,QAAQ,CAAC/U,KAAK,EAAEA,KAAK,CAACm/F,MAAM,CAAC;IACxC;MACI,OAAOn/F,KAAK;EACpB;AACJ;AAEA,MAAM4gG,oBAAoB,CAAC;EACvBx5F,SAASA,CAACC,IAAI,EAAE;IACZ,OAAOA,IAAI,CAACrH,KAAK;EACrB;EACAuH,cAAcA,CAACC,SAAS,EAAE;IACtB,OAAOA,SAAS,CAACC,QAAQ,CAACrF,GAAG,CAACsF,KAAK,IAAIA,KAAK,CAACT,KAAK,CAAC,IAAI,CAAC,CAAC,CAACpH,IAAI,CAAC,EAAE,CAAC;EACtE;EACA8H,QAAQA,CAACC,GAAG,EAAE;IACV,MAAMC,QAAQ,GAAG1D,MAAM,CAAC2D,IAAI,CAACF,GAAG,CAACG,KAAK,CAAC,CAAC3F,GAAG,CAAE4F,CAAC,IAAK,GAAGA,CAAC,KAAKJ,GAAG,CAACG,KAAK,CAACC,CAAC,CAAC,CAACf,KAAK,CAAC,IAAI,CAAC,GAAG,CAAC;IACxF,MAAM9H,MAAM,GAAG,IAAIyI,GAAG,CAACo2B,qBAAqB,KAAKp2B,GAAG,CAACM,IAAI,KAAKL,QAAQ,CAAChI,IAAI,CAAC,GAAG,CAAC,GAAG;IACnF,OAAOV,MAAM;EACjB;EACAgJ,mBAAmBA,CAACC,EAAE,EAAE;IACpB,OAAOA,EAAE,CAACC,MAAM,GACZ,IAAI,CAACw4F,QAAQ,CAACz4F,EAAE,CAACE,SAAS,CAAC,GAC3B,GAAG,IAAI,CAACu4F,QAAQ,CAACz4F,EAAE,CAACE,SAAS,CAAC,GAAGF,EAAE,CAACX,QAAQ,CAACrF,GAAG,CAACsF,KAAK,IAAIA,KAAK,CAACT,KAAK,CAAC,IAAI,CAAC,CAAC,CAACpH,IAAI,CAAC,EAAE,CAAC,GAAG,IAAI,CAACghG,QAAQ,CAACz4F,EAAE,CAACG,SAAS,CAAC,EAAE;EAC7H;EACAC,gBAAgBA,CAACJ,EAAE,EAAE;IACjB,OAAO,IAAI,CAACy4F,QAAQ,CAACz4F,EAAE,CAACrI,IAAI,CAAC;EACjC;EACA0I,mBAAmBA,CAACL,EAAE,EAAEd,OAAO,EAAE;IAC7B,OAAO,IAAI,CAACu5F,QAAQ,CAACz4F,EAAE,CAACrI,IAAI,CAAC;EACjC;EACA8gG,QAAQA,CAAC7gG,KAAK,EAAE;IACZ,OAAO,IAAIglC,yBAAyB,CAAChlC,KAAK,EAAE,kBAAmB,KAAK,CAAC,GAAG;EAC5E;AACJ;AACA,MAAM8gG,UAAU,GAAG,IAAIF,oBAAoB,CAAC,CAAC;AAC7C,SAASG,gBAAgBA,CAACn5F,GAAG,EAAE;EAC3B,OAAOA,GAAG,CAACX,KAAK,CAAC65F,UAAU,CAAC;AAChC;AAEA,MAAME,wBAAwB,GAAG;EAC7B,GAAG,EAAE,MAAM;EACX,GAAG,EAAE,WAAW;EAChB,IAAI,EAAE,YAAY;EAClB,IAAI,EAAE,iBAAiB;EACvB,IAAI,EAAE,gBAAgB;EACtB,IAAI,EAAE,gBAAgB;EACtB,IAAI,EAAE,gBAAgB;EACtB,IAAI,EAAE,gBAAgB;EACtB,IAAI,EAAE,gBAAgB;EACtB,IAAI,EAAE,gBAAgB;EACtB,IAAI,EAAE,iBAAiB;EACvB,GAAG,EAAE,aAAa;EAClB,IAAI,EAAE,WAAW;EACjB,MAAM,EAAE,YAAY;EACpB,IAAI,EAAE,cAAc;EACpB,GAAG,EAAE,WAAW;EAChB,GAAG,EAAE,WAAW;EAChB,GAAG,EAAE,oBAAoB;EACzB,OAAO,EAAE,YAAY;EACrB,KAAK,EAAE,WAAW;EAClB,KAAK,EAAE,aAAa;EACpB,OAAO,EAAE,YAAY;EACrB,IAAI,EAAE,YAAY;EAClB,OAAO,EAAE,cAAc;EACvB,IAAI,EAAE,mBAAmB;EACzB,OAAO,EAAE,cAAc;EACvB,IAAI,EAAE,WAAW;EACjB,IAAI,EAAE,iBAAiB;EACvB,GAAG,EAAE,iBAAiB;EACtB,IAAI,EAAE;AACV,CAAC;AACD;AACA;AACA;AACA;AACA;AACA,MAAMC,mBAAmB,CAAC;EACtB3jG,WAAWA,CAAA,EAAG;IACV;IACA,IAAI,CAAC4jG,sBAAsB,GAAG,CAAC,CAAC;IAChC;IACA,IAAI,CAACC,gBAAgB,GAAG,CAAC,CAAC;EAC9B;EACAC,0BAA0BA,CAAC1iG,GAAG,EAAEjB,KAAK,EAAE4K,MAAM,EAAE;IAC3C,MAAMg5F,SAAS,GAAG,IAAI,CAACC,QAAQ,CAAC5iG,GAAG,EAAEjB,KAAK,EAAE4K,MAAM,CAAC;IACnD,IAAI,IAAI,CAAC84F,gBAAgB,CAACE,SAAS,CAAC,EAAE;MAClC,OAAO,IAAI,CAACF,gBAAgB,CAACE,SAAS,CAAC;IAC3C;IACA,MAAME,QAAQ,GAAG7iG,GAAG,CAACusB,WAAW,CAAC,CAAC;IAClC,MAAMmzC,QAAQ,GAAG4iC,wBAAwB,CAACO,QAAQ,CAAC,IAAI,OAAOA,QAAQ,EAAE;IACxE,MAAMxhG,IAAI,GAAG,IAAI,CAACyhG,mBAAmB,CAACn5F,MAAM,GAAG+1D,QAAQ,GAAG,SAASA,QAAQ,EAAE,CAAC;IAC9E,IAAI,CAAC+iC,gBAAgB,CAACE,SAAS,CAAC,GAAGthG,IAAI;IACvC,OAAOA,IAAI;EACf;EACA0hG,0BAA0BA,CAAC/iG,GAAG,EAAE;IAC5B,MAAM2iG,SAAS,GAAG,IAAI,CAACK,eAAe,CAAChjG,GAAG,CAAC;IAC3C,IAAI,IAAI,CAACyiG,gBAAgB,CAACE,SAAS,CAAC,EAAE;MAClC,OAAO,IAAI,CAACF,gBAAgB,CAACE,SAAS,CAAC;IAC3C;IACA,MAAME,QAAQ,GAAG7iG,GAAG,CAACusB,WAAW,CAAC,CAAC;IAClC,MAAMmzC,QAAQ,GAAG4iC,wBAAwB,CAACO,QAAQ,CAAC,IAAI,OAAOA,QAAQ,EAAE;IACxE,MAAMxhG,IAAI,GAAG,IAAI,CAACyhG,mBAAmB,CAAC,SAASpjC,QAAQ,EAAE,CAAC;IAC1D,IAAI,CAAC+iC,gBAAgB,CAACE,SAAS,CAAC,GAAGthG,IAAI;IACvC,OAAOA,IAAI;EACf;EACA4hG,kBAAkBA,CAAC5hG,IAAI,EAAEsuB,OAAO,EAAE;IAC9B,MAAMuzE,SAAS,GAAG7hG,IAAI,CAACkrB,WAAW,CAAC,CAAC;IACpC,MAAMo2E,SAAS,GAAG,OAAOO,SAAS,IAAIvzE,OAAO,EAAE;IAC/C,IAAI,IAAI,CAAC8yE,gBAAgB,CAACE,SAAS,CAAC,EAAE;MAClC,OAAO,IAAI,CAACF,gBAAgB,CAACE,SAAS,CAAC;IAC3C;IACA,MAAMthF,UAAU,GAAG,IAAI,CAACyhF,mBAAmB,CAACI,SAAS,CAAC;IACtD,IAAI,CAACT,gBAAgB,CAACE,SAAS,CAAC,GAAGthF,UAAU;IAC7C,OAAOA,UAAU;EACrB;EACA8hF,oBAAoBA,CAAC9hG,IAAI,EAAE;IACvB,OAAO,IAAI,CAACyhG,mBAAmB,CAACzhG,IAAI,CAACkrB,WAAW,CAAC,CAAC,CAAC;EACvD;EACA;EACAq2E,QAAQA,CAAC5iG,GAAG,EAAEjB,KAAK,EAAE4K,MAAM,EAAE;IACzB,MAAMmqB,KAAK,GAAG,IAAI9zB,GAAG,EAAE;IACvB,MAAM+gC,QAAQ,GAAGt7B,MAAM,CAAC2D,IAAI,CAACrK,KAAK,CAAC,CAACw3F,IAAI,CAAC,CAAC,CAAC7yF,GAAG,CAAErC,IAAI,IAAK,IAAIA,IAAI,IAAItC,KAAK,CAACsC,IAAI,CAAC,EAAE,CAAC,CAACF,IAAI,CAAC,EAAE,CAAC;IAC5F,MAAM4L,GAAG,GAAGpD,MAAM,GAAG,IAAI,GAAG,MAAM3J,GAAG,GAAG;IACxC,OAAO8zB,KAAK,GAAGiN,QAAQ,GAAGh0B,GAAG;EACjC;EACAi2F,eAAeA,CAAChjG,GAAG,EAAE;IACjB,OAAO,IAAI,CAAC4iG,QAAQ,CAAC,IAAI5iG,GAAG,EAAE,EAAE,CAAC,CAAC,EAAE,KAAK,CAAC;EAC9C;EACA8iG,mBAAmBA,CAACz7F,IAAI,EAAE;IACtB,MAAM+7F,IAAI,GAAG,IAAI,CAACZ,sBAAsB,CAAChiE,cAAc,CAACn5B,IAAI,CAAC;IAC7D,IAAI,CAAC+7F,IAAI,EAAE;MACP,IAAI,CAACZ,sBAAsB,CAACn7F,IAAI,CAAC,GAAG,CAAC;MACrC,OAAOA,IAAI;IACf;IACA,MAAMM,EAAE,GAAG,IAAI,CAAC66F,sBAAsB,CAACn7F,IAAI,CAAC;IAC5C,IAAI,CAACm7F,sBAAsB,CAACn7F,IAAI,CAAC,GAAGM,EAAE,GAAG,CAAC;IAC1C,OAAO,GAAGN,IAAI,IAAIM,EAAE,EAAE;EAC1B;AACJ;AAEA,MAAM07F,UAAU,GAAG,IAAI5uB,QAAQ,CAAC,IAAIvE,KAAK,CAAC,CAAC,CAAC;AAC5C;AACA;AACA;AACA,SAASozB,wBAAwBA,CAACzuB,mBAAmB,EAAE;EACnD,MAAM1sE,OAAO,GAAG,IAAIo7F,YAAY,CAACF,UAAU,EAAExuB,mBAAmB,CAAC;EACjE,OAAO,CAAC9sE,KAAK,EAAEC,OAAO,EAAE+P,WAAW,EAAEC,QAAQ,EAAEwrF,WAAW,KAAKr7F,OAAO,CAACs7F,aAAa,CAAC17F,KAAK,EAAEC,OAAO,EAAE+P,WAAW,EAAEC,QAAQ,EAAEwrF,WAAW,CAAC;AAC5I;AACA,SAASE,eAAeA,CAACC,KAAK,EAAEh8E,IAAI,EAAE;EAClC,OAAOA,IAAI;AACf;AACA,MAAM47E,YAAY,CAAC;EACf3kG,WAAWA,CAACglG,iBAAiB,EAAErf,oBAAoB,EAAE;IACjD,IAAI,CAACqf,iBAAiB,GAAGA,iBAAiB;IAC1C,IAAI,CAACrf,oBAAoB,GAAGA,oBAAoB;EACpD;EACAkf,aAAaA,CAAC17F,KAAK,EAAEC,OAAO,GAAG,EAAE,EAAE+P,WAAW,GAAG,EAAE,EAAEC,QAAQ,GAAG,EAAE,EAAEwrF,WAAW,EAAE;IAC7E,MAAM56F,OAAO,GAAG;MACZi7F,KAAK,EAAE97F,KAAK,CAACxI,MAAM,IAAI,CAAC,IAAIwI,KAAK,CAAC,CAAC,CAAC,YAAYu1E,SAAS;MACzDwmB,QAAQ,EAAE,CAAC;MACXC,mBAAmB,EAAE,IAAIxB,mBAAmB,CAAC,CAAC;MAC9CyB,oBAAoB,EAAE,CAAC,CAAC;MACxBplE,oBAAoB,EAAE,CAAC,CAAC;MACxB4kE,WAAW,EAAEA,WAAW,IAAIE;IAChC,CAAC;IACD,MAAMO,QAAQ,GAAG5oD,QAAQ,CAAC,IAAI,EAAEtzC,KAAK,EAAEa,OAAO,CAAC;IAC/C,OAAO,IAAI+1B,OAAO,CAACslE,QAAQ,EAAEr7F,OAAO,CAACo7F,oBAAoB,EAAEp7F,OAAO,CAACg2B,oBAAoB,EAAE52B,OAAO,EAAE+P,WAAW,EAAEC,QAAQ,CAAC;EAC5H;EACAgkB,YAAYA,CAACllB,EAAE,EAAElO,OAAO,EAAE;IACtB,MAAMG,QAAQ,GAAGsyC,QAAQ,CAAC,IAAI,EAAEvkC,EAAE,CAAC/N,QAAQ,EAAEH,OAAO,CAAC;IACrD,MAAM7J,KAAK,GAAG,CAAC,CAAC;IAChB+X,EAAE,CAAC/X,KAAK,CAAC0C,OAAO,CAACjB,IAAI,IAAI;MACrB;MACAzB,KAAK,CAACyB,IAAI,CAACa,IAAI,CAAC,GAAGb,IAAI,CAACc,KAAK;IACjC,CAAC,CAAC;IACF,MAAMqI,MAAM,GAAG24E,oBAAoB,CAACxrE,EAAE,CAACzV,IAAI,CAAC,CAACsI,MAAM;IACnD,MAAMu6F,WAAW,GAAGt7F,OAAO,CAACm7F,mBAAmB,CAACrB,0BAA0B,CAAC5rF,EAAE,CAACzV,IAAI,EAAEtC,KAAK,EAAE4K,MAAM,CAAC;IAClGf,OAAO,CAACo7F,oBAAoB,CAACE,WAAW,CAAC,GAAG;MACxCv7F,IAAI,EAAEmO,EAAE,CAACglB,eAAe,CAACt6B,QAAQ,CAAC,CAAC;MACnC0P,UAAU,EAAE4F,EAAE,CAACglB;IACnB,CAAC;IACD,IAAIqoE,WAAW,GAAG,EAAE;IACpB,IAAI,CAACx6F,MAAM,EAAE;MACTw6F,WAAW,GAAGv7F,OAAO,CAACm7F,mBAAmB,CAAChB,0BAA0B,CAACjsF,EAAE,CAACzV,IAAI,CAAC;MAC7EuH,OAAO,CAACo7F,oBAAoB,CAACG,WAAW,CAAC,GAAG;QACxCx7F,IAAI,EAAE,KAAKmO,EAAE,CAACzV,IAAI,GAAG;QACrB6P,UAAU,EAAE4F,EAAE,CAACilB,aAAa,IAAIjlB,EAAE,CAAC5F;MACvC,CAAC;IACL;IACA,MAAMiE,IAAI,GAAG,IAAIoqB,cAAc,CAACzoB,EAAE,CAACzV,IAAI,EAAEtC,KAAK,EAAEmlG,WAAW,EAAEC,WAAW,EAAEp7F,QAAQ,EAAEY,MAAM,EAAEmN,EAAE,CAAC5F,UAAU,EAAE4F,EAAE,CAACglB,eAAe,EAAEhlB,EAAE,CAACilB,aAAa,CAAC;IAChJ,OAAOnzB,OAAO,CAAC46F,WAAW,CAAC1sF,EAAE,EAAE3B,IAAI,CAAC;EACxC;EACA4oE,cAAcA,CAACz9E,SAAS,EAAEsI,OAAO,EAAE;IAC/B,MAAMuM,IAAI,GAAG7U,SAAS,CAACw9E,WAAW,KAAK5wD,SAAS,IAAI5sB,SAAS,CAACw9E,WAAW,CAACv+E,MAAM,KAAK,CAAC,GAClF,IAAI4/B,MAAM,CAAC7+B,SAAS,CAACgB,KAAK,EAAEhB,SAAS,CAACs6B,SAAS,IAAIt6B,SAAS,CAAC4Q,UAAU,CAAC,GACxE,IAAI,CAAC0tF,2BAA2B,CAACt+F,SAAS,CAACw9E,WAAW,EAAEx9E,SAAS,CAACs6B,SAAS,IAAIt6B,SAAS,CAAC4Q,UAAU,EAAEtI,OAAO,EAAEtI,SAAS,CAACqnB,IAAI,CAAC;IACjI,OAAO/e,OAAO,CAAC46F,WAAW,CAACljG,SAAS,EAAE6U,IAAI,CAAC;EAC/C;EACAzM,SAASA,CAACC,IAAI,EAAEC,OAAO,EAAE;IACrB,MAAMuM,IAAI,GAAGxM,IAAI,CAAC2nE,MAAM,CAAC/wE,MAAM,KAAK,CAAC,GACjC,IAAI4/B,MAAM,CAACx2B,IAAI,CAACrH,KAAK,EAAEqH,IAAI,CAACuI,UAAU,CAAC,GACvC,IAAI,CAAC0tF,2BAA2B,CAACj2F,IAAI,CAAC2nE,MAAM,EAAE3nE,IAAI,CAACuI,UAAU,EAAEtI,OAAO,EAAED,IAAI,CAACgf,IAAI,CAAC;IACtF,OAAO/e,OAAO,CAAC46F,WAAW,CAAC76F,IAAI,EAAEwM,IAAI,CAAC;EAC1C;EACA8oE,YAAYA,CAACvpD,OAAO,EAAE9rB,OAAO,EAAE;IAC3B,OAAO,IAAI;EACf;EACA60E,cAAcA,CAACv0E,GAAG,EAAEN,OAAO,EAAE;IACzBA,OAAO,CAACk7F,QAAQ,EAAE;IAClB,MAAMM,YAAY,GAAG,CAAC,CAAC;IACvB,MAAMC,OAAO,GAAG,IAAIhlE,GAAG,CAACn2B,GAAG,CAACq0E,WAAW,EAAEr0E,GAAG,CAACM,IAAI,EAAE46F,YAAY,EAAEl7F,GAAG,CAACgI,UAAU,CAAC;IAChFhI,GAAG,CAACG,KAAK,CAAC5H,OAAO,CAAE6iG,IAAI,IAAK;MACxBF,YAAY,CAACE,IAAI,CAAChjG,KAAK,CAAC,GAAG,IAAI89B,SAAS,CAACklE,IAAI,CAAC/6F,UAAU,CAAC7F,GAAG,CAAEyR,IAAI,IAAKA,IAAI,CAAC5M,KAAK,CAAC,IAAI,EAAEK,OAAO,CAAC,CAAC,EAAE07F,IAAI,CAAC1mB,aAAa,CAAC;IAC1H,CAAC,CAAC;IACFh1E,OAAO,CAACk7F,QAAQ,EAAE;IAClB,IAAIl7F,OAAO,CAACi7F,KAAK,IAAIj7F,OAAO,CAACk7F,QAAQ,GAAG,CAAC,EAAE;MACvC;MACA;MACA;MACA,MAAMS,KAAK,GAAG37F,OAAO,CAACm7F,mBAAmB,CAACZ,oBAAoB,CAAC,OAAOj6F,GAAG,CAACM,IAAI,EAAE,CAAC;MACjF66F,OAAO,CAAC/kE,qBAAqB,GAAGilE,KAAK;MACrC37F,OAAO,CAACo7F,oBAAoB,CAACO,KAAK,CAAC,GAAG;QAClC57F,IAAI,EAAEO,GAAG,CAACq0E,WAAW;QACrBrsE,UAAU,EAAEhI,GAAG,CAACs0E;MACpB,CAAC;MACD,OAAO50E,OAAO,CAAC46F,WAAW,CAACt6F,GAAG,EAAEm7F,OAAO,CAAC;IAC5C;IACA;IACA;IACA;IACA;IACA,MAAMG,MAAM,GAAG57F,OAAO,CAACm7F,mBAAmB,CAACd,kBAAkB,CAAC,KAAK,EAAE/5F,GAAG,CAACgI,UAAU,CAAC1P,QAAQ,CAAC,CAAC,CAAC;IAC/FoH,OAAO,CAACg2B,oBAAoB,CAAC4lE,MAAM,CAAC,GAAG,IAAI,CAACf,aAAa,CAAC,CAACv6F,GAAG,CAAC,EAAE,EAAE,EAAE,EAAE,EAAE,EAAE,EAAEgkB,SAAS,CAAC;IACvF,MAAM/X,IAAI,GAAG,IAAIsqB,cAAc,CAAC4kE,OAAO,EAAEG,MAAM,EAAEt7F,GAAG,CAACgI,UAAU,CAAC;IAChE,OAAOtI,OAAO,CAAC46F,WAAW,CAACt6F,GAAG,EAAEiM,IAAI,CAAC;EACzC;EACA0oE,kBAAkBA,CAAC4mB,QAAQ,EAAEC,QAAQ,EAAE;IACnC,MAAM,IAAI3kG,KAAK,CAAC,kBAAkB,CAAC;EACvC;EACAo+E,eAAeA,CAACjc,KAAK,EAAEt5D,OAAO,EAAE;IAC5B,MAAMG,QAAQ,GAAGsyC,QAAQ,CAAC,IAAI,EAAE6mB,KAAK,CAAC5X,MAAM,EAAE1hD,OAAO,CAAC;IACtD,MAAMuM,IAAI,GAAG,IAAIiqB,SAAS,CAACr2B,QAAQ,EAAEm5D,KAAK,CAAChxD,UAAU,CAAC;IACtD,OAAOtI,OAAO,CAAC46F,WAAW,CAACthC,KAAK,EAAE/sD,IAAI,CAAC;EAC3C;EACAkpE,UAAUA,CAAC7/C,KAAK,EAAE51B,OAAO,EAAE;IACvB,MAAMG,QAAQ,GAAGsyC,QAAQ,CAAC,IAAI,EAAE7c,KAAK,CAACz1B,QAAQ,EAAEH,OAAO,CAAC;IACxD,MAAMuM,IAAI,GAAG,IAAIiqB,SAAS,CAACr2B,QAAQ,EAAEy1B,KAAK,CAACttB,UAAU,CAAC;IACtD,OAAOtI,OAAO,CAAC46F,WAAW,CAAChlE,KAAK,EAAErpB,IAAI,CAAC;EAC3C;EACAopE,mBAAmBA,CAAComB,UAAU,EAAED,QAAQ,EAAE,CAAE;EAC5C;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;EACI9F,2BAA2BA,CAACtuB,MAAM,EAAEp/D,UAAU,EAAEtI,OAAO,EAAEg8F,YAAY,EAAE;IACnE;IACA,MAAM78F,KAAK,GAAG,EAAE;IAChB;IACA;IACA,IAAI88F,gBAAgB,GAAG,KAAK;IAC5B,KAAK,MAAMl3E,KAAK,IAAI2iD,MAAM,EAAE;MACxB,QAAQ3iD,KAAK,CAACnkB,IAAI;QACd,KAAK,CAAC,CAAC;QACP,KAAK,EAAE,CAAC;UACJq7F,gBAAgB,GAAG,IAAI;UACvB,MAAMt7F,UAAU,GAAGokB,KAAK,CAACtlB,KAAK,CAAC,CAAC,CAAC;UACjC,MAAMq3D,QAAQ,GAAGolC,sBAAsB,CAACv7F,UAAU,CAAC,IAAI,eAAe;UACtE,MAAMi7F,MAAM,GAAG57F,OAAO,CAACm7F,mBAAmB,CAACd,kBAAkB,CAACvjC,QAAQ,EAAEn2D,UAAU,CAAC;UACnFX,OAAO,CAACo7F,oBAAoB,CAACQ,MAAM,CAAC,GAAG;YACnC77F,IAAI,EAAEglB,KAAK,CAACtlB,KAAK,CAAClH,IAAI,CAAC,EAAE,CAAC;YAC1B+P,UAAU,EAAEyc,KAAK,CAACzc;UACtB,CAAC;UACDnJ,KAAK,CAACvI,IAAI,CAAC,IAAIggC,WAAW,CAACj2B,UAAU,EAAEi7F,MAAM,EAAE72E,KAAK,CAACzc,UAAU,CAAC,CAAC;UACjE;QACJ;UACI,IAAIyc,KAAK,CAACtlB,KAAK,CAAC,CAAC,CAAC,CAAC9I,MAAM,GAAG,CAAC,EAAE;YAC3B;YACA;YACA;YACA,MAAMstF,QAAQ,GAAG9kF,KAAK,CAACA,KAAK,CAACxI,MAAM,GAAG,CAAC,CAAC;YACxC,IAAIstF,QAAQ,YAAY1tD,MAAM,EAAE;cAC5B0tD,QAAQ,CAACvrF,KAAK,IAAIqsB,KAAK,CAACtlB,KAAK,CAAC,CAAC,CAAC;cAChCwkF,QAAQ,CAAC37E,UAAU,GAAG,IAAIu/B,eAAe,CAACo8C,QAAQ,CAAC37E,UAAU,CAAC4iB,KAAK,EAAEnG,KAAK,CAACzc,UAAU,CAACnE,GAAG,EAAE8/E,QAAQ,CAAC37E,UAAU,CAACw/B,SAAS,EAAEm8C,QAAQ,CAAC37E,UAAU,CAACy/B,OAAO,CAAC;YAC1J,CAAC,MACI;cACD5oC,KAAK,CAACvI,IAAI,CAAC,IAAI2/B,MAAM,CAACxR,KAAK,CAACtlB,KAAK,CAAC,CAAC,CAAC,EAAEslB,KAAK,CAACzc,UAAU,CAAC,CAAC;YAC5D;UACJ;UACA;MACR;IACJ;IACA,IAAI2zF,gBAAgB,EAAE;MAClB;MACAE,wBAAwB,CAACh9F,KAAK,EAAE68F,YAAY,CAAC;MAC7C,OAAO,IAAIxlE,SAAS,CAACr3B,KAAK,EAAEmJ,UAAU,CAAC;IAC3C,CAAC,MACI;MACD,OAAOnJ,KAAK,CAAC,CAAC,CAAC;IACnB;EACJ;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASg9F,wBAAwBA,CAACh9F,KAAK,EAAE68F,YAAY,EAAE;EACnD,IAAIA,YAAY,YAAYjmE,OAAO,EAAE;IACjC;IACA;IACA;IACAqmE,4BAA4B,CAACJ,YAAY,CAAC;IAC1CA,YAAY,GAAGA,YAAY,CAAC78F,KAAK,CAAC,CAAC,CAAC;EACxC;EACA,IAAI68F,YAAY,YAAYxlE,SAAS,EAAE;IACnC;IACA;IACA6lE,qBAAqB,CAACL,YAAY,CAAC77F,QAAQ,EAAEhB,KAAK,CAAC;IACnD;IACA,KAAK,IAAIpH,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGoH,KAAK,CAACxI,MAAM,EAAEoB,CAAC,EAAE,EAAE;MACnCoH,KAAK,CAACpH,CAAC,CAAC,CAACuQ,UAAU,GAAG0zF,YAAY,CAAC77F,QAAQ,CAACpI,CAAC,CAAC,CAACuQ,UAAU;IAC7D;EACJ;AACJ;AACA;AACA;AACA;AACA,SAAS8zF,4BAA4BA,CAACt9F,OAAO,EAAE;EAC3C,MAAMK,KAAK,GAAGL,OAAO,CAACK,KAAK;EAC3B,IAAIA,KAAK,CAACxI,MAAM,KAAK,CAAC,IAAI,EAAEwI,KAAK,CAAC,CAAC,CAAC,YAAYq3B,SAAS,CAAC,EAAE;IACxD,MAAM,IAAIr/B,KAAK,CAAC,8FAA8F,CAAC;EACnH;AACJ;AACA;AACA;AACA;AACA;AACA,SAASklG,qBAAqBA,CAACC,aAAa,EAAEn9F,KAAK,EAAE;EACjD,IAAIm9F,aAAa,CAAC3lG,MAAM,KAAKwI,KAAK,CAACxI,MAAM,EAAE;IACvC,MAAM,IAAIQ,KAAK,CAAC,4EAA4E,CAAC;EACjG;EACA,IAAImlG,aAAa,CAACjgE,IAAI,CAAC,CAAC9vB,IAAI,EAAExU,CAAC,KAAKoH,KAAK,CAACpH,CAAC,CAAC,CAAC/B,WAAW,KAAKuW,IAAI,CAACvW,WAAW,CAAC,EAAE;IAC5E,MAAM,IAAImB,KAAK,CAAC,+EAA+E,CAAC;EACpG;AACJ;AACA,MAAMolG,cAAc,GAAG,6EAA6E;AACpG,SAASL,sBAAsBA,CAACz4E,KAAK,EAAE;EACnC,OAAOA,KAAK,CAAC+B,KAAK,CAAC+2E,cAAc,CAAC,CAAC,CAAC,CAAC;AACzC;;AAEA;AACA;AACA;AACA,MAAMC,SAAS,SAASv0D,UAAU,CAAC;EAC/BjyC,WAAWA,CAACg1B,IAAI,EAAEnnB,GAAG,EAAE;IACnB,KAAK,CAACmnB,IAAI,EAAEnnB,GAAG,CAAC;EACpB;AACJ;AAEA,MAAM44F,WAAW,GAAGA,CAACC,QAAQ,EAAEC,QAAQ,KAAK;EACxC,IAAID,QAAQ,YAAYjoB,YAAY,EAAE;IAClC,IAAIkoB,QAAQ,YAAY9lE,cAAc,IAAI6lE,QAAQ,CAAC39E,IAAI,YAAYgX,OAAO,EAAE;MACxE;MACA;MACA;MACA;MACA4mE,QAAQ,CAACC,eAAe,GAAGF,QAAQ,CAAC39E,IAAI;IAC5C;IACA29E,QAAQ,CAAC39E,IAAI,GAAG49E,QAAQ;EAC5B;EACA,OAAOA,QAAQ;AACnB,CAAC;AACD;AACA;AACA;AACA;AACA;AACA,MAAME,eAAe,CAAC;EAClB7mG,WAAWA,CAACi2E,mBAAmB,GAAG5pC,4BAA4B,EAAEy6D,aAAa,GAAG,KAAK,EAAEC,+BAA+B,GAAG,KAAK,EAAE;IAC5H,IAAI,CAAC9wB,mBAAmB,GAAGA,mBAAmB;IAC9C,IAAI,CAAC6wB,aAAa,GAAGA,aAAa;IAClC,IAAI,CAACC,+BAA+B,GAAGA,+BAA+B;IACtE;IACA,IAAI,CAAC5gE,WAAW,GAAG,KAAK;IACxB,IAAI,CAAC6gE,OAAO,GAAG,EAAE;EACrB;EACAC,oBAAoBA,CAAC99F,KAAK,EAAEsvB,IAAI,GAAG,EAAE,EAAEmsE,WAAW,EAAE;IAChD,MAAM;MAAEx7F,OAAO;MAAE+P,WAAW;MAAEC;IAAS,CAAC,GAAG,IAAI,CAAC8tF,cAAc,CAACzuE,IAAI,CAAC;IACpE,MAAM0uE,iBAAiB,GAAGzC,wBAAwB,CAAC,IAAI,CAACzuB,mBAAmB,CAAC;IAC5E,MAAMntE,OAAO,GAAGq+F,iBAAiB,CAACh+F,KAAK,EAAEC,OAAO,EAAE+P,WAAW,EAAEC,QAAQ,EAAEwrF,WAAW,CAAC;IACrF,IAAI,CAACwC,aAAa,CAACt+F,OAAO,EAAE2vB,IAAI,CAAC;IACjC,IAAI,CAAC4uE,aAAa,CAACv+F,OAAO,EAAE2vB,IAAI,CAAC;IACjC,OAAO3vB,OAAO;EAClB;EACAw+F,kBAAkBA,CAACn+F,KAAK,EAAE;IACtB,MAAMtH,MAAM,GAAGsH,KAAK,CAACrE,GAAG,CAACyR,IAAI,IAAIA,IAAI,CAAC5M,KAAK,CAAC,IAAI,EAAE,IAAI,CAAC,CAAC;IACxD,OAAO,IAAIwkF,eAAe,CAACtsF,MAAM,EAAE,IAAI,CAACmlG,OAAO,CAAC;EACpD;EACA5pE,YAAYA,CAACn9B,OAAO,EAAE;IAClB,IAAI6I,OAAO,GAAGwlB,SAAS;IACvB,IAAI8X,YAAY,CAACnmC,OAAO,CAAC,EAAE;MACvB,IAAI,CAACkmC,WAAW,GAAG,IAAI;MACvB,MAAMhmC,KAAK,GAAG,EAAE;MAChB,MAAMonG,SAAS,GAAG,CAAC,CAAC;MACpB,KAAK,MAAM3lG,IAAI,IAAI3B,OAAO,CAACE,KAAK,EAAE;QAC9B,IAAIyB,IAAI,CAACa,IAAI,KAAKijC,SAAS,EAAE;UACzB;UACA,MAAM3c,IAAI,GAAG9oB,OAAO,CAAC8oB,IAAI,IAAInnB,IAAI,CAACc,KAAK;UACvCoG,OAAO,GAAG,IAAI,CAACm+F,oBAAoB,CAAChnG,OAAO,CAACkK,QAAQ,EAAE4e,IAAI,EAAE09E,WAAW,CAAC;UACxE,IAAI39F,OAAO,CAACK,KAAK,CAACxI,MAAM,KAAK,CAAC,EAAE;YAC5B;YACAmI,OAAO,GAAGwlB,SAAS;UACvB;UACA;UACAruB,OAAO,CAAC8oB,IAAI,GAAGjgB,OAAO;QAC1B,CAAC,MACI,IAAIlH,IAAI,CAACa,IAAI,CAACujC,UAAU,CAACL,gBAAgB,CAAC,EAAE;UAC7C;UACA,MAAMljC,IAAI,GAAGb,IAAI,CAACa,IAAI,CAAClB,KAAK,CAACokC,gBAAgB,CAAChlC,MAAM,CAAC;UACrD,IAAI4yF,kBAAkB,CAACtzF,OAAO,CAACwC,IAAI,EAAEA,IAAI,CAAC,EAAE;YACxC,IAAI,CAACo0E,YAAY,CAACj1E,IAAI,EAAE,0BAA0Ba,IAAI,uCAAuC,CAAC;UAClG,CAAC,MACI;YACD8kG,SAAS,CAAC9kG,IAAI,CAAC,GAAGb,IAAI,CAACc,KAAK;UAChC;QACJ,CAAC,MACI;UACD;UACAvC,KAAK,CAACS,IAAI,CAACgB,IAAI,CAAC;QACpB;MACJ;MACA;MACA,IAAIiF,MAAM,CAAC2D,IAAI,CAAC+8F,SAAS,CAAC,CAAC5mG,MAAM,EAAE;QAC/B,KAAK,MAAMiB,IAAI,IAAIzB,KAAK,EAAE;UACtB,MAAMs4B,IAAI,GAAG8uE,SAAS,CAAC3lG,IAAI,CAACa,IAAI,CAAC;UACjC;UACA,IAAIg2B,IAAI,KAAKnK,SAAS,IAAI1sB,IAAI,CAACc,KAAK,EAAE;YAClCd,IAAI,CAACmnB,IAAI,GAAG,IAAI,CAACk+E,oBAAoB,CAAC,CAACrlG,IAAI,CAAC,EAAEA,IAAI,CAACmnB,IAAI,IAAI0P,IAAI,CAAC;UACpE;QACJ;MACJ;MACA,IAAI,CAAC,IAAI,CAACquE,aAAa,EAAE;QACrB;QACA;QACA7mG,OAAO,CAACE,KAAK,GAAGA,KAAK;MACzB;IACJ;IACAs8C,QAAQ,CAAC,IAAI,EAAEx8C,OAAO,CAACkK,QAAQ,EAAErB,OAAO,CAAC;IACzC,OAAO7I,OAAO;EAClB;EACA4+E,cAAcA,CAACkU,SAAS,EAAEyU,cAAc,EAAE;IACtC,IAAI1+F,OAAO;IACX,MAAM2vB,IAAI,GAAGs6D,SAAS,CAAChqE,IAAI;IAC3B,IAAI,CAACod,WAAW,GAAG,IAAI;IACvB,IAAI1N,IAAI,YAAYoI,cAAc,EAAE;MAChC;MACA;MACA;MACA,MAAMp+B,IAAI,GAAGg2B,IAAI,CAACh2B,IAAI;MACtBqG,OAAO,GAAG,IAAI,CAACm+F,oBAAoB,CAAC,CAAClU,SAAS,CAAC,EAAEt6D,IAAI,CAAC;MACtD,MAAMnuB,GAAG,GAAGg8B,kBAAkB,CAACx9B,OAAO,CAAC;MACvCwB,GAAG,CAAC7H,IAAI,GAAGA,IAAI;MACf,IAAI+kG,cAAc,KAAK,IAAI,EAAE;QACzB;QACAA,cAAc,CAACxnE,oBAAoB,CAACv9B,IAAI,CAAC,GAAGqG,OAAO;MACvD;IACJ,CAAC,MACI;MACD;MACA;MACA;MACAA,OAAO,GAAG,IAAI,CAACm+F,oBAAoB,CAAC,CAAClU,SAAS,CAAC,EAAEyU,cAAc,IAAI/uE,IAAI,CAAC;IAC5E;IACAs6D,SAAS,CAAChqE,IAAI,GAAGjgB,OAAO;IACxB,OAAOiqF,SAAS;EACpB;EACAjpF,SAASA,CAACC,IAAI,EAAE;IACZ,OAAOA,IAAI;EACf;EACAo1E,cAAcA,CAACz9E,SAAS,EAAE;IACtB,OAAOA,SAAS;EACpB;EACA29E,YAAYA,CAACvpD,OAAO,EAAE;IAClB,OAAOA,OAAO;EAClB;EACAmpD,kBAAkBA,CAAC+T,aAAa,EAAE;IAC9B,OAAOA,aAAa;EACxB;EACAzT,eAAeA,CAACjc,KAAK,EAAEt5D,OAAO,EAAE;IAC5ByyC,QAAQ,CAAC,IAAI,EAAE6mB,KAAK,CAAC5X,MAAM,EAAE1hD,OAAO,CAAC;IACrC,OAAOs5D,KAAK;EAChB;EACAmc,UAAUA,CAAC7/C,KAAK,EAAE51B,OAAO,EAAE;IACvByyC,QAAQ,CAAC,IAAI,EAAE7c,KAAK,CAACz1B,QAAQ,EAAEH,OAAO,CAAC;IACvC,OAAO41B,KAAK;EAChB;EACA+/C,mBAAmBA,CAACsT,SAAS,EAAEjpF,OAAO,EAAE;IACpC,OAAOipF,SAAS;EACpB;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIiU,cAAcA,CAACzuE,IAAI,EAAE;IACjB,OAAO,OAAOA,IAAI,KAAK,QAAQ,GAAGgvE,aAAa,CAAChvE,IAAI,CAAC,GACjDA,IAAI,YAAYsH,OAAO,GAAGtH,IAAI,GAC1B,CAAC,CAAC;EACd;EACA;AACJ;AACA;EACI2uE,aAAaA,CAACt+F,OAAO,EAAE2vB,IAAI,EAAE;IACzB,IAAI,CAAC3vB,OAAO,CAACC,EAAE,EAAE;MACbD,OAAO,CAACC,EAAE,GAAG0vB,IAAI,YAAYsH,OAAO,IAAItH,IAAI,CAAC1vB,EAAE,IAAIM,aAAa,CAACP,OAAO,CAAC;IAC7E;EACJ;EACA;AACJ;AACA;AACA;AACA;AACA;EACIu+F,aAAaA,CAACv+F,OAAO,EAAE2vB,IAAI,EAAE;IACzB,IAAI,IAAI,CAACsuE,+BAA+B,EAAE;MACtCj+F,OAAO,CAACuQ,SAAS,GAAG,CAACrQ,aAAa,CAACF,OAAO,CAAC,EAAEQ,oBAAoB,CAACR,OAAO,CAAC,CAAC;IAC/E,CAAC,MACI,IAAI,OAAO2vB,IAAI,KAAK,QAAQ,EAAE;MAC/B;MACA;MACA;MACA;MACA,MAAMmuE,eAAe,GAAGnuE,IAAI,YAAYsH,OAAO,GAAGtH,IAAI,GAClDA,IAAI,YAAYoI,cAAc,GAAGpI,IAAI,CAACmuE,eAAe,GACjDt4E,SAAS;MACjBxlB,OAAO,CAACuQ,SAAS,GAAGutF,eAAe,GAAGA,eAAe,CAACvtF,SAAS,GAAG,EAAE;IACxE;EACJ;EACAw9D,YAAYA,CAACtgE,IAAI,EAAE1I,GAAG,EAAE;IACpB,IAAI,CAACm5F,OAAO,CAACpmG,IAAI,CAAC,IAAI4lG,SAAS,CAACjwF,IAAI,CAACjE,UAAU,EAAEzE,GAAG,CAAC,CAAC;EAC1D;AACJ;AACA;AACA,MAAM65F,sBAAsB,GAAG,GAAG;AAClC,MAAMC,iBAAiB,GAAG,IAAI;AAC9B;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASF,aAAaA,CAAChvE,IAAI,GAAG,EAAE,EAAE;EAC9B,IAAIrf,QAAQ;EACZ,IAAIhQ,OAAO;EACX,IAAI+P,WAAW;EACfsf,IAAI,GAAGA,IAAI,CAACtK,IAAI,CAAC,CAAC;EAClB,IAAIsK,IAAI,EAAE;IACN,MAAMmvE,OAAO,GAAGnvE,IAAI,CAACvK,OAAO,CAACy5E,iBAAiB,CAAC;IAC/C,MAAME,SAAS,GAAGpvE,IAAI,CAACvK,OAAO,CAACw5E,sBAAsB,CAAC;IACtD,IAAII,cAAc;IAClB,CAACA,cAAc,EAAE1uF,QAAQ,CAAC,GACrBwuF,OAAO,GAAG,CAAC,CAAC,GAAI,CAACnvE,IAAI,CAACl3B,KAAK,CAAC,CAAC,EAAEqmG,OAAO,CAAC,EAAEnvE,IAAI,CAACl3B,KAAK,CAACqmG,OAAO,GAAG,CAAC,CAAC,CAAC,GAAG,CAACnvE,IAAI,EAAE,EAAE,CAAC;IACnF,CAACrvB,OAAO,EAAE+P,WAAW,CAAC,GAAI0uF,SAAS,GAAG,CAAC,CAAC,GACpC,CAACC,cAAc,CAACvmG,KAAK,CAAC,CAAC,EAAEsmG,SAAS,CAAC,EAAEC,cAAc,CAACvmG,KAAK,CAACsmG,SAAS,GAAG,CAAC,CAAC,CAAC,GACzE,CAAC,EAAE,EAAEC,cAAc,CAAC;EAC5B;EACA,OAAO;IAAE1uF,QAAQ;IAAEhQ,OAAO;IAAE+P;EAAY,CAAC;AAC7C;AACA;AACA;AACA,SAAS4uF,eAAeA,CAACtvE,IAAI,EAAE;EAC3B,MAAM1b,IAAI,GAAG,EAAE;EACf,IAAI0b,IAAI,CAACtf,WAAW,EAAE;IAClB4D,IAAI,CAACnc,IAAI,CAAC;MAAEif,OAAO,EAAE,MAAM,CAAC;MAA2B9V,IAAI,EAAE0uB,IAAI,CAACtf;IAAY,CAAC,CAAC;EACpF,CAAC,MACI;IACD;IACA4D,IAAI,CAACnc,IAAI,CAAC;MAAEif,OAAO,EAAE,UAAU,CAAC;MAA+B9V,IAAI,EAAE;IAAoB,CAAC,CAAC;EAC/F;EACA,IAAI0uB,IAAI,CAACrvB,OAAO,EAAE;IACd2T,IAAI,CAACnc,IAAI,CAAC;MAAEif,OAAO,EAAE,SAAS,CAAC;MAA8B9V,IAAI,EAAE0uB,IAAI,CAACrvB;IAAQ,CAAC,CAAC;EACtF;EACA,OAAOgV,YAAY,CAACrB,IAAI,CAAC;AAC7B;;AAEA;AACA,MAAMirF,YAAY,GAAG,aAAa;AAClC;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASC,4BAA4BA,CAACC,UAAU,EAAEp/F,OAAO,EAAEq/F,UAAU,EAAEC,iBAAiB,EAAE;EACtF,MAAMtuF,aAAa,GAAGuuF,6BAA6B,CAACv/F,OAAO,CAAC;EAC5D,MAAMuO,IAAI,GAAG,CAACiI,OAAO,CAACxF,aAAa,CAAC,CAAC;EACrC,IAAIjT,MAAM,CAAC2D,IAAI,CAAC49F,iBAAiB,CAAC,CAACznG,MAAM,EAAE;IACvC;IACA;IACA0W,IAAI,CAACzW,IAAI,CAACyyF,UAAU,CAAC9rD,+BAA+B,CAAC6gE,iBAAiB,EAAE,IAAI,CAAC,kBAAkB,CAAC,EAAE,IAAI,CAAC,YAAY,CAAC,CAAC;IACrH;IACA;IACA;IACA/wF,IAAI,CAACzW,IAAI,CAACyyF,UAAU,CAAC;MACjBiV,aAAa,EAAExpF,UAAU,CAACjY,MAAM,CAAC2D,IAAI,CAAC49F,iBAAiB,CAAC,CACnDtjG,GAAG,CAAEmW,KAAK,KAAM;QACjBxI,GAAG,EAAEi1B,yBAAyB,CAACzsB,KAAK,CAAC;QACrCkB,MAAM,EAAE,IAAI;QACZzZ,KAAK,EAAEoG,OAAO,CAAC02B,YAAY,CAACvkB,KAAK,CAAC;QAC9B;QACAqE,OAAO,CAACxW,OAAO,CAAC02B,YAAY,CAACvkB,KAAK,CAAC,CAAC3I,UAAU,CAAC1P,QAAQ,CAAC,CAAC,CAAC;QAC1D;QACA0c,OAAO,CAACxW,OAAO,CAACk3B,oBAAoB,CAAC/kB,KAAK,CAAC,CACtC9R,KAAK,CAACrE,GAAG,CAAEyR,IAAI,IAAKA,IAAI,CAACjE,UAAU,CAAC1P,QAAQ,CAAC,CAAC,CAAC,CAC/CL,IAAI,CAAC,EAAE,CAAC;MACrB,CAAC,CAAC,CAAC;IACP,CAAC,CAAC,CAAC;EACP;EACA;EACA;EACA;EACA;EACA;EACA;EACA,MAAMgmG,cAAc,GAAGJ,UAAU,CAACxjG,GAAG,CAAC0Z,QAAQ,CAAC2pF,YAAY,CAAC,CAACr1F,MAAM,CAAC0E,IAAI,CAAC,CAAC,CAACT,WAAW,CAAC,CAAC;EACxF2xF,cAAc,CAACprF,iBAAiB,CAAC4qF,eAAe,CAACj/F,OAAO,CAAC,CAAC;EAC1D,MAAM0/F,kBAAkB,GAAG,IAAI3yF,mBAAmB,CAACqyF,UAAU,CAACvjG,GAAG,CAACwjG,UAAU,CAAC,CAAC;EAC9E,OAAO,CAACI,cAAc,EAAEC,kBAAkB,CAAC;AAC/C;AACA;AACA;AACA;AACA;AACA,MAAMC,uBAAuB,CAAC;EAC1BlF,QAAQA,CAAC7gG,KAAK,EAAE;IACZ,OAAO,KAAKglC,yBAAyB,CAAChlC,KAAK,CAAC,GAAG;EACnD;EACAoH,SAASA,CAACC,IAAI,EAAE;IACZ,OAAOA,IAAI,CAACrH,KAAK;EACrB;EACAuH,cAAcA,CAACC,SAAS,EAAE;IACtB,OAAOA,SAAS,CAACC,QAAQ,CAACrF,GAAG,CAACsF,KAAK,IAAIA,KAAK,CAACT,KAAK,CAAC,IAAI,CAAC,CAAC,CAACpH,IAAI,CAAC,EAAE,CAAC;EACtE;EACA8H,QAAQA,CAACC,GAAG,EAAE;IACV,OAAOm5F,gBAAgB,CAACn5F,GAAG,CAAC;EAChC;EACAO,mBAAmBA,CAACC,EAAE,EAAE;IACpB,OAAOA,EAAE,CAACC,MAAM,GACZ,IAAI,CAACw4F,QAAQ,CAACz4F,EAAE,CAACE,SAAS,CAAC,GAC3B,GAAG,IAAI,CAACu4F,QAAQ,CAACz4F,EAAE,CAACE,SAAS,CAAC,GAAGF,EAAE,CAACX,QAAQ,CAACrF,GAAG,CAACsF,KAAK,IAAIA,KAAK,CAACT,KAAK,CAAC,IAAI,CAAC,CAAC,CAACpH,IAAI,CAAC,EAAE,CAAC,GAAG,IAAI,CAACghG,QAAQ,CAACz4F,EAAE,CAACG,SAAS,CAAC,EAAE;EAC7H;EACAC,gBAAgBA,CAACJ,EAAE,EAAE;IACjB,OAAO,IAAI,CAACy4F,QAAQ,CAACz4F,EAAE,CAACrI,IAAI,CAAC;EACjC;EACA0I,mBAAmBA,CAACL,EAAE,EAAEd,OAAO,EAAE;IAC7B,OAAO,IAAI,CAACu5F,QAAQ,CAACz4F,EAAE,CAACrI,IAAI,CAAC;EACjC;AACJ;AACA,MAAMimG,iBAAiB,GAAG,IAAID,uBAAuB,CAAC,CAAC;AACvD,SAASJ,6BAA6BA,CAACv/F,OAAO,EAAE;EAC5C,OAAOA,OAAO,CAACK,KAAK,CAACrE,GAAG,CAACyR,IAAI,IAAIA,IAAI,CAAC5M,KAAK,CAAC++F,iBAAiB,EAAE,IAAI,CAAC,CAAC,CAACnmG,IAAI,CAAC,EAAE,CAAC;AAClF;AAEA,SAASomG,wBAAwBA,CAACtqF,QAAQ,EAAEvV,OAAO,EAAE8J,MAAM,EAAE;EACzD,MAAM;IAAEmG,YAAY;IAAE6vF;EAAa,CAAC,GAAGC,+BAA+B,CAAC//F,OAAO,CAAC;EAC/E,MAAMwJ,UAAU,GAAGw2F,aAAa,CAAChgG,OAAO,CAAC;EACzC,MAAM6O,WAAW,GAAGixF,YAAY,CAAC9jG,GAAG,CAACgG,EAAE,IAAI8H,MAAM,CAAC9H,EAAE,CAACf,IAAI,CAAC,CAAC;EAC3D,MAAMg/F,iBAAiB,GAAGxpF,eAAe,CAACzW,OAAO,EAAEiQ,YAAY,EAAE6vF,YAAY,EAAEjxF,WAAW,EAAErF,UAAU,CAAC;EACvG,MAAM02F,sBAAsB,GAAG3qF,QAAQ,CAAC1Z,GAAG,CAACokG,iBAAiB,CAAC;EAC9D,OAAO,CAAC,IAAIlzF,mBAAmB,CAACmzF,sBAAsB,CAAC,CAAC;AAC5D;AACA;AACA;AACA;AACA;AACA;AACA,MAAMC,yBAAyB,CAAC;EAC5BjpG,WAAWA,CAACggC,oBAAoB,EAAEkpE,MAAM,EAAE;IACtC,IAAI,CAAClpE,oBAAoB,GAAGA,oBAAoB;IAChD,IAAI,CAACkpE,MAAM,GAAGA,MAAM;EACxB;EACAp/F,SAASA,CAACC,IAAI,EAAE;IACZ,IAAI,IAAI,CAACm/F,MAAM,CAAC,IAAI,CAACA,MAAM,CAACvoG,MAAM,GAAG,CAAC,CAAC,YAAY4X,YAAY,EAAE;MAC7D;MACA,IAAI,CAAC2wF,MAAM,CAAC,IAAI,CAACA,MAAM,CAACvoG,MAAM,GAAG,CAAC,CAAC,CAACoJ,IAAI,IAAIA,IAAI,CAACrH,KAAK;IAC1D,CAAC,MACI;MACD,MAAM4P,UAAU,GAAG,IAAIu/B,eAAe,CAAC9nC,IAAI,CAACuI,UAAU,CAACw/B,SAAS,EAAE/nC,IAAI,CAACuI,UAAU,CAACnE,GAAG,EAAEpE,IAAI,CAACuI,UAAU,CAACw/B,SAAS,EAAE/nC,IAAI,CAACuI,UAAU,CAACy/B,OAAO,CAAC;MAC1I,IAAI,CAACm3D,MAAM,CAACtoG,IAAI,CAAC,IAAI2X,YAAY,CAACxO,IAAI,CAACrH,KAAK,EAAE4P,UAAU,CAAC,CAAC;IAC9D;EACJ;EACArI,cAAcA,CAACC,SAAS,EAAE;IACtBA,SAAS,CAACC,QAAQ,CAACtH,OAAO,CAACuH,KAAK,IAAIA,KAAK,CAACT,KAAK,CAAC,IAAI,CAAC,CAAC;EAC1D;EACAU,QAAQA,CAACC,GAAG,EAAE;IACV,IAAI,CAAC4+F,MAAM,CAACtoG,IAAI,CAAC,IAAI2X,YAAY,CAACkrF,gBAAgB,CAACn5F,GAAG,CAAC,EAAEA,GAAG,CAACgI,UAAU,CAAC,CAAC;EAC7E;EACAzH,mBAAmBA,CAACC,EAAE,EAAE;IACpB,IAAI,CAACo+F,MAAM,CAACtoG,IAAI,CAAC,IAAI,CAACuoG,sBAAsB,CAACr+F,EAAE,CAACE,SAAS,EAAEF,EAAE,CAACoyB,eAAe,IAAIpyB,EAAE,CAACwH,UAAU,CAAC,CAAC;IAChG,IAAI,CAACxH,EAAE,CAACC,MAAM,EAAE;MACZD,EAAE,CAACX,QAAQ,CAACtH,OAAO,CAACuH,KAAK,IAAIA,KAAK,CAACT,KAAK,CAAC,IAAI,CAAC,CAAC;MAC/C,IAAI,CAACu/F,MAAM,CAACtoG,IAAI,CAAC,IAAI,CAACuoG,sBAAsB,CAACr+F,EAAE,CAACG,SAAS,EAAEH,EAAE,CAACqyB,aAAa,IAAIryB,EAAE,CAACwH,UAAU,CAAC,CAAC;IAClG;EACJ;EACApH,gBAAgBA,CAACJ,EAAE,EAAE;IACjB,IAAI,CAACo+F,MAAM,CAACtoG,IAAI,CAAC,IAAI,CAACuoG,sBAAsB,CAACr+F,EAAE,CAACrI,IAAI,EAAEqI,EAAE,CAACwH,UAAU,CAAC,CAAC;EACzE;EACAnH,mBAAmBA,CAACL,EAAE,EAAE;IACpB,IAAI,CAACo+F,MAAM,CAACtoG,IAAI,CAAC,IAAI,CAACuoG,sBAAsB,CAACr+F,EAAE,CAACrI,IAAI,EAAEqI,EAAE,CAACwH,UAAU,EAAE,IAAI,CAAC0tB,oBAAoB,CAACl1B,EAAE,CAACrI,IAAI,CAAC,CAAC,CAAC;EAC7G;EACA0mG,sBAAsBA,CAAC1mG,IAAI,EAAE6P,UAAU,EAAEmG,iBAAiB,EAAE;IACxD,OAAO,IAAID,gBAAgB,CAACkvB,yBAAyB,CAACjlC,IAAI,EAAE,kBAAmB,KAAK,CAAC,EAAE6P,UAAU,EAAEmG,iBAAiB,CAAC;EACzH;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASowF,+BAA+BA,CAAC//F,OAAO,EAAE;EAC9C,MAAMogG,MAAM,GAAG,EAAE;EACjB,MAAMR,iBAAiB,GAAG,IAAIO,yBAAyB,CAACngG,OAAO,CAACk3B,oBAAoB,EAAEkpE,MAAM,CAAC;EAC7FpgG,OAAO,CAACK,KAAK,CAACtG,OAAO,CAAC0T,IAAI,IAAIA,IAAI,CAAC5M,KAAK,CAAC++F,iBAAiB,CAAC,CAAC;EAC5D,OAAOU,oBAAoB,CAACF,MAAM,CAAC;AACvC;AACA,SAASJ,aAAaA,CAAChgG,OAAO,EAAE;EAC5B,MAAMugG,SAAS,GAAGvgG,OAAO,CAACK,KAAK,CAAC,CAAC,CAAC;EAClC,MAAMmgG,OAAO,GAAGxgG,OAAO,CAACK,KAAK,CAACL,OAAO,CAACK,KAAK,CAACxI,MAAM,GAAG,CAAC,CAAC;EACvD,OAAO,IAAIkxC,eAAe,CAACw3D,SAAS,CAAC/2F,UAAU,CAACw/B,SAAS,EAAEw3D,OAAO,CAACh3F,UAAU,CAACnE,GAAG,EAAEk7F,SAAS,CAAC/2F,UAAU,CAACw/B,SAAS,EAAEu3D,SAAS,CAAC/2F,UAAU,CAACy/B,OAAO,CAAC;AACpJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASq3D,oBAAoBA,CAACF,MAAM,EAAE;EAClC,MAAMnwF,YAAY,GAAG,EAAE;EACvB,MAAM6vF,YAAY,GAAG,EAAE;EACvB,IAAIM,MAAM,CAAC,CAAC,CAAC,YAAY1wF,gBAAgB,EAAE;IACvC;IACAO,YAAY,CAACnY,IAAI,CAAC2oG,sBAAsB,CAACL,MAAM,CAAC,CAAC,CAAC,CAAC52F,UAAU,CAAC4iB,KAAK,CAAC,CAAC;EACzE;EACA,KAAK,IAAInzB,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGmnG,MAAM,CAACvoG,MAAM,EAAEoB,CAAC,EAAE,EAAE;IACpC,MAAM+xB,IAAI,GAAGo1E,MAAM,CAACnnG,CAAC,CAAC;IACtB,IAAI+xB,IAAI,YAAYvb,YAAY,EAAE;MAC9BQ,YAAY,CAACnY,IAAI,CAACkzB,IAAI,CAAC;IAC3B,CAAC,MACI;MACD80E,YAAY,CAAChoG,IAAI,CAACkzB,IAAI,CAAC;MACvB,IAAIo1E,MAAM,CAACnnG,CAAC,GAAG,CAAC,CAAC,YAAYyW,gBAAgB,EAAE;QAC3C;QACAO,YAAY,CAACnY,IAAI,CAAC2oG,sBAAsB,CAACL,MAAM,CAACnnG,CAAC,GAAG,CAAC,CAAC,CAACuQ,UAAU,CAACnE,GAAG,CAAC,CAAC;MAC3E;IACJ;EACJ;EACA,IAAI+6F,MAAM,CAACA,MAAM,CAACvoG,MAAM,GAAG,CAAC,CAAC,YAAY6X,gBAAgB,EAAE;IACvD;IACAO,YAAY,CAACnY,IAAI,CAAC2oG,sBAAsB,CAACL,MAAM,CAACA,MAAM,CAACvoG,MAAM,GAAG,CAAC,CAAC,CAAC2R,UAAU,CAACnE,GAAG,CAAC,CAAC;EACvF;EACA,OAAO;IAAE4K,YAAY;IAAE6vF;EAAa,CAAC;AACzC;AACA,SAASW,sBAAsBA,CAACntD,QAAQ,EAAE;EACtC,OAAO,IAAI7jC,YAAY,CAAC,EAAE,EAAE,IAAIs5B,eAAe,CAACuK,QAAQ,EAAEA,QAAQ,CAAC,CAAC;AACxE;;AAEA;AACA,MAAMotD,sBAAsB,GAAG,QAAQ;AACvC;AACA,MAAMC,uBAAuB,GAAG,aAAa;AAC7C;AACA,MAAMC,2BAA2B,GAAG,IAAI/gE,GAAG,CAAC,CAAC,QAAQ,CAAC,CAAC;AACvD;AACA,MAAMghE,uBAAuB,GAAG,IAAIzmG,GAAG,CAAC,CAAC,CAAC,QAAQ,EAAEyf,WAAW,CAAC0H,aAAa,CAAC,EAAE,CAAC,UAAU,EAAE1H,WAAW,CAAC2H,eAAe,CAAC,EAAE,CAAC,MAAM,EAAE3H,WAAW,CAAC4H,WAAW,CAAC,CAAC,CAAC;AAC9J,MAAMq/E,oBAAoB,GAAG,CAAC,GAAG,EAAE,IAAI,EAAE,IAAI,EAAE,IAAI,CAAC;AACpD;AACA,SAASC,qBAAqBA,CAACrvE,KAAK,EAAErf,UAAU,EAAE;EAC9C,OAAO+D,MAAM,CAACb,QAAQ,CAAC+pB,YAAY,CAAC,CAACzzB,UAAU,CAAC2K,OAAO,CAACkb,KAAK,CAAC,EAAE,IAAI,EAAE,KAAK,CAAC,EAAErf,UAAU,CAAC;AAC7F;AACA,SAAS2uF,8BAA8BA,CAACC,QAAQ,EAAEC,WAAW,GAAG,IAAI,EAAEhrC,KAAK,GAAG,IAAI,EAAE;EAChF,MAAM;IAAEp0D,IAAI;IAAEnI,IAAI;IAAEw2B,MAAM;IAAEhC,KAAK;IAAEX;EAAQ,CAAC,GAAGyzE,QAAQ;EACvD,IAAI9wE,MAAM,IAAI,CAAC0wE,uBAAuB,CAAChoF,GAAG,CAACsX,MAAM,CAAC,EAAE;IAChD,MAAM,IAAI93B,KAAK,CAAC,6BAA6B83B,MAAM,kBAAkBx2B,IAAI;AACjF,4CAA4CusB,KAAK,CAAC0C,IAAI,CAACi4E,uBAAuB,CAACn/F,IAAI,CAAC,CAAC,CAAC,GAAG,CAAC;EACtF;EACA,MAAMy/F,iBAAiB,GAAG,QAAQ;EAClC,MAAMlsD,wBAAwB,GAAG,IAAIpV,GAAG,CAAC,CAAC;EAC1C,MAAMuhE,oBAAoB,GAAIlrC,KAAK,KAAK,IAAI,IAAIA,KAAK,CAACmrC,YAAY,KAAK,CAAC,GACpE9rF,QAAQ,CAAC8pB,YAAY,CAAC,GACtB62B,KAAK,CAACorC,2BAA2B,CAAC,CAAC,CAAC;EACxC,MAAMC,iBAAiB,GAAG5sD,oBAAoB,CAACuhB,KAAK,EAAEkrC,oBAAoB,EAAE5zE,OAAO,EAAE,GAAG,EAAEyzE,QAAQ,CAACvtE,WAAW,EAAEuhB,wBAAwB,EAAE2rD,2BAA2B,CAAC;EACtK,MAAMvuF,UAAU,GAAG,EAAE;EACrB,MAAMmvF,oBAAoB,GAAGtrC,KAAK,EAAEsrC,oBAAoB,CAAC,CAAC;EAC1D,MAAMC,oBAAoB,GAAGvrC,KAAK,EAAEurC,oBAAoB,CAAC,CAAC;EAC1D,IAAID,oBAAoB,EAAE;IACtB;IACA;IACAnvF,UAAU,CAACva,IAAI,CAAC,GAAG0pG,oBAAoB,CAAC;EAC5C;EACAnvF,UAAU,CAACva,IAAI,CAAC,GAAGypG,iBAAiB,CAAC;EACrC,IAAIE,oBAAoB,EAAE;IACtBpvF,UAAU,CAAC6kC,OAAO,CAACuqD,oBAAoB,CAAC;IACxC;IACA;IACA;IACA,MAAMvrD,aAAa,GAAG7jC,UAAU,CAACA,UAAU,CAACxa,MAAM,GAAG,CAAC,CAAC;IACvD,IAAIq+C,aAAa,YAAYthC,eAAe,EAAE;MAC1CvC,UAAU,CAACA,UAAU,CAACxa,MAAM,GAAG,CAAC,CAAC,GAAG,IAAI+c,eAAe,CAACkrB,iBAAiB,CAACoW,aAAa,CAACt8C,KAAK,CAAC4P,UAAU,EAAEqQ,WAAW,CAACwD,SAAS,EAAE,CAAC64B,aAAa,CAACt8C,KAAK,CAAC,CAAC,CAAC;IAC5J,CAAC,MACI;MACDyY,UAAU,CAACva,IAAI,CAAC,IAAIiV,mBAAmB,CAAC+yB,iBAAiB,CAAC,IAAI,EAAEjmB,WAAW,CAACwD,SAAS,EAAE,EAAE,CAAC,CAAC,CAAC;IAChG;EACJ;EACA,MAAM6wE,SAAS,GAAGpsF,IAAI,KAAK,CAAC,CAAC,kCAAkCosB,4BAA4B,CAACv0B,IAAI,EAAEw0B,KAAK,CAAC,GAAGx0B,IAAI;EAC/G,MAAM+2D,MAAM,GAAGwwC,WAAW,IAAIn3D,kBAAkB,CAACm3D,WAAW,CAAC;EAC7D,MAAMv2D,MAAM,GAAG,EAAE;EACjB,IAAIsK,wBAAwB,CAACp8B,GAAG,CAACsoF,iBAAiB,CAAC,EAAE;IACjDx2D,MAAM,CAAC7yC,IAAI,CAAC,IAAIoa,OAAO,CAACivF,iBAAiB,EAAEn5F,YAAY,CAAC,CAAC;EAC7D;EACA,MAAMyzD,SAAS,GAAGntD,EAAE,CAACq8B,MAAM,EAAEt4B,UAAU,EAAEnK,aAAa,EAAE,IAAI,EAAEwoD,MAAM,CAAC;EACrE,MAAM5mD,MAAM,GAAG,CAAC0M,OAAO,CAAC03E,SAAS,CAAC,EAAEzyB,SAAS,CAAC;EAC9C,IAAItrC,MAAM,EAAE;IACRrmB,MAAM,CAAChS,IAAI,CAAC0e,OAAO,CAAC,KAAK,CAAC;IAAE;IAC5BhB,UAAU,CAACqrF,uBAAuB,CAACjlG,GAAG,CAACu0B,MAAM,CAAC,CAAC,CAAC;EACpD;EACA,OAAOrmB,MAAM;AACjB;AACA,SAAS43F,wBAAwBA,CAAA,EAAG;EAChC,OAAO;IACHC,iBAAiB,EAAE,EAAE;IACrBC,gBAAgB,EAAE,EAAE;IACpBC,gBAAgB,EAAE,IAAIznG,GAAG,CAAC;EAC9B,CAAC;AACL;AACA,MAAMk5D,yBAAyB,CAAC;EAC5Bp8D,WAAWA,CAAC6pC,YAAY,EAAE+gE,kBAAkB,EAAE14D,KAAK,GAAG,CAAC,EAAE24D,WAAW,EAAEC,WAAW,EAAEtJ,aAAa,EAAEuJ,YAAY,EAAEC,UAAU,EAAEC,uBAAuB,EAAEC,kBAAkB,EAAEC,WAAW,EAAEC,UAAU,GAAGZ,wBAAwB,CAAC,CAAC,EAAE;IAC3N,IAAI,CAAC3gE,YAAY,GAAGA,YAAY;IAChC,IAAI,CAACqI,KAAK,GAAGA,KAAK;IAClB,IAAI,CAAC24D,WAAW,GAAGA,WAAW;IAC9B,IAAI,CAACC,WAAW,GAAGA,WAAW;IAC9B,IAAI,CAACtJ,aAAa,GAAGA,aAAa;IAClC,IAAI,CAACuJ,YAAY,GAAGA,YAAY;IAChC,IAAI,CAACC,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACE,kBAAkB,GAAGA,kBAAkB;IAC5C,IAAI,CAACC,WAAW,GAAGA,WAAW;IAC9B,IAAI,CAACC,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACC,UAAU,GAAG,CAAC;IACnB,IAAI,CAACC,eAAe,GAAG,CAAC;IACxB,IAAI,CAACC,WAAW,GAAG,EAAE;IACrB;AACR;AACA;AACA;AACA;IACQ,IAAI,CAACC,gBAAgB,GAAG,EAAE;IAC1B;AACR;AACA;AACA;AACA;IACQ,IAAI,CAACC,cAAc,GAAG,EAAE;IACxB;IACA,IAAI,CAACC,aAAa,GAAG,CAAC;IACtB;IACA,IAAI,CAACC,cAAc,GAAG,EAAE;IACxB;AACR;AACA;AACA;AACA;AACA;IACQ,IAAI,CAACC,kBAAkB,GAAG,EAAE;IAC5B;IACA,IAAI,CAAC7iF,IAAI,GAAG,IAAI;IAChB;IACA,IAAI,CAAC8iF,kBAAkB,GAAG,CAAC;IAC3B;IACA,IAAI,CAACC,aAAa,GAAG,CAAC;IACtB;IACA;IACA;IACA,IAAI,CAACC,uBAAuB,GAAG,EAAE;IACjC;IACA;IACA,IAAI,CAACC,yBAAyB,GAAG,CAAC;IAClC;IACA;IACA,IAAI,CAACC,qBAAqB,GAAG,IAAI;IACjC;IACA,IAAI,CAAC5sE,cAAc,GAAGyJ,OAAO;IAC7B,IAAI,CAAC3J,aAAa,GAAG2J,OAAO;IAC5B,IAAI,CAAC7M,kBAAkB,GAAG6M,OAAO;IACjC,IAAI,CAACxM,mBAAmB,GAAGwM,OAAO;IAClC,IAAI,CAAClM,eAAe,GAAGkM,OAAO;IAC9B,IAAI,CAACojE,aAAa,GAAGtB,kBAAkB,CAACuB,WAAW,CAACj6D,KAAK,CAAC;IAC1D;IACA;IACA,IAAI,CAACk6D,mBAAmB,GAAGnB,uBAAuB,CAAC9oG,OAAO,CAAC,eAAe,EAAE,GAAG,CAAC,GAAG,GAAG;IACtF,IAAI,CAACkqG,eAAe,GAAG,IAAIC,cAAc,CAACziE,YAAY,EAAE,MAAM,IAAI,CAAC0iE,gBAAgB,CAAC,CAAC,EAAGC,QAAQ,IAAK,IAAI,CAACC,yBAAyB,CAACD,QAAQ,CAAC,EAAE,CAAC/pG,IAAI,EAAEgrD,SAAS,EAAEiC,IAAI,EAAEhtD,KAAK,KAAK;MAC7K,IAAI,CAACwpG,aAAa,CAACvnG,GAAG,CAAC,IAAI,CAACutC,KAAK,EAAEub,SAAS,EAAE/qD,KAAK,CAAC;MACpD,IAAI,CAACgqG,mBAAmB,CAAC,IAAI,EAAE/pF,WAAW,CAAC2G,IAAI,EAAE,CAAChK,OAAO,CAACowC,IAAI,CAAC,EAAEpwC,OAAO,CAAC7c,IAAI,CAAC,CAAC,CAAC;IACpF,CAAC,CAAC;EACN;EACAkqG,qBAAqBA,CAACxjG,KAAK,EAAE21B,SAAS,EAAE8tE,wBAAwB,GAAG,CAAC,EAAE7jF,IAAI,EAAE;IACxE,IAAI,CAACijF,yBAAyB,GAAGY,wBAAwB;IACzD,IAAI,IAAI,CAAC5B,UAAU,KAAKroF,WAAW,CAACI,aAAa,EAAE;MAC/C,IAAI,CAAC2pF,mBAAmB,CAAC,IAAI,EAAE,IAAI,CAAC1B,UAAU,CAAC;IACnD;IACA;IACAlsE,SAAS,CAACj8B,OAAO,CAACg5D,CAAC,IAAI,IAAI,CAACgxC,wBAAwB,CAAChxC,CAAC,CAAC,CAAC;IACxD;IACA;IACA;IACA;IACA,MAAMixC,eAAe,GAAG,IAAI,CAAChC,WAAW,IACnC7kE,cAAc,CAACld,IAAI,CAAC,IAAI,CAACmd,eAAe,CAACnd,IAAI,CAAC,IAC3C,EAAEgkF,uBAAuB,CAAC5jG,KAAK,CAAC,IAAIA,KAAK,CAAC,CAAC,CAAC,CAAC4f,IAAI,KAAKA,IAAI,CAAE;IACpE,MAAMikF,0BAA0B,GAAGC,mBAAmB,CAAC9jG,KAAK,CAAC;IAC7D,IAAI2jG,eAAe,EAAE;MACjB,IAAI,CAAC5jF,SAAS,CAAC,IAAI,EAAEH,IAAI,EAAEikF,0BAA0B,CAAC;IAC1D;IACA;IACA;IACA;IACA;IACAttE,UAAU,CAAC,IAAI,EAAEv2B,KAAK,CAAC;IACvB;IACA;IACA,IAAI,CAAC0iG,kBAAkB,IAAI,IAAI,CAACC,aAAa;IAC7C;IACA;IACA;IACA,IAAI,CAACO,eAAe,CAACa,qBAAqB,CAAC,IAAI,CAACpB,aAAa,CAAC;IAC9D;IACA;IACA,IAAI,CAACF,kBAAkB,CAAC/oG,OAAO,CAACsqG,eAAe,IAAIA,eAAe,CAAC,CAAC,CAAC;IACrE;IACA;IACA;IACA,IAAI,IAAI,CAACj7D,KAAK,KAAK,CAAC,IAAI,IAAI,CAAC65D,uBAAuB,CAACprG,MAAM,EAAE;MACzD,MAAM2hB,UAAU,GAAG,EAAE;MACrB;MACA;MACA;MACA,IAAI,IAAI,CAACypF,uBAAuB,CAACprG,MAAM,GAAG,CAAC,IAAI,IAAI,CAACorG,uBAAuB,CAAC,CAAC,CAAC,KAAK,GAAG,EAAE;QACpF,MAAMqB,eAAe,GAAG,IAAI,CAACrB,uBAAuB,CAACjnG,GAAG,CAAC2pB,CAAC,IAAIA,CAAC,KAAK,GAAG,GAAG9nB,yBAAyB,CAAC8nB,CAAC,CAAC,GAAGA,CAAC,CAAC;QAC3GnM,UAAU,CAAC1hB,IAAI,CAAC,IAAI,CAACipC,YAAY,CAAC9oB,eAAe,CAACgoB,SAAS,CAACqkE,eAAe,CAAC,EAAE,IAAI,CAAC,CAAC;MACxF;MACA;MACA;MACA;MACA,IAAI,CAACV,mBAAmB,CAAC,IAAI,EAAE/pF,WAAW,CAAC6G,aAAa,EAAElH,UAAU,EAAE,aAAc,IAAI,CAAC;IAC7F;IACA,IAAIwqF,eAAe,EAAE;MACjB,IAAI,CAAC3jF,OAAO,CAAC,IAAI,EAAE6jF,0BAA0B,CAAC;IAClD;IACA;IACA,MAAMK,kBAAkB,GAAG9iE,wBAAwB,CAAC,IAAI,CAACihE,gBAAgB,CAAC;IAC1E;IACA,MAAMngC,gBAAgB,GAAG9gC,wBAAwB,CAAC,IAAI,CAACkhE,cAAc,CAAC;IACtE;IACA;IACA;IACA,MAAM6B,iBAAiB,GAAG,IAAI,CAACpB,aAAa,CAACqB,sBAAsB,CAAC,CAAC;IACrE,MAAMC,eAAe,GAAG,IAAI,CAACtB,aAAa,CAAC5B,oBAAoB,CAAC,CAAC,CAAC9nG,MAAM,CAAC,IAAI,CAACmpG,cAAc,CAAC;IAC7F,MAAM8B,aAAa,GAAGJ,kBAAkB,CAAC1sG,MAAM,GAAG,CAAC,GAC/C,CAACkpG,qBAAqB,CAAC,CAAC,CAAC,+BAA+ByD,iBAAiB,CAAC9qG,MAAM,CAAC6qG,kBAAkB,CAAC,CAAC,CAAC,GACtG,EAAE;IACN,MAAMK,WAAW,GAAGriC,gBAAgB,CAAC1qE,MAAM,GAAG,CAAC,GAC3C,CAACkpG,qBAAqB,CAAC,CAAC,CAAC,+BAA+B2D,eAAe,CAAChrG,MAAM,CAAC6oE,gBAAgB,CAAC,CAAC,CAAC,GAClG,EAAE;IACN,OAAOj0D,EAAE;IACT;IACA,CAAC,IAAI4D,OAAO,CAACotB,YAAY,EAAE92B,WAAW,CAAC,EAAE,IAAI0J,OAAO,CAACmtB,YAAY,EAAE,IAAI,CAAC,CAAC,EAAE;IACvE;IACA,GAAG,IAAI,CAACojE,WAAW;IACnB;IACA,GAAGkC,aAAa;IAChB;IACA,GAAGC,WAAW,CACjB,EAAE18F,aAAa,EAAE,IAAI,EAAE,IAAI,CAAC+5F,YAAY,CAAC;EAC9C;EACA;EACAxpD,QAAQA,CAAC9+C,IAAI,EAAE;IACX,OAAO,IAAI,CAACypG,aAAa,CAACxnG,GAAG,CAACjC,IAAI,CAAC;EACvC;EACA;EACAs8C,yBAAyBA,CAAA,EAAG;IACxB,IAAI,CAACmtD,aAAa,CAACntD,yBAAyB,CAAC,CAAC;EAClD;EACA;EACAsC,gBAAgBA,CAAA,EAAG;IACf,IAAI,CAAC6qD,aAAa,CAAC7qD,gBAAgB,CAAC,CAAC;EACzC;EACAssD,aAAaA,CAAC7kG,OAAO,EAAE8J,MAAM,GAAG,CAAC,CAAC,EAAEslB,GAAG,EAAE01E,WAAW,EAAE;IAClD,MAAMC,IAAI,GAAG31E,GAAG,IAAI,IAAI,CAAC41E,wBAAwB,CAAC,CAAC;IACnD;IACA;IACA,MAAM3F,UAAU,GAAG,IAAI,CAAC4F,sBAAsB,CAACjlG,OAAO,CAACC,EAAE,CAAC;IAC1D,MAAMoS,UAAU,GAAG6yF,uBAAuB,CAACllG,OAAO,EAAE+kG,IAAI,EAAE1F,UAAU,EAAEv1F,MAAM,EAAEg7F,WAAW,CAAC;IAC1F,IAAI,CAACxC,UAAU,CAACX,iBAAiB,CAAC7pG,IAAI,CAAC,GAAGua,UAAU,CAAC;IACrD,OAAO0yF,IAAI;EACf;EACAhB,wBAAwBA,CAAC3E,UAAU,EAAE;IACjC,MAAM+F,UAAU,GAAG,IAAI,CAAC/B,aAAa,CAACgC,kBAAkB,CAAC,CAAC;IAC1D,MAAMC,cAAc,GAAG,IAAI,CAACj8D,KAAK;IACjC,MAAMx2B,GAAG,GAAG2C,QAAQ,CAAC6pF,UAAU,CAACzlG,IAAI,GAAGwrG,UAAU,CAAC;IAClD,IAAI,CAAC/B,aAAa,CAACvnG,GAAG,CAACwpG,cAAc,EAAEjG,UAAU,CAACzlG,IAAI,EAAEiZ,GAAG,EAAE,CAAC,CAAC,mCAAmC,CAACsjD,KAAK,EAAEovC,aAAa,KAAK;MACxH,IAAI96F,GAAG;MACP,IAAI0rD,KAAK,CAACmrC,YAAY,KAAKgE,cAAc,EAAE;QACvC,IAAInvC,KAAK,CAACqvC,eAAe,CAAC,CAAC,IAAIrvC,KAAK,CAACsvC,sBAAsB,CAAC,CAAC,EAAE;UAC3D;UACA;UACA;UACA;UACAh7F,GAAG,GAAG+K,QAAQ,CAACmqB,0BAA0B,CAAC;UAC1Cw2B,KAAK,CAACuvC,4BAA4B,CAAC,CAAC;QACxC,CAAC,MACI;UACD;UACAj7F,GAAG,GAAG+K,QAAQ,CAAC8pB,YAAY,CAAC;QAChC;MACJ,CAAC,MACI;QACD,MAAMqmE,YAAY,GAAGxvC,KAAK,CAACyvC,oBAAoB,CAACN,cAAc,CAAC;QAC/D;QACA76F,GAAG,GAAGk7F,YAAY,GAAGA,YAAY,GAAGE,uBAAuB,CAACN,aAAa,CAAC;MAC9E;MACA;MACA,OAAO,CAAC1yF,GAAG,CAAC/W,GAAG,CAAC2O,GAAG,CAACf,IAAI,CAAC21F,UAAU,CAACxlG,KAAK,IAAI4lC,kBAAkB,CAAC,CAAC,CAAC1xB,WAAW,CAAC,CAAC,CAAC;IACpF,CAAC,CAAC;EACN;EACA+3F,kBAAkBA,CAACh3F,WAAW,EAAE;IAC5B,IAAIA,WAAW,CAAChX,MAAM,GAAG,CAAC,EAAE;MACxBgX,WAAW,CAAC9U,OAAO,CAAC8H,UAAU,IAAI,IAAI,CAACoe,IAAI,CAACm5E,aAAa,CAACv3F,UAAU,CAAC,CAAC;IAC1E;EACJ;EACAikG,aAAaA,CAACC,KAAK,EAAE;IACjB,MAAM/O,KAAK,GAAG,CAAC,CAAC;IAChBj5F,MAAM,CAAC2D,IAAI,CAACqkG,KAAK,CAAC,CAAChsG,OAAO,CAAC4P,GAAG,IAAI;MAC9B,MAAMF,IAAI,GAAGs8F,KAAK,CAACp8F,GAAG,CAAC;MACvB,IAAIF,IAAI,YAAYopB,MAAM,EAAE;QACxBmkE,KAAK,CAACrtF,GAAG,CAAC,GAAG6M,OAAO,CAAC/M,IAAI,CAAC7P,KAAK,CAAC;MACpC,CAAC,MACI;QACD,MAAMA,KAAK,GAAG6P,IAAI,CAAC7P,KAAK,CAACiH,KAAK,CAAC,IAAI,CAAC0iG,eAAe,CAAC;QACpD,IAAI,CAAC97B,oBAAoB,CAAC7tE,KAAK,CAAC;QAChC,IAAIA,KAAK,YAAYk4C,eAAe,EAAE;UAClC,MAAM;YAAEjU,OAAO;YAAEhvB;UAAY,CAAC,GAAGjV,KAAK;UACtC,MAAM;YAAEqG,EAAE;YAAEqlD;UAAS,CAAC,GAAG,IAAI,CAACrlC,IAAI;UAClC,MAAM+lF,KAAK,GAAGpoE,uBAAuB,CAACC,OAAO,EAAEynB,QAAQ,CAACh/C,IAAI,EAAErG,EAAE,CAAC;UACjE,IAAI,CAAC4lG,kBAAkB,CAACh3F,WAAW,CAAC;UACpCmoF,KAAK,CAACrtF,GAAG,CAAC,GAAG6M,OAAO,CAACwvF,KAAK,CAAC;QAC/B;MACJ;IACJ,CAAC,CAAC;IACF,OAAOhP,KAAK;EAChB;EACA;EACAgO,wBAAwBA,CAAA,EAAG;IACvB,OAAOzvF,QAAQ,CAAC,IAAI,CAACwrB,YAAY,CAACpnB,UAAU,CAACgjB,sBAAsB,CAAC,CAAC;EACzE;EACA;EACAsoE,sBAAsBA,CAACgB,SAAS,EAAE;IAC9B,IAAItsG,IAAI;IACR,MAAM+oD,MAAM,GAAG,IAAI,CAAC4gD,mBAAmB,CAACz+E,WAAW,CAAC,CAAC;IACrD,IAAI,IAAI,CAACu9E,kBAAkB,EAAE;MACzB,MAAM7pG,MAAM,GAAGymC,yBAAyB,CAAC,WAAW,CAAC;MACrD,MAAMknE,YAAY,GAAG,IAAI,CAACnlE,YAAY,CAACpnB,UAAU,CAAC+oC,MAAM,CAAC;MACzD/oD,IAAI,GAAG,GAAGpB,MAAM,GAAGwxC,kBAAkB,CAACk8D,SAAS,CAAC,KAAKC,YAAY,EAAE;IACvE,CAAC,MACI;MACD,MAAM3tG,MAAM,GAAGymC,yBAAyB,CAAC0jB,MAAM,CAAC;MAChD/oD,IAAI,GAAG,IAAI,CAAConC,YAAY,CAACpnB,UAAU,CAACphB,MAAM,CAAC;IAC/C;IACA,OAAOgd,QAAQ,CAAC5b,IAAI,CAAC;EACzB;EACAwsG,aAAaA,CAACjlG,OAAO,EAAE;IACnB,MAAM;MAAEs3F,IAAI;MAAE7oE,IAAI;MAAEqpE,MAAM;MAAEC,UAAU;MAAEN;IAAU,CAAC,GAAGz3F,OAAO;IAC7D,IAAI83F,MAAM,IAAIC,UAAU,IAAI,CAACN,SAAS,IAAI,CAACv7D,eAAe,CAACzN,IAAI,CAAC,EAAE;MAC9DzuB,OAAO,CAACy3F,SAAS,GAAG,IAAI;MACxB,MAAMjiE,YAAY,GAAGx1B,OAAO,CAACg4F,yBAAyB,CAAC,CAAC;MACxD,IAAIkN,UAAU,GAAG,CAAC,CAAC;MACnB,IAAIt8F,MAAM,GAAG4sB,YAAY,CAACpwB,IAAI,GAAG63B,oBAAoB,CAACzH,YAAY,CAAC,GAAG,CAAC,CAAC;MACxE,IAAI8hE,IAAI,CAAClyF,IAAI,EAAE;QACXkyF,IAAI,CAACz+F,OAAO,CAAC,CAACm1B,IAAI,EAAEvlB,GAAG,KAAK;UACxB,IAAIulB,IAAI,CAACr3B,MAAM,KAAK,CAAC,EAAE;YACnB;YACA;YACAiS,MAAM,CAACH,GAAG,CAAC,GAAGulB,IAAI,CAAC,CAAC,CAAC;UACzB,CAAC,MACI;YACD;YACA;YACA,MAAMpe,WAAW,GAAG2sB,mBAAmB,CAAC,GAAGV,uBAAuB,GAAGpzB,GAAG,EAAE,CAAC;YAC3EG,MAAM,CAACH,GAAG,CAAC,GAAG6M,OAAO,CAAC1F,WAAW,CAAC;YAClCs1F,UAAU,CAACz8F,GAAG,CAAC,GAAGmM,UAAU,CAACoZ,IAAI,CAAC;UACtC;QACJ,CAAC,CAAC;MACN;MACA;MACA;MACA;MACA,MAAMm3E,mBAAmB,GAAGngF,KAAK,CAAC0C,IAAI,CAAC8N,YAAY,CAAC3gB,MAAM,CAAC,CAAC,CAAC,CAACwnB,IAAI,CAAE3jC,KAAK,IAAKA,KAAK,CAAC/B,MAAM,GAAG,CAAC,CAAC,IAC3FkG,MAAM,CAAC2D,IAAI,CAAC0kG,UAAU,CAAC,CAACvuG,MAAM;MAClC,IAAIitG,WAAW;MACf,IAAIuB,mBAAmB,EAAE;QACrBvB,WAAW,GAAIzzF,GAAG,IAAK;UACnB,MAAM9C,IAAI,GAAG,CAAC8C,GAAG,CAAC;UAClB,IAAItT,MAAM,CAAC2D,IAAI,CAAC0kG,UAAU,CAAC,CAACvuG,MAAM,EAAE;YAChC0W,IAAI,CAACzW,IAAI,CAACyyF,UAAU,CAAC6b,UAAU,EAAE,IAAI,CAAC,CAAC;UAC3C;UACA,OAAOtmE,iBAAiB,CAAC,IAAI,EAAEjmB,WAAW,CAAC0G,eAAe,EAAEhS,IAAI,CAAC;QACrE,CAAC;MACL;MACA,IAAI,CAACs2F,aAAa,CAACl1E,IAAI,EAAE7lB,MAAM,EAAE5I,OAAO,CAACkuB,GAAG,EAAE01E,WAAW,CAAC;IAC9D;EACJ;EACA1kF,SAASA,CAAC8L,IAAI,GAAG,IAAI,EAAEyD,IAAI,EAAE23D,WAAW,EAAE;IACtC,MAAMjjF,KAAK,GAAG,IAAI,CAACo/F,gBAAgB,CAAC,CAAC;IACrC,IAAI,CAACxjF,IAAI,GAAG,IAAI,CAAC+hF,WAAW,GACxB,IAAI,CAACA,WAAW,CAACnI,gBAAgB,CAACx1F,KAAK,EAAE,IAAI,CAACq0F,aAAa,EAAE/oE,IAAI,CAAC,GAClE,IAAI8oE,WAAW,CAACp0F,KAAK,EAAE,IAAI,CAAC2gG,wBAAwB,CAAC,CAAC,EAAE,CAAC,EAAE,IAAI,CAACtM,aAAa,EAAE/oE,IAAI,CAAC;IACxF;IACA,MAAM;MAAE1vB,EAAE;MAAEmvB;IAAI,CAAC,GAAG,IAAI,CAACnP,IAAI;IAC7B,MAAMnW,MAAM,GAAG,CAAC0M,OAAO,CAACnS,KAAK,CAAC,EAAE,IAAI,CAACiiG,WAAW,CAACl3E,GAAG,CAAC,CAAC;IACtD,IAAInvB,EAAE,GAAG,CAAC,EAAE;MACR;MACA;MACA6J,MAAM,CAAChS,IAAI,CAAC0e,OAAO,CAACvW,EAAE,CAAC,CAAC;IAC5B;IACA,IAAI,CAAC2jG,mBAAmB,CAAC13E,IAAI,EAAEo7D,WAAW,GAAGztE,WAAW,CAACoG,IAAI,GAAGpG,WAAW,CAACuG,SAAS,EAAEtW,MAAM,CAAC;EAClG;EACAuW,OAAOA,CAAC6L,IAAI,GAAG,IAAI,EAAEo7D,WAAW,EAAE;IAC9B,IAAI,CAAC,IAAI,CAACrnE,IAAI,EAAE;MACZ,MAAM,IAAI5nB,KAAK,CAAC,kDAAkD,CAAC;IACvE;IACA,IAAI,IAAI,CAAC2pG,WAAW,EAAE;MAClB,IAAI,CAACA,WAAW,CAAClI,qBAAqB,CAAC,IAAI,CAAC75E,IAAI,CAAC;MACjD,IAAI,CAACkmF,aAAa,CAAC,IAAI,CAACnE,WAAW,CAAC;IACxC,CAAC,MACI;MACD,IAAI,CAACmE,aAAa,CAAC,IAAI,CAAClmF,IAAI,CAAC;IACjC;IACA;IACA,MAAM;MAAE5b,KAAK;MAAEihD;IAAS,CAAC,GAAG,IAAI,CAACrlC,IAAI;IACrC,IAAIqlC,QAAQ,CAACh/C,IAAI,EAAE;MACf,KAAK,MAAMqzD,OAAO,IAAIrU,QAAQ,EAAE;QAC5B;QACA;QACA;QACA,IAAI,CAACihD,4BAA4B,CAAC,IAAI,CAACC,aAAa,CAAC,CAAC,GAAG,CAAC,EAAEt6E,IAAI,EAAErS,WAAW,CAACsG,OAAO,EAAE,MAAM,IAAI,CAACo2B,sBAAsB,CAACojB,OAAO,CAAC,CAAC;MACtI;MACA,IAAI,CAAC8sC,iBAAiB,CAACv6E,IAAI,EAAErS,WAAW,CAACyG,SAAS,EAAE,CAAC9J,OAAO,CAACnS,KAAK,CAAC,CAAC,CAAC;IACzE;IACA,IAAI,CAACijF,WAAW,EAAE;MACd,IAAI,CAACsc,mBAAmB,CAAC13E,IAAI,EAAErS,WAAW,CAACwG,OAAO,CAAC;IACvD;IACA,IAAI,CAACJ,IAAI,GAAG,IAAI,CAAC,CAAC;EACtB;EACAymF,yBAAyBA,CAACC,SAAS,EAAEtvG,KAAK,EAAEmS,UAAU,EAAE;IACpD,IAAIw7D,WAAW,GAAG,KAAK;IACvB,MAAM4hC,YAAY,GAAG,EAAE;IACvBvvG,KAAK,CAAC0C,OAAO,CAACjB,IAAI,IAAI;MAClB,MAAMkH,OAAO,GAAGlH,IAAI,CAACmnB,IAAI;MACzB,MAAM4mF,SAAS,GAAG/tG,IAAI,CAACc,KAAK,CAACiH,KAAK,CAAC,IAAI,CAAC0iG,eAAe,CAAC;MACxD,IAAI,CAAC97B,oBAAoB,CAACo/B,SAAS,CAAC;MACpC,IAAIA,SAAS,YAAY/0D,eAAe,EAAE;QACtC,MAAMpb,YAAY,GAAG2H,6BAA6B,CAACr+B,OAAO,CAAC;QAC3D,MAAM8J,MAAM,GAAGq0B,oBAAoB,CAACzH,YAAY,CAAC;QACjDkwE,YAAY,CAAC9uG,IAAI,CAAC0e,OAAO,CAAC1d,IAAI,CAACa,IAAI,CAAC,EAAE,IAAI,CAACkrG,aAAa,CAAC7kG,OAAO,EAAE8J,MAAM,CAAC,CAAC;QAC1E+8F,SAAS,CAACh4F,WAAW,CAAC9U,OAAO,CAAC8H,UAAU,IAAI;UACxCmjE,WAAW,GAAG,IAAI;UAClB,IAAI,CAACuhC,4BAA4B,CAACI,SAAS,EAAEn9F,UAAU,EAAEqQ,WAAW,CAACsG,OAAO,EAAE,MAAM,IAAI,CAACo2B,sBAAsB,CAAC10C,UAAU,CAAC,CAAC;QAChI,CAAC,CAAC;MACN;IACJ,CAAC,CAAC;IACF,IAAI+kG,YAAY,CAAC/uG,MAAM,GAAG,CAAC,EAAE;MACzB,MAAMwM,KAAK,GAAGmS,OAAO,CAAC,IAAI,CAACitF,gBAAgB,CAAC,CAAC,CAAC;MAC9C,MAAMpoC,UAAU,GAAG,IAAI,CAACirC,WAAW,CAACxwF,UAAU,CAAC8wF,YAAY,CAAC,CAAC;MAC7D,IAAI,CAAChD,mBAAmB,CAACp6F,UAAU,EAAEqQ,WAAW,CAACqG,cAAc,EAAE,CAAC7b,KAAK,EAAEg3D,UAAU,CAAC,CAAC;MACrF,IAAI2J,WAAW,EAAE;QACb,IAAI,CAACyhC,iBAAiB,CAACj9F,UAAU,EAAEqQ,WAAW,CAACyG,SAAS,EAAE,CAACjc,KAAK,CAAC,CAAC;MACtE;IACJ;EACJ;EACAyiG,uBAAuBA,CAACljC,YAAY,EAAE;IAClC,QAAQA,YAAY;MAChB,KAAK,MAAM;QACP,OAAO/pD,WAAW,CAACK,eAAe;MACtC,KAAK,KAAK;QACN,OAAOL,WAAW,CAACM,YAAY;MACnC;QACI,OAAON,WAAW,CAACI,aAAa;IACxC;EACJ;EACA8sF,uBAAuBA,CAACC,aAAa,EAAE7vG,OAAO,EAAE;IAC5C,IAAI,CAAC+qG,UAAU,GAAG8E,aAAa;IAC/B,IAAI,CAACpD,mBAAmB,CAACzsG,OAAO,CAACi9B,eAAe,EAAE4yE,aAAa,CAAC;EACpE;EACA;AACJ;AACA;AACA;EACIC,6BAA6BA,CAAC9yC,WAAW,EAAE+yC,YAAY,EAAE7sD,QAAQ,EAAE11B,KAAK,EAAE/qB,KAAK,EAAEkQ,MAAM,EAAE;IACrF,IAAI,CAACy8F,4BAA4B,CAACW,YAAY,EAAEviF,KAAK,CAACnb,UAAU,EAAE2qD,WAAW,EAAE,MAAM,CAAC39C,OAAO,CAAC6jC,QAAQ,CAAC,EAAE,GAAG,IAAI,CAAC8sD,6BAA6B,CAACvtG,KAAK,CAAC,EAAE,GAAGkQ,MAAM,CAAC,CAAC;EACtK;EACAqsB,YAAYA,CAACixE,SAAS,EAAE;IACpB,MAAMxgD,IAAI,GAAG,IAAI,CAAC68C,gBAAgB,CAAC,CAAC;IACpC,MAAM4D,iBAAiB,GAAG,IAAI,CAACnE,yBAAyB,GAAG,IAAI,CAACD,uBAAuB,CAACprG,MAAM;IAC9F,MAAM2hB,UAAU,GAAG,CAAChD,OAAO,CAACowC,IAAI,CAAC,CAAC;IAClC,IAAI,CAACq8C,uBAAuB,CAACnrG,IAAI,CAACsvG,SAAS,CAAC5vG,QAAQ,CAAC;IACrD,MAAM8vG,0BAA0B,GAAGF,SAAS,CAACpzE,UAAU,CAAC1a,MAAM,CAACxgB,IAAI,IAAIA,IAAI,CAACa,IAAI,CAACE,WAAW,CAAC,CAAC,KAAK6mG,sBAAsB,CAAC;IAC1H,MAAM1sE,UAAU,GAAG,IAAI,CAACuzE,uBAAuB,CAACH,SAAS,CAACztG,IAAI,EAAE2tG,0BAA0B,EAAE,EAAE,EAAE,EAAE,CAAC;IACnG,IAAItzE,UAAU,CAACn8B,MAAM,GAAG,CAAC,EAAE;MACvB2hB,UAAU,CAAC1hB,IAAI,CAAC0e,OAAO,CAAC6wF,iBAAiB,CAAC,EAAEvxF,UAAU,CAACke,UAAU,CAAC,CAAC;IACvE,CAAC,MACI,IAAIqzE,iBAAiB,KAAK,CAAC,EAAE;MAC9B7tF,UAAU,CAAC1hB,IAAI,CAAC0e,OAAO,CAAC6wF,iBAAiB,CAAC,CAAC;IAC/C;IACA,IAAI,CAACzD,mBAAmB,CAACwD,SAAS,CAAC59F,UAAU,EAAEqQ,WAAW,CAAC4G,UAAU,EAAEjH,UAAU,CAAC;IAClF,IAAI,IAAI,CAACyG,IAAI,EAAE;MACX,IAAI,CAACA,IAAI,CAAC25E,gBAAgB,CAACwN,SAAS,CAACnnF,IAAI,EAAE2mC,IAAI,CAAC;IACpD;EACJ;EACAtyB,YAAYA,CAACn9B,OAAO,EAAE;IAClB,MAAM+vG,YAAY,GAAG,IAAI,CAACzD,gBAAgB,CAAC,CAAC;IAC5C,MAAM+D,cAAc,GAAG,IAAI3iC,cAAc,CAAC,IAAI,CAAC;IAC/C,IAAI4iC,iBAAiB,GAAG,KAAK;IAC7B,MAAMjS,iBAAiB,GAAGr4D,cAAc,CAAChmC,OAAO,CAAC8oB,IAAI,CAAC,IAAI,CAACmd,eAAe,CAACjmC,OAAO,CAAC8oB,IAAI,CAAC;IACxF,MAAMynF,WAAW,GAAG,EAAE;IACtB,MAAM,CAAC9jC,YAAY,EAAEpmE,WAAW,CAAC,GAAG2mD,WAAW,CAAChtD,OAAO,CAACwC,IAAI,CAAC;IAC7D,MAAMguG,eAAe,GAAGtjD,aAAa,CAACltD,OAAO,CAACwC,IAAI,CAAC;IACnD;IACA,KAAK,MAAMb,IAAI,IAAI3B,OAAO,CAAC68B,UAAU,EAAE;MACnC,MAAM;QAAEr6B,IAAI;QAAEC;MAAM,CAAC,GAAGd,IAAI;MAC5B,IAAIa,IAAI,KAAK8lC,iBAAiB,EAAE;QAC5BgoE,iBAAiB,GAAG,IAAI;MAC5B,CAAC,MACI,IAAI9tG,IAAI,KAAK,OAAO,EAAE;QACvB6tG,cAAc,CAAC9gC,iBAAiB,CAAC9sE,KAAK,CAAC;MAC3C,CAAC,MACI,IAAID,IAAI,KAAK,OAAO,EAAE;QACvB6tG,cAAc,CAAC7gC,iBAAiB,CAAC/sE,KAAK,CAAC;MAC3C,CAAC,MACI;QACD8tG,WAAW,CAAC5vG,IAAI,CAACgB,IAAI,CAAC;MAC1B;IACJ;IACA;IACA,MAAM0gB,UAAU,GAAG,CAAChD,OAAO,CAAC0wF,YAAY,CAAC,CAAC;IAC1C,IAAI,CAACS,eAAe,EAAE;MAClBnuF,UAAU,CAAC1hB,IAAI,CAAC0e,OAAO,CAAChZ,WAAW,CAAC,CAAC;IACzC;IACA;IACA,MAAMoqG,cAAc,GAAG,EAAE;IACzB,MAAMC,cAAc,GAAG,EAAE;IACzB1wG,OAAO,CAAC88B,MAAM,CAACl6B,OAAO,CAAC4qB,KAAK,IAAI;MAC5B,MAAMmjF,kBAAkB,GAAGN,cAAc,CAAC5hC,kBAAkB,CAACjhD,KAAK,CAAC;MACnE,IAAI,CAACmjF,kBAAkB,EAAE;QACrB,IAAInjF,KAAK,CAAC7iB,IAAI,KAAK,CAAC,CAAC,8BAA8B6iB,KAAK,CAAC1E,IAAI,EAAE;UAC3D4nF,cAAc,CAAC/vG,IAAI,CAAC6sB,KAAK,CAAC;QAC9B,CAAC,MACI;UACDijF,cAAc,CAAC9vG,IAAI,CAAC6sB,KAAK,CAAC;QAC9B;MACJ;IACJ,CAAC,CAAC;IACF;IACA,MAAMqP,UAAU,GAAG,IAAI,CAACuzE,uBAAuB,CAACpwG,OAAO,CAACwC,IAAI,EAAE+tG,WAAW,EAAEE,cAAc,EAAEzwG,OAAO,CAAC+8B,OAAO,EAAEszE,cAAc,EAAE,EAAE,EAAEK,cAAc,CAAC;IAC/IruF,UAAU,CAAC1hB,IAAI,CAAC,IAAI,CAACiwG,gBAAgB,CAAC/zE,UAAU,CAAC,CAAC;IAClD;IACA,MAAM9E,IAAI,GAAG,IAAI,CAAC84E,gBAAgB,CAAC7wG,OAAO,CAACg9B,UAAU,CAAC;IACtD3a,UAAU,CAAC1hB,IAAI,CAAC,IAAI,CAACwuG,WAAW,CAACp3E,IAAI,CAAC,CAAC;IACvC,MAAM+4E,cAAc,GAAG,IAAI,CAAC/F,UAAU;IACtC,MAAMgG,gBAAgB,GAAG,IAAI,CAACpB,uBAAuB,CAACljC,YAAY,CAAC;IACnE;IACA;IACA,IAAIskC,gBAAgB,KAAKD,cAAc,EAAE;MACrC,IAAI,CAAClB,uBAAuB,CAACmB,gBAAgB,EAAE/wG,OAAO,CAAC;IAC3D;IACA,IAAI,IAAI,CAAC8oB,IAAI,EAAE;MACX,IAAI,CAACA,IAAI,CAACy5E,aAAa,CAACviG,OAAO,CAAC8oB,IAAI,EAAEinF,YAAY,CAAC;IACvD;IACA;IACA;IACA,MAAMiB,WAAW,GAAI,CAAC3S,iBAAiB,IAAI,IAAI,CAACv1E,IAAI,GAAI,CAACkkF,mBAAmB,CAAChtG,OAAO,CAACkK,QAAQ,CAAC,GAC1FlK,OAAO,CAACkK,QAAQ,CAACxJ,MAAM,GAAG,CAAC;IAC/B,MAAMuwG,4BAA4B,GAAG,CAACZ,cAAc,CAACviC,oBAAoB,IACrE9tE,OAAO,CAAC+8B,OAAO,CAACr8B,MAAM,KAAK,CAAC,IAAIgwG,cAAc,CAAChwG,MAAM,KAAK,CAAC,IAAI,CAACswG,WAAW;IAC/E,MAAME,gCAAgC,GAAG,CAACD,4BAA4B,IAAIjE,mBAAmB,CAAChtG,OAAO,CAACkK,QAAQ,CAAC;IAC/G,IAAI+mG,4BAA4B,EAAE;MAC9B,IAAI,CAACxE,mBAAmB,CAACzsG,OAAO,CAACqS,UAAU,EAAEm+F,eAAe,GAAG9tF,WAAW,CAACwB,gBAAgB,GAAGxB,WAAW,CAAC1iB,OAAO,EAAEypC,iBAAiB,CAACpnB,UAAU,CAAC,CAAC;IACrJ,CAAC,MACI;MACD,IAAI,CAACoqF,mBAAmB,CAACzsG,OAAO,CAACi9B,eAAe,EAAEuzE,eAAe,GAAG9tF,WAAW,CAACsB,qBAAqB,GAAGtB,WAAW,CAACO,YAAY,EAAEwmB,iBAAiB,CAACpnB,UAAU,CAAC,CAAC;MAChK,IAAIiuF,iBAAiB,EAAE;QACnB,IAAI,CAAC7D,mBAAmB,CAACzsG,OAAO,CAACi9B,eAAe,EAAEva,WAAW,CAAC4D,eAAe,CAAC;MAClF;MACA,IAAIoqF,cAAc,CAAChwG,MAAM,GAAG,CAAC,EAAE;QAC3B,IAAI,CAAC6uG,yBAAyB,CAACQ,YAAY,EAAEW,cAAc,EAAE1wG,OAAO,CAACi9B,eAAe,IAAIj9B,OAAO,CAACqS,UAAU,CAAC;MAC/G;MACA;MACA,IAAIrS,OAAO,CAAC+8B,OAAO,CAACr8B,MAAM,GAAG,CAAC,EAAE;QAC5B,KAAK,MAAMywG,SAAS,IAAInxG,OAAO,CAAC+8B,OAAO,EAAE;UACrC,IAAI,CAAC0vE,mBAAmB,CAAC0E,SAAS,CAAC9+F,UAAU,EAAEqQ,WAAW,CAACiK,QAAQ,EAAE,IAAI,CAACykF,wBAAwB,CAACpxG,OAAO,CAACwC,IAAI,EAAE2uG,SAAS,EAAEpB,YAAY,CAAC,CAAC;QAC9I;MACJ;MACA;MACA;MACA,IAAI1R,iBAAiB,EAAE;QACnB,IAAI,CAACp1E,SAAS,CAACjpB,OAAO,CAACi9B,eAAe,EAAEj9B,OAAO,CAAC8oB,IAAI,EAAEooF,gCAAgC,CAAC;MAC3F;IACJ;IACA;IACA;IACA;IACA;IACA,MAAMG,mBAAmB,GAAGhB,cAAc,CAACr/B,4BAA4B,CAAC,IAAI,CAACo7B,eAAe,CAAC;IAC7F,MAAMkF,KAAK,GAAGD,mBAAmB,CAAC3wG,MAAM,GAAG,CAAC;IAC5C,KAAK,IAAIoB,CAAC,GAAG,CAAC,EAAEA,CAAC,IAAIwvG,KAAK,EAAExvG,CAAC,EAAE,EAAE;MAC7B,MAAMk7D,WAAW,GAAGq0C,mBAAmB,CAACvvG,CAAC,CAAC;MAC1C,IAAI,CAAC+pG,aAAa,IAAI,IAAI,CAAC0F,+BAA+B,CAACxB,YAAY,EAAE/yC,WAAW,CAAC;IACzF;IACA;IACA;IACA;IACA,MAAMw0C,yBAAyB,GAAGnyF,OAAO,CAACgP,SAAS,CAAC;IACpD,MAAMojF,gBAAgB,GAAG,EAAE;IAC3B,MAAMC,iBAAiB,GAAG,EAAE;IAC5B;IACAjB,cAAc,CAAC7tG,OAAO,CAAC4qB,KAAK,IAAI;MAC5B,MAAMmkF,SAAS,GAAGnkF,KAAK,CAAC7iB,IAAI;MAC5B,IAAIgnG,SAAS,KAAK,CAAC,CAAC,6BAA6B;QAC7C,MAAMlvG,KAAK,GAAG+qB,KAAK,CAAC/qB,KAAK,CAACiH,KAAK,CAAC,IAAI,CAAC0iG,eAAe,CAAC;QACrD;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACA;QACA,MAAMwF,QAAQ,GAAGnvG,KAAK,YAAY43C,gBAAgB,GAAG,CAAC,CAAC53C,KAAK,CAACA,KAAK,GAAG,IAAI;QACzE,IAAI,CAAC6tE,oBAAoB,CAAC7tE,KAAK,CAAC;QAChCgvG,gBAAgB,CAAC9wG,IAAI,CAAC;UAClBo0B,IAAI,EAAEvH,KAAK,CAACnb,UAAU;UACtBu4B,UAAU,EAAEinE,wBAAwB,CAAC,MAAMD,QAAQ,GAAG,IAAI,CAACxyD,sBAAsB,CAAC38C,KAAK,CAAC,GAAG+uG,yBAAyB,EAAE16E,4BAA4B,CAACtJ,KAAK,CAAChrB,IAAI,CAAC;QAClK,CAAC,CAAC;MACN,CAAC,MACI;QACD;QACA;QACA,IAAIgrB,KAAK,CAAC1E,IAAI,EACV;QACJ,MAAMrmB,KAAK,GAAG+qB,KAAK,CAAC/qB,KAAK,CAACiH,KAAK,CAAC,IAAI,CAAC0iG,eAAe,CAAC;QACrD,IAAI3pG,KAAK,KAAK4rB,SAAS,EAAE;UACrB,MAAM1b,MAAM,GAAG,EAAE;UACjB,MAAM,CAACm/F,aAAa,EAAE5uD,QAAQ,CAAC,GAAG8J,WAAW,CAACx/B,KAAK,CAAChrB,IAAI,CAAC;UACzD,MAAMuvG,kBAAkB,GAAGJ,SAAS,KAAK,CAAC,CAAC;UAC3C,IAAIK,eAAe,GAAGC,qBAAqB,CAACzkF,KAAK,CAAC0O,eAAe,EAAE61E,kBAAkB,CAAC;UACtF,IAAI,CAACC,eAAe,EAAE;YAClB;YACA;YACA;YACA;YACA,IAAIE,eAAe,CAAClyG,OAAO,CAACwC,IAAI,CAAC,IAAIygD,6BAA6B,CAACz1B,KAAK,CAAChrB,IAAI,CAAC,EAAE;cAC5EwvG,eAAe,GAAG3zF,UAAU,CAACqE,WAAW,CAAC2K,uBAAuB,CAAC;YACrE;UACJ;UACA,IAAI2kF,eAAe,EAAE;YACjBr/F,MAAM,CAAChS,IAAI,CAACqxG,eAAe,CAAC;UAChC;UACA,IAAIF,aAAa,EAAE;YACf,MAAMK,gBAAgB,GAAG9yF,OAAO,CAACyyF,aAAa,CAAC;YAC/C,IAAIE,eAAe,EAAE;cACjBr/F,MAAM,CAAChS,IAAI,CAACwxG,gBAAgB,CAAC;YACjC,CAAC,MACI;cACD;cACA;cACAx/F,MAAM,CAAChS,IAAI,CAAC0e,OAAO,CAAC,IAAI,CAAC,EAAE8yF,gBAAgB,CAAC;YAChD;UACJ;UACA,IAAI,CAAC7hC,oBAAoB,CAAC7tE,KAAK,CAAC;UAChC,IAAIkvG,SAAS,KAAK,CAAC,CAAC,4BAA4B;YAC5C,IAAIlvG,KAAK,YAAYk4C,eAAe,EAAE;cAClC;cACA,IAAI,CAACm1D,6BAA6B,CAACsC,kCAAkC,CAAC3vG,KAAK,CAAC,EAAEstG,YAAY,EAAE7sD,QAAQ,EAAE11B,KAAK,EAAE/qB,KAAK,EAAEkQ,MAAM,CAAC;YAC/H,CAAC,MACI;cACD;cACA;cACA8+F,gBAAgB,CAAC9wG,IAAI,CAAC;gBAClBo0B,IAAI,EAAEvH,KAAK,CAACnb,UAAU;gBACtBu4B,UAAU,EAAEinE,wBAAwB,CAAC,MAAM,IAAI,CAACzyD,sBAAsB,CAAC38C,KAAK,CAAC,EAAEygD,QAAQ,EAAEvwC,MAAM;cACnG,CAAC,CAAC;YACN;UACJ,CAAC,MACI,IAAIg/F,SAAS,KAAK,CAAC,CAAC,6BAA6B;YAClD,IAAIlvG,KAAK,YAAYk4C,eAAe,IAAIvQ,0BAA0B,CAAC3nC,KAAK,CAAC,GAAG,CAAC,EAAE;cAC3E;cACA,IAAI,CAACqtG,6BAA6B,CAACuC,mCAAmC,CAAC5vG,KAAK,CAAC,EAAEstG,YAAY,EAAE7sD,QAAQ,EAAE11B,KAAK,EAAE/qB,KAAK,EAAEkQ,MAAM,CAAC;YAChI,CAAC,MACI;cACD,MAAM2/F,UAAU,GAAG7vG,KAAK,YAAYk4C,eAAe,GAAGl4C,KAAK,CAACiV,WAAW,CAAC,CAAC,CAAC,GAAGjV,KAAK;cAClF;cACA;cACAivG,iBAAiB,CAAC/wG,IAAI,CAAC;gBACnBo0B,IAAI,EAAEvH,KAAK,CAACnb,UAAU;gBACtBu4B,UAAU,EAAEinE,wBAAwB,CAAC,MAAM,IAAI,CAACzyD,sBAAsB,CAACkzD,UAAU,CAAC,EAAEpvD,QAAQ,EAAEvwC,MAAM;cACxG,CAAC,CAAC;YACN;UACJ,CAAC,MACI;YACD;YACA,IAAI,CAACy8F,4BAA4B,CAACW,YAAY,EAAEviF,KAAK,CAACnb,UAAU,EAAEqQ,WAAW,CAACqB,SAAS,EAAE,MAAM;cAC3F,OAAO,CACH1E,OAAO,CAAC0wF,YAAY,CAAC,EAAE1wF,OAAO,CAAC6jC,QAAQ,CAAC,EAAE,IAAI,CAAC9D,sBAAsB,CAAC38C,KAAK,CAAC,EAC5E,GAAGkQ,MAAM,CACZ;YACL,CAAC,CAAC;UACN;QACJ;MACJ;IACJ,CAAC,CAAC;IACF,KAAK,MAAM4/F,eAAe,IAAId,gBAAgB,EAAE;MAC5C,IAAI,CAACrC,4BAA4B,CAACW,YAAY,EAAEwC,eAAe,CAACx9E,IAAI,EAAErS,WAAW,CAACyF,QAAQ,EAAEoqF,eAAe,CAAC3nE,UAAU,CAAC;IAC3H;IACA,KAAK,MAAM4nE,gBAAgB,IAAId,iBAAiB,EAAE;MAC9C,IAAI,CAACtC,4BAA4B,CAACW,YAAY,EAAEyC,gBAAgB,CAACz9E,IAAI,EAAErS,WAAW,CAACjhB,SAAS,EAAE+wG,gBAAgB,CAAC5nE,UAAU,CAAC;IAC9H;IACA;IACAnL,UAAU,CAAC,IAAI,EAAEz/B,OAAO,CAACkK,QAAQ,CAAC;IAClC,IAAI,CAACm0F,iBAAiB,IAAI,IAAI,CAACv1E,IAAI,EAAE;MACjC,IAAI,CAACA,IAAI,CAACy5E,aAAa,CAACviG,OAAO,CAAC8oB,IAAI,EAAEinF,YAAY,EAAE,IAAI,CAAC;IAC7D;IACA,IAAI,CAACkB,4BAA4B,EAAE;MAC/B;MACA,MAAMl8E,IAAI,GAAG/0B,OAAO,CAACk9B,aAAa,IAAIl9B,OAAO,CAACqS,UAAU;MACxD,IAAIgsF,iBAAiB,EAAE;QACnB,IAAI,CAACn1E,OAAO,CAAC6L,IAAI,EAAEm8E,gCAAgC,CAAC;MACxD;MACA,IAAIZ,iBAAiB,EAAE;QACnB,IAAI,CAAC7D,mBAAmB,CAAC13E,IAAI,EAAErS,WAAW,CAAC2D,cAAc,CAAC;MAC9D;MACA,IAAI,CAAComF,mBAAmB,CAAC13E,IAAI,EAAEy7E,eAAe,GAAG9tF,WAAW,CAACuB,mBAAmB,GAAGvB,WAAW,CAACQ,UAAU,CAAC;IAC9G;EACJ;EACA4b,aAAaA,CAACtnB,QAAQ,EAAE;IACpB,MAAMi7F,oBAAoB,GAAG,aAAa;IAC1C,MAAMlR,aAAa,GAAG,IAAI,CAAC+K,gBAAgB,CAAC,CAAC;IAC7C,IAAI,IAAI,CAACxjF,IAAI,EAAE;MACX,IAAI,CAACA,IAAI,CAACu5E,cAAc,CAAC7qF,QAAQ,CAACsR,IAAI,EAAEy4E,aAAa,CAAC;IAC1D;IACA,MAAMz0B,uBAAuB,GAAGt1D,QAAQ,CAACoI,OAAO,GAAGotC,WAAW,CAACx1C,QAAQ,CAACoI,OAAO,CAAC,CAAC,CAAC,CAAC,GAAGpI,QAAQ,CAACoI,OAAO;IACtG,MAAMgrF,WAAW,GAAG,GAAG,IAAI,CAACA,WAAW,GAAGpzF,QAAQ,CAACoI,OAAO,GAAG,GAAG,GAAGgzB,kBAAkB,CAACp7B,QAAQ,CAACoI,OAAO,CAAC,GAAG,EAAE,IAAI2hF,aAAa,EAAE;IAC/H,MAAMuJ,YAAY,GAAG,GAAGF,WAAW,WAAW;IAC9C,MAAMvoF,UAAU,GAAG,CACfhD,OAAO,CAACkiF,aAAa,CAAC,EACtBnjF,QAAQ,CAAC0sF,YAAY,CAAC;IACtB;IACA;IACAzrF,OAAO,CAACytD,uBAAuB,CAAC,CACnC;IACD;IACA,MAAM4lC,UAAU,GAAG,IAAI,CAACtC,uBAAuB,CAACqC,oBAAoB,EAAEj7F,QAAQ,CAACqlB,UAAU,EAAErlB,QAAQ,CAACslB,MAAM,EAAEtlB,QAAQ,CAACulB,OAAO,EAAE1O,SAAS,CAAC,cAAc7W,QAAQ,CAAConB,aAAa,CAAC;IAC7Kvc,UAAU,CAAC1hB,IAAI,CAAC,IAAI,CAACiwG,gBAAgB,CAAC8B,UAAU,CAAC,CAAC;IAClD;IACA,IAAIl7F,QAAQ,CAACwlB,UAAU,IAAIxlB,QAAQ,CAACwlB,UAAU,CAACt8B,MAAM,EAAE;MACnD,MAAMq3B,IAAI,GAAG,IAAI,CAAC84E,gBAAgB,CAACr5F,QAAQ,CAACwlB,UAAU,CAAC;MACvD3a,UAAU,CAAC1hB,IAAI,CAAC,IAAI,CAACwuG,WAAW,CAACp3E,IAAI,CAAC,CAAC;MACvC1V,UAAU,CAAC1hB,IAAI,CAAC0d,UAAU,CAACqE,WAAW,CAACoH,oBAAoB,CAAC,CAAC;IACjE;IACA;IACA,MAAM6oF,eAAe,GAAG,IAAIx2C,yBAAyB,CAAC,IAAI,CAACvyB,YAAY,EAAE,IAAI,CAACqiE,aAAa,EAAE,IAAI,CAACh6D,KAAK,GAAG,CAAC,EAAE24D,WAAW,EAAE,IAAI,CAAC9hF,IAAI,EAAEy4E,aAAa,EAAEuJ,YAAY,EAAE,IAAI,CAACC,UAAU,EAAE,IAAI,CAACoB,mBAAmB,EAAE,IAAI,CAAClB,kBAAkB,EAAE,IAAI,CAACC,WAAW,EAAE,IAAI,CAACC,UAAU,CAAC;IACxQ;IACA;IACA;IACA;IACA,IAAI,CAACQ,kBAAkB,CAAChrG,IAAI,CAAC,MAAM;MAC/B,MAAMiyG,oBAAoB,GAAGD,eAAe,CAACjG,qBAAqB,CAACl1F,QAAQ,CAACtN,QAAQ,EAAEsN,QAAQ,CAACqnB,SAAS,EAAE,IAAI,CAACitE,uBAAuB,CAACprG,MAAM,GAAG,IAAI,CAACqrG,yBAAyB,EAAEv0F,QAAQ,CAACsR,IAAI,CAAC;MAC9L,IAAI,CAAC8gB,YAAY,CAAC1uB,UAAU,CAACva,IAAI,CAACiyG,oBAAoB,CAACn8F,UAAU,CAACq0F,YAAY,CAAC,CAAC;MAChF,IAAI6H,eAAe,CAAC7G,uBAAuB,CAACprG,MAAM,EAAE;QAChD,IAAI,CAACorG,uBAAuB,CAACnrG,IAAI,CAAC,GAAGgyG,eAAe,CAAC7G,uBAAuB,CAAC;MACjF;IACJ,CAAC,CAAC;IACF;IACA,IAAI,CAACW,mBAAmB,CAACj1F,QAAQ,CAACnF,UAAU,EAAEqQ,WAAW,CAACyD,cAAc,EAAE,MAAM;MAC5E9D,UAAU,CAACwuE,MAAM,CAAC,CAAC,EAAE,CAAC,EAAExxE,OAAO,CAACszF,eAAe,CAACtD,aAAa,CAAC,CAAC,CAAC,EAAEhwF,OAAO,CAACszF,eAAe,CAACE,WAAW,CAAC,CAAC,CAAC,CAAC;MACzG,OAAOppE,iBAAiB,CAACpnB,UAAU,CAAC;IACxC,CAAC,CAAC;IACF;IACA,IAAI,CAACywF,wBAAwB,CAACvR,aAAa,EAAE/pF,QAAQ,CAAConB,aAAa,CAAC;IACpE;IACA,IAAIkuC,uBAAuB,KAAK2lC,oBAAoB,EAAE;MAClD,MAAM,CAACM,UAAU,EAAEj2E,MAAM,CAAC,GAAG/M,cAAc,CAACvY,QAAQ,CAACslB,MAAM,EAAEoJ,WAAW,CAAC;MACzE;MACA;MACA;MACA;MACA,IAAI6sE,UAAU,CAACryG,MAAM,GAAG,CAAC,EAAE;QACvB,IAAI,CAAC6uG,yBAAyB,CAAChO,aAAa,EAAEwR,UAAU,EAAEv7F,QAAQ,CAACylB,eAAe,IAAIzlB,QAAQ,CAACnF,UAAU,CAAC;MAC9G;MACA;MACA,IAAIyqB,MAAM,CAACp8B,MAAM,GAAG,CAAC,EAAE;QACnB,IAAI,CAACoyG,wBAAwB,CAACvR,aAAa,EAAEzkE,MAAM,CAAC;MACxD;MACA;MACA,KAAK,MAAMq0E,SAAS,IAAI35F,QAAQ,CAACulB,OAAO,EAAE;QACtC,IAAI,CAAC0vE,mBAAmB,CAAC0E,SAAS,CAAC9+F,UAAU,EAAEqQ,WAAW,CAACiK,QAAQ,EAAE,IAAI,CAACykF,wBAAwB,CAAC,aAAa,EAAED,SAAS,EAAE5P,aAAa,CAAC,CAAC;MAChJ;IACJ;EACJ;EACA3lE,cAAcA,CAAC9xB,IAAI,EAAE;IACjB,IAAI,IAAI,CAACgf,IAAI,EAAE;MACX,MAAMrmB,KAAK,GAAGqH,IAAI,CAACrH,KAAK,CAACiH,KAAK,CAAC,IAAI,CAAC0iG,eAAe,CAAC;MACpD,IAAI,CAAC97B,oBAAoB,CAAC7tE,KAAK,CAAC;MAChC,IAAIA,KAAK,YAAYk4C,eAAe,EAAE;QAClC,IAAI,CAAC7xB,IAAI,CAACq5E,eAAe,CAACr4F,IAAI,CAACgf,IAAI,CAAC;QACpC,IAAI,CAAC4lF,kBAAkB,CAACjsG,KAAK,CAACiV,WAAW,CAAC;MAC9C;MACA;IACJ;IACA,MAAM83F,SAAS,GAAG,IAAI,CAAClD,gBAAgB,CAAC,CAAC;IACzC,IAAI,CAACG,mBAAmB,CAAC3iG,IAAI,CAACuI,UAAU,EAAEqQ,WAAW,CAAC5Y,IAAI,EAAE,CAACuV,OAAO,CAACmwF,SAAS,CAAC,CAAC,CAAC;IACjF,MAAM/sG,KAAK,GAAGqH,IAAI,CAACrH,KAAK,CAACiH,KAAK,CAAC,IAAI,CAAC0iG,eAAe,CAAC;IACpD,IAAI,CAAC97B,oBAAoB,CAAC7tE,KAAK,CAAC;IAChC,IAAIA,KAAK,YAAYk4C,eAAe,EAAE;MAClC,IAAI,CAACy0D,4BAA4B,CAACI,SAAS,EAAE1lG,IAAI,CAACuI,UAAU,EAAE2gG,8BAA8B,CAACvwG,KAAK,CAAC,EAAE,MAAM,IAAI,CAACutG,6BAA6B,CAACvtG,KAAK,CAAC,CAAC;IACzJ,CAAC,MACI;MACD6rB,KAAK,CAAC,6DAA6D,CAAC;IACxE;EACJ;EACAzkB,SAASA,CAACC,IAAI,EAAE;IACZ;IACA;IACA;IACA,IAAI,CAAC,IAAI,CAACgf,IAAI,EAAE;MACZ,IAAI,CAAC2jF,mBAAmB,CAAC3iG,IAAI,CAACuI,UAAU,EAAEqQ,WAAW,CAAC5Y,IAAI,EAAE,CAACuV,OAAO,CAAC,IAAI,CAACitF,gBAAgB,CAAC,CAAC,CAAC,EAAEjtF,OAAO,CAACvV,IAAI,CAACrH,KAAK,CAAC,CAAC,CAAC;IACxH;EACJ;EACA2H,QAAQA,CAACC,GAAG,EAAE;IACV,IAAI4oG,cAAc,GAAG,KAAK;IAC1B;IACA;IACA;IACA,IAAI,CAAC,IAAI,CAACnqF,IAAI,EAAE;MACZmqF,cAAc,GAAG,IAAI;MACrB,IAAI,CAAChqF,SAAS,CAAC,IAAI,EAAE5e,GAAG,CAACye,IAAI,EAAE,IAAI,CAAC;IACxC;IACA,MAAMA,IAAI,GAAG,IAAI,CAACA,IAAI;IACtB,MAAMwW,IAAI,GAAG,IAAI,CAACqvE,aAAa,CAACtkG,GAAG,CAACi1B,IAAI,CAAC;IACzC,MAAMC,YAAY,GAAG,IAAI,CAACovE,aAAa,CAACtkG,GAAG,CAACk1B,YAAY,CAAC;IACzD;IACA,MAAM12B,OAAO,GAAGwB,GAAG,CAACye,IAAI;IACxB;IACA;IACA;IACA;IACA;IACA,MAAM6kF,WAAW,GAAIzzF,GAAG,IAAK;MACzB,MAAMvH,MAAM,GAAG;QAAE,GAAG2sB,IAAI;QAAE,GAAGC;MAAa,CAAC;MAC3C,MAAM2zE,SAAS,GAAG5rE,+BAA+B,CAAC30B,MAAM,EAAE,kBAAmB,KAAK,CAAC;MACnF,OAAOg2B,iBAAiB,CAAC,IAAI,EAAEjmB,WAAW,CAAC0G,eAAe,EAAE,CAAClP,GAAG,EAAEk5E,UAAU,CAAC8f,SAAS,EAAE,IAAI,CAAC,CAAC,CAAC;IACnG,CAAC;IACD;IACA;IACA;IACA;IACA;IACA,IAAIjtE,eAAe,CAACnd,IAAI,CAAC0P,IAAI,CAAC,EAAE;MAC5B,IAAI,CAACk1E,aAAa,CAAC7kG,OAAO,EAAE,kBAAmB,CAAC,CAAC,EAAEigB,IAAI,CAACmP,GAAG,EAAE01E,WAAW,CAAC;IAC7E,CAAC,MACI;MACD;MACA,MAAM11E,GAAG,GAAG,IAAI,CAACy1E,aAAa,CAAC7kG,OAAO,EAAE,kBAAmB,CAAC,CAAC,EAAE,SAAUwlB,SAAS,EAAEs/E,WAAW,CAAC;MAChG7kF,IAAI,CAACo5E,SAAS,CAAC77D,kBAAkB,CAACx9B,OAAO,CAAC,CAACrG,IAAI,EAAEy1B,GAAG,CAAC;IACzD;IACA,IAAIg7E,cAAc,EAAE;MAChB,IAAI,CAAC/pF,OAAO,CAAC,IAAI,EAAE,IAAI,CAAC;IAC5B;IACA,OAAO,IAAI;EACf;EACAwV,kBAAkBA,CAACgB,QAAQ,EAAE;IACzB,MAAM6hE,aAAa,GAAG,IAAI,CAAC+K,gBAAgB,CAAC,CAAC;IAC7C,MAAM6G,YAAY,GAAG,IAAI,CAACjI,WAAW,CAACzmG,GAAG,CAACi7B,QAAQ,CAAC;IACnD,MAAMkrE,WAAW,GAAG,GAAG,IAAI,CAACA,WAAW,UAAUrJ,aAAa,EAAE;IAChE,MAAM6R,UAAU,GAAG,GAAGxI,WAAW,SAAS;IAC1C,MAAMvoF,UAAU,GAAG,CACfhD,OAAO,CAACkiF,aAAa,CAAC,EACtB4R,YAAY,GAAG/0F,QAAQ,CAACg1F,UAAU,CAAC,GAAG59F,eAAe,CACxD;IACD,IAAI29F,YAAY,EAAE;MACd;MACA,MAAME,aAAa,GAAG,EAAE;MACxB,KAAK,MAAMC,WAAW,IAAIH,YAAY,EAAE;QACpC,IAAIG,WAAW,CAACC,YAAY,EAAE;UAC1B;UACA,MAAMC,OAAO,GAAGr8F,EAAE,CAAC,CAAC,IAAI4D,OAAO,CAAC,GAAG,EAAElK,YAAY,CAAC,CAAC,EAAE,CAAC,IAAI4M,eAAe,CAACW,QAAQ,CAAC,GAAG,CAAC,CAAC9L,IAAI,CAACghG,WAAW,CAACG,UAAU,CAAC,CAAC,CAAC,CAAC;UACvH,MAAMC,QAAQ,GAAGJ,WAAW,CAACK,UAAU;UACvC;UACA,MAAMt1F,UAAU,GAAI,IAAI3D,iBAAiB,CAACg5F,QAAQ,CAAC,CAAEphG,IAAI,CAAC,MAAM,CAAC,CAACI,MAAM,CAAC,CAAC8gG,OAAO,CAAC,CAAC;UACnFH,aAAa,CAAC1yG,IAAI,CAAC0d,UAAU,CAAC;QAClC,CAAC,MACI;UACD;UACAg1F,aAAa,CAAC1yG,IAAI,CAAC2yG,WAAW,CAAC3oG,IAAI,CAAC;QACxC;MACJ;MACA,MAAMipG,UAAU,GAAG,EAAE;MACrBA,UAAU,CAACjzG,IAAI,CAAC,IAAI8c,eAAe,CAACkB,UAAU,CAAC00F,aAAa,CAAC,CAAC,CAAC;MAC/D,MAAMQ,UAAU,GAAG18F,EAAE,CAAC,EAAE,CAAC,YAAYy8F,UAAU,EAAE7iG,aAAa,EAAE,IAAI,EAAEqiG,UAAU,CAAC;MACjF,IAAI,CAACxpE,YAAY,CAAC1uB,UAAU,CAACva,IAAI,CAACkzG,UAAU,CAACp9F,UAAU,CAAC28F,UAAU,CAAC,CAAC;IACxE;IACA;IACA,IAAI,CAAC3G,mBAAmB,CAAC/sE,QAAQ,CAACrtB,UAAU,EAAEqQ,WAAW,CAAC0D,KAAK,EAAE,MAAM;MACnE,OAAOqjB,iBAAiB,CAACpnB,UAAU,CAAC;IACxC,CAAC,CAAC;EACN;EACA;EACAgb,oBAAoBA,CAACuC,OAAO,EAAE,CAAE;EAChC5B,6BAA6BA,CAAC2B,KAAK,EAAE,CAAE;EACvCtB,uBAAuBA,CAACsB,KAAK,EAAE,CAAE;EACjCxB,yBAAyBA,CAACwB,KAAK,EAAE,CAAE;EACnC2sE,gBAAgBA,CAAA,EAAG;IACf,OAAO,IAAI,CAAClB,UAAU,EAAE;EAC5B;EACAiE,aAAaA,CAAA,EAAG;IACZ,OAAO,IAAI,CAACjE,UAAU;EAC1B;EACAyH,WAAWA,CAAA,EAAG;IACV,OAAO,IAAI,CAACjH,kBAAkB;EAClC;EACAkI,SAASA,CAAA,EAAG;IACR,OAAO,IAAI,CAAC3I,UAAU;EAC1B;EACA4I,qBAAqBA,CAAA,EAAG;IACpB,OAAO,IAAI,CAACjI,uBAAuB,CAACprG,MAAM,GACtC,IAAI,CAACkpC,YAAY,CAAC9oB,eAAe,CAACgoB,SAAS,CAAC,IAAI,CAACgjE,uBAAuB,CAAC,EAAE,IAAI,CAAC,GAChF,IAAI;EACZ;EACAkI,cAAcA,CAAA,EAAG;IACb,OAAO,GAAG,IAAI,CAAC3I,eAAe,EAAE,EAAE;EACtC;EACAyH,wBAAwBA,CAACvR,aAAa,EAAErhG,KAAK,EAAE;IAC3C,MAAMuxG,gBAAgB,GAAG,EAAE;IAC3B,KAAK,MAAMjkF,KAAK,IAAIttB,KAAK,EAAE;MACvB,IAAI,EAAEstB,KAAK,YAAYyO,cAAc,CAAC,EAAE;QACpC;MACJ;MACA,MAAMx5B,KAAK,GAAG+qB,KAAK,CAAC/qB,KAAK,CAACiH,KAAK,CAAC,IAAI,CAAC0iG,eAAe,CAAC;MACrD,IAAI3pG,KAAK,KAAK4rB,SAAS,EAAE;QACrB;MACJ;MACA,IAAI,CAACiiD,oBAAoB,CAAC7tE,KAAK,CAAC;MAChC,IAAIA,KAAK,YAAYk4C,eAAe,EAAE;QAClC;QACA;QACA;QACA,MAAMhoC,MAAM,GAAG,EAAE;QACjB;QACA,IAAI,CAACm9F,6BAA6B,CAACsC,kCAAkC,CAAC3vG,KAAK,CAAC,EAAE8+F,aAAa,EAAE/zE,KAAK,CAAChrB,IAAI,EAAEgrB,KAAK,EAAE/qB,KAAK,EAAEkQ,MAAM,CAAC;MAClI,CAAC,MACI;QACD;QACA8+F,gBAAgB,CAAC9wG,IAAI,CAAC;UAClBo0B,IAAI,EAAEvH,KAAK,CAACnb,UAAU;UACtBu4B,UAAU,EAAEinE,wBAAwB,CAAC,MAAM,IAAI,CAACzyD,sBAAsB,CAAC38C,KAAK,CAAC,EAAE+qB,KAAK,CAAChrB,IAAI;QAC7F,CAAC,CAAC;MACN;IACJ;IACA,KAAK,MAAM+vG,eAAe,IAAId,gBAAgB,EAAE;MAC5C,IAAI,CAACrC,4BAA4B,CAAC7N,aAAa,EAAEgR,eAAe,CAACx9E,IAAI,EAAErS,WAAW,CAACyF,QAAQ,EAAEoqF,eAAe,CAAC3nE,UAAU,CAAC;IAC5H;EACJ;EACA;EACA;EACA;EACA;EACAqpE,aAAaA,CAACC,GAAG,EAAEn/E,IAAI,EAAEvL,SAAS,EAAEohB,UAAU,EAAE+rB,OAAO,GAAG,KAAK,EAAE;IAC7Du9C,GAAG,CAACv9C,OAAO,GAAG,SAAS,GAAG,MAAM,CAAC,CAAC;MAAE5hC,IAAI;MAAEvL,SAAS;MAAEohB;IAAW,CAAC,CAAC;EACtE;EACA2mE,+BAA+BA,CAACxB,YAAY,EAAE/yC,WAAW,EAAE;IACvD,IAAIsT,oBAAoB,GAAG,CAAC;IAC5B,IAAItT,WAAW,EAAE;MACb,KAAK,MAAMpb,IAAI,IAAIob,WAAW,CAACqT,KAAK,EAAE;QAClCC,oBAAoB,IAAI1uB,IAAI,CAAC0uB,oBAAoB;QACjD,IAAI,CAAC8+B,4BAA4B,CAACW,YAAY,EAAEnuD,IAAI,CAACvvC,UAAU,EAAE2qD,WAAW,CAACxzC,SAAS,EAAE,MAAMo4B,IAAI,CAACjvC,MAAM,CAAClQ,KAAK,IAAKm/C,IAAI,CAACpB,qBAAqB,IAAI/9C,KAAK,YAAYk4C,eAAe,GAC9K,IAAI,CAACq1D,6BAA6B,CAACvtG,KAAK,CAAC,GACzC,IAAI,CAAC28C,sBAAsB,CAAC38C,KAAK,CAAC,CAAC,CAAC;MAC5C;IACJ;IACA,OAAO6tE,oBAAoB;EAC/B;EACAm8B,mBAAmBA,CAAC13E,IAAI,EAAEvL,SAAS,EAAEohB,UAAU,EAAE+rB,OAAO,EAAE;IACtD,IAAI,CAACs9C,aAAa,CAAC,IAAI,CAAC1I,gBAAgB,EAAEx2E,IAAI,EAAEvL,SAAS,EAAEohB,UAAU,IAAI,EAAE,EAAE+rB,OAAO,CAAC;EACzF;EACAy4C,4BAA4BA,CAACI,SAAS,EAAEz6E,IAAI,EAAEvL,SAAS,EAAEohB,UAAU,EAAE;IACjE,IAAI,CAACupE,gCAAgC,CAAC3E,SAAS,EAAEz6E,IAAI,CAAC;IACtD,IAAI,CAACu6E,iBAAiB,CAACv6E,IAAI,EAAEvL,SAAS,EAAEohB,UAAU,CAAC;EACvD;EACA0kE,iBAAiBA,CAACv6E,IAAI,EAAEvL,SAAS,EAAEohB,UAAU,EAAE;IAC3C,IAAI,CAACqpE,aAAa,CAAC,IAAI,CAACzI,cAAc,EAAEz2E,IAAI,EAAEvL,SAAS,EAAEohB,UAAU,IAAI,EAAE,CAAC;EAC9E;EACAupE,gCAAgCA,CAAC3E,SAAS,EAAEz6E,IAAI,EAAE;IAC9C,IAAIy6E,SAAS,KAAK,IAAI,CAAC/D,aAAa,EAAE;MAClC,MAAM56D,KAAK,GAAG2+D,SAAS,GAAG,IAAI,CAAC/D,aAAa;MAC5C,IAAI56D,KAAK,GAAG,CAAC,EAAE;QACX,MAAM,IAAI3vC,KAAK,CAAC,0CAA0C,CAAC;MAC/D;MACA,IAAI,CAAC+yG,aAAa,CAAC,IAAI,CAACzI,cAAc,EAAEz2E,IAAI,EAAErS,WAAW,CAACS,OAAO,EAAE,CAAC9D,OAAO,CAACwxB,KAAK,CAAC,CAAC,CAAC;MACpF,IAAI,CAAC46D,aAAa,GAAG+D,SAAS;IAClC;EACJ;EACAhD,yBAAyBA,CAACD,QAAQ,EAAE;IAChC,MAAM6H,aAAa,GAAG,IAAI,CAACxI,kBAAkB;IAC7C,IAAI,CAACA,kBAAkB,IAAIW,QAAQ;IACnC,OAAO6H,aAAa;EACxB;EACA9jC,oBAAoBA,CAAC7tE,KAAK,EAAE;IACxB,IAAI,CAACopG,aAAa,IAAIppG,KAAK,YAAYk4C,eAAe,GAAGl4C,KAAK,CAACiV,WAAW,CAAChX,MAAM,GAAG,CAAC;EACzF;EACA;AACJ;AACA;AACA;EACI2zG,uBAAuBA,CAAA,EAAG;IACtB,IAAI,IAAI,CAACrI,qBAAqB,EAAE;MAC5B,OAAO,IAAI,CAACA,qBAAqB;IACrC;IACA,OAAO,IAAI,CAACA,qBAAqB,GAAG,IAAI,CAAC/5D,KAAK,KAAK,CAAC,GAChD7zB,QAAQ,CAAC8pB,YAAY,CAAC,GACtB,IAAI,CAAC+jE,aAAa,CAAC9B,2BAA2B,CAAC,CAAC,CAAC;EACzD;EACA/qD,sBAAsBA,CAAC38C,KAAK,EAAE;IAC1B,MAAM6xG,wBAAwB,GAAGl1D,sBAAsB,CAAC,IAAI,EAAE,IAAI,CAACi1D,uBAAuB,CAAC,CAAC,EAAE5xG,KAAK,EAAE,IAAI,CAACuxG,cAAc,CAAC,CAAC,CAAC;IAC3H,MAAMO,OAAO,GAAGD,wBAAwB,CAACn1D,WAAW;IACpD,IAAI,CAACusD,cAAc,CAAC/qG,IAAI,CAAC,GAAG2zG,wBAAwB,CAACp2F,KAAK,CAAC;IAC3D,OAAOq2F,OAAO;EAClB;EACA;AACJ;AACA;AACA;AACA;AACA;EACIvE,6BAA6BA,CAACvtG,KAAK,EAAE;IACjC,MAAM;MAAE2U,IAAI;MAAE8G;IAAM,CAAC,GAAGshC,sBAAsB,CAAC,IAAI,EAAE,IAAI,CAAC60D,uBAAuB,CAAC,CAAC,EAAE5xG,KAAK,EAAE,IAAI,CAACuxG,cAAc,CAAC,CAAC,CAAC;IAClH,IAAI,CAACtI,cAAc,CAAC/qG,IAAI,CAAC,GAAGud,KAAK,CAAC;IAClC,OAAO9G,IAAI;EACf;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIg5F,uBAAuBA,CAAC/pG,WAAW,EAAEmuG,gBAAgB,EAAE13E,MAAM,EAAEC,OAAO,EAAEkxB,MAAM,EAAErvB,aAAa,GAAG,EAAE,EAAE8xE,cAAc,GAAG,EAAE,EAAE;IACrH,MAAM+D,WAAW,GAAG,IAAI/rE,GAAG,CAAC,CAAC;IAC7B,MAAMgsE,SAAS,GAAG,EAAE;IACpB,IAAIC,eAAe;IACnB,KAAK,MAAMhzG,IAAI,IAAI6yG,gBAAgB,EAAE;MACjC,IAAI7yG,IAAI,CAACa,IAAI,KAAKgnG,uBAAuB,EAAE;QACvCmL,eAAe,GAAGhzG,IAAI;MAC1B;MACA;MACA;MACA,IAAIA,IAAI,CAACmnB,IAAI,EAAE;QACX;QACA;QACA;QACA;QACA;QACA,MAAM;UAAE4hF;QAAiB,CAAC,GAAG,IAAI,CAACS,UAAU;QAC5C,IAAIyJ,UAAU;QACd,IAAIlK,gBAAgB,CAAChpF,GAAG,CAAC/f,IAAI,CAACmnB,IAAI,CAAC,EAAE;UACjC8rF,UAAU,GAAGlK,gBAAgB,CAACjmG,GAAG,CAAC9C,IAAI,CAACmnB,IAAI,CAAC;QAChD,CAAC,MACI;UACD8rF,UAAU,GAAG,IAAI,CAAClH,aAAa,CAAC/rG,IAAI,CAACmnB,IAAI,CAAC;UAC1C4hF,gBAAgB,CAAChmG,GAAG,CAAC/C,IAAI,CAACmnB,IAAI,EAAE8rF,UAAU,CAAC;QAC/C;QACAF,SAAS,CAAC/zG,IAAI,CAAC0e,OAAO,CAAC1d,IAAI,CAACa,IAAI,CAAC,EAAEoyG,UAAU,CAAC;MAClD,CAAC,MACI;QACDF,SAAS,CAAC/zG,IAAI,CAAC,GAAGk0G,wBAAwB,CAAClzG,IAAI,CAACa,IAAI,CAAC,EAAEsyG,qBAAqB,CAACzuG,WAAW,EAAE1E,IAAI,CAAC,CAAC;MACpG;IACJ;IACA;IACA;IACA,IAAIgzG,eAAe,EAAE;MACjBD,SAAS,CAAC/zG,IAAI,CAAC,GAAGo0G,qBAAqB,CAACJ,eAAe,CAAC,CAAC;IAC7D;IACA,SAASK,WAAWA,CAACxiG,GAAG,EAAE/P,KAAK,EAAE;MAC7B,IAAI,OAAO+P,GAAG,KAAK,QAAQ,EAAE;QACzB,IAAI,CAACiiG,WAAW,CAAC/yF,GAAG,CAAClP,GAAG,CAAC,EAAE;UACvBkiG,SAAS,CAAC/zG,IAAI,CAAC,GAAGk0G,wBAAwB,CAACriG,GAAG,CAAC,CAAC;UAChD/P,KAAK,KAAK4rB,SAAS,IAAIqmF,SAAS,CAAC/zG,IAAI,CAAC8B,KAAK,CAAC;UAC5CgyG,WAAW,CAACptG,GAAG,CAACmL,GAAG,CAAC;QACxB;MACJ,CAAC,MACI;QACDkiG,SAAS,CAAC/zG,IAAI,CAAC0e,OAAO,CAAC7M,GAAG,CAAC,CAAC;MAChC;IACJ;IACA;IACA;IACA;IACA,IAAIy7C,MAAM,EAAE;MACRA,MAAM,CAACwhB,2BAA2B,CAACilC,SAAS,CAAC;IACjD;IACA,IAAI53E,MAAM,CAACp8B,MAAM,IAAIq8B,OAAO,CAACr8B,MAAM,EAAE;MACjC,MAAMu0G,uBAAuB,GAAGP,SAAS,CAACh0G,MAAM;MAChD,KAAK,IAAIoB,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGg7B,MAAM,CAACp8B,MAAM,EAAEoB,CAAC,EAAE,EAAE;QACpC,MAAM0rB,KAAK,GAAGsP,MAAM,CAACh7B,CAAC,CAAC;QACvB;QACA;QACA,IAAI0rB,KAAK,CAAC7iB,IAAI,KAAK,CAAC,CAAC,+BAA+B6iB,KAAK,CAAC7iB,IAAI,KAAK,CAAC,CAAC,6BAA6B;UAC9FqqG,WAAW,CAACxnF,KAAK,CAAChrB,IAAI,CAAC;QAC3B;MACJ;MACA,KAAK,IAAIV,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGi7B,OAAO,CAACr8B,MAAM,EAAEoB,CAAC,EAAE,EAAE;QACrC,MAAMugD,MAAM,GAAGtlB,OAAO,CAACj7B,CAAC,CAAC;QACzB,IAAIugD,MAAM,CAAC13C,IAAI,KAAK,CAAC,CAAC,iCAAiC;UACnDqqG,WAAW,CAAC3yD,MAAM,CAAC7/C,IAAI,CAAC;QAC5B;MACJ;MACA;MACA;MACA;MACA;MACA,IAAIkyG,SAAS,CAACh0G,MAAM,KAAKu0G,uBAAuB,EAAE;QAC9CP,SAAS,CAAC7jB,MAAM,CAACokB,uBAAuB,EAAE,CAAC,EAAE51F,OAAO,CAAC,CAAC,CAAC,mCAAmC,CAAC,CAAC;MAChG;IACJ;IACA,IAAIuf,aAAa,CAACl+B,MAAM,EAAE;MACtBg0G,SAAS,CAAC/zG,IAAI,CAAC0e,OAAO,CAAC,CAAC,CAAC,mCAAmC,CAAC,CAAC;MAC9Duf,aAAa,CAACh8B,OAAO,CAACjB,IAAI,IAAIqzG,WAAW,CAACrzG,IAAI,CAACa,IAAI,CAAC,CAAC;IACzD;IACA,IAAIkuG,cAAc,CAAChwG,MAAM,EAAE;MACvBg0G,SAAS,CAAC/zG,IAAI,CAAC0e,OAAO,CAAC,CAAC,CAAC,+BAA+B,CAAC,CAAC;MAC1DqxF,cAAc,CAAC9tG,OAAO,CAACjB,IAAI,IAAIqzG,WAAW,CAACrzG,IAAI,CAACa,IAAI,CAAC,CAAC;IAC1D;IACA,OAAOkyG,SAAS;EACpB;EACAvF,WAAWA,CAACzkG,UAAU,EAAE;IACpB,IAAI8U,MAAM,CAAC9U,UAAU,CAAC,EAAE;MACpB,OAAO8K,eAAe;IAC1B;IACA,MAAM6kD,MAAM,GAAG,IAAI,CAAC8wC,UAAU,CAACV,gBAAgB;IAC/C;IACA,KAAK,IAAI3oG,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGu4D,MAAM,CAAC35D,MAAM,EAAEoB,CAAC,EAAE,EAAE;MACpC,IAAIu4D,MAAM,CAACv4D,CAAC,CAAC,CAACgQ,YAAY,CAACpH,UAAU,CAAC,EAAE;QACpC,OAAO2U,OAAO,CAACvd,CAAC,CAAC;MACrB;IACJ;IACA,OAAOud,OAAO,CAACg7C,MAAM,CAAC15D,IAAI,CAAC+J,UAAU,CAAC,GAAG,CAAC,CAAC;EAC/C;EACAkmG,gBAAgBA,CAAC1wG,KAAK,EAAE;IACpB,OAAOA,KAAK,CAACQ,MAAM,GAAG,CAAC,GAAG,IAAI,CAACyuG,WAAW,CAACxwF,UAAU,CAACze,KAAK,CAAC,CAAC,GAAGsV,eAAe;EACnF;EACAq7F,gBAAgBA,CAAC7zE,UAAU,EAAE;IACzB,IAAI,CAACA,UAAU,IAAIA,UAAU,CAACt8B,MAAM,KAAK,CAAC,EAAE;MACxC,OAAO8U,eAAe;IAC1B;IACA,MAAM0/F,SAAS,GAAGl4E,UAAU,CAAComC,OAAO,CAAC55C,SAAS,IAAI;MAC9C,MAAMimC,IAAI,GAAG,IAAI,CAAC68C,gBAAgB,CAAC,CAAC;MACpC;MACA,MAAM6I,YAAY,GAAG,IAAI,CAAClJ,aAAa,CAACgC,kBAAkB,CAAC,CAAC;MAC5D,MAAMC,cAAc,GAAG,IAAI,CAACj8D,KAAK;MACjC,MAAMx2B,GAAG,GAAG2C,QAAQ,CAAC+2F,YAAY,CAAC;MAClC,IAAI,CAAClJ,aAAa,CAACvnG,GAAG,CAACwpG,cAAc,EAAE1kF,SAAS,CAAChnB,IAAI,EAAEiZ,GAAG,EAAE,CAAC,CAAC,mCAAmC,CAACsjD,KAAK,EAAEovC,aAAa,KAAK;QACvH;QACA,MAAMiH,eAAe,GAAGjH,aAAa,GAAG,CAAC,GAAG,CAACM,uBAAuB,CAACN,aAAa,CAAC,CAACx4F,MAAM,CAAC,CAAC,CAAC,GAAG,EAAE;QAClG;QACA,MAAM0/F,OAAO,GAAG55F,GAAG,CAAC/W,GAAG,CAAC2Z,UAAU,CAACqE,WAAW,CAAC8G,SAAS,CAAC,CAAC9W,MAAM,CAAC,CAAC2M,OAAO,CAACowC,IAAI,CAAC,CAAC,CAAC,CAAC;QAClF,OAAO2lD,eAAe,CAAC7yG,MAAM,CAAC8yG,OAAO,CAAC1+F,WAAW,CAAC,CAAC,CAAC;MACxD,CAAC,EAAE,IAAI,CAAC;MACR,OAAO,CAAC6S,SAAS,CAAChnB,IAAI,EAAEgnB,SAAS,CAAC/mB,KAAK,CAAC;IAC5C,CAAC,CAAC;IACF,OAAOqmC,SAAS,CAACosE,SAAS,CAAC;EAC/B;EACA9D,wBAAwBA,CAACxxF,OAAO,EAAEuxF,SAAS,EAAEjkG,KAAK,EAAE;IAChD,OAAO,MAAM;MACT,MAAM6pF,SAAS,GAAGoa,SAAS,CAAC3uG,IAAI;MAChC,MAAM8yG,aAAa,GAAGnE,SAAS,CAACxmG,IAAI,KAAK,CAAC,CAAC;MACvC;MACAysB,oCAAoC,CAAC2/D,SAAS,EAAEoa,SAAS,CAACn6E,KAAK,CAAC,GAChE4b,kBAAkB,CAACmkD,SAAS,CAAC;MACjC,MAAMgT,WAAW,GAAG,GAAG,IAAI,CAACe,YAAY,IAAIlrF,OAAO,IAAI01F,aAAa,IAAIpoG,KAAK,WAAW;MACxF,MAAM6xD,KAAK,GAAG,IAAI,CAACktC,aAAa,CAACC,WAAW,CAAC,IAAI,CAACD,aAAa,CAAC/B,YAAY,EAAET,2BAA2B,CAAC;MAC1G,OAAOI,8BAA8B,CAACsH,SAAS,EAAEpH,WAAW,EAAEhrC,KAAK,CAAC;IACxE,CAAC;EACL;AACJ;AACA,MAAMstC,cAAc,SAAS1vD,6BAA6B,CAAC;EACvD58C,WAAWA,CAAC6pC,YAAY,EAAE2rE,YAAY,EAAE/I,yBAAyB,EAAE5gF,UAAU,EAAE;IAC3E,KAAK,CAAC,CAAC;IACP,IAAI,CAACge,YAAY,GAAGA,YAAY;IAChC,IAAI,CAAC2rE,YAAY,GAAGA,YAAY;IAChC,IAAI,CAAC/I,yBAAyB,GAAGA,yBAAyB;IAC1D,IAAI,CAAC5gF,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAAC4pF,cAAc,GAAG,EAAE;EAC5B;EACA;EACAp7D,SAASA,CAAC/wB,IAAI,EAAEtf,OAAO,EAAE;IACrB;IACA,MAAM0lD,IAAI,GAAG,IAAI,CAAC8lD,YAAY,CAAC,CAAC;IAChC,MAAME,eAAe,GAAG,QAAQhmD,IAAI,EAAE;IACtC;IACA,MAAMimD,gBAAgB,GAAG,IAAI,CAAClJ,yBAAyB,CAAC,CAAC,GAAGnjF,IAAI,CAACjS,IAAI,CAAC1W,MAAM,CAAC;IAC7E,MAAMs4B,MAAM,GAAG,IAAIugB,YAAY,CAAClwB,IAAI,CAAC0L,IAAI,EAAE1L,IAAI,CAAChX,UAAU,EAAEgX,IAAI,CAACsvB,QAAQ,EAAE,IAAIE,gBAAgB,CAACxvB,IAAI,CAAC0L,IAAI,EAAE1L,IAAI,CAAChX,UAAU,CAAC,EAAEojG,eAAe,CAAC;IAC7I,MAAM;MAAE1pE,UAAU;MAAE4pE;IAAY,CAAC,GAAGC,mBAAmB,CAACvsF,IAAI,CAACjS,IAAI,CAAC;IAClE,IAAI,CAACwU,UAAU,CAACvC,IAAI,CAAC7mB,IAAI,EAAEizG,eAAe,EAAEhmD,IAAI,EAAEpxC,UAAU,CAAC0tB,UAAU,CAAC,CAAC;IACzE,MAAM30B,IAAI,GAAG,CAACiS,IAAI,CAAC5J,GAAG,EAAE,GAAG4J,IAAI,CAACjS,IAAI,CAAC;IACrC,MAAMuqC,aAAa,GAAGg0D,WAAW,GAC7B,IAAI,CAACn5D,QAAQ,CAAC,CAAC,IAAIjC,YAAY,CAAClxB,IAAI,CAAC0L,IAAI,EAAE1L,IAAI,CAAChX,UAAU,EAAE+E,IAAI,CAAC,CAAC,CAAC,GACnE,IAAI,CAAColC,QAAQ,CAACplC,IAAI,CAAC;IACvB,MAAMy+F,YAAY,GAAG,IAAIh6D,IAAI,CAACxyB,IAAI,CAAC0L,IAAI,EAAE1L,IAAI,CAAChX,UAAU,EAAE2mB,MAAM,EAAE,CAC9D,IAAIqhB,gBAAgB,CAAChxB,IAAI,CAAC0L,IAAI,EAAE1L,IAAI,CAAChX,UAAU,EAAEo9C,IAAI,CAAC,EACtD,IAAIpV,gBAAgB,CAAChxB,IAAI,CAAC0L,IAAI,EAAE1L,IAAI,CAAChX,UAAU,EAAEqjG,gBAAgB,CAAC,EAClE,GAAG/zD,aAAa,CACnB,EAAE,IAAI,CAAC;IACR,IAAI,CAAC6zD,cAAc,CAAC70G,IAAI,CAACk1G,YAAY,CAAC;IACtC,OAAOA,YAAY;EACvB;EACA5I,qBAAqBA,CAAC6I,YAAY,EAAE;IAChC,IAAI,CAACN,cAAc,CAAC5yG,OAAO,CAAEymB,IAAI,IAAK;MAClC;MACA,MAAM0sF,UAAU,GAAG1sF,IAAI,CAACjS,IAAI,CAAC,CAAC,CAAC;MAC/B2+F,UAAU,CAACtzG,KAAK,IAAIqzG,YAAY;IACpC,CAAC,CAAC;EACN;EACAt7D,iBAAiBA,CAAC8T,KAAK,EAAEvkD,OAAO,EAAE;IAC9B,OAAO,IAAIs2C,mBAAmB,CAACiO,KAAK,CAACv5B,IAAI,EAAEu5B,KAAK,CAACj8C,UAAU,EAAE,IAAI,CAACmqC,QAAQ,CAAC8R,KAAK,CAAC52C,WAAW,CAAC,EAAEkH,MAAM,IAAI;MACrG;MACA;MACA;MACA,MAAMS,OAAO,GAAGV,UAAU,CAACC,MAAM,CAAC;MAClC,OAAOgD,iBAAiB,CAAC,IAAI,CAACgoB,YAAY,EAAEvqB,OAAO,EAAE,IAAI,CAACmtF,yBAAyB,CAAC;IACxF,CAAC,CAAC;EACN;EACA9xD,eAAeA,CAAC71C,GAAG,EAAEkF,OAAO,EAAE;IAC1B,OAAO,IAAIs2C,mBAAmB,CAACx7C,GAAG,CAACkwB,IAAI,EAAElwB,GAAG,CAACwN,UAAU,EAAE,IAAI,CAACmqC,QAAQ,CAAC33C,GAAG,CAAC+Z,MAAM,CAAC,EAAEA,MAAM,IAAI;MAC1F;MACA;MACA;MACA,MAAMS,OAAO,GAAGR,UAAU,CAACD,MAAM,CAAC/Z,GAAG,CAAC,CAACpC,KAAK,EAAEyK,KAAK,MAAM;QAAEsF,GAAG,EAAE3N,GAAG,CAAC0F,IAAI,CAAC2C,KAAK,CAAC,CAACsF,GAAG;QAAE/P,KAAK;QAAEyZ,MAAM,EAAErX,GAAG,CAAC0F,IAAI,CAAC2C,KAAK,CAAC,CAACgP;MAAO,CAAC,CAAC,CAAC,CAAC;MAC/H,OAAO0F,iBAAiB,CAAC,IAAI,CAACgoB,YAAY,EAAEvqB,OAAO,EAAE,IAAI,CAACmtF,yBAAyB,CAAC;IACxF,CAAC,CAAC;EACN;AACJ;AACA;AACA,MAAMwJ,sBAAsB,GAAG,CAACtzF,WAAW,CAACmF,SAAS,EAAEnF,WAAW,CAACoF,SAAS,EAAEpF,WAAW,CAACqF,SAAS,EAAErF,WAAW,CAACsF,SAAS,CAAC;AAC3H,SAAS4tF,mBAAmBA,CAACx+F,IAAI,EAAE;EAC/B,MAAM20B,UAAU,GAAGiqE,sBAAsB,CAAC5+F,IAAI,CAAC1W,MAAM,CAAC;EACtD,OAAO;IACHqrC,UAAU,EAAEA,UAAU,IAAIrpB,WAAW,CAACuF,SAAS;IAC/C0tF,WAAW,EAAE,CAAC5pE;EAClB,CAAC;AACL;AACA,MAAMkqE,uBAAuB,GAAG,CAC5BvzF,WAAW,CAACyE,aAAa,EAAEzE,WAAW,CAAC0E,aAAa,EAAE1E,WAAW,CAAC2E,aAAa,EAAE3E,WAAW,CAAC4E,aAAa,EAAE5E,WAAW,CAAC6E,aAAa,EACrI7E,WAAW,CAAC8E,aAAa,EAAE9E,WAAW,CAAC+E,aAAa,EAAE/E,WAAW,CAACgF,aAAa,EAAEhF,WAAW,CAACiF,aAAa,CAC7G;AACD,SAASuuF,oBAAoBA,CAAC9+F,IAAI,EAAE;EAChC,MAAM20B,UAAU,GAAGkqE,uBAAuB,CAAC7+F,IAAI,CAAC1W,MAAM,CAAC;EACvD,OAAO;IACHqrC,UAAU,EAAEA,UAAU,IAAIrpB,WAAW,CAACkF,aAAa;IACnD+tF,WAAW,EAAE,CAAC5pE;EAClB,CAAC;AACL;AACA;AACA,SAAS0iE,uBAAuBA,CAAC0H,iBAAiB,EAAE;EAChD,OAAO93F,UAAU,CAACqE,WAAW,CAACuD,WAAW,CAAC,CACrCvT,MAAM,CAACyjG,iBAAiB,GAAG,CAAC,GAAG,CAAC92F,OAAO,CAAC82F,iBAAiB,CAAC,CAAC,GAAG,EAAE,CAAC;AAC1E;AACA,SAASv0F,iBAAiBA,CAACgoB,YAAY,EAAEwsE,SAAS,EAAEC,aAAa,EAAE;EAC/D,MAAM;IAAEp0F,cAAc;IAAEC;EAAwB,CAAC,GAAG0nB,YAAY,CAAChoB,iBAAiB,CAACw0F,SAAS,CAAC;EAC7F;EACA,MAAME,SAAS,GAAGD,aAAa,CAAC,CAAC,GAAGn0F,uBAAuB,CAACxhB,MAAM,CAAC;EACnE,MAAM;IAAEqrC,UAAU;IAAE4pE;EAAY,CAAC,GAAGO,oBAAoB,CAACh0F,uBAAuB,CAAC;EACjF;EACA;EACA,MAAM9K,IAAI,GAAG,CAACiI,OAAO,CAACi3F,SAAS,CAAC,EAAEr0F,cAAc,CAAC;EACjD,IAAI0zF,WAAW,EAAE;IACbv+F,IAAI,CAACzW,IAAI,CAACge,UAAU,CAACuD,uBAAuB,CAAC,CAAC;EAClD,CAAC,MACI;IACD9K,IAAI,CAACzW,IAAI,CAAC,GAAGuhB,uBAAuB,CAAC;EACzC;EACA,OAAO7D,UAAU,CAAC0tB,UAAU,CAAC,CAACr5B,MAAM,CAAC0E,IAAI,CAAC;AAC9C;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASy9F,wBAAwBA,CAACryG,IAAI,EAAE;EACpC,MAAM,CAACisD,kBAAkB,EAAEC,aAAa,CAAC,GAAG1B,WAAW,CAACxqD,IAAI,CAAC;EAC7D,MAAMmsD,WAAW,GAAGtvC,OAAO,CAACqvC,aAAa,CAAC;EAC1C,IAAID,kBAAkB,EAAE;IACpB,OAAO,CACHpvC,OAAO,CAAC,CAAC,CAAC,uCAAuC,CAAC,EAAEA,OAAO,CAACovC,kBAAkB,CAAC,EAAEE,WAAW,CAC/F;EACL;EACA,OAAO,CAACA,WAAW,CAAC;AACxB;AACA;AACA,MAAM4nD,kBAAkB,GAAG,gBAAgB;AAC3C,MAAMC,YAAY,CAAC;EACf,OAAOC,eAAeA,CAAA,EAAG;IACrB,OAAO,IAAID,YAAY,CAAC,CAAC;EAC7B;EACAz2G,WAAWA,CAACmqG,YAAY,GAAG,CAAC,EAAE1vC,MAAM,GAAG,IAAI,EAAEzc,OAAO,EAAE;IAClD,IAAI,CAACmsD,YAAY,GAAGA,YAAY;IAChC,IAAI,CAAC1vC,MAAM,GAAGA,MAAM;IACpB,IAAI,CAACzc,OAAO,GAAGA,OAAO;IACtB;IACA,IAAI,CAACl5C,GAAG,GAAG,IAAI5B,GAAG,CAAC,CAAC;IACpB,IAAI,CAACyzG,kBAAkB,GAAG,CAAC;IAC3B,IAAI,CAACC,mBAAmB,GAAG,IAAI;IAC/B,IAAI,CAACC,uBAAuB,GAAG,KAAK;IACpC,IAAI74D,OAAO,KAAK1vB,SAAS,EAAE;MACvB,KAAK,MAAM7rB,IAAI,IAAIu7C,OAAO,EAAE;QACxB,IAAI,CAACr5C,GAAG,CAAC,CAAC,EAAElC,IAAI,EAAE4b,QAAQ,CAAC5b,IAAI,CAAC,CAAC;MACrC;IACJ;EACJ;EACAiC,GAAGA,CAACjC,IAAI,EAAE;IACN,IAAI1B,OAAO,GAAG,IAAI;IAClB,OAAOA,OAAO,EAAE;MACZ,IAAI2B,KAAK,GAAG3B,OAAO,CAAC+D,GAAG,CAACJ,GAAG,CAACjC,IAAI,CAAC;MACjC,IAAIC,KAAK,IAAI,IAAI,EAAE;QACf,IAAI3B,OAAO,KAAK,IAAI,EAAE;UAClB;UACA2B,KAAK,GAAG;YACJyrG,cAAc,EAAEzrG,KAAK,CAACyrG,cAAc;YACpCzyF,GAAG,EAAEhZ,KAAK,CAACgZ,GAAG;YACdo7F,oBAAoB,EAAEp0G,KAAK,CAACo0G,oBAAoB;YAChDC,OAAO,EAAE,KAAK;YACdC,QAAQ,EAAEt0G,KAAK,CAACs0G;UACpB,CAAC;UACD;UACA,IAAI,CAAClyG,GAAG,CAACH,GAAG,CAAClC,IAAI,EAAEC,KAAK,CAAC;UACzB;UACA,IAAI,CAACu0G,6BAA6B,CAACv0G,KAAK,CAAC;UACzC,IAAI,CAAC2+C,gBAAgB,CAAC,CAAC;QAC3B;QACA,IAAI3+C,KAAK,CAACo0G,oBAAoB,IAAI,CAACp0G,KAAK,CAACq0G,OAAO,EAAE;UAC9Cr0G,KAAK,CAACq0G,OAAO,GAAG,IAAI;QACxB;QACA,OAAOr0G,KAAK,CAACgZ,GAAG;MACpB;MACA3a,OAAO,GAAGA,OAAO,CAAC05D,MAAM;IAC5B;IACA;IACA;IACA;IACA;IACA,OAAO,IAAI,CAAC0vC,YAAY,KAAK,CAAC,GAAG,IAAI,GAAG,IAAI,CAAC+M,oBAAoB,CAACz0G,IAAI,CAAC;EAC3E;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIkC,GAAGA,CAACwpG,cAAc,EAAE1rG,IAAI,EAAEiZ,GAAG,EAAEs7F,QAAQ,GAAG,CAAC,CAAC,mCAAmCF,oBAAoB,EAAEK,QAAQ,EAAE;IAC3G,IAAI,IAAI,CAACryG,GAAG,CAAC6c,GAAG,CAAClf,IAAI,CAAC,EAAE;MACpB,IAAI00G,QAAQ,EAAE;QACV;QACA;QACA,OAAO,IAAI;MACf;MACA5oF,KAAK,CAAC,YAAY9rB,IAAI,sCAAsC,IAAI,CAACqC,GAAG,CAACJ,GAAG,CAACjC,IAAI,CAAC,EAAE,CAAC;IACrF;IACA,IAAI,CAACqC,GAAG,CAACH,GAAG,CAAClC,IAAI,EAAE;MACf0rG,cAAc,EAAEA,cAAc;MAC9BzyF,GAAG,EAAEA,GAAG;MACRq7F,OAAO,EAAE,KAAK;MACdD,oBAAoB,EAAEA,oBAAoB;MAC1CE,QAAQ,EAAEA;IACd,CAAC,CAAC;IACF,OAAO,IAAI;EACf;EACA;EACAz1D,QAAQA,CAAC9+C,IAAI,EAAE;IACX,OAAO,IAAI,CAACiC,GAAG,CAACjC,IAAI,CAAC;EACzB;EACA;EACAs8C,yBAAyBA,CAAA,EAAG;IACxB,IAAI,IAAI,CAACorD,YAAY,KAAK,CAAC,EAAE;MACzB;MACA;MACA;MACA,IAAI,CAACrlG,GAAG,CAACJ,GAAG,CAAC8xG,kBAAkB,GAAG,CAAC,CAAC,CAACO,OAAO,GAAG,IAAI;IACvD;EACJ;EACA5K,WAAWA,CAACj6D,KAAK,EAAE8L,OAAO,EAAE;IACxB,MAAMo5D,QAAQ,GAAG,IAAIX,YAAY,CAACvkE,KAAK,EAAE,IAAI,EAAE8L,OAAO,CAAC;IACvD,IAAI9L,KAAK,GAAG,CAAC,EACTklE,QAAQ,CAACC,wBAAwB,CAAC,CAAC,CAAC;IACxC,OAAOD,QAAQ;EACnB;EACA;AACJ;AACA;AACA;AACA;EACIhN,2BAA2BA,CAAC+D,cAAc,EAAE;IACxC,MAAMmJ,UAAU,GAAGd,kBAAkB,GAAGrI,cAAc;IACtD,IAAI,CAAC,IAAI,CAACrpG,GAAG,CAAC6c,GAAG,CAAC21F,UAAU,CAAC,EAAE;MAC3B,IAAI,CAACD,wBAAwB,CAAClJ,cAAc,CAAC;IACjD;IACA;IACA,OAAO,IAAI,CAACrpG,GAAG,CAACJ,GAAG,CAAC4yG,UAAU,CAAC,CAAC57F,GAAG;EACvC;EACA+yF,oBAAoBA,CAACN,cAAc,EAAE;IACjC,MAAMoJ,YAAY,GAAG,IAAI,CAACzyG,GAAG,CAACJ,GAAG,CAAC8xG,kBAAkB,GAAGrI,cAAc,CAAC;IACtE;IACA,OAAOoJ,YAAY,IAAIA,YAAY,CAACR,OAAO,GAAGQ,YAAY,CAAC77F,GAAG,GAAG,IAAI;EACzE;EACAu7F,6BAA6BA,CAACv0G,KAAK,EAAE;IACjC,IAAIA,KAAK,CAACs0G,QAAQ,KAAK,CAAC,CAAC,qCACrBt0G,KAAK,CAACyrG,cAAc,GAAG,IAAI,CAAChE,YAAY,EAAE;MAC1C,MAAMoN,YAAY,GAAG,IAAI,CAACzyG,GAAG,CAACJ,GAAG,CAAC8xG,kBAAkB,GAAG9zG,KAAK,CAACyrG,cAAc,CAAC;MAC5E,IAAIoJ,YAAY,EAAE;QACdA,YAAY,CAACR,OAAO,GAAG,IAAI;MAC/B,CAAC,MACI;QACD,IAAI,CAACM,wBAAwB,CAAC30G,KAAK,CAACyrG,cAAc,CAAC;MACvD;IACJ;EACJ;EACAkJ,wBAAwBA,CAAClJ,cAAc,EAAE;IACrC,MAAMzyF,GAAG,GAAG2C,QAAQ,CAAC8pB,YAAY,GAAG,IAAI,CAAC+lE,kBAAkB,CAAC,CAAC,CAAC;IAC9D,IAAI,CAACppG,GAAG,CAACH,GAAG,CAAC6xG,kBAAkB,GAAGrI,cAAc,EAAE;MAC9CA,cAAc,EAAEA,cAAc;MAC9BzyF,GAAG,EAAEA,GAAG;MACRo7F,oBAAoB,EAAEA,CAAC93C,KAAK,EAAEovC,aAAa,KAAK;QAC5C;QACA,OAAO,CAAC1yF,GAAG,CAAC/W,GAAG,CAAC+pG,uBAAuB,CAACN,aAAa,CAAC,CAAC,CAACx3F,WAAW,CAAC,CAAC,CAAC;MAC1E,CAAC;MACDmgG,OAAO,EAAE,KAAK;MACdC,QAAQ,EAAE,CAAC,CAAC;IAChB,CAAC,CAAC;EACN;EACAE,oBAAoBA,CAACz0G,IAAI,EAAE;IACvB,MAAM+0G,cAAc,GAAG,IAAI,CAAC1yG,GAAG,CAACJ,GAAG,CAAC8xG,kBAAkB,GAAG,CAAC,CAAC;IAC3DgB,cAAc,CAACT,OAAO,GAAG,IAAI;IAC7B,IAAI,CAAC11D,gBAAgB,CAAC,CAAC;IACvB,OAAOm2D,cAAc,CAAC97F,GAAG,CAACnJ,IAAI,CAAC9P,IAAI,CAAC;EACxC;EACA4+C,gBAAgBA,CAAA,EAAG;IACf;IACA;IACA;IACA;IACA,IAAI,IAAI,CAACgtD,eAAe,CAAC,CAAC,EAAE;MACxB,IAAI,CAAC,IAAI,CAAC5zC,MAAM,CAACm8C,mBAAmB,EAAE;QAClC;QACA,IAAI,CAACn8C,MAAM,CAACm8C,mBAAmB,GAAGv4F,QAAQ,CAAC,IAAI,CAACo8C,MAAM,CAACyzC,kBAAkB,CAAC,CAAC,CAAC;MAChF;MACA,IAAI,CAAC0I,mBAAmB,GAAG,IAAI,CAACn8C,MAAM,CAACm8C,mBAAmB;IAC9D;EACJ;EACArM,oBAAoBA,CAAA,EAAG;IACnB,IAAI,IAAI,CAACqM,mBAAmB,EAAE;MAC1B,MAAMa,WAAW,GAAG7uE,iBAAiB,CAAC,IAAI,EAAEjmB,WAAW,CAACwE,WAAW,EAAE,CAAC,IAAI,CAACyvF,mBAAmB,CAAC,CAAC;MAChG;MACA;MACA,OAAO,IAAI,CAACC,uBAAuB,GAC/Bx4F,QAAQ,CAACmqB,0BAA0B,CAAC,CAAC7jC,GAAG,CAAC8yG,WAAW,CAAC,CAAC7gG,WAAW,CAAC,CAAC,GACnE6gG,WAAW,CAAC7hG,MAAM,CAAC,CAAC;IAC5B;IACA,OAAO,IAAI;EACf;EACA23F,sBAAsBA,CAAA,EAAG;IACrB;IACA,OAAO,IAAI,CAACqJ,mBAAmB,GAC3B,CACI,IAAI,CAACA,mBAAmB,CAACjyG,GAAG,CAACikC,iBAAiB,CAAC,IAAI,EAAEjmB,WAAW,CAAC6D,cAAc,EAAE,EAAE,CAAC,CAAC,CAAC5P,WAAW,CAAC,CAAC,CACtG,GACD,EAAE;EACV;EACAy3F,eAAeA,CAAA,EAAG;IACd,OAAO,IAAI,CAAC5zC,MAAM,IAAI,IAAI,CAACA,MAAM,CAAC0vC,YAAY,KAAK,IAAI,CAACA,YAAY;EACxE;EACAG,oBAAoBA,CAAA,EAAG;IACnB,IAAIoN,mBAAmB,GAAG,CAAC;IAC3B,OAAO1oF,KAAK,CAAC0C,IAAI,CAAC,IAAI,CAAC5sB,GAAG,CAAC+Z,MAAM,CAAC,CAAC,CAAC,CAC/BuD,MAAM,CAAC1f,KAAK,IAAIA,KAAK,CAACq0G,OAAO,CAAC,CAC9Bpf,IAAI,CAAC,CAACjuF,CAAC,EAAEsC,CAAC,KAAKA,CAAC,CAACmiG,cAAc,GAAGzkG,CAAC,CAACykG,cAAc,IAAIniG,CAAC,CAACgrG,QAAQ,GAAGttG,CAAC,CAACstG,QAAQ,CAAC,CAC9EjqG,MAAM,CAAC,CAACoR,KAAK,EAAEzb,KAAK,KAAK;MAC1B,MAAMi1G,SAAS,GAAG,IAAI,CAACxN,YAAY,GAAGznG,KAAK,CAACyrG,cAAc;MAC1D,MAAMyJ,SAAS,GAAGl1G,KAAK,CAACo0G,oBAAoB,CAAC,IAAI,EAAEa,SAAS,GAAGD,mBAAmB,CAAC;MACnFA,mBAAmB,GAAGC,SAAS;MAC/B,OAAOx5F,KAAK,CAAC3b,MAAM,CAACo1G,SAAS,CAAC;IAClC,CAAC,EAAE,EAAE,CAAC;EACV;EACA1J,kBAAkBA,CAAA,EAAG;IACjB,IAAIntG,OAAO,GAAG,IAAI;IAClB;IACA,OAAOA,OAAO,CAAC05D,MAAM,EACjB15D,OAAO,GAAGA,OAAO,CAAC05D,MAAM;IAC5B,MAAMviC,GAAG,GAAG,GAAGmQ,gBAAgB,GAAGtnC,OAAO,CAAC41G,kBAAkB,EAAE,EAAE;IAChE,OAAOz+E,GAAG;EACd;EACAo2E,sBAAsBA,CAAA,EAAG;IACrB,OAAO,CAAC,CAAC,IAAI,CAACsI,mBAAmB;EACrC;EACArI,4BAA4BA,CAAA,EAAG;IAC3B,IAAI,CAACsI,uBAAuB,GAAG,IAAI;EACvC;AACJ;AACA;AACA;AACA;AACA,SAASgB,iBAAiBA,CAACvxG,WAAW,EAAEw2B,UAAU,EAAE;EAChD,MAAMj8B,WAAW,GAAG,IAAId,WAAW,CAAC,CAAC;EACrC,MAAM+3G,eAAe,GAAG7qD,WAAW,CAAC3mD,WAAW,CAAC,CAAC,CAAC,CAAC;EACnDzF,WAAW,CAACY,UAAU,CAACq2G,eAAe,CAAC;EACvCjxG,MAAM,CAACqiC,mBAAmB,CAACpM,UAAU,CAAC,CAACj6B,OAAO,CAAEJ,IAAI,IAAK;IACrD,MAAMs1G,QAAQ,GAAG9qD,WAAW,CAACxqD,IAAI,CAAC,CAAC,CAAC,CAAC;IACrC,MAAMC,KAAK,GAAGo6B,UAAU,CAACr6B,IAAI,CAAC;IAC9B5B,WAAW,CAACS,YAAY,CAACy2G,QAAQ,EAAEr1G,KAAK,CAAC;IACzC,IAAID,IAAI,CAACE,WAAW,CAAC,CAAC,KAAK,OAAO,EAAE;MAChC,MAAM0D,OAAO,GAAG3D,KAAK,CAACyrB,IAAI,CAAC,CAAC,CAACqB,KAAK,CAAC,KAAK,CAAC;MACzCnpB,OAAO,CAACxD,OAAO,CAAC0B,SAAS,IAAI1D,WAAW,CAACW,YAAY,CAAC+C,SAAS,CAAC,CAAC;IACrE;EACJ,CAAC,CAAC;EACF,OAAO1D,WAAW;AACtB;AACA;AACA;AACA;AACA;AACA,SAASm0G,qBAAqBA,CAACtzG,SAAS,EAAE;EACtC;EACA;EACA,MAAMs2G,gBAAgB,GAAGrxG,yBAAyB,CAACjF,SAAS,CAACgB,KAAK,CAAC,CAAC,CAAC,CAAC;EACtE,OAAO,CAAC4c,OAAO,CAAC,CAAC,CAAC,oCAAoC,CAAC,EAAEypB,SAAS,CAACivE,gBAAgB,CAAC,CAAC;AACzF;AACA;AACA;AACA;AACA;AACA,SAAS3F,kCAAkCA,CAAC/nE,aAAa,EAAE;EACvD,QAAQD,0BAA0B,CAACC,aAAa,CAAC;IAC7C,KAAK,CAAC;MACF,OAAO3nB,WAAW,CAAC0F,mBAAmB;IAC1C,KAAK,CAAC;MACF,OAAO1F,WAAW,CAAC2F,oBAAoB;IAC3C,KAAK,CAAC;MACF,OAAO3F,WAAW,CAAC4F,oBAAoB;IAC3C,KAAK,CAAC;MACF,OAAO5F,WAAW,CAAC6F,oBAAoB;IAC3C,KAAK,CAAC;MACF,OAAO7F,WAAW,CAAC8F,oBAAoB;IAC3C,KAAK,EAAE;MACH,OAAO9F,WAAW,CAAC+F,oBAAoB;IAC3C,KAAK,EAAE;MACH,OAAO/F,WAAW,CAACgG,oBAAoB;IAC3C,KAAK,EAAE;MACH,OAAOhG,WAAW,CAACiG,oBAAoB;IAC3C,KAAK,EAAE;MACH,OAAOjG,WAAW,CAACkG,oBAAoB;IAC3C;MACI,OAAOlG,WAAW,CAACmG,oBAAoB;EAC/C;AACJ;AACA;AACA;AACA;AACA;AACA,SAASwpF,mCAAmCA,CAAChoE,aAAa,EAAE;EACxD,QAAQD,0BAA0B,CAACC,aAAa,CAAC;IAC7C,KAAK,CAAC;MACF,OAAO3nB,WAAW,CAACY,qBAAqB;IAC5C,KAAK,CAAC;MACF,OAAOZ,WAAW,CAACa,qBAAqB;IAC5C,KAAK,CAAC;MACF,OAAOb,WAAW,CAACc,qBAAqB;IAC5C,KAAK,CAAC;MACF,OAAOd,WAAW,CAACe,qBAAqB;IAC5C,KAAK,EAAE;MACH,OAAOf,WAAW,CAACgB,qBAAqB;IAC5C,KAAK,EAAE;MACH,OAAOhB,WAAW,CAACiB,qBAAqB;IAC5C,KAAK,EAAE;MACH,OAAOjB,WAAW,CAACkB,qBAAqB;IAC5C,KAAK,EAAE;MACH,OAAOlB,WAAW,CAACmB,qBAAqB;IAC5C;MACI,OAAOnB,WAAW,CAACoB,qBAAqB;EAChD;AACJ;AACA;AACA;AACA;AACA;AACA,SAASkvF,8BAA8BA,CAAC3oE,aAAa,EAAE;EACnD,QAAQD,0BAA0B,CAACC,aAAa,CAAC;IAC7C,KAAK,CAAC;MACF,OAAO3nB,WAAW,CAAC8D,eAAe;IACtC,KAAK,CAAC;MACF,OAAO9D,WAAW,CAAC+D,gBAAgB;IACvC,KAAK,CAAC;MACF,OAAO/D,WAAW,CAACgE,gBAAgB;IACvC,KAAK,CAAC;MACF,OAAOhE,WAAW,CAACiE,gBAAgB;IACvC,KAAK,CAAC;MACF,OAAOjE,WAAW,CAACkE,gBAAgB;IACvC,KAAK,EAAE;MACH,OAAOlE,WAAW,CAACmE,gBAAgB;IACvC,KAAK,EAAE;MACH,OAAOnE,WAAW,CAACoE,gBAAgB;IACvC,KAAK,EAAE;MACH,OAAOpE,WAAW,CAACqE,gBAAgB;IACvC,KAAK,EAAE;MACH,OAAOrE,WAAW,CAACsE,gBAAgB;IACvC;MACI,OAAOtE,WAAW,CAACuE,gBAAgB;EAC3C;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAAS+wF,aAAaA,CAACxgG,QAAQ,EAAEw/D,WAAW,EAAEqN,OAAO,GAAG,CAAC,CAAC,EAAE;EACxD,MAAM;IAAErO,mBAAmB;IAAEiiC,mBAAmB;IAAEnR;EAAgC,CAAC,GAAGziB,OAAO;EAC7F,MAAMvY,aAAa,GAAGosC,iBAAiB,CAACliC,mBAAmB,CAAC;EAC5D,MAAMmiC,UAAU,GAAG,IAAInmB,UAAU,CAAC,CAAC;EACnC,MAAMomB,WAAW,GAAGD,UAAU,CAAC/3G,KAAK,CAACoX,QAAQ,EAAEw/D,WAAW,EAAE;IACxD4O,kBAAkB,EAAE+jB,oBAAoB;IACxC,GAAGtlB,OAAO;IACVoB,sBAAsB,EAAE,IAAI;IAC5Be,cAAc,EAAEnC,OAAO,CAAC4b,iBAAiB,IAAI,IAAI,IAAI5b,OAAO,CAAC4b,iBAAiB,CAAC9wF,IAAI,GAAG;EAC1F,CAAC,CAAC;EACF,IAAI,CAACk1E,OAAO,CAACg0B,kCAAkC,IAAID,WAAW,CAACh8D,MAAM,IACjEg8D,WAAW,CAACh8D,MAAM,CAAC17C,MAAM,GAAG,CAAC,EAAE;IAC/B,MAAM43G,cAAc,GAAG;MACnBtiC,mBAAmB;MACnBiiC,mBAAmB;MACnB77D,MAAM,EAAEg8D,WAAW,CAACh8D,MAAM;MAC1BlzC,KAAK,EAAE,EAAE;MACT80F,SAAS,EAAE,EAAE;MACb/vC,MAAM,EAAE,EAAE;MACVgwC,kBAAkB,EAAE;IACxB,CAAC;IACD,IAAI5Z,OAAO,CAAC6Z,mBAAmB,EAAE;MAC7Boa,cAAc,CAACna,YAAY,GAAG,EAAE;IACpC;IACA,OAAOma,cAAc;EACzB;EACA,IAAInqB,SAAS,GAAGiqB,WAAW,CAACjqB,SAAS;EACrC;EACA;EACA;EACA;EACA,MAAMoqB,eAAe,GAAG,IAAI3R,eAAe,CAAC5wB,mBAAmB,EAAE,mBAAoB,CAACiiC,mBAAmB,EAAEnR,+BAA+B,CAAC;EAC3I,MAAM0R,cAAc,GAAGD,eAAe,CAAClR,kBAAkB,CAAClZ,SAAS,CAAC;EACpE,IAAI,CAAC9J,OAAO,CAACg0B,kCAAkC,IAAIG,cAAc,CAACp8D,MAAM,IACpEo8D,cAAc,CAACp8D,MAAM,CAAC17C,MAAM,GAAG,CAAC,EAAE;IAClC,MAAM43G,cAAc,GAAG;MACnBtiC,mBAAmB;MACnBiiC,mBAAmB;MACnB77D,MAAM,EAAEo8D,cAAc,CAACp8D,MAAM;MAC7BlzC,KAAK,EAAE,EAAE;MACT80F,SAAS,EAAE,EAAE;MACb/vC,MAAM,EAAE,EAAE;MACVgwC,kBAAkB,EAAE;IACxB,CAAC;IACD,IAAI5Z,OAAO,CAAC6Z,mBAAmB,EAAE;MAC7Boa,cAAc,CAACna,YAAY,GAAG,EAAE;IACpC;IACA,OAAOma,cAAc;EACzB;EACAnqB,SAAS,GAAGqqB,cAAc,CAACrqB,SAAS;EACpC,IAAI,CAAC8pB,mBAAmB,EAAE;IACtB9pB,SAAS,GAAG3xC,QAAQ,CAAC,IAAIg2C,iBAAiB,CAAC,CAAC,EAAErE,SAAS,CAAC;IACxD;IACA;IACA;IACA;IACA,IAAIoqB,eAAe,CAACryE,WAAW,EAAE;MAC7BioD,SAAS,GAAG3xC,QAAQ,CAAC,IAAIoqD,eAAe,CAAC5wB,mBAAmB,EAAE,mBAAoB,KAAK,CAAC,EAAEmY,SAAS,CAAC;IACxG;EACJ;EACA,MAAM;IAAEjlF,KAAK;IAAEkzC,MAAM;IAAE4hD,SAAS;IAAE/vC,MAAM;IAAEgwC,kBAAkB;IAAEE;EAAa,CAAC,GAAGT,mBAAmB,CAACvP,SAAS,EAAEriB,aAAa,EAAE;IACzHoyB,mBAAmB,EAAE,CAAC,CAAC7Z,OAAO,CAAC6Z,mBAAmB;IAClD+B,iBAAiB,EAAE5b,OAAO,CAAC4b,iBAAiB,IAAI,IAAIv3D,GAAG,CAAC;EAC5D,CAAC,CAAC;EACF0T,MAAM,CAACz7C,IAAI,CAAC,GAAGy3G,WAAW,CAACh8D,MAAM,EAAE,GAAGo8D,cAAc,CAACp8D,MAAM,CAAC;EAC5D,MAAMk8D,cAAc,GAAG;IACnBtiC,mBAAmB;IACnBiiC,mBAAmB;IACnB77D,MAAM,EAAEA,MAAM,CAAC17C,MAAM,GAAG,CAAC,GAAG07C,MAAM,GAAG,IAAI;IACzClzC,KAAK;IACL80F,SAAS;IACT/vC,MAAM;IACNgwC;EACJ,CAAC;EACD,IAAI5Z,OAAO,CAAC6Z,mBAAmB,EAAE;IAC7Boa,cAAc,CAACna,YAAY,GAAGA,YAAY;EAC9C;EACA,OAAOma,cAAc;AACzB;AACA,MAAMG,eAAe,GAAG,IAAI/3B,wBAAwB,CAAC,CAAC;AACtD;AACA;AACA;AACA,SAASw3B,iBAAiBA,CAACliC,mBAAmB,GAAG5pC,4BAA4B,EAAE;EAC3E,OAAO,IAAIynD,aAAa,CAAC,IAAIje,QAAQ,CAAC,IAAIvE,KAAK,CAAC,CAAC,CAAC,EAAE2E,mBAAmB,EAAEyiC,eAAe,EAAE,EAAE,CAAC;AACjG;AACA,SAASxG,qBAAqBA,CAACloG,OAAO,EAAE23E,WAAW,EAAE;EACjD,QAAQ33E,OAAO;IACX,KAAK9D,eAAe,CAACy8C,IAAI;MACrB,OAAOrkC,UAAU,CAACqE,WAAW,CAACmK,YAAY,CAAC;IAC/C,KAAK5mB,eAAe,CAACwhE,MAAM;MACvB,OAAOppD,UAAU,CAACqE,WAAW,CAACsK,cAAc,CAAC;IACjD,KAAK/mB,eAAe,CAAC08C,KAAK;MACtB;MACA;MACA;MACA,OAAO++B,WAAW,GAAGrjE,UAAU,CAACqE,WAAW,CAACoK,aAAa,CAAC,GAAG,IAAI;IACrE,KAAK7mB,eAAe,CAAC28C,GAAG;MACpB,OAAOvkC,UAAU,CAACqE,WAAW,CAACuK,WAAW,CAAC;IAC9C,KAAKhnB,eAAe,CAAC48C,YAAY;MAC7B,OAAOxkC,UAAU,CAACqE,WAAW,CAACqK,mBAAmB,CAAC;IACtD;MACI,OAAO,IAAI;EACnB;AACJ;AACA,SAAS+nF,qBAAqBA,CAACl1F,OAAO,EAAEje,IAAI,EAAE;EAC1C,MAAMc,KAAK,GAAGqmC,SAAS,CAACnnC,IAAI,CAACc,KAAK,CAAC;EACnC,IAAI6wF,kBAAkB,CAAC1zE,OAAO,EAAEje,IAAI,CAACa,IAAI,CAAC,EAAE;IACxC,QAAQi2G,eAAe,CAACv8E,eAAe,CAACtc,OAAO,EAAEje,IAAI,CAACa,IAAI,EAAE,iBAAkB,IAAI,CAAC;MAC/E,KAAKyD,eAAe,CAACy8C,IAAI;QACrB,OAAOtjC,cAAc,CAACf,UAAU,CAACqE,WAAW,CAACyK,iBAAiB,CAAC,EAAE,IAAInV,eAAe,CAAC,CAAC,IAAIE,sBAAsB,CAACvW,IAAI,CAACc,KAAK,CAAC,CAAC,EAAE,EAAE,CAAC,EAAE4rB,SAAS,EAAE1sB,IAAI,CAACo6B,SAAS,CAAC;MAClK;MACA,KAAK91B,eAAe,CAAC48C,YAAY;QAC7B,OAAOzjC,cAAc,CAACf,UAAU,CAACqE,WAAW,CAAC0K,wBAAwB,CAAC,EAAE,IAAIpV,eAAe,CAAC,CAAC,IAAIE,sBAAsB,CAACvW,IAAI,CAACc,KAAK,CAAC,CAAC,EAAE,EAAE,CAAC,EAAE4rB,SAAS,EAAE1sB,IAAI,CAACo6B,SAAS,CAAC;MACzK;QACI,OAAOt5B,KAAK;IACpB;EACJ,CAAC,MACI;IACD,OAAOA,KAAK;EAChB;AACJ;AACA,SAASqqG,uBAAuBA,CAAC5iG,QAAQ,EAAE;EACvC,OAAOA,QAAQ,CAACxJ,MAAM,KAAK,CAAC,IAAIwJ,QAAQ,CAAC,CAAC,CAAC,YAAY0yB,SAAS;AACpE;AACA,SAAS87E,UAAUA,CAACpiG,IAAI,EAAE;EACtB,OAAOA,IAAI,YAAYolB,MAAM,IAAIplB,IAAI,YAAYqlB,SAAS,IAAIrlB,IAAI,YAAY+oB,KAAK;AACvF;AACA,SAAS6yE,eAAeA,CAACtyF,OAAO,EAAE;EAC9B,OAAOA,OAAO,CAACld,WAAW,CAAC,CAAC,KAAK,QAAQ;AAC7C;AACA,SAASsqG,mBAAmBA,CAAC9iG,QAAQ,EAAE;EACnC,OAAOA,QAAQ,CAAC6R,KAAK,CAAC28F,UAAU,CAAC;AACrC;AACA,SAAS7G,wBAAwBA,CAAC8G,cAAc,EAAEn2G,IAAI,EAAEo2G,WAAW,EAAE;EACjE,OAAO,MAAM;IACT,MAAMn2G,KAAK,GAAGk2G,cAAc,CAAC,CAAC;IAC9B,MAAMh1C,QAAQ,GAAG50C,KAAK,CAACC,OAAO,CAACvsB,KAAK,CAAC,GAAGA,KAAK,GAAG,CAACA,KAAK,CAAC;IACvD,IAAIm2G,WAAW,EAAE;MACbj1C,QAAQ,CAAChjE,IAAI,CAAC,GAAGi4G,WAAW,CAAC;IACjC;IACA,IAAIp2G,IAAI,EAAE;MACN;MACAmhE,QAAQ,CAAC5jB,OAAO,CAAC1gC,OAAO,CAAC7c,IAAI,CAAC,CAAC;IACnC;IACA,OAAOmhE,QAAQ;EACnB,CAAC;AACL;AACA;AACA,MAAMk1C,oBAAoB,GAAG,mBAAmB;AAChD;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAAS9K,uBAAuBA,CAACllG,OAAO,EAAEuV,QAAQ,EAAE8pF,UAAU,EAAEv1F,MAAM,GAAG,CAAC,CAAC,EAAEg7F,WAAW,EAAE;EACtF,MAAMzyF,UAAU,GAAG,CACf6sB,mBAAmB,CAAC3pB,QAAQ,CAAC,EAC7Ba,MAAM,CAAC65F,sBAAsB,CAAC,CAAC,EAAE9Q,4BAA4B,CAAC5pF,QAAQ,EAAEvV,OAAO,EAAEq/F,UAAU,EAAEv1F,MAAM,CAAC,EAAE+1F,wBAAwB,CAACtqF,QAAQ,EAAEvV,OAAO,EAAEy+B,+BAA+B,CAAC30B,MAAM,EAAE,kBAAmB,KAAK,CAAC,CAAC,CAAC,CACxN;EACD,IAAIg7F,WAAW,EAAE;IACbzyF,UAAU,CAACva,IAAI,CAAC,IAAIiV,mBAAmB,CAACwI,QAAQ,CAAC1Z,GAAG,CAACipG,WAAW,CAACvvF,QAAQ,CAAC,CAAC,CAAC,CAAC;EACjF;EACA,OAAOlD,UAAU;AACrB;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAAS49F,sBAAsBA,CAAA,EAAG;EAC9B,OAAOp6F,UAAU,CAACN,QAAQ,CAACy6F,oBAAoB,CAAC,CAAC,CAC5CjlG,YAAY,CAACyL,OAAO,CAAC,WAAW,EAAE9N,WAAW,CAAC,CAAC,CAC/CiD,GAAG,CAAC4J,QAAQ,CAACy6F,oBAAoB,CAAC,CAAC;AAC5C;;AAEA;AACA;AACA,MAAME,UAAU,GAAG,gBAAgB;AACnC,MAAMC,kBAAkB,GAAG,QAAQ;AACnC,MAAMC,SAAS,GAAG,WAAWD,kBAAkB,EAAE;AACjD,MAAME,YAAY,GAAG,cAAcF,kBAAkB,EAAE;AACvD,SAASG,mBAAmBA,CAAC3gF,IAAI,EAAEoR,YAAY,EAAEkiC,aAAa,EAAE;EAC5D,MAAMz2B,aAAa,GAAG,IAAIvL,aAAa,CAAC,CAAC;EACzC,MAAMvkC,SAAS,GAAGmB,yBAAyB,CAAC8xB,IAAI,CAACn4B,QAAQ,CAAC;EAC1D;EACAg1C,aAAa,CAAC3wC,GAAG,CAAC,MAAM,EAAE8zB,IAAI,CAAC7tB,IAAI,CAAClI,KAAK,CAAC;EAC1C;EACA,IAAI8C,SAAS,CAAC7E,MAAM,GAAG,CAAC,EAAE;IACtB20C,aAAa,CAAC3wC,GAAG,CAAC,WAAW,EAAEokC,SAAS,CAACvjC,SAAS,CAAC,CAAC;EACxD;EACA,IAAIizB,IAAI,CAAC4gF,OAAO,CAAC14G,MAAM,GAAG,CAAC,EAAE;IACzB;IACA20C,aAAa,CAAC3wC,GAAG,CAAC,gBAAgB,EAAE20G,4BAA4B,CAAC7gF,IAAI,CAAC4gF,OAAO,EAAExvE,YAAY,EAAEpR,IAAI,CAACh2B,IAAI,CAAC,CAAC;EAC5G;EACA,IAAIg2B,IAAI,CAAC8gF,WAAW,CAAC54G,MAAM,EAAE;IACzB20C,aAAa,CAAC3wC,GAAG,CAAC,WAAW,EAAE60G,yBAAyB,CAAC/gF,IAAI,CAAC8gF,WAAW,EAAE1vE,YAAY,EAAEpR,IAAI,CAACh2B,IAAI,CAAC,CAAC;EACxG;EACA;EACA6yC,aAAa,CAAC3wC,GAAG,CAAC,cAAc,EAAE80G,0BAA0B,CAAChhF,IAAI,CAACkC,IAAI,EAAElC,IAAI,CAACihF,cAAc,EAAE3tC,aAAa,EAAEliC,YAAY,EAAEpR,IAAI,CAACn4B,QAAQ,IAAI,EAAE,EAAEm4B,IAAI,CAACh2B,IAAI,EAAE6yC,aAAa,CAAC,CAAC;EACzK;EACAA,aAAa,CAAC3wC,GAAG,CAAC,QAAQ,EAAEqkC,0CAA0C,CAACvQ,IAAI,CAACsE,MAAM,EAAE,IAAI,CAAC,CAAC;EAC1F;EACAuY,aAAa,CAAC3wC,GAAG,CAAC,SAAS,EAAEqkC,0CAA0C,CAACvQ,IAAI,CAACuE,OAAO,CAAC,CAAC;EACtF,IAAIvE,IAAI,CAACkhF,QAAQ,KAAK,IAAI,EAAE;IACxBrkE,aAAa,CAAC3wC,GAAG,CAAC,UAAU,EAAEia,UAAU,CAAC6Z,IAAI,CAACkhF,QAAQ,CAAC70G,GAAG,CAACqH,CAAC,IAAImT,OAAO,CAACnT,CAAC,CAAC,CAAC,CAAC,CAAC;EACjF;EACA,IAAIssB,IAAI,CAACuf,YAAY,EAAE;IACnB1C,aAAa,CAAC3wC,GAAG,CAAC,YAAY,EAAE2a,OAAO,CAAC,IAAI,CAAC,CAAC;EAClD;EACA,IAAImZ,IAAI,CAACmhF,QAAQ,EAAE;IACftkE,aAAa,CAAC3wC,GAAG,CAAC,SAAS,EAAE2a,OAAO,CAAC,IAAI,CAAC,CAAC;EAC/C;EACA,OAAOg2B,aAAa;AACxB;AACA;AACA;AACA;AACA,SAASukE,WAAWA,CAACvkE,aAAa,EAAE7c,IAAI,EAAE;EACtC;EACA,MAAMqhF,QAAQ,GAAG,EAAE;EACnB,MAAMvkE,SAAS,GAAG9c,IAAI,CAAC8c,SAAS;EAChC,MAAMwkE,aAAa,GAAGthF,IAAI,CAACshF,aAAa;EACxC,MAAMC,SAAS,GAAGnzG,MAAM,CAAC2D,IAAI,CAACiuB,IAAI,CAACsE,MAAM,CAAC;EAC1C,IAAIwY,SAAS,IAAIwkE,aAAa,EAAE;IAC5B,MAAM1iG,IAAI,GAAG,CAACk+B,SAAS,IAAI,IAAIz5B,gBAAgB,CAAC,EAAE,CAAC,CAAC;IACpD,IAAIi+F,aAAa,EAAE;MACf1iG,IAAI,CAACzW,IAAI,CAACm5G,aAAa,CAAC;IAC5B;IACAD,QAAQ,CAACl5G,IAAI,CAAC0d,UAAU,CAACqE,WAAW,CAAC8J,gBAAgB,CAAC,CAAC9Z,MAAM,CAAC0E,IAAI,CAAC,CAAC;EACxE;EACA,KAAK,MAAM5E,GAAG,IAAIunG,SAAS,EAAE;IACzB,IAAIvhF,IAAI,CAACsE,MAAM,CAACtqB,GAAG,CAAC,CAAC+2B,iBAAiB,KAAK,IAAI,EAAE;MAC7CswE,QAAQ,CAACl5G,IAAI,CAAC0d,UAAU,CAACqE,WAAW,CAACgK,6BAA6B,CAAC,CAAC;MACpE;IACJ;EACJ;EACA,IAAI8L,IAAI,CAACwhF,eAAe,EAAE;IACtBH,QAAQ,CAACl5G,IAAI,CAAC0d,UAAU,CAACqE,WAAW,CAAC2J,wBAAwB,CAAC,CAAC;EACnE;EACA,IAAImM,IAAI,CAACyhF,eAAe,EAAE;IACtBJ,QAAQ,CAACl5G,IAAI,CAAC0d,UAAU,CAACqE,WAAW,CAAC4J,qBAAqB,CAAC,CAAC;EAChE;EACA,IAAIkM,IAAI,CAAC0hF,SAAS,CAACC,aAAa,EAAE;IAC9BN,QAAQ,CAACl5G,IAAI,CAAC0d,UAAU,CAACqE,WAAW,CAAC0J,kBAAkB,CAAC,CAAC;EAC7D;EACA;EACA,IAAIoM,IAAI,CAACmJ,cAAc,CAAC,UAAU,CAAC,IAAInJ,IAAI,CAACuf,YAAY,EAAE;IACtD8hE,QAAQ,CAACl5G,IAAI,CAAC0d,UAAU,CAACqE,WAAW,CAAC6J,iBAAiB,CAAC,CAAC;EAC5D;EACA,IAAIiM,IAAI,CAAC4hF,cAAc,EAAE15G,MAAM,EAAE;IAC7Bm5G,QAAQ,CAACl5G,IAAI,CAAC0d,UAAU,CAACqE,WAAW,CAAC+J,qBAAqB,CAAC,CAAC/Z,MAAM,CAAC,CAAC2nG,8BAA8B,CAAC7hF,IAAI,CAAC4hF,cAAc,CAAC,CAAC,CAAC,CAAC;EAC9H;EACA,IAAIP,QAAQ,CAACn5G,MAAM,EAAE;IACjB20C,aAAa,CAAC3wC,GAAG,CAAC,UAAU,EAAEia,UAAU,CAACk7F,QAAQ,CAAC,CAAC;EACvD;AACJ;AACA;AACA;AACA;AACA,SAASS,4BAA4BA,CAAC9hF,IAAI,EAAEoR,YAAY,EAAEkiC,aAAa,EAAE;EACrE,MAAMz2B,aAAa,GAAG8jE,mBAAmB,CAAC3gF,IAAI,EAAEoR,YAAY,EAAEkiC,aAAa,CAAC;EAC5E8tC,WAAW,CAACvkE,aAAa,EAAE7c,IAAI,CAAC;EAChC,MAAM9tB,UAAU,GAAG2T,UAAU,CAACqE,WAAW,CAACoI,eAAe,CAAC,CAACpY,MAAM,CAAC,CAAC2iC,aAAa,CAACtL,YAAY,CAAC,CAAC,CAAC,EAAE1b,SAAS,EAAE,IAAI,CAAC;EAClH,MAAM1jB,IAAI,GAAG4vG,mBAAmB,CAAC/hF,IAAI,CAAC;EACtC,OAAO;IAAE9tB,UAAU;IAAEC,IAAI;IAAEuQ,UAAU,EAAE;EAAG,CAAC;AAC/C;AACA;AACA;AACA;AACA,SAASs/F,4BAA4BA,CAAChiF,IAAI,EAAEoR,YAAY,EAAEkiC,aAAa,EAAE;EACrE,MAAMz2B,aAAa,GAAG8jE,mBAAmB,CAAC3gF,IAAI,EAAEoR,YAAY,EAAEkiC,aAAa,CAAC;EAC5E8tC,WAAW,CAACvkE,aAAa,EAAE7c,IAAI,CAAC;EAChC,MAAMn4B,QAAQ,GAAGm4B,IAAI,CAACn4B,QAAQ,IAAIP,WAAW,CAACM,KAAK,CAACo4B,IAAI,CAACn4B,QAAQ,CAAC;EAClE,MAAMo6G,aAAa,GAAGp6G,QAAQ,IAAIA,QAAQ,CAAC,CAAC,CAAC;EAC7C;EACA;EACA,IAAIo6G,aAAa,EAAE;IACf,MAAMC,kBAAkB,GAAGD,aAAa,CAACp4G,QAAQ,CAAC,CAAC;IACnD,IAAIq4G,kBAAkB,CAACh6G,MAAM,EAAE;MAC3B20C,aAAa,CAAC3wC,GAAG,CAAC,OAAO,EAAEklC,YAAY,CAAC9oB,eAAe,CAACnC,UAAU,CAAC+7F,kBAAkB,CAAC71G,GAAG,CAACpC,KAAK,IAAIA,KAAK,IAAI,IAAI,GAAG4c,OAAO,CAAC5c,KAAK,CAAC,GAAG4c,OAAO,CAACgP,SAAS,CAAC,CAAC,CAAC,EACxJ,iBAAkB,IAAI,CAAC,CAAC;IAC5B;EACJ;EACA;EACA,MAAMssF,gBAAgB,GAAGniF,IAAI,CAACh2B,IAAI;EAClC,MAAMsoG,YAAY,GAAG6P,gBAAgB,GAAG,GAAGA,gBAAgB,WAAW,GAAG,IAAI;EAC7E,MAAMC,eAAe,GAAGpiF,IAAI,CAACoiF,eAAe;EAC5C;EACA,IAAI,CAACrtC,qBAAqB,EAAE;IACxB;IACA;IACA,MAAM/1D,QAAQ,GAAGghB,IAAI,CAAChhB,QAAQ;IAC9B,MAAMqjG,eAAe,GAAG,IAAI1+C,yBAAyB,CAACvyB,YAAY,EAAE4sE,YAAY,CAACC,eAAe,CAAC,CAAC,EAAE,CAAC,EAAEkE,gBAAgB,EAAE,IAAI,EAAE,IAAI,EAAE7P,YAAY,EAAEpoF,WAAW,CAACI,aAAa,EAAE0V,IAAI,CAACwyE,uBAAuB,EAAExyE,IAAI,CAACyyE,kBAAkB,EAAEzyE,IAAI,CAAC0yE,WAAW,CAAC;IACtP,MAAM4P,0BAA0B,GAAGD,eAAe,CAACnO,qBAAqB,CAACl1F,QAAQ,CAACtO,KAAK,EAAE,EAAE,CAAC;IAC5F;IACA;IACA;IACA,MAAM+0F,kBAAkB,GAAG4c,eAAe,CAAC9G,qBAAqB,CAAC,CAAC;IAClE,IAAI9V,kBAAkB,EAAE;MACpB5oD,aAAa,CAAC3wC,GAAG,CAAC,oBAAoB,EAAEu5F,kBAAkB,CAAC;IAC/D;IACA;IACA;IACA5oD,aAAa,CAAC3wC,GAAG,CAAC,OAAO,EAAE2a,OAAO,CAACw7F,eAAe,CAACxL,aAAa,CAAC,CAAC,CAAC,CAAC;IACpE;IACA;IACAh6D,aAAa,CAAC3wC,GAAG,CAAC,MAAM,EAAE2a,OAAO,CAACw7F,eAAe,CAAChI,WAAW,CAAC,CAAC,CAAC,CAAC;IACjE;IACA;IACA;IACA;IACA;IACA;IACA,MAAM;MAAEpI,gBAAgB;MAAED;IAAkB,CAAC,GAAGqQ,eAAe,CAAC/G,SAAS,CAAC,CAAC;IAC3E,IAAIrJ,gBAAgB,CAAC/pG,MAAM,GAAG,CAAC,EAAE;MAC7B,IAAIq6G,UAAU,GAAGp8F,UAAU,CAAC8rF,gBAAgB,CAAC;MAC7C;MACA,IAAID,iBAAiB,CAAC9pG,MAAM,GAAG,CAAC,EAAE;QAC9Bq6G,UAAU,GAAG5jG,EAAE,CAAC,EAAE,EAAE,CAAC,GAAGqzF,iBAAiB,EAAE,IAAI/sF,eAAe,CAACs9F,UAAU,CAAC,CAAC,CAAC;MAChF;MACA1lE,aAAa,CAAC3wC,GAAG,CAAC,QAAQ,EAAEq2G,UAAU,CAAC;IAC3C;IACA1lE,aAAa,CAAC3wC,GAAG,CAAC,UAAU,EAAEo2G,0BAA0B,CAAC;EAC7D,CAAC,MACI;IACD;IACA;IACA,MAAMhwC,GAAG,GAAGa,eAAe,CAACnzC,IAAI,CAACh2B,IAAI,EAAEg2B,IAAI,CAAChhB,QAAQ,CAACtO,KAAK,EAAE0gC,YAAY,CAAC;IACzE;IACA+gC,iBAAiB,CAACG,GAAG,CAAC;IACtB;IACA,MAAMkwC,UAAU,GAAGnwC,cAAc,CAACC,GAAG,EAAElhC,YAAY,CAAC;IACpDyL,aAAa,CAAC3wC,GAAG,CAAC,OAAO,EAAE2a,OAAO,CAACyrD,GAAG,CAAC7Q,IAAI,CAAC7B,KAAK,CAAC,CAAC;IACnD/iB,aAAa,CAAC3wC,GAAG,CAAC,MAAM,EAAE2a,OAAO,CAACyrD,GAAG,CAAC7Q,IAAI,CAAC36B,IAAI,CAAC,CAAC;IACjD,IAAIwrC,GAAG,CAACzQ,MAAM,CAAC35D,MAAM,GAAG,CAAC,EAAE;MACvB20C,aAAa,CAAC3wC,GAAG,CAAC,QAAQ,EAAEia,UAAU,CAACmsD,GAAG,CAACzQ,MAAM,CAAC,CAAC;IACvD;IACAhlB,aAAa,CAAC3wC,GAAG,CAAC,UAAU,EAAEs2G,UAAU,CAAC;EAC7C;EACA,IAAIxiF,IAAI,CAAC2d,YAAY,CAACz1C,MAAM,GAAG,CAAC,EAAE;IAC9B20C,aAAa,CAAC3wC,GAAG,CAAC,cAAc,EAAEu2G,sBAAsB,CAACt8F,UAAU,CAAC6Z,IAAI,CAAC2d,YAAY,CAACtxC,GAAG,CAACy9B,IAAI,IAAIA,IAAI,CAAC33B,IAAI,CAAC,CAAC,EAAE6tB,IAAI,CAAC0iF,uBAAuB,CAAC,CAAC;EACjJ;EACA,IAAI1iF,IAAI,CAAC2iF,aAAa,KAAK,IAAI,EAAE;IAC7B3iF,IAAI,CAAC2iF,aAAa,GAAGx1G,iBAAiB,CAACy1G,QAAQ;EACnD;EACA;EACA,IAAI5iF,IAAI,CAACy1B,MAAM,IAAIz1B,IAAI,CAACy1B,MAAM,CAACvtD,MAAM,EAAE;IACnC,MAAM26G,WAAW,GAAG7iF,IAAI,CAAC2iF,aAAa,IAAIx1G,iBAAiB,CAACy1G,QAAQ,GAChEE,aAAa,CAAC9iF,IAAI,CAACy1B,MAAM,EAAEirD,YAAY,EAAED,SAAS,CAAC,GACnDzgF,IAAI,CAACy1B,MAAM;IACf,MAAMstD,UAAU,GAAGF,WAAW,CAACvuG,MAAM,CAAC,CAAClL,MAAM,EAAE45G,KAAK,KAAK;MACrD,IAAIA,KAAK,CAACttF,IAAI,CAAC,CAAC,CAACxtB,MAAM,GAAG,CAAC,EAAE;QACzBkB,MAAM,CAACjB,IAAI,CAACipC,YAAY,CAAC9oB,eAAe,CAACzB,OAAO,CAACm8F,KAAK,CAAC,CAAC,CAAC;MAC7D;MACA,OAAO55G,MAAM;IACjB,CAAC,EAAE,EAAE,CAAC;IACN,IAAI25G,UAAU,CAAC76G,MAAM,GAAG,CAAC,EAAE;MACvB20C,aAAa,CAAC3wC,GAAG,CAAC,QAAQ,EAAEia,UAAU,CAAC48F,UAAU,CAAC,CAAC;IACvD;EACJ,CAAC,MACI,IAAI/iF,IAAI,CAAC2iF,aAAa,KAAKx1G,iBAAiB,CAACy1G,QAAQ,EAAE;IACxD;IACA5iF,IAAI,CAAC2iF,aAAa,GAAGx1G,iBAAiB,CAACgK,IAAI;EAC/C;EACA;EACA,IAAI6oB,IAAI,CAAC2iF,aAAa,KAAKx1G,iBAAiB,CAACy1G,QAAQ,EAAE;IACnD/lE,aAAa,CAAC3wC,GAAG,CAAC,eAAe,EAAE2a,OAAO,CAACmZ,IAAI,CAAC2iF,aAAa,CAAC,CAAC;EACnE;EACA;EACA,IAAI3iF,IAAI,CAACijF,UAAU,KAAK,IAAI,EAAE;IAC1BpmE,aAAa,CAAC3wC,GAAG,CAAC,MAAM,EAAEma,UAAU,CAAC,CAAC;MAAErM,GAAG,EAAE,WAAW;MAAE/P,KAAK,EAAE+1B,IAAI,CAACijF,UAAU;MAAEv/F,MAAM,EAAE;IAAM,CAAC,CAAC,CAAC,CAAC;EACxG;EACA;EACA,IAAI0+F,eAAe,IAAI,IAAI,IAAIA,eAAe,KAAKh1G,uBAAuB,CAAC81G,OAAO,EAAE;IAChFrmE,aAAa,CAAC3wC,GAAG,CAAC,iBAAiB,EAAE2a,OAAO,CAACu7F,eAAe,CAAC,CAAC;EAClE;EACA,MAAMlwG,UAAU,GAAG2T,UAAU,CAACqE,WAAW,CAAC6H,eAAe,CAAC,CAAC7X,MAAM,CAAC,CAAC2iC,aAAa,CAACtL,YAAY,CAAC,CAAC,CAAC,EAAE1b,SAAS,EAAE,IAAI,CAAC;EAClH,MAAM1jB,IAAI,GAAGgxG,mBAAmB,CAACnjF,IAAI,CAAC;EACtC,OAAO;IAAE9tB,UAAU;IAAEC,IAAI;IAAEuQ,UAAU,EAAE;EAAG,CAAC;AAC/C;AACA;AACA;AACA;AACA;AACA,SAASygG,mBAAmBA,CAACnjF,IAAI,EAAE;EAC/B,MAAMroB,UAAU,GAAGyrG,6BAA6B,CAACpjF,IAAI,CAAC;EACtDroB,UAAU,CAACxP,IAAI,CAACk7G,iBAAiB,CAACrjF,IAAI,CAAChhB,QAAQ,CAACymF,kBAAkB,CAAC,CAAC;EACpE9tF,UAAU,CAACxP,IAAI,CAAC6d,cAAc,CAACa,OAAO,CAACmZ,IAAI,CAACuf,YAAY,CAAC,CAAC,CAAC;EAC3D5nC,UAAU,CAACxP,IAAI,CAACm7G,wBAAwB,CAACtjF,IAAI,CAAC,CAAC;EAC/C;EACA;EACA;EACA,IAAIA,IAAI,CAACmhF,QAAQ,EAAE;IACfxpG,UAAU,CAACxP,IAAI,CAAC6d,cAAc,CAACa,OAAO,CAACmZ,IAAI,CAACmhF,QAAQ,CAAC,CAAC,CAAC;EAC3D;EACA,OAAOn7F,cAAc,CAACH,UAAU,CAACqE,WAAW,CAACgI,oBAAoB,EAAEva,UAAU,CAAC,CAAC;AACnF;AACA;AACA;AACA;AACA;AACA,SAAS8qG,sBAAsBA,CAACnrF,IAAI,EAAEmwB,IAAI,EAAE;EACxC,QAAQA,IAAI;IACR,KAAK,CAAC,CAAC;MACH;MACA,OAAOnwB,IAAI;IACf,KAAK,CAAC,CAAC;MACH;MACA,OAAO3Y,EAAE,CAAC,EAAE,EAAE,CAAC,IAAIsG,eAAe,CAACqS,IAAI,CAAC,CAAC,CAAC;IAC9C,KAAK,CAAC,CAAC;MACH;MACA,MAAMisF,YAAY,GAAGjsF,IAAI,CAACxd,IAAI,CAAC,KAAK,CAAC,CAACI,MAAM,CAAC,CAAC2L,UAAU,CAACqE,WAAW,CAACsH,iBAAiB,CAAC,CAAC,CAAC;MACzF,OAAO7S,EAAE,CAAC,EAAE,EAAE,CAAC,IAAIsG,eAAe,CAACs+F,YAAY,CAAC,CAAC,CAAC;EAC1D;AACJ;AACA,SAASC,kBAAkBA,CAACryE,KAAK,EAAEC,YAAY,EAAE;EAC7C,MAAMvnB,UAAU,GAAG,CAACqnB,iBAAiB,CAACC,KAAK,EAAEC,YAAY,CAAC,EAAEvqB,OAAO,CAAC48F,YAAY,CAACtyE,KAAK,CAAC,CAAC,CAAC;EACzF,IAAIA,KAAK,CAACs0B,IAAI,EAAE;IACZ57C,UAAU,CAAC1hB,IAAI,CAACgpC,KAAK,CAACs0B,IAAI,CAAC;EAC/B;EACA,OAAO57C,UAAU;AACrB;AACA;AACA;AACA;AACA;AACA,SAAS45F,YAAYA,CAACtyE,KAAK,EAAE;EACzB,OAAO,CAACA,KAAK,CAACuyE,WAAW,GAAG,CAAC,CAAC,+BAA+B,CAAC,CAAC,0BAC1DvyE,KAAK,CAACwyE,MAAM,GAAG,CAAC,CAAC,4BAA4B,CAAC,CAAC,sBAAsB,IACrExyE,KAAK,CAACyyE,uBAAuB,GAAG,CAAC,CAAC,2CAA2C,CAAC,CAAC,sBAAsB;AAC9G;AACA,SAASC,8BAA8BA,CAACx/E,UAAU,EAAE;EAChD,MAAMje,MAAM,GAAG,EAAE;EACjB,KAAK,IAAIpM,GAAG,IAAI5L,MAAM,CAACqiC,mBAAmB,CAACpM,UAAU,CAAC,EAAE;IACpD,MAAMp6B,KAAK,GAAGo6B,UAAU,CAACrqB,GAAG,CAAC;IAC7BoM,MAAM,CAACje,IAAI,CAAC0e,OAAO,CAAC7M,GAAG,CAAC,EAAE/P,KAAK,CAAC;EACpC;EACA,OAAOmc,MAAM;AACjB;AACA;AACA,SAASy6F,4BAA4BA,CAACD,OAAO,EAAExvE,YAAY,EAAEpnC,IAAI,EAAE;EAC/D,MAAM2oE,gBAAgB,GAAG,EAAE;EAC3B,MAAMC,gBAAgB,GAAG,EAAE;EAC3B,MAAMkxC,aAAa,GAAG1zE,kBAAkB,CAACwiC,gBAAgB,EAAEnjC,cAAc,CAAC;EAC1E,KAAK,MAAM0B,KAAK,IAAIyvE,OAAO,EAAE;IACzB;IACAjuC,gBAAgB,CAACxqE,IAAI,CAAC0d,UAAU,CAACqE,WAAW,CAACyJ,YAAY,CAAC,CACrDzZ,MAAM,CAAC,CAAC0L,QAAQ,CAAC,UAAU,CAAC,EAAE,GAAG49F,kBAAkB,CAACryE,KAAK,EAAEC,YAAY,CAAC,CAAC,CAAC,CAC1Ej0B,MAAM,CAAC,CAAC,CAAC;IACd;IACA,MAAMksC,SAAS,GAAGy6D,aAAa,CAAC,CAAC;IACjC,MAAMC,YAAY,GAAGl+F,UAAU,CAACqE,WAAW,CAACwJ,SAAS,CAAC,CAACxZ,MAAM,CAAC,EAAE,CAAC;IACjE,MAAM8pG,OAAO,GAAGn+F,UAAU,CAACqE,WAAW,CAACsJ,YAAY,CAAC,CAACtZ,MAAM,CAAC,CAACmvC,SAAS,CAACn9C,GAAG,CAAC63G,YAAY,CAAC,CAAC,CAAC;IAC1F,MAAME,eAAe,GAAGr+F,QAAQ,CAAC8pB,YAAY,CAAC,CACzC51B,IAAI,CAACq3B,KAAK,CAAC82C,YAAY,CAAC,CACxB/7E,GAAG,CAACilC,KAAK,CAACktB,KAAK,GAAGhV,SAAS,CAACvvC,IAAI,CAAC,OAAO,CAAC,GAAGuvC,SAAS,CAAC;IAC3DupB,gBAAgB,CAACzqE,IAAI,CAAC67G,OAAO,CAAChoG,GAAG,CAACioG,eAAe,CAAC,CAAC9mG,MAAM,CAAC,CAAC,CAAC;EAChE;EACA,MAAM+mG,oBAAoB,GAAGl6G,IAAI,GAAG,GAAGA,IAAI,iBAAiB,GAAG,IAAI;EACnE,OAAO2U,EAAE,CAAC,CACN,IAAI4D,OAAO,CAACotB,YAAY,EAAE92B,WAAW,CAAC,EAAE,IAAI0J,OAAO,CAACmtB,YAAY,EAAE,IAAI,CAAC,EACvE,IAAIntB,OAAO,CAAC,UAAU,EAAE,IAAI,CAAC,CAChC,EAAE,CACC6uF,qBAAqB,CAAC,CAAC,CAAC,+BAA+Bz+B,gBAAgB,CAAC,EACxEy+B,qBAAqB,CAAC,CAAC,CAAC,+BAA+Bx+B,gBAAgB,CAAC,CAC3E,EAAEr6D,aAAa,EAAE,IAAI,EAAE2rG,oBAAoB,CAAC;AACjD;AACA,SAASC,YAAYA,CAACvxG,GAAG,EAAE;EACvB,OAAOoT,cAAc,CAACa,OAAO,CAACjU,GAAG,CAAC,CAAC;AACvC;AACA,SAASwxG,4BAA4BA,CAAC/3G,GAAG,EAAE;EACvC,MAAMg4G,SAAS,GAAGj2G,MAAM,CAAC2D,IAAI,CAAC1F,GAAG,CAAC,CAACA,GAAG,CAAC2N,GAAG,IAAI;IAC1C,MAAM/P,KAAK,GAAGssB,KAAK,CAACC,OAAO,CAACnqB,GAAG,CAAC2N,GAAG,CAAC,CAAC,GAAG3N,GAAG,CAAC2N,GAAG,CAAC,CAAC,CAAC,CAAC,GAAG3N,GAAG,CAAC2N,GAAG,CAAC;IAC9D,OAAO;MACHA,GAAG;MACH/P,KAAK,EAAE4c,OAAO,CAAC5c,KAAK,CAAC;MACrByZ,MAAM,EAAE;IACZ,CAAC;EACL,CAAC,CAAC;EACF,OAAO2C,UAAU,CAACg+F,SAAS,CAAC;AAChC;AACA,SAAShB,iBAAiBA,CAAC7rF,GAAG,EAAE;EAC5B,OAAOA,GAAG,CAACtvB,MAAM,GAAG,CAAC,GAAG8d,cAAc,CAACG,UAAU,CAACqR,GAAG,CAACnrB,GAAG,CAACpC,KAAK,IAAI4c,OAAO,CAAC5c,KAAK,CAAC,CAAC,CAAC,CAAC,GAChFiP,SAAS;AACjB;AACA,SAASkqG,6BAA6BA,CAACpjF,IAAI,EAAE;EACzC;EACA;EACA,MAAMskF,eAAe,GAAGtkF,IAAI,CAACn4B,QAAQ,KAAK,IAAI,GAAGm4B,IAAI,CAACn4B,QAAQ,CAAC6B,OAAO,CAAC,KAAK,EAAE,EAAE,CAAC,GAAG,IAAI;EACxF,OAAO,CACHy0B,kBAAkB,CAAC6B,IAAI,CAAC7tB,IAAI,CAACA,IAAI,EAAE6tB,IAAI,CAAC2B,iBAAiB,CAAC,EAC1D2iF,eAAe,KAAK,IAAI,GAAGH,YAAY,CAACG,eAAe,CAAC,GAAGprG,SAAS,EACpE8mB,IAAI,CAACkhF,QAAQ,KAAK,IAAI,GAAGmC,iBAAiB,CAACrjF,IAAI,CAACkhF,QAAQ,CAAC,GAAGhoG,SAAS,EACrE8M,cAAc,CAACu+F,uBAAuB,CAACvkF,IAAI,CAAC,CAAC,EAC7Cha,cAAc,CAACo+F,4BAA4B,CAACpkF,IAAI,CAACuE,OAAO,CAAC,CAAC,EAC1D8+E,iBAAiB,CAACrjF,IAAI,CAAC4gF,OAAO,CAACv0G,GAAG,CAACm4G,CAAC,IAAIA,CAAC,CAACv8B,YAAY,CAAC,CAAC,CAC3D;AACL;AACA,SAASs8B,uBAAuBA,CAACvkF,IAAI,EAAE;EACnC,OAAO3Z,UAAU,CAACjY,MAAM,CAAC2D,IAAI,CAACiuB,IAAI,CAACsE,MAAM,CAAC,CAACj4B,GAAG,CAAC2N,GAAG,IAAI;IAClD,MAAM/P,KAAK,GAAG+1B,IAAI,CAACsE,MAAM,CAACtqB,GAAG,CAAC;IAC9B,OAAO;MACHA,GAAG;MACH/P,KAAK,EAAEoc,UAAU,CAAC,CACd;QAAErM,GAAG,EAAE,OAAO;QAAE/P,KAAK,EAAE4c,OAAO,CAAC5c,KAAK,CAAC6mC,mBAAmB,CAAC;QAAEptB,MAAM,EAAE;MAAK,CAAC,EACzE;QAAE1J,GAAG,EAAE,UAAU;QAAE/P,KAAK,EAAE4c,OAAO,CAAC5c,KAAK,CAACw6G,QAAQ,CAAC;QAAE/gG,MAAM,EAAE;MAAK,CAAC,CACpE,CAAC;MACFA,MAAM,EAAE;IACZ,CAAC;EACL,CAAC,CAAC,CAAC;AACP;AACA;AACA;AACA;AACA;AACA,SAASq+F,mBAAmBA,CAAC/hF,IAAI,EAAE;EAC/B,MAAMroB,UAAU,GAAGyrG,6BAA6B,CAACpjF,IAAI,CAAC;EACtD;EACA;EACAroB,UAAU,CAACxP,IAAI,CAAC+Q,SAAS,CAAC;EAC1BvB,UAAU,CAACxP,IAAI,CAAC6d,cAAc,CAACa,OAAO,CAACmZ,IAAI,CAACuf,YAAY,CAAC,CAAC,CAAC;EAC3D5nC,UAAU,CAACxP,IAAI,CAACm7G,wBAAwB,CAACtjF,IAAI,CAAC,CAAC;EAC/C;EACA;EACA;EACA,IAAIA,IAAI,CAACmhF,QAAQ,EAAE;IACfxpG,UAAU,CAACxP,IAAI,CAAC6d,cAAc,CAACa,OAAO,CAACmZ,IAAI,CAACmhF,QAAQ,CAAC,CAAC,CAAC;EAC3D;EACA,OAAOn7F,cAAc,CAACH,UAAU,CAACqE,WAAW,CAACsI,oBAAoB,EAAE7a,UAAU,CAAC,CAAC;AACnF;AACA;AACA,SAASopG,yBAAyBA,CAACD,WAAW,EAAE1vE,YAAY,EAAEpnC,IAAI,EAAE;EAChE,MAAM2oE,gBAAgB,GAAG,EAAE;EAC3B,MAAMC,gBAAgB,GAAG,EAAE;EAC3B,MAAMkxC,aAAa,GAAG1zE,kBAAkB,CAACwiC,gBAAgB,EAAEnjC,cAAc,CAAC;EAC1EqxE,WAAW,CAAC12G,OAAO,CAAE+mC,KAAK,IAAK;IAC3B;IACA,MAAMuzE,eAAe,GAAG7+F,UAAU,CAACqE,WAAW,CAACuJ,SAAS,CAAC,CAACvZ,MAAM,CAACspG,kBAAkB,CAACryE,KAAK,EAAEC,YAAY,CAAC,CAAC;IACzGuhC,gBAAgB,CAACxqE,IAAI,CAACu8G,eAAe,CAACvnG,MAAM,CAAC,CAAC,CAAC;IAC/C;IACA,MAAMksC,SAAS,GAAGy6D,aAAa,CAAC,CAAC;IACjC,MAAMC,YAAY,GAAGl+F,UAAU,CAACqE,WAAW,CAACwJ,SAAS,CAAC,CAACxZ,MAAM,CAAC,EAAE,CAAC;IACjE,MAAM8pG,OAAO,GAAGn+F,UAAU,CAACqE,WAAW,CAACsJ,YAAY,CAAC,CAACtZ,MAAM,CAAC,CAACmvC,SAAS,CAACn9C,GAAG,CAAC63G,YAAY,CAAC,CAAC,CAAC;IAC1F,MAAME,eAAe,GAAGr+F,QAAQ,CAAC8pB,YAAY,CAAC,CACzC51B,IAAI,CAACq3B,KAAK,CAAC82C,YAAY,CAAC,CACxB/7E,GAAG,CAACilC,KAAK,CAACktB,KAAK,GAAGhV,SAAS,CAACvvC,IAAI,CAAC,OAAO,CAAC,GAAGuvC,SAAS,CAAC;IAC3DupB,gBAAgB,CAACzqE,IAAI,CAAC67G,OAAO,CAAChoG,GAAG,CAACioG,eAAe,CAAC,CAAC9mG,MAAM,CAAC,CAAC,CAAC;EAChE,CAAC,CAAC;EACF,MAAMwnG,eAAe,GAAG36G,IAAI,GAAG,GAAGA,IAAI,QAAQ,GAAG,IAAI;EACrD,OAAO2U,EAAE,CAAC,CAAC,IAAI4D,OAAO,CAACotB,YAAY,EAAE92B,WAAW,CAAC,EAAE,IAAI0J,OAAO,CAACmtB,YAAY,EAAE,IAAI,CAAC,CAAC,EAAE,CACjF0hE,qBAAqB,CAAC,CAAC,CAAC,+BAA+Bz+B,gBAAgB,CAAC,EACxEy+B,qBAAqB,CAAC,CAAC,CAAC,+BAA+Bx+B,gBAAgB,CAAC,CAC3E,EAAEr6D,aAAa,EAAE,IAAI,EAAEosG,eAAe,CAAC;AAC5C;AACA;AACA,SAAS3D,0BAA0BA,CAAC4D,oBAAoB,EAAE3D,cAAc,EAAE3tC,aAAa,EAAEliC,YAAY,EAAEvpC,QAAQ,EAAEmC,IAAI,EAAE6yC,aAAa,EAAE;EAClI,MAAM8Y,QAAQ,GAAG2d,aAAa,CAACkoB,yBAAyB,CAACopB,oBAAoB,CAACrxC,UAAU,EAAE0tC,cAAc,CAAC;EACzG;EACA,MAAM4D,aAAa,GAAGvxC,aAAa,CAACqoB,4BAA4B,CAACipB,oBAAoB,CAACE,SAAS,EAAE7D,cAAc,CAAC;EAChH,IAAIlsC,qBAAqB,EAAE;IACvB;IACA;IACA;IACA,MAAMgwC,OAAO,GAAG1xC,iBAAiB,CAAC;MAC9BnS,aAAa,EAAEl3D,IAAI;MACnBupE,UAAU,EAAE5d,QAAQ;MACpB8d,MAAM,EAAEoxC;IACZ,CAAC,EAAEvxC,aAAa,EAAEliC,YAAY,CAAC;IAC/BghC,oBAAoB,CAAC2yC,OAAO,CAAC;IAC7B,MAAM1iD,QAAQ,GAAG0iD,OAAO,CAACtjD,IAAI,CAAC36B,IAAI;IAClC,IAAIu7B,QAAQ,KAAK,IAAI,IAAIA,QAAQ,GAAG,CAAC,EAAE;MACnCxlB,aAAa,CAAC3wC,GAAG,CAAC,UAAU,EAAE2a,OAAO,CAACw7C,QAAQ,CAAC,CAAC;IACpD;IACA,OAAO4Q,uBAAuB,CAAC8xC,OAAO,CAAC;EAC3C;EACA,MAAMvJ,cAAc,GAAG51F,QAAQ,CAAC8pB,YAAY,CAAC;EAC7C,MAAMs1E,YAAY,GAAG,IAAI9vC,cAAc,CAACsmC,cAAc,CAAC;EACvD,MAAM;IAAEyJ,SAAS;IAAEC;EAAU,CAAC,GAAGN,oBAAoB,CAACO,iBAAiB;EACvE,IAAIF,SAAS,KAAKpvF,SAAS,EAAE;IACzBmvF,YAAY,CAACjuC,iBAAiB,CAACkuC,SAAS,CAAC;EAC7C;EACA,IAAIC,SAAS,KAAKrvF,SAAS,EAAE;IACzBmvF,YAAY,CAAChuC,iBAAiB,CAACkuC,SAAS,CAAC;EAC7C;EACA,MAAME,kBAAkB,GAAG,EAAE;EAC7B,MAAMC,kBAAkB,GAAG,EAAE;EAC7B,MAAMtQ,eAAe,GAAG,EAAE;EAC1B,MAAMuQ,qBAAqB,GAAGrE,cAAc;EAC5C,IAAI4D,aAAa,IAAIA,aAAa,CAAC38G,MAAM,EAAE;IACvCk9G,kBAAkB,CAACj9G,IAAI,CAAC,GAAGo9G,mBAAmB,CAACV,aAAa,EAAE76G,IAAI,CAAC,CAAC;EACxE;EACA;EACA,MAAMw7G,gBAAgB,GAAG,EAAE;EAC3B;EACA;EACA;EACA;EACA,IAAIC,kBAAkB,GAAG,CAAC;EAC1B9vD,QAAQ,IAAIA,QAAQ,CAACvrD,OAAO,CAAE4/D,OAAO,IAAK;IACtC,MAAMmuC,kBAAkB,GAAG6M,YAAY,CAAC9uC,wBAAwB,CAAClM,OAAO,CAAChgE,IAAI,EAAEggE,OAAO,CAAC93D,UAAU,EAAEozG,qBAAqB,CAAC;IACzH,IAAInN,kBAAkB,EAAE;MACpBsN,kBAAkB,IAAIxwC,kCAAkC;IAC5D,CAAC,MACI;MACDuwC,gBAAgB,CAACr9G,IAAI,CAAC6hE,OAAO,CAAC;MAC9By7C,kBAAkB,EAAE;IACxB;EACJ,CAAC,CAAC;EACF,IAAIruC,cAAc;EAClB,MAAMsuC,iBAAiB,GAAGA,CAAA,KAAM;IAC5B,IAAI,CAACtuC,cAAc,EAAE;MACjB,MAAMuuC,eAAe,GAAI5R,QAAQ,IAAK;QAClC,MAAM6R,iBAAiB,GAAGH,kBAAkB;QAC5CA,kBAAkB,IAAI1R,QAAQ;QAC9B,OAAO6R,iBAAiB;MAC5B,CAAC;MACDxuC,cAAc,GAAG,IAAIy8B,cAAc,CAACziE,YAAY,EAAE,MAAMtb,KAAK,CAAC,iBAAiB,CAAC;MAAE;MAClF6vF,eAAe,EAAE,MAAM7vF,KAAK,CAAC,iBAAiB,CAAC,CAAC,CAAC,CAAC;IACtD;IACA,OAAOshD,cAAc;EACzB,CAAC;EACD,MAAM6hC,gBAAgB,GAAG,EAAE;EAC3B,MAAMC,iBAAiB,GAAG,EAAE;EAC5B,MAAM2M,qBAAqB,GAAG,EAAE;EAChC,KAAK,MAAM77C,OAAO,IAAIw7C,gBAAgB,EAAE;IACpC;IACA,MAAMv7G,KAAK,GAAG+/D,OAAO,CAAC93D,UAAU,CAAChB,KAAK,CAACw0G,iBAAiB,CAAC,CAAC,CAAC;IAC3D,MAAMI,WAAW,GAAGC,SAAS,CAACvK,cAAc,EAAEvxG,KAAK,CAAC;IACpD,MAAM;MAAE+7G,WAAW;MAAExhD,WAAW;MAAE0kB;IAAY,CAAC,GAAG+8B,4BAA4B,CAACj8C,OAAO,CAAC;IACvF,MAAM+zB,gBAAgB,GAAGzqB,aAAa,CAAC2qB,4BAA4B,CAACp2F,QAAQ,EAAEm+G,WAAW,EAAE98B,WAAW,CAAC,CAClGv/D,MAAM,CAACpY,OAAO,IAAIA,OAAO,KAAK9D,eAAe,CAACo2D,IAAI,CAAC;IACxD,IAAIsL,WAAW,GAAG,IAAI;IACtB,IAAI4uB,gBAAgB,CAAC71F,MAAM,EAAE;MACzB,IAAI61F,gBAAgB,CAAC71F,MAAM,KAAK,CAAC,IAC7B61F,gBAAgB,CAACtoE,OAAO,CAAChoB,eAAe,CAAC28C,GAAG,CAAC,GAAG,CAAC,CAAC,IAClD2zC,gBAAgB,CAACtoE,OAAO,CAAChoB,eAAe,CAAC48C,YAAY,CAAC,GAAG,CAAC,CAAC,EAAE;QAC7D;QACA;QACA;QACA;QACA8kB,WAAW,GAAGtpD,UAAU,CAACqE,WAAW,CAACwK,wBAAwB,CAAC;MAClE,CAAC,MACI;QACDy6C,WAAW,GAAGsqC,qBAAqB,CAAC1b,gBAAgB,CAAC,CAAC,CAAC,EAAE7U,WAAW,CAAC;MACzE;IACJ;IACA,MAAMg9B,iBAAiB,GAAG,CAACr/F,OAAO,CAACm/F,WAAW,CAAC,EAAEF,WAAW,CAACn/D,WAAW,CAAC;IACzE,IAAIwoB,WAAW,EAAE;MACb+2C,iBAAiB,CAAC/9G,IAAI,CAACgnE,WAAW,CAAC;IACvC,CAAC,MACI;MACD;MACA;MACA;MACA;MACA;MACA;MACA;MACA;MACA;MACA,IAAI1kB,6BAA6B,CAACu7D,WAAW,CAAC,EAAE;QAC5CE,iBAAiB,CAAC/9G,IAAI,CAAC0d,UAAU,CAACqE,WAAW,CAAC2K,uBAAuB,CAAC,CAAC;MAC3E;IACJ;IACAkgF,eAAe,CAAC5sG,IAAI,CAAC,GAAG29G,WAAW,CAACpgG,KAAK,CAAC;IAC1C,IAAI8+C,WAAW,KAAKt6C,WAAW,CAACwF,YAAY,EAAE;MAC1CupF,gBAAgB,CAAC9wG,IAAI,CAAC+9G,iBAAiB,CAAC;IAC5C,CAAC,MACI,IAAI1hD,WAAW,KAAKt6C,WAAW,CAACjhB,SAAS,EAAE;MAC5CiwG,iBAAiB,CAAC/wG,IAAI,CAAC+9G,iBAAiB,CAAC;IAC7C,CAAC,MACI,IAAI1hD,WAAW,KAAKt6C,WAAW,CAACU,qBAAqB,EAAE;MACxDi7F,qBAAqB,CAAC19G,IAAI,CAAC+9G,iBAAiB,CAAC;IACjD,CAAC,MACI;MACDb,kBAAkB,CAACl9G,IAAI,CAAC;QAAE6oB,SAAS,EAAEwzC,WAAW;QAAEpyB,UAAU,EAAE8zE,iBAAiB;QAAE3pF,IAAI,EAAE;MAAK,CAAC,CAAC;IAClG;EACJ;EACA,KAAK,MAAM4pF,aAAa,IAAIlN,gBAAgB,EAAE;IAC1CoM,kBAAkB,CAACl9G,IAAI,CAAC;MAAE6oB,SAAS,EAAE9G,WAAW,CAACwF,YAAY;MAAE0iB,UAAU,EAAE+zE,aAAa;MAAE5pF,IAAI,EAAE;IAAK,CAAC,CAAC;EAC3G;EACA,KAAK,MAAM4pF,aAAa,IAAIjN,iBAAiB,EAAE;IAC3CmM,kBAAkB,CAACl9G,IAAI,CAAC;MAAE6oB,SAAS,EAAE9G,WAAW,CAACjhB,SAAS;MAAEmpC,UAAU,EAAE+zE,aAAa;MAAE5pF,IAAI,EAAE;IAAK,CAAC,CAAC;EACxG;EACA,KAAK,MAAM4pF,aAAa,IAAIN,qBAAqB,EAAE;IAC/CR,kBAAkB,CAACl9G,IAAI,CAAC;MAAE6oB,SAAS,EAAE9G,WAAW,CAACU,qBAAqB;MAAEwnB,UAAU,EAAE+zE,aAAa;MAAE5pF,IAAI,EAAE;IAAK,CAAC,CAAC;EACpH;EACA;EACA;EACA;EACA;EACA;EACA;EACA;EACA,MAAM6pF,SAAS,GAAGvC,8BAA8B,CAACe,oBAAoB,CAACvgF,UAAU,CAAC;EACjF2gF,YAAY,CAAC9tC,eAAe,CAACkvC,SAAS,EAAEvpE,aAAa,CAAC;EACtD,IAAImoE,YAAY,CAAC3vC,WAAW,EAAE;IAC1B;IACA;IACA;IACA2vC,YAAY,CAACxsC,4BAA4B,CAACktC,iBAAiB,CAAC,CAAC,CAAC,CAACt7G,OAAO,CAACo6D,WAAW,IAAI;MAClF,KAAK,MAAMpb,IAAI,IAAIob,WAAW,CAACqT,KAAK,EAAE;QAClC;QACA;QACA4tC,kBAAkB,IACdx2G,IAAI,CAACC,GAAG,CAACk6C,IAAI,CAAC0uB,oBAAoB,GAAG7C,kCAAkC,EAAE,CAAC,CAAC;QAC/EowC,kBAAkB,CAACl9G,IAAI,CAAC;UACpB6oB,SAAS,EAAEwzC,WAAW,CAACxzC,SAAS;UAChCohB,UAAU,EAAEi0E,kBAAkB,CAACj9D,IAAI,EAAEoyD,cAAc,EAAEuK,SAAS,CAAC;UAC/DxpF,IAAI,EAAE;QACV,CAAC,CAAC;MACN;IACJ,CAAC,CAAC;EACN;EACA,IAAIkpF,kBAAkB,EAAE;IACpB5oE,aAAa,CAAC3wC,GAAG,CAAC,UAAU,EAAE2a,OAAO,CAAC4+F,kBAAkB,CAAC,CAAC;EAC9D;EACA,IAAIL,kBAAkB,CAACl9G,MAAM,GAAG,CAAC,IAAIm9G,kBAAkB,CAACn9G,MAAM,GAAG,CAAC,EAAE;IAChE,MAAMo+G,kBAAkB,GAAGt8G,IAAI,GAAG,GAAGA,IAAI,eAAe,GAAG,IAAI;IAC/D,MAAM0Y,UAAU,GAAG,EAAE;IACrB,IAAI0iG,kBAAkB,CAACl9G,MAAM,GAAG,CAAC,EAAE;MAC/Bwa,UAAU,CAACva,IAAI,CAACipG,qBAAqB,CAAC,CAAC,CAAC,+BAA+Bt/D,wBAAwB,CAACszE,kBAAkB,CAAC,CAAC,CAAC;IACzH;IACA,IAAIC,kBAAkB,CAACn9G,MAAM,GAAG,CAAC,EAAE;MAC/Bwa,UAAU,CAACva,IAAI,CAACipG,qBAAqB,CAAC,CAAC,CAAC,+BAA+B2D,eAAe,CAAChrG,MAAM,CAAC+nC,wBAAwB,CAACuzE,kBAAkB,CAAC,CAAC,CAAC,CAAC;IACjJ;IACA,OAAO1mG,EAAE,CAAC,CAAC,IAAI4D,OAAO,CAACotB,YAAY,EAAE92B,WAAW,CAAC,EAAE,IAAI0J,OAAO,CAACmtB,YAAY,EAAE,IAAI,CAAC,CAAC,EAAEhtB,UAAU,EAAEnK,aAAa,EAAE,IAAI,EAAE+tG,kBAAkB,CAAC;EAC7I;EACA,OAAO,IAAI;AACf;AACA,SAASP,SAASA,CAACQ,QAAQ,EAAEt8G,KAAK,EAAE;EAChC,OAAO28C,sBAAsB,CAAC,IAAI,EAAE2/D,QAAQ,EAAEt8G,KAAK,EAAE,GAAG,CAAC;AAC7D;AACA,SAASo8G,kBAAkBA,CAACj9D,IAAI,EAAEoyD,cAAc,EAAEuK,SAAS,EAAE;EACzD,OAAO38D,IAAI,CAACjvC,MAAM,CAAClQ,KAAK,IAAI87G,SAAS,CAACvK,cAAc,EAAEvxG,KAAK,CAAC,CAAC08C,WAAW,CAAC;AAC7E;AACA,SAASs/D,4BAA4BA,CAACj8C,OAAO,EAAE;EAC3C,IAAIg8C,WAAW,GAAGh8C,OAAO,CAAChgE,IAAI;EAC9B,IAAIw6D,WAAW;EACf;EACA,MAAMgiD,WAAW,GAAGR,WAAW,CAAC39G,KAAK,CAACk4G,UAAU,CAAC;EACjD,IAAIiG,WAAW,EAAE;IACbR,WAAW,GAAGQ,WAAW,CAAC,CAAC,CAAC;IAC5BhiD,WAAW,GAAGt6C,WAAW,CAACjhB,SAAS;EACvC,CAAC,MACI;IACD,IAAI+gE,OAAO,CAACtlB,WAAW,EAAE;MACrBshE,WAAW,GAAG1nF,4BAA4B,CAAC0nF,WAAW,CAAC;MACvD;MACA;MACA;MACAxhD,WAAW,GAAGt6C,WAAW,CAACU,qBAAqB;IACnD,CAAC,MACI;MACD45C,WAAW,GAAGt6C,WAAW,CAACwF,YAAY;IAC1C;EACJ;EACA,OAAO;IAAEs2F,WAAW;IAAExhD,WAAW;IAAE0kB,WAAW,EAAE,CAAC,CAACs9B;EAAY,CAAC;AACnE;AACA,SAASjB,mBAAmBA,CAACV,aAAa,EAAE76G,IAAI,EAAE;EAC9C,MAAMy8G,cAAc,GAAG,EAAE;EACzB,MAAMC,uBAAuB,GAAG,EAAE;EAClC,MAAM30E,YAAY,GAAG,EAAE;EACvB,KAAK,MAAMi4B,OAAO,IAAI66C,aAAa,EAAE;IACjC,IAAImB,WAAW,GAAGh8C,OAAO,CAAChgE,IAAI,IAAIowC,kBAAkB,CAAC4vB,OAAO,CAAChgE,IAAI,CAAC;IAClE,MAAM8yG,aAAa,GAAG9yC,OAAO,CAAC73D,IAAI,KAAK,CAAC,CAAC,kCACrCysB,oCAAoC,CAAConF,WAAW,EAAEh8C,OAAO,CAAC9lC,aAAa,CAAC,GACxE8hF,WAAW;IACf,MAAMzU,WAAW,GAAGvnG,IAAI,IAAIg8G,WAAW,GAAG,GAAGh8G,IAAI,IAAI8yG,aAAa,qBAAqB,GAAG,IAAI;IAC9F,MAAM3iG,MAAM,GAAGk3F,8BAA8B,CAACvtE,UAAU,CAACE,eAAe,CAACgmC,OAAO,CAAC,EAAEunC,WAAW,CAAC;IAC/F,IAAIvnC,OAAO,CAAC73D,IAAI,IAAI,CAAC,CAAC,iCAAiC;MACnDu0G,uBAAuB,CAACv+G,IAAI,CAACgS,MAAM,CAAC;IACxC,CAAC,MACI;MACDssG,cAAc,CAACt+G,IAAI,CAACgS,MAAM,CAAC;IAC/B;EACJ;EACA,KAAK,MAAMA,MAAM,IAAIusG,uBAAuB,EAAE;IAC1C30E,YAAY,CAAC5pC,IAAI,CAAC;MAAE6oB,SAAS,EAAE9G,WAAW,CAACW,qBAAqB;MAAEunB,UAAU,EAAEj4B,MAAM;MAAEoiB,IAAI,EAAE;IAAK,CAAC,CAAC;EACvG;EACA,KAAK,MAAMpiB,MAAM,IAAIssG,cAAc,EAAE;IACjC10E,YAAY,CAAC5pC,IAAI,CAAC;MAAE6oB,SAAS,EAAE9G,WAAW,CAACiK,QAAQ;MAAEie,UAAU,EAAEj4B,MAAM;MAAEoiB,IAAI,EAAE;IAAK,CAAC,CAAC;EAC1F;EACA,OAAOwV,YAAY;AACvB;AACA,MAAM40E,YAAY,GAAG,qCAAqC;AAC1D,SAASC,iBAAiBA,CAAC1kF,IAAI,EAAE;EAC7B,MAAMmC,UAAU,GAAG,CAAC,CAAC;EACrB,MAAMygF,SAAS,GAAG,CAAC,CAAC;EACpB,MAAMvxC,UAAU,GAAG,CAAC,CAAC;EACrB,MAAM4xC,iBAAiB,GAAG,CAAC,CAAC;EAC5B,KAAK,MAAMnrG,GAAG,IAAI5L,MAAM,CAAC2D,IAAI,CAACmwB,IAAI,CAAC,EAAE;IACjC,MAAMj4B,KAAK,GAAGi4B,IAAI,CAACloB,GAAG,CAAC;IACvB,MAAM02C,OAAO,GAAG12C,GAAG,CAAC3R,KAAK,CAACs+G,YAAY,CAAC;IACvC,IAAIj2D,OAAO,KAAK,IAAI,EAAE;MAClB,QAAQ12C,GAAG;QACP,KAAK,OAAO;UACR,IAAI,OAAO/P,KAAK,KAAK,QAAQ,EAAE;YAC3B;YACA,MAAM,IAAIvB,KAAK,CAAC,8BAA8B,CAAC;UACnD;UACAy8G,iBAAiB,CAACD,SAAS,GAAGj7G,KAAK;UACnC;QACJ,KAAK,OAAO;UACR,IAAI,OAAOA,KAAK,KAAK,QAAQ,EAAE;YAC3B;YACA,MAAM,IAAIvB,KAAK,CAAC,8BAA8B,CAAC;UACnD;UACAy8G,iBAAiB,CAACF,SAAS,GAAGh7G,KAAK;UACnC;QACJ;UACI,IAAI,OAAOA,KAAK,KAAK,QAAQ,EAAE;YAC3Bo6B,UAAU,CAACrqB,GAAG,CAAC,GAAG6M,OAAO,CAAC5c,KAAK,CAAC;UACpC,CAAC,MACI;YACDo6B,UAAU,CAACrqB,GAAG,CAAC,GAAG/P,KAAK;UAC3B;MACR;IACJ,CAAC,MACI,IAAIymD,OAAO,CAAC,CAAC,CAAC,+BAA+B,IAAI,IAAI,EAAE;MACxD,IAAI,OAAOzmD,KAAK,KAAK,QAAQ,EAAE;QAC3B;QACA,MAAM,IAAIvB,KAAK,CAAC,iCAAiC,CAAC;MACtD;MACA;MACA;MACA;MACA6qE,UAAU,CAAC7iB,OAAO,CAAC,CAAC,CAAC,+BAA+B,CAAC,GAAGzmD,KAAK;IACjE,CAAC,MACI,IAAIymD,OAAO,CAAC,CAAC,CAAC,6BAA6B,IAAI,IAAI,EAAE;MACtD,IAAI,OAAOzmD,KAAK,KAAK,QAAQ,EAAE;QAC3B;QACA,MAAM,IAAIvB,KAAK,CAAC,8BAA8B,CAAC;MACnD;MACAo8G,SAAS,CAACp0D,OAAO,CAAC,CAAC,CAAC,6BAA6B,CAAC,GAAGzmD,KAAK;IAC9D;EACJ;EACA,OAAO;IAAEo6B,UAAU;IAAEygF,SAAS;IAAEvxC,UAAU;IAAE4xC;EAAkB,CAAC;AACnE;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAAS0B,kBAAkBA,CAAClxD,QAAQ,EAAE97C,UAAU,EAAE;EAC9C;EACA;EACA,MAAMy5D,aAAa,GAAGosC,iBAAiB,CAAC,CAAC;EACzCpsC,aAAa,CAACqoB,4BAA4B,CAAChmC,QAAQ,CAACmvD,SAAS,EAAEjrG,UAAU,CAAC;EAC1Ey5D,aAAa,CAACkoB,yBAAyB,CAAC7lC,QAAQ,CAAC4d,UAAU,EAAE15D,UAAU,CAAC;EACxE,OAAOy5D,aAAa,CAAC1vB,MAAM;AAC/B;AACA,SAASk/D,aAAaA,CAACrtD,MAAM,EAAE5tD,QAAQ,EAAEmjD,YAAY,EAAE;EACnD,MAAM87D,SAAS,GAAG,IAAIl8D,SAAS,CAAC,CAAC;EACjC,OAAO6K,MAAM,CAACppD,GAAG,CAAC22G,KAAK,IAAI;IACvB,OAAO8D,SAAS,CAACh8D,WAAW,CAACk4D,KAAK,EAAEn7G,QAAQ,EAAEmjD,YAAY,CAAC;EAC/D,CAAC,CAAC;AACN;AACA,SAASs4D,wBAAwBA,CAACtjF,IAAI,EAAE;EACpC,IAAI,CAACA,IAAI,CAAC4hF,cAAc,EAAE15G,MAAM,EAAE;IAC9B,OAAOgR,SAAS;EACpB;EACA,OAAO8M,cAAc,CAACG,UAAU,CAAC6Z,IAAI,CAAC4hF,cAAc,CAACv1G,GAAG,CAAC06G,QAAQ,IAAI1gG,UAAU,CAAC,CAC5E;IAAErM,GAAG,EAAE,WAAW;IAAE/P,KAAK,EAAEic,UAAU,CAAC6gG,QAAQ,CAACC,SAAS,CAAC70G,IAAI,CAAC;IAAEuR,MAAM,EAAE;EAAM,CAAC,EAC/E;IAAE1J,GAAG,EAAE,QAAQ;IAAE/P,KAAK,EAAEm6G,4BAA4B,CAAC2C,QAAQ,CAACziF,MAAM,IAAI,CAAC,CAAC,CAAC;IAAE5gB,MAAM,EAAE;EAAM,CAAC,EAC5F;IAAE1J,GAAG,EAAE,SAAS;IAAE/P,KAAK,EAAEm6G,4BAA4B,CAAC2C,QAAQ,CAACxiF,OAAO,IAAI,CAAC,CAAC,CAAC;IAAE7gB,MAAM,EAAE;EAAM,CAAC,CACjG,CAAC,CAAC,CAAC,CAAC;AACT;AACA,SAASm+F,8BAA8BA,CAACD,cAAc,EAAE;EACpD,MAAM1iG,WAAW,GAAG,EAAE;EACtB,IAAI+nG,aAAa,GAAG,KAAK;EACzB,KAAK,MAAM3+G,OAAO,IAAIs5G,cAAc,EAAE;IAClC;IACA,IAAI,CAACt5G,OAAO,CAACg8B,MAAM,IAAI,CAACh8B,OAAO,CAACi8B,OAAO,EAAE;MACrCrlB,WAAW,CAAC/W,IAAI,CAACG,OAAO,CAAC0+G,SAAS,CAAC70G,IAAI,CAAC;IAC5C,CAAC,MACI;MACD,MAAMJ,IAAI,GAAG,CAAC;QAAEiI,GAAG,EAAE,WAAW;QAAE/P,KAAK,EAAE3B,OAAO,CAAC0+G,SAAS,CAAC70G,IAAI;QAAEuR,MAAM,EAAE;MAAM,CAAC,CAAC;MACjF,IAAIpb,OAAO,CAACg8B,MAAM,EAAE;QAChB,MAAM4iF,aAAa,GAAGC,gCAAgC,CAAC7+G,OAAO,CAACg8B,MAAM,CAAC;QACtE,IAAI4iF,aAAa,EAAE;UACfn1G,IAAI,CAAC5J,IAAI,CAAC;YAAE6R,GAAG,EAAE,QAAQ;YAAE/P,KAAK,EAAEi9G,aAAa;YAAExjG,MAAM,EAAE;UAAM,CAAC,CAAC;QACrE;MACJ;MACA,IAAIpb,OAAO,CAACi8B,OAAO,EAAE;QACjB,MAAM6iF,cAAc,GAAGD,gCAAgC,CAAC7+G,OAAO,CAACi8B,OAAO,CAAC;QACxE,IAAI6iF,cAAc,EAAE;UAChBr1G,IAAI,CAAC5J,IAAI,CAAC;YAAE6R,GAAG,EAAE,SAAS;YAAE/P,KAAK,EAAEm9G,cAAc;YAAE1jG,MAAM,EAAE;UAAM,CAAC,CAAC;QACvE;MACJ;MACAxE,WAAW,CAAC/W,IAAI,CAACke,UAAU,CAACtU,IAAI,CAAC,CAAC;IACtC;IACA,IAAIzJ,OAAO,CAAC++G,kBAAkB,EAAE;MAC5BJ,aAAa,GAAG,IAAI;IACxB;EACJ;EACA;EACA;EACA,OAAOA,aAAa,GAChB,IAAIxkG,YAAY,CAAC,EAAE,EAAE,CAAC,IAAIwC,eAAe,CAACkB,UAAU,CAACjH,WAAW,CAAC,CAAC,CAAC,CAAC,GACpEiH,UAAU,CAACjH,WAAW,CAAC;AAC/B;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASioG,gCAAgCA,CAAC75C,OAAO,EAAE;EAC/C,MAAMruD,QAAQ,GAAG,EAAE;EACnB,KAAK,MAAMoqB,UAAU,IAAIikC,OAAO,EAAE;IAC9B,IAAIA,OAAO,CAACnkC,cAAc,CAACE,UAAU,CAAC,EAAE;MACpCpqB,QAAQ,CAAC9W,IAAI,CAAC0e,OAAO,CAACwiB,UAAU,CAAC,EAAExiB,OAAO,CAACymD,OAAO,CAACjkC,UAAU,CAAC,CAAC,CAAC;IACpE;EACJ;EACA,OAAOpqB,QAAQ,CAAC/W,MAAM,GAAG,CAAC,GAAGie,UAAU,CAAClH,QAAQ,CAAC,GAAG,IAAI;AAC5D;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMqoG,cAAc,CAAC;AAGrB,IAAI7f,iBAAiB;AACrB;AACA,SAAS8f,qBAAqBA,CAACtoE,KAAK,EAAE;EAClCwoD,iBAAiB,GAAGxoD,KAAK,CAAC/2C,MAAM,GAAG,CAAC,GAAG,IAAIgoC,GAAG,CAAC+O,KAAK,CAAC,GAAGppB,SAAS;AACrE;AACA,MAAM2xF,kBAAkB,CAAC;EACrBjgH,WAAWA,CAACkgH,YAAY,GAAG,IAAItsE,YAAY,CAAC,CAAC,EAAE;IAC3C,IAAI,CAACssE,YAAY,GAAGA,YAAY;IAChC,IAAI,CAACp1F,aAAa,GAAGyN,eAAe;IACpC,IAAI,CAACwnF,cAAc,GAAGA,cAAc;IACpC,IAAI,CAACI,qBAAqB,GAAG,IAAIx/B,wBAAwB,CAAC,CAAC;EAC/D;EACAy/B,WAAWA,CAACC,cAAc,EAAEC,YAAY,EAAEC,MAAM,EAAE;IAC9C,MAAM1oE,QAAQ,GAAG;MACbp1C,IAAI,EAAE89G,MAAM,CAAC99G,IAAI;MACjBmI,IAAI,EAAEitB,aAAa,CAAC0oF,MAAM,CAAC31G,IAAI,CAAC;MAChCwvB,iBAAiB,EAAE,CAAC;MACpBrB,IAAI,EAAE,IAAI;MACVgf,QAAQ,EAAEwoE,MAAM,CAACxoE,QAAQ;MACzBllC,IAAI,EAAE0tG,MAAM,CAAC1tG,IAAI;MACjBmlC,YAAY,EAAEuoE,MAAM,CAACvoE;IACzB,CAAC;IACD,MAAMv3C,GAAG,GAAGm3C,uBAAuB,CAACC,QAAQ,CAAC;IAC7C,OAAO,IAAI,CAAC2oE,aAAa,CAAC//G,GAAG,CAACkK,UAAU,EAAE01G,cAAc,EAAEC,YAAY,EAAE,EAAE,CAAC;EAC/E;EACAG,sBAAsBA,CAACJ,cAAc,EAAEC,YAAY,EAAEI,WAAW,EAAE;IAC9D,MAAMjoF,IAAI,GAAGkoF,kCAAkC,CAACD,WAAW,CAAC;IAC5D,MAAMjgH,GAAG,GAAGm3C,uBAAuB,CAACnf,IAAI,CAAC;IACzC,OAAO,IAAI,CAAC+nF,aAAa,CAAC//G,GAAG,CAACkK,UAAU,EAAE01G,cAAc,EAAEC,YAAY,EAAE,EAAE,CAAC;EAC/E;EACAx1E,iBAAiBA,CAACu1E,cAAc,EAAEC,YAAY,EAAEC,MAAM,EAAE;IACpD,MAAM;MAAE51G,UAAU;MAAEwQ;IAAW,CAAC,GAAG2vB,iBAAiB,CAAC;MACjDroC,IAAI,EAAE89G,MAAM,CAAC99G,IAAI;MACjBmI,IAAI,EAAEitB,aAAa,CAAC0oF,MAAM,CAAC31G,IAAI,CAAC;MAChCwvB,iBAAiB,EAAEmmF,MAAM,CAACnmF,iBAAiB;MAC3CoR,UAAU,EAAEo1E,iBAAiB,CAACL,MAAM,CAAC/0E,UAAU,CAAC;MAChDP,QAAQ,EAAE41E,2BAA2B,CAACN,MAAM,EAAE,UAAU,CAAC;MACzDn1E,UAAU,EAAE01E,cAAc,CAACP,MAAM,EAAE,YAAY,CAAC;MAChDl1E,QAAQ,EAAEw1E,2BAA2B,CAACN,MAAM,EAAE,UAAU,CAAC;MACzDj1E,WAAW,EAAEu1E,2BAA2B,CAACN,MAAM,EAAE,aAAa,CAAC;MAC/DxnF,IAAI,EAAEwnF,MAAM,CAACxnF,IAAI,EAAEj0B,GAAG,CAACi8G,2BAA2B;IACtD,CAAC,EACD,wBAAyB,IAAI,CAAC;IAC9B,OAAO,IAAI,CAACP,aAAa,CAAC71G,UAAU,EAAE01G,cAAc,EAAEC,YAAY,EAAEnlG,UAAU,CAAC;EACnF;EACA6lG,4BAA4BA,CAACX,cAAc,EAAEC,YAAY,EAAEC,MAAM,EAAE;IAC/D,MAAM;MAAE51G,UAAU;MAAEwQ;IAAW,CAAC,GAAG2vB,iBAAiB,CAAC;MACjDroC,IAAI,EAAE89G,MAAM,CAAC31G,IAAI,CAACnI,IAAI;MACtBmI,IAAI,EAAEitB,aAAa,CAAC0oF,MAAM,CAAC31G,IAAI,CAAC;MAChCwvB,iBAAiB,EAAE,CAAC;MACpBoR,UAAU,EAAEo1E,iBAAiB,CAACL,MAAM,CAAC/0E,UAAU,CAAC;MAChDP,QAAQ,EAAE41E,2BAA2B,CAACN,MAAM,EAAE,UAAU,CAAC;MACzDn1E,UAAU,EAAE01E,cAAc,CAACP,MAAM,EAAE,YAAY,CAAC;MAChDl1E,QAAQ,EAAEw1E,2BAA2B,CAACN,MAAM,EAAE,UAAU,CAAC;MACzDj1E,WAAW,EAAEu1E,2BAA2B,CAACN,MAAM,EAAE,aAAa,CAAC;MAC/DxnF,IAAI,EAAEwnF,MAAM,CAACxnF,IAAI,EAAEj0B,GAAG,CAACm8G,kCAAkC;IAC7D,CAAC,EACD,wBAAyB,IAAI,CAAC;IAC9B,OAAO,IAAI,CAACT,aAAa,CAAC71G,UAAU,EAAE01G,cAAc,EAAEC,YAAY,EAAEnlG,UAAU,CAAC;EACnF;EACAk6B,eAAeA,CAACgrE,cAAc,EAAEC,YAAY,EAAEC,MAAM,EAAE;IAClD,MAAM9nF,IAAI,GAAG;MACTh2B,IAAI,EAAE89G,MAAM,CAAC99G,IAAI;MACjBmI,IAAI,EAAEitB,aAAa,CAAC0oF,MAAM,CAAC31G,IAAI,CAAC;MAChC2qC,SAAS,EAAEgrE,MAAM,CAAChrE,SAAS,IAAIgrE,MAAM,CAAChrE,SAAS,CAAC50C,MAAM,GAAG,CAAC,GACtD,IAAI2V,eAAe,CAACiqG,MAAM,CAAChrE,SAAS,CAAC,GACrC,IAAI;MACRC,OAAO,EAAE+qE,MAAM,CAAC/qE,OAAO,CAAC1wC,GAAG,CAAC/C,CAAC,IAAI,IAAIuU,eAAe,CAACvU,CAAC,CAAC;IAC3D,CAAC;IACD,MAAMtB,GAAG,GAAG40C,eAAe,CAAC5c,IAAI,CAAC;IACjC,OAAO,IAAI,CAAC+nF,aAAa,CAAC//G,GAAG,CAACkK,UAAU,EAAE01G,cAAc,EAAEC,YAAY,EAAE,EAAE,CAAC;EAC/E;EACAY,0BAA0BA,CAACb,cAAc,EAAEC,YAAY,EAAEI,WAAW,EAAE;IAClE,MAAMjoF,IAAI,GAAG0oF,sCAAsC,CAACT,WAAW,CAAC;IAChE,MAAMjgH,GAAG,GAAG40C,eAAe,CAAC5c,IAAI,CAAC;IACjC,OAAO,IAAI,CAAC+nF,aAAa,CAAC//G,GAAG,CAACkK,UAAU,EAAE01G,cAAc,EAAEC,YAAY,EAAE,EAAE,CAAC;EAC/E;EACAzqE,eAAeA,CAACwqE,cAAc,EAAEC,YAAY,EAAEC,MAAM,EAAE;IAClD,MAAM9nF,IAAI,GAAG;MACT6Z,IAAI,EAAEsD,sBAAsB,CAACE,MAAM;MACnClrC,IAAI,EAAEitB,aAAa,CAAC0oF,MAAM,CAAC31G,IAAI,CAAC;MAChCmrC,SAAS,EAAEwqE,MAAM,CAACxqE,SAAS,CAACjxC,GAAG,CAAC+yB,aAAa,CAAC;MAC9Cue,YAAY,EAAEmqE,MAAM,CAACnqE,YAAY,CAACtxC,GAAG,CAAC+yB,aAAa,CAAC;MACpDkf,sBAAsB,EAAE,IAAI;MAC5BvB,OAAO,EAAE+qE,MAAM,CAAC/qE,OAAO,CAAC1wC,GAAG,CAAC+yB,aAAa,CAAC;MAC1Cif,kBAAkB,EAAE,IAAI;MACxBT,OAAO,EAAEkqE,MAAM,CAAClqE,OAAO,CAACvxC,GAAG,CAAC+yB,aAAa,CAAC;MAC1Cqe,iBAAiB,EAAEP,mBAAmB,CAACQ,MAAM;MAC7CH,oBAAoB,EAAE,KAAK;MAC3BS,OAAO,EAAE8pE,MAAM,CAAC9pE,OAAO,GAAG8pE,MAAM,CAAC9pE,OAAO,CAAC3xC,GAAG,CAAC+yB,aAAa,CAAC,GAAG,IAAI;MAClE9uB,EAAE,EAAEw3G,MAAM,CAACx3G,EAAE,GAAG,IAAIuN,eAAe,CAACiqG,MAAM,CAACx3G,EAAE,CAAC,GAAG;IACrD,CAAC;IACD,MAAMtI,GAAG,GAAGo1C,eAAe,CAACpd,IAAI,CAAC;IACjC,OAAO,IAAI,CAAC+nF,aAAa,CAAC//G,GAAG,CAACkK,UAAU,EAAE01G,cAAc,EAAEC,YAAY,EAAE,EAAE,CAAC;EAC/E;EACAc,0BAA0BA,CAACf,cAAc,EAAEC,YAAY,EAAEI,WAAW,EAAE;IAClE,MAAM/1G,UAAU,GAAGgsC,oCAAoC,CAAC+pE,WAAW,CAAC;IACpE,OAAO,IAAI,CAACF,aAAa,CAAC71G,UAAU,EAAE01G,cAAc,EAAEC,YAAY,EAAE,EAAE,CAAC;EAC3E;EACAe,gBAAgBA,CAAChB,cAAc,EAAEC,YAAY,EAAEC,MAAM,EAAE;IACnD,MAAM9nF,IAAI,GAAG6oF,gCAAgC,CAACf,MAAM,CAAC;IACrD,OAAO,IAAI,CAACgB,wBAAwB,CAAClB,cAAc,EAAEC,YAAY,EAAE7nF,IAAI,CAAC;EAC5E;EACA+oF,2BAA2BA,CAACnB,cAAc,EAAEC,YAAY,EAAEI,WAAW,EAAE;IACnE,MAAMhH,cAAc,GAAG,IAAI,CAAC+H,qBAAqB,CAAC,WAAW,EAAEf,WAAW,CAAC91G,IAAI,CAACnI,IAAI,EAAE69G,YAAY,CAAC;IACnG,MAAM7nF,IAAI,GAAGipF,uCAAuC,CAAChB,WAAW,EAAEhH,cAAc,CAAC;IACjF,OAAO,IAAI,CAAC6H,wBAAwB,CAAClB,cAAc,EAAEC,YAAY,EAAE7nF,IAAI,CAAC;EAC5E;EACA8oF,wBAAwBA,CAAClB,cAAc,EAAEC,YAAY,EAAE7nF,IAAI,EAAE;IACzD,MAAMoR,YAAY,GAAG,IAAIppB,YAAY,CAAC,CAAC;IACvC,MAAMsrD,aAAa,GAAGosC,iBAAiB,CAAC,CAAC;IACzC,MAAM13G,GAAG,GAAG85G,4BAA4B,CAAC9hF,IAAI,EAAEoR,YAAY,EAAEkiC,aAAa,CAAC;IAC3E,OAAO,IAAI,CAACy0C,aAAa,CAAC//G,GAAG,CAACkK,UAAU,EAAE01G,cAAc,EAAEC,YAAY,EAAEz2E,YAAY,CAAC1uB,UAAU,CAAC;EACpG;EACAwmG,gBAAgBA,CAACtB,cAAc,EAAEC,YAAY,EAAEC,MAAM,EAAE;IACnD;IACA,MAAM;MAAE9oG,QAAQ;MAAE6yB;IAAc,CAAC,GAAGs3E,gBAAgB,CAACrB,MAAM,CAAC9oG,QAAQ,EAAE8oG,MAAM,CAAC99G,IAAI,EAAE69G,YAAY,EAAEC,MAAM,CAACrI,mBAAmB,EAAEqI,MAAM,CAACj2E,aAAa,CAAC;IAClJ;IACA,MAAM7R,IAAI,GAAG;MACT,GAAG8nF,MAAM;MACT,GAAGe,gCAAgC,CAACf,MAAM,CAAC;MAC3CjgH,QAAQ,EAAEigH,MAAM,CAACjgH,QAAQ,IAAI,IAAI,CAAC6/G,qBAAqB,CAACt+B,8BAA8B,CAAC,CAAC;MACxFpqE,QAAQ;MACR2+B,YAAY,EAAEmqE,MAAM,CAACnqE,YAAY,CAACtxC,GAAG,CAAC+8G,kCAAkC,CAAC;MACzE1G,uBAAuB,EAAE,CAAC,CAAC;;MAC3B;MACA;MACAhQ,WAAW,EAAE,IAAIjoG,GAAG,CAAC,CAAC;MACtB4+G,0BAA0B,EAAE,IAAI5+G,GAAG,CAAC,CAAC;MACrCgrD,MAAM,EAAE,CAAC,GAAGqyD,MAAM,CAACryD,MAAM,EAAE,GAAGz2C,QAAQ,CAACy2C,MAAM,CAAC;MAC9CktD,aAAa,EAAEmF,MAAM,CAACnF,aAAa;MACnC9wE,aAAa;MACbuwE,eAAe,EAAE0F,MAAM,CAAC1F,eAAe;MACvCa,UAAU,EAAE6E,MAAM,CAAC7E,UAAU,IAAI,IAAI,GAAG,IAAIplG,eAAe,CAACiqG,MAAM,CAAC7E,UAAU,CAAC,GAAG,IAAI;MACrF3B,aAAa,EAAEwG,MAAM,CAACxG,aAAa,IAAI,IAAI,GAAG,IAAIzjG,eAAe,CAACiqG,MAAM,CAACxG,aAAa,CAAC,GACnF,IAAI;MACR9O,uBAAuB,EAAE,EAAE;MAC3BC,kBAAkB,EAAE;IACxB,CAAC;IACD,MAAM6W,sBAAsB,GAAG,SAASxB,MAAM,CAAC99G,IAAI,KAAK;IACxD,OAAO,IAAI,CAACu/G,wBAAwB,CAAC3B,cAAc,EAAE0B,sBAAsB,EAAEtpF,IAAI,CAAC;EACtF;EACAwpF,2BAA2BA,CAAC5B,cAAc,EAAEC,YAAY,EAAEI,WAAW,EAAE;IACnE,MAAMhH,cAAc,GAAG,IAAI,CAAC+H,qBAAqB,CAAC,WAAW,EAAEf,WAAW,CAAC91G,IAAI,CAACnI,IAAI,EAAE69G,YAAY,CAAC;IACnG,MAAM7nF,IAAI,GAAGypF,uCAAuC,CAACxB,WAAW,EAAEhH,cAAc,EAAE4G,YAAY,CAAC;IAC/F,OAAO,IAAI,CAAC0B,wBAAwB,CAAC3B,cAAc,EAAEC,YAAY,EAAE7nF,IAAI,CAAC;EAC5E;EACAupF,wBAAwBA,CAAC3B,cAAc,EAAEC,YAAY,EAAE7nF,IAAI,EAAE;IACzD,MAAMoR,YAAY,GAAG,IAAIppB,YAAY,CAAC,CAAC;IACvC,MAAMsrD,aAAa,GAAGosC,iBAAiB,CAAC1/E,IAAI,CAAC6R,aAAa,CAAC;IAC3D,MAAM7pC,GAAG,GAAGg6G,4BAA4B,CAAChiF,IAAI,EAAEoR,YAAY,EAAEkiC,aAAa,CAAC;IAC3E,OAAO,IAAI,CAACy0C,aAAa,CAAC//G,GAAG,CAACkK,UAAU,EAAE01G,cAAc,EAAEC,YAAY,EAAEz2E,YAAY,CAAC1uB,UAAU,CAAC;EACpG;EACAgnG,cAAcA,CAAC9B,cAAc,EAAEC,YAAY,EAAE7nF,IAAI,EAAE;IAC/C,MAAM2pF,UAAU,GAAG5pF,sBAAsB,CAAC;MACtC/1B,IAAI,EAAEg2B,IAAI,CAACh2B,IAAI;MACfmI,IAAI,EAAEitB,aAAa,CAACY,IAAI,CAAC7tB,IAAI,CAAC;MAC9BwvB,iBAAiB,EAAE3B,IAAI,CAAC2B,iBAAiB;MACzCrB,IAAI,EAAEspF,gCAAgC,CAAC5pF,IAAI,CAACM,IAAI,CAAC;MACjDE,MAAM,EAAER,IAAI,CAACQ;IACjB,CAAC,CAAC;IACF,OAAO,IAAI,CAACunF,aAAa,CAAC4B,UAAU,CAACz3G,UAAU,EAAE01G,cAAc,EAAEC,YAAY,EAAE8B,UAAU,CAACjnG,UAAU,CAAC;EACzG;EACAmnG,yBAAyBA,CAACjC,cAAc,EAAEC,YAAY,EAAE7nF,IAAI,EAAE;IAC1D,MAAM2pF,UAAU,GAAG5pF,sBAAsB,CAAC;MACtC/1B,IAAI,EAAEg2B,IAAI,CAAC7tB,IAAI,CAACnI,IAAI;MACpBmI,IAAI,EAAEitB,aAAa,CAACY,IAAI,CAAC7tB,IAAI,CAAC;MAC9BwvB,iBAAiB,EAAE,CAAC;MACpBrB,IAAI,EAAE/J,KAAK,CAACC,OAAO,CAACwJ,IAAI,CAACM,IAAI,CAAC,GAAGN,IAAI,CAACM,IAAI,CAACj0B,GAAG,CAACm8G,kCAAkC,CAAC,GAC9ExoF,IAAI,CAACM,IAAI;MACbE,MAAM,EAAER,IAAI,CAACQ;IACjB,CAAC,CAAC;IACF,OAAO,IAAI,CAACunF,aAAa,CAAC4B,UAAU,CAACz3G,UAAU,EAAE01G,cAAc,EAAEC,YAAY,EAAE8B,UAAU,CAACjnG,UAAU,CAAC;EACzG;EACAsmG,qBAAqBA,CAACnvE,IAAI,EAAEC,QAAQ,EAAEphB,SAAS,EAAE;IAC7C,OAAOkhB,mBAAmB,CAACC,IAAI,EAAEC,QAAQ,EAAEphB,SAAS,CAAC;EACzD;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIqvF,aAAaA,CAAC9+F,GAAG,EAAE1X,OAAO,EAAEmnB,SAAS,EAAEoxF,aAAa,EAAE;IAClD;IACA;IACA;IACA,MAAMpnG,UAAU,GAAG,CACf,GAAGonG,aAAa,EAChB,IAAI5rG,cAAc,CAAC,MAAM,EAAE+K,GAAG,EAAE4M,SAAS,EAAEzX,YAAY,CAACs+B,QAAQ,CAAC,CACpE;IACD,MAAM10C,GAAG,GAAG,IAAI,CAACy/G,YAAY,CAACrsE,kBAAkB,CAAC1iB,SAAS,EAAEhW,UAAU,EAAE,IAAIu6B,cAAc,CAAC1rC,OAAO,CAAC,EAAE,sBAAuB,IAAI,CAAC;IACjI,OAAOvJ,GAAG,CAAC,MAAM,CAAC;EACtB;AACJ;AACA,SAAS+hH,wBAAwBA,CAACjC,MAAM,EAAE;EACtC,OAAO;IACH,GAAGA,MAAM;IACTz2E,SAAS,EAAE24E,qBAAqB,CAAClC,MAAM,CAACz2E,SAAS,CAAC;IAClDo0B,IAAI,EAAEqiD,MAAM,CAACriD,IAAI,GAAG,IAAI5nD,eAAe,CAACiqG,MAAM,CAACriD,IAAI,CAAC,GAAG,IAAI;IAC3Dk+C,MAAM,EAAEmE,MAAM,CAACnE,MAAM;IACrBC,uBAAuB,EAAEkE,MAAM,CAAClE;EACpC,CAAC;AACL;AACA,SAASqG,iCAAiCA,CAAChC,WAAW,EAAE;EACpD,OAAO;IACHhgC,YAAY,EAAEggC,WAAW,CAAChgC,YAAY;IACtC5pB,KAAK,EAAE4pD,WAAW,CAAC5pD,KAAK,IAAI,KAAK;IACjChtB,SAAS,EAAE24E,qBAAqB,CAAC/B,WAAW,CAAC52E,SAAS,CAAC;IACvDqyE,WAAW,EAAEuE,WAAW,CAACvE,WAAW,IAAI,KAAK;IAC7Cj+C,IAAI,EAAEwiD,WAAW,CAACxiD,IAAI,GAAG,IAAI5nD,eAAe,CAACoqG,WAAW,CAACxiD,IAAI,CAAC,GAAG,IAAI;IACrEk+C,MAAM,EAAEsE,WAAW,CAACtE,MAAM,IAAI,KAAK;IACnCC,uBAAuB,EAAEqE,WAAW,CAACrE,uBAAuB,IAAI;EACpE,CAAC;AACL;AACA,SAASoG,qBAAqBA,CAAC34E,SAAS,EAAE;EACtC,OAAO9a,KAAK,CAACC,OAAO,CAAC6a,SAAS,CAAC;EAC3B;EACAA,SAAS;EACT;EACA3R,+BAA+B,CAAC,IAAI7hB,eAAe,CAACwzB,SAAS,CAAC,EAAE,CAAC,CAAC,gCAAgC,CAAC;AAC3G;AACA,SAASw3E,gCAAgCA,CAACf,MAAM,EAAE;EAC9C,MAAMoC,kBAAkB,GAAGC,gBAAgB,CAACrC,MAAM,CAACxjF,MAAM,IAAI,EAAE,CAAC;EAChE,MAAM8lF,mBAAmB,GAAGC,uBAAuB,CAACvC,MAAM,CAACvjF,OAAO,IAAI,EAAE,CAAC;EACzE,MAAM+lF,YAAY,GAAGxC,MAAM,CAACwC,YAAY;EACxC,MAAMC,cAAc,GAAG,CAAC,CAAC;EACzB,MAAMC,eAAe,GAAG,CAAC,CAAC;EAC1B,KAAK,MAAMC,KAAK,IAAIH,YAAY,EAAE;IAC9B,IAAIA,YAAY,CAACnhF,cAAc,CAACshF,KAAK,CAAC,EAAE;MACpCH,YAAY,CAACG,KAAK,CAAC,CAACrgH,OAAO,CAACsgH,GAAG,IAAI;QAC/B,IAAIC,OAAO,CAACD,GAAG,CAAC,EAAE;UACdH,cAAc,CAACE,KAAK,CAAC,GAAG;YACpB35E,mBAAmB,EAAE45E,GAAG,CAACE,KAAK,IAAIH,KAAK;YACvC55E,iBAAiB,EAAE45E,KAAK;YACxBhG,QAAQ,EAAEiG,GAAG,CAACjG,QAAQ,IAAI,KAAK;YAC/B1zE,iBAAiB,EAAE25E,GAAG,CAACxvD,SAAS,IAAI,IAAI,GAAG,IAAIr9C,eAAe,CAAC6sG,GAAG,CAACxvD,SAAS,CAAC,GAAG;UACpF,CAAC;QACL,CAAC,MACI,IAAI2vD,QAAQ,CAACH,GAAG,CAAC,EAAE;UACpBF,eAAe,CAACC,KAAK,CAAC,GAAGC,GAAG,CAACE,KAAK,IAAIH,KAAK;QAC/C;MACJ,CAAC,CAAC;IACN;EACJ;EACA,OAAO;IACH,GAAG3C,MAAM;IACTnmF,iBAAiB,EAAE,CAAC;IACpBs/E,cAAc,EAAE6G,MAAM,CAAC7G,cAAc;IACrC9uG,IAAI,EAAEitB,aAAa,CAAC0oF,MAAM,CAAC31G,IAAI,CAAC;IAChCmuB,IAAI,EAAE,IAAI;IACV4B,IAAI,EAAE4oF,mBAAmB,CAAChD,MAAM,CAACwC,YAAY,EAAExC,MAAM,CAAC7G,cAAc,EAAE6G,MAAM,CAAC5lF,IAAI,CAAC;IAClFoC,MAAM,EAAE;MAAE,GAAG4lF,kBAAkB;MAAE,GAAGK;IAAe,CAAC;IACpDhmF,OAAO,EAAE;MAAE,GAAG6lF,mBAAmB;MAAE,GAAGI;IAAgB,CAAC;IACvD5J,OAAO,EAAEkH,MAAM,CAAClH,OAAO,CAACv0G,GAAG,CAAC09G,wBAAwB,CAAC;IACrDjtE,SAAS,EAAEgrE,MAAM,CAAChrE,SAAS,IAAI,IAAI,GAAG,IAAIj/B,eAAe,CAACiqG,MAAM,CAAChrE,SAAS,CAAC,GAAG,IAAI;IAClFgkE,WAAW,EAAEgH,MAAM,CAAChH,WAAW,CAACz0G,GAAG,CAAC09G,wBAAwB,CAAC;IAC7DtI,eAAe,EAAE,KAAK;IACtBG,cAAc,EAAEmJ,+BAA+B,CAACjD,MAAM;EAC1D,CAAC;AACL;AACA,SAASmB,uCAAuCA,CAAChB,WAAW,EAAEhH,cAAc,EAAE;EAC1E,OAAO;IACHj3G,IAAI,EAAEi+G,WAAW,CAAC91G,IAAI,CAACnI,IAAI;IAC3BmI,IAAI,EAAEitB,aAAa,CAAC6oF,WAAW,CAAC91G,IAAI,CAAC;IACrC8uG,cAAc;IACdp5G,QAAQ,EAAEogH,WAAW,CAACpgH,QAAQ,IAAI,IAAI;IACtCy8B,MAAM,EAAE2jF,WAAW,CAAC3jF,MAAM,GAAG0mF,4BAA4B,CAAC/C,WAAW,CAAC3jF,MAAM,CAAC,GAAG,CAAC,CAAC;IAClFC,OAAO,EAAE0jF,WAAW,CAAC1jF,OAAO,IAAI,CAAC,CAAC;IAClCrC,IAAI,EAAE+oF,gCAAgC,CAAChD,WAAW,CAAC/lF,IAAI,CAAC;IACxD0+E,OAAO,EAAE,CAACqH,WAAW,CAACrH,OAAO,IAAI,EAAE,EAAEv0G,GAAG,CAAC49G,iCAAiC,CAAC;IAC3EnJ,WAAW,EAAE,CAACmH,WAAW,CAACnH,WAAW,IAAI,EAAE,EAAEz0G,GAAG,CAAC49G,iCAAiC,CAAC;IACnFntE,SAAS,EAAEmrE,WAAW,CAACnrE,SAAS,KAAKjnB,SAAS,GAAG,IAAIhY,eAAe,CAACoqG,WAAW,CAACnrE,SAAS,CAAC,GACvF,IAAI;IACRokE,QAAQ,EAAE+G,WAAW,CAAC/G,QAAQ,IAAI,IAAI;IACtCM,eAAe,EAAEyG,WAAW,CAACzG,eAAe,IAAI,KAAK;IACrDE,SAAS,EAAE;MAAEC,aAAa,EAAEsG,WAAW,CAACtG,aAAa,IAAI;IAAM,CAAC;IAChErhF,IAAI,EAAE,IAAI;IACVqB,iBAAiB,EAAE,CAAC;IACpB8/E,eAAe,EAAE,KAAK;IACtBliE,YAAY,EAAE0oE,WAAW,CAAC1oE,YAAY,IAAI,KAAK;IAC/C4hE,QAAQ,EAAE8G,WAAW,CAAC9G,QAAQ,IAAI,KAAK;IACvCS,cAAc,EAAEmJ,+BAA+B,CAAC9C,WAAW;EAC/D,CAAC;AACL;AACA,SAASgD,gCAAgCA,CAAC/oF,IAAI,GAAG,CAAC,CAAC,EAAE;EACjD,OAAO;IACHmC,UAAU,EAAE6mF,gCAAgC,CAAChpF,IAAI,CAACmC,UAAU,IAAI,CAAC,CAAC,CAAC;IACnEygF,SAAS,EAAE5iF,IAAI,CAAC4iF,SAAS,IAAI,CAAC,CAAC;IAC/BvxC,UAAU,EAAErxC,IAAI,CAACqxC,UAAU,IAAI,CAAC,CAAC;IACjC4xC,iBAAiB,EAAE;MACfD,SAAS,EAAEhjF,IAAI,CAACipF,cAAc;MAC9BlG,SAAS,EAAE/iF,IAAI,CAACkpF;IACpB;EACJ,CAAC;AACL;AACA,SAASL,+BAA+BA,CAAC3rE,QAAQ,EAAE;EAC/C,IAAIA,QAAQ,CAACwiE,cAAc,EAAE15G,MAAM,EAAE;IACjC,OAAOk3C,QAAQ,CAACwiE,cAAc,CAACv1G,GAAG,CAACg/G,aAAa,IAAI;MAChD,OAAO,OAAOA,aAAa,KAAK,UAAU,GACtC;QACIrE,SAAS,EAAE5nF,aAAa,CAACisF,aAAa,CAAC;QACvC/mF,MAAM,EAAE,IAAI;QACZC,OAAO,EAAE,IAAI;QACb8iF,kBAAkB,EAAE;MACxB,CAAC,GACD;QACIL,SAAS,EAAE5nF,aAAa,CAACisF,aAAa,CAACrE,SAAS,CAAC;QACjDK,kBAAkB,EAAE,KAAK;QACzB/iF,MAAM,EAAE+mF,aAAa,CAAC/mF,MAAM,GAAG+lF,uBAAuB,CAACgB,aAAa,CAAC/mF,MAAM,CAAC,GAAG,IAAI;QACnFC,OAAO,EAAE8mF,aAAa,CAAC9mF,OAAO,GAAG8lF,uBAAuB,CAACgB,aAAa,CAAC9mF,OAAO,CAAC,GAAG;MACtF,CAAC;IACT,CAAC,CAAC;EACN;EACA,OAAO,IAAI;AACf;AACA,SAAS2mF,gCAAgCA,CAAC9mE,GAAG,EAAE;EAC3C,MAAMh7C,MAAM,GAAG,CAAC,CAAC;EACjB,KAAK,MAAM4Q,GAAG,IAAI5L,MAAM,CAAC2D,IAAI,CAACqyC,GAAG,CAAC,EAAE;IAChCh7C,MAAM,CAAC4Q,GAAG,CAAC,GAAG,IAAI6D,eAAe,CAACumC,GAAG,CAACpqC,GAAG,CAAC,CAAC;EAC/C;EACA,OAAO5Q,MAAM;AACjB;AACA,SAASqgH,uCAAuCA,CAAC3/E,IAAI,EAAEm3E,cAAc,EAAE4G,YAAY,EAAE;EACjF,MAAM;IAAE7oG,QAAQ;IAAE6yB;EAAc,CAAC,GAAGs3E,gBAAgB,CAACr/E,IAAI,CAAC9qB,QAAQ,EAAE8qB,IAAI,CAAC33B,IAAI,CAACnI,IAAI,EAAE69G,YAAY,EAAE/9E,IAAI,CAAC21E,mBAAmB,IAAI,KAAK,EAAE31E,IAAI,CAAC+H,aAAa,CAAC;EACxJ,MAAM8L,YAAY,GAAG,EAAE;EACvB,IAAI7T,IAAI,CAACwhF,YAAY,EAAE;IACnB,KAAK,MAAMC,QAAQ,IAAIzhF,IAAI,CAACwhF,YAAY,EAAE;MACtC,QAAQC,QAAQ,CAAC1xE,IAAI;QACjB,KAAK,WAAW;QAChB,KAAK,WAAW;UACZ8D,YAAY,CAACx1C,IAAI,CAACqjH,qCAAqC,CAACD,QAAQ,CAAC,CAAC;UAClE;QACJ,KAAK,MAAM;UACP5tE,YAAY,CAACx1C,IAAI,CAACsjH,gCAAgC,CAACF,QAAQ,CAAC,CAAC;UAC7D;MACR;IACJ;EACJ,CAAC,MACI,IAAIzhF,IAAI,CAAC4hF,UAAU,IAAI5hF,IAAI,CAAC6hF,UAAU,IAAI7hF,IAAI,CAAC80D,KAAK,EAAE;IACvD;IACA;IACA90D,IAAI,CAAC4hF,UAAU,IACX/tE,YAAY,CAACx1C,IAAI,CAAC,GAAG2hC,IAAI,CAAC4hF,UAAU,CAACr/G,GAAG,CAACu/G,GAAG,IAAIJ,qCAAqC,CAACI,GAAG,EAAE,iBAAkB,IAAI,CAAC,CAAC,CAAC;IACxH9hF,IAAI,CAAC6hF,UAAU,IACXhuE,YAAY,CAACx1C,IAAI,CAAC,GAAG2hC,IAAI,CAAC6hF,UAAU,CAACt/G,GAAG,CAACu/G,GAAG,IAAIJ,qCAAqC,CAACI,GAAG,CAAC,CAAC,CAAC;IAChG9hF,IAAI,CAAC80D,KAAK,IAAIjhD,YAAY,CAACx1C,IAAI,CAAC,GAAG0jH,wBAAwB,CAAC/hF,IAAI,CAAC80D,KAAK,CAAC,CAAC;EAC5E;EACA,OAAO;IACH,GAAGqqB,uCAAuC,CAACn/E,IAAI,EAAEm3E,cAAc,CAAC;IAChEjiG,QAAQ;IACRy2C,MAAM,EAAE3rB,IAAI,CAAC2rB,MAAM,IAAI,EAAE;IACzB9X,YAAY;IACZ2jE,aAAa,EAAEx3E,IAAI,CAACw3E,aAAa,KAAKzrF,SAAS,GAAG,IAAIhY,eAAe,CAACisB,IAAI,CAACw3E,aAAa,CAAC,GACrF,IAAI;IACR2B,UAAU,EAAEn5E,IAAI,CAACm5E,UAAU,KAAKptF,SAAS,GAAG,IAAIhY,eAAe,CAACisB,IAAI,CAACm5E,UAAU,CAAC,GAAG,IAAI;IACvF;IACA;IACAvQ,WAAW,EAAE,IAAIjoG,GAAG,CAAC,CAAC;IACtB4+G,0BAA0B,EAAE,IAAI5+G,GAAG,CAAC,CAAC;IACrC23G,eAAe,EAAEt4E,IAAI,CAACs4E,eAAe,IAAIh1G,uBAAuB,CAAC81G,OAAO;IACxEP,aAAa,EAAE74E,IAAI,CAAC64E,aAAa,IAAIx1G,iBAAiB,CAACy1G,QAAQ;IAC/D/wE,aAAa;IACb6wE,uBAAuB,EAAE,CAAC,CAAC;IAC3BlQ,uBAAuB,EAAE,EAAE;IAC3BC,kBAAkB,EAAE;EACxB,CAAC;AACL;AACA,SAAS2W,kCAAkCA,CAACnB,WAAW,EAAE;EACrD,OAAO;IACH,GAAGA,WAAW;IACd91G,IAAI,EAAE,IAAI0L,eAAe,CAACoqG,WAAW,CAAC91G,IAAI;EAC9C,CAAC;AACL;AACA,SAASq5G,qCAAqCA,CAACvD,WAAW,EAAE6D,WAAW,GAAG,IAAI,EAAE;EAC5E,OAAO;IACHjyE,IAAI,EAAE4F,wBAAwB,CAAC5c,SAAS;IACxCipF,WAAW,EAAEA,WAAW,IAAI7D,WAAW,CAACpuE,IAAI,KAAK,WAAW;IAC5DhyC,QAAQ,EAAEogH,WAAW,CAACpgH,QAAQ;IAC9BsK,IAAI,EAAE,IAAI0L,eAAe,CAACoqG,WAAW,CAAC91G,IAAI,CAAC;IAC3CmyB,MAAM,EAAE2jF,WAAW,CAAC3jF,MAAM,IAAI,EAAE;IAChCC,OAAO,EAAE0jF,WAAW,CAAC1jF,OAAO,IAAI,EAAE;IAClC28E,QAAQ,EAAE+G,WAAW,CAAC/G,QAAQ,IAAI;EACtC,CAAC;AACL;AACA,SAAS2K,wBAAwBA,CAACjtB,KAAK,EAAE;EACrC,IAAI,CAACA,KAAK,EAAE;IACR,OAAO,EAAE;EACb;EACA,OAAOxwF,MAAM,CAAC2D,IAAI,CAAC6sF,KAAK,CAAC,CAACvyF,GAAG,CAACrC,IAAI,IAAI;IAClC,OAAO;MACH6vC,IAAI,EAAE4F,wBAAwB,CAACrd,IAAI;MACnCp4B,IAAI;MACJmI,IAAI,EAAE,IAAI0L,eAAe,CAAC+gF,KAAK,CAAC50F,IAAI,CAAC;IACzC,CAAC;EACL,CAAC,CAAC;AACN;AACA,SAASyhH,gCAAgCA,CAAC56F,IAAI,EAAE;EAC5C,OAAO;IACHgpB,IAAI,EAAE4F,wBAAwB,CAACrd,IAAI;IACnCp4B,IAAI,EAAE6mB,IAAI,CAAC7mB,IAAI;IACfmI,IAAI,EAAE,IAAI0L,eAAe,CAACgT,IAAI,CAAC1e,IAAI;EACvC,CAAC;AACL;AACA,SAASg3G,gBAAgBA,CAACnqG,QAAQ,EAAE86B,QAAQ,EAAE+tE,YAAY,EAAEpI,mBAAmB,EAAE5tE,aAAa,EAAE;EAC5F,MAAM2rC,mBAAmB,GAAG3rC,aAAa,GAAG4B,mBAAmB,CAACC,SAAS,CAAC7B,aAAa,CAAC,GAAG+B,4BAA4B;EACvH;EACA,MAAMytD,MAAM,GAAGme,aAAa,CAACxgG,QAAQ,EAAE6oG,YAAY,EAAE;IAAEpI,mBAAmB;IAAEjiC,mBAAmB;IAAEiqB;EAAkB,CAAC,CAAC;EACrH,IAAIpG,MAAM,CAACz9C,MAAM,KAAK,IAAI,EAAE;IACxB,MAAMA,MAAM,GAAGy9C,MAAM,CAACz9C,MAAM,CAACv3C,GAAG,CAAC0/G,GAAG,IAAIA,GAAG,CAAC5hH,QAAQ,CAAC,CAAC,CAAC,CAACL,IAAI,CAAC,IAAI,CAAC;IAClE,MAAM,IAAIpB,KAAK,CAAC,iDAAiDoxC,QAAQ,KAAK8J,MAAM,EAAE,CAAC;EAC3F;EACA,OAAO;IAAE5kC,QAAQ,EAAEqiF,MAAM;IAAExvD,aAAa,EAAE2rC;EAAoB,CAAC;AACnE;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAAS4qC,2BAA2BA,CAAChkE,GAAG,EAAEz0B,QAAQ,EAAE;EAChD,IAAIy0B,GAAG,CAACjb,cAAc,CAACxZ,QAAQ,CAAC,EAAE;IAC9B,OAAO+P,+BAA+B,CAAC,IAAI7hB,eAAe,CAACumC,GAAG,CAACz0B,QAAQ,CAAC,CAAC,EAAE,CAAC,CAAC,6BAA6B,CAAC;EAC/G,CAAC,MACI;IACD,OAAOkG,SAAS;EACpB;AACJ;AACA,SAASwyF,cAAcA,CAACjkE,GAAG,EAAEz0B,QAAQ,EAAE;EACnC,IAAIy0B,GAAG,CAACjb,cAAc,CAACxZ,QAAQ,CAAC,EAAE;IAC9B,OAAO,IAAI9R,eAAe,CAACumC,GAAG,CAACz0B,QAAQ,CAAC,CAAC;EAC7C,CAAC,MACI;IACD,OAAOkG,SAAS;EACpB;AACJ;AACA,SAASsyF,iBAAiBA,CAACp1E,UAAU,EAAE;EACnC,MAAM7gC,UAAU,GAAG,OAAO6gC,UAAU,KAAK,UAAU,GAAG,IAAIl1B,eAAe,CAACk1B,UAAU,CAAC,GACjF,IAAIzzB,WAAW,CAACyzB,UAAU,IAAI,IAAI,CAAC;EACvC;EACA,OAAOrT,+BAA+B,CAACxtB,UAAU,EAAE,CAAC,CAAC,6BAA6B,CAAC;AACvF;AACA,SAAS03G,gCAAgCA,CAACoC,OAAO,EAAE;EAC/C,OAAOA,OAAO,IAAI,IAAI,GAAG,IAAI,GAAGA,OAAO,CAAC3/G,GAAG,CAACi8G,2BAA2B,CAAC;AAC5E;AACA,SAASA,2BAA2BA,CAACR,MAAM,EAAE;EACzC,MAAMmE,cAAc,GAAGnE,MAAM,CAAC7+G,SAAS,IAAI,IAAI,CAAC,CAAC;EACjD,MAAMijH,QAAQ,GAAGpE,MAAM,CAACxxF,KAAK,KAAK,IAAI,GAAG,IAAI,GAAG,IAAIzY,eAAe,CAACiqG,MAAM,CAACxxF,KAAK,CAAC;EACjF;EACA;EACA,MAAMA,KAAK,GAAG21F,cAAc,GAAG,IAAIpuG,eAAe,CAACiqG,MAAM,CAAC7+G,SAAS,CAAC,GAAGijH,QAAQ;EAC/E,OAAOC,0BAA0B,CAAC71F,KAAK,EAAE21F,cAAc,EAAEnE,MAAM,CAAC5lF,IAAI,EAAE4lF,MAAM,CAAC3lF,QAAQ,EAAE2lF,MAAM,CAAC9lF,IAAI,EAAE8lF,MAAM,CAAC7lF,QAAQ,CAAC;AACxH;AACA,SAASumF,kCAAkCA,CAACV,MAAM,EAAE;EAChD,MAAMmE,cAAc,GAAGnE,MAAM,CAAC7+G,SAAS,IAAI,KAAK;EAChD,MAAMqtB,KAAK,GAAGwxF,MAAM,CAACxxF,KAAK,KAAK,IAAI,GAAG,IAAI,GAAG,IAAIzY,eAAe,CAACiqG,MAAM,CAACxxF,KAAK,CAAC;EAC9E,OAAO61F,0BAA0B,CAAC71F,KAAK,EAAE21F,cAAc,EAAEnE,MAAM,CAAC5lF,IAAI,IAAI,KAAK,EAAE4lF,MAAM,CAAC3lF,QAAQ,IAAI,KAAK,EAAE2lF,MAAM,CAAC9lF,IAAI,IAAI,KAAK,EAAE8lF,MAAM,CAAC7lF,QAAQ,IAAI,KAAK,CAAC;AAC5J;AACA,SAASkqF,0BAA0BA,CAAC71F,KAAK,EAAE21F,cAAc,EAAE/pF,IAAI,EAAEC,QAAQ,EAAEH,IAAI,EAAEC,QAAQ,EAAE;EACvF;EACA;EACA;EACA,MAAMH,iBAAiB,GAAGmqF,cAAc,GAAGplG,OAAO,CAAC,SAAS,CAAC,GAAG,IAAI;EACpE,OAAO;IAAEyP,KAAK;IAAEwL,iBAAiB;IAAEI,IAAI;IAAEC,QAAQ;IAAEH,IAAI;IAAEC;EAAS,CAAC;AACvE;AACA,SAAS6oF,mBAAmBA,CAACR,YAAY,EAAEzwG,UAAU,EAAEqoB,IAAI,EAAE;EACzD;EACA,MAAMyzB,QAAQ,GAAGixD,iBAAiB,CAAC1kF,IAAI,IAAI,CAAC,CAAC,CAAC;EAC9C;EACA,MAAM0hB,MAAM,GAAGijE,kBAAkB,CAAClxD,QAAQ,EAAE97C,UAAU,CAAC;EACvD,IAAI+pC,MAAM,CAAC17C,MAAM,EAAE;IACf,MAAM,IAAIQ,KAAK,CAACk7C,MAAM,CAACv3C,GAAG,CAAEypB,KAAK,IAAKA,KAAK,CAAC1gB,GAAG,CAAC,CAACtL,IAAI,CAAC,IAAI,CAAC,CAAC;EAChE;EACA;EACA,KAAK,MAAM2gH,KAAK,IAAIH,YAAY,EAAE;IAC9B,IAAIA,YAAY,CAACnhF,cAAc,CAACshF,KAAK,CAAC,EAAE;MACpCH,YAAY,CAACG,KAAK,CAAC,CAACrgH,OAAO,CAACsgH,GAAG,IAAI;QAC/B,IAAIntB,aAAa,CAACmtB,GAAG,CAAC,EAAE;UACpB;UACA;UACA;UACA/0D,QAAQ,CAAC4d,UAAU,CAACm3C,GAAG,CAAC0B,gBAAgB,IAAI3B,KAAK,CAAC,GAC9ChsF,2BAA2B,CAAC,MAAM,EAAEgsF,KAAK,CAAC;QAClD,CAAC,MACI,IAAI4B,cAAc,CAAC3B,GAAG,CAAC,EAAE;UAC1B/0D,QAAQ,CAACmvD,SAAS,CAAC4F,GAAG,CAACnsB,SAAS,IAAIksB,KAAK,CAAC,GAAG,GAAGA,KAAK,IAAI,CAACC,GAAG,CAAC9rG,IAAI,IAAI,EAAE,EAAE9U,IAAI,CAAC,GAAG,CAAC,GAAG;QAC1F;MACJ,CAAC,CAAC;IACN;EACJ;EACA,OAAO6rD,QAAQ;AACnB;AACA,SAAS4nC,aAAaA,CAACtzF,KAAK,EAAE;EAC1B,OAAOA,KAAK,CAACqiH,cAAc,KAAK,aAAa;AACjD;AACA,SAASD,cAAcA,CAACpiH,KAAK,EAAE;EAC3B,OAAOA,KAAK,CAACqiH,cAAc,KAAK,cAAc;AAClD;AACA,SAAS3B,OAAOA,CAAC1gH,KAAK,EAAE;EACpB,OAAOA,KAAK,CAACqiH,cAAc,KAAK,OAAO;AAC3C;AACA,SAASzB,QAAQA,CAAC5gH,KAAK,EAAE;EACrB,OAAOA,KAAK,CAACqiH,cAAc,KAAK,QAAQ;AAC5C;AACA,SAAStB,4BAA4BA,CAAC1mF,MAAM,EAAE;EAC1C,OAAOl2B,MAAM,CAAC2D,IAAI,CAACuyB,MAAM,CAAC,CAAChwB,MAAM,CAAC,CAAClL,MAAM,EAAE4Q,GAAG,KAAK;IAC/C,MAAM/P,KAAK,GAAGq6B,MAAM,CAACtqB,GAAG,CAAC;IACzB,IAAI,OAAO/P,KAAK,KAAK,QAAQ,EAAE;MAC3Bb,MAAM,CAAC4Q,GAAG,CAAC,GAAG;QACV82B,mBAAmB,EAAE7mC,KAAK;QAC1B4mC,iBAAiB,EAAE5mC,KAAK;QACxB8mC,iBAAiB,EAAE,IAAI;QACvB0zE,QAAQ,EAAE;MACd,CAAC;IACL,CAAC,MACI;MACDr7G,MAAM,CAAC4Q,GAAG,CAAC,GAAG;QACV82B,mBAAmB,EAAE7mC,KAAK,CAAC,CAAC,CAAC;QAC7B4mC,iBAAiB,EAAE5mC,KAAK,CAAC,CAAC,CAAC;QAC3B8mC,iBAAiB,EAAE9mC,KAAK,CAAC,CAAC,CAAC,GAAG,IAAI4T,eAAe,CAAC5T,KAAK,CAAC,CAAC,CAAC,CAAC,GAAG,IAAI;QAClEw6G,QAAQ,EAAE;MACd,CAAC;IACL;IACA,OAAOr7G,MAAM;EACjB,CAAC,EAAE,CAAC,CAAC,CAAC;AACV;AACA,SAAS+gH,gBAAgBA,CAAC/jG,MAAM,EAAE;EAC9B,OAAOA,MAAM,CAAC9R,MAAM,CAAC,CAACxM,OAAO,EAAEmC,KAAK,KAAK;IACrC,IAAI,OAAOA,KAAK,KAAK,QAAQ,EAAE;MAC3B,MAAM,CAAC6mC,mBAAmB,EAAED,iBAAiB,CAAC,GAAG07E,kBAAkB,CAACtiH,KAAK,CAAC;MAC1EnC,OAAO,CAAC+oC,iBAAiB,CAAC,GAAG;QACzBC,mBAAmB;QACnBD,iBAAiB;QACjB4zE,QAAQ,EAAE,KAAK;QACf1zE,iBAAiB,EAAE;MACvB,CAAC;IACL,CAAC,MACI;MACDjpC,OAAO,CAACmC,KAAK,CAACD,IAAI,CAAC,GAAG;QAClB8mC,mBAAmB,EAAE7mC,KAAK,CAAC2gH,KAAK,IAAI3gH,KAAK,CAACD,IAAI;QAC9C6mC,iBAAiB,EAAE5mC,KAAK,CAACD,IAAI;QAC7By6G,QAAQ,EAAEx6G,KAAK,CAACw6G,QAAQ,IAAI,KAAK;QACjC1zE,iBAAiB,EAAE9mC,KAAK,CAACixD,SAAS,IAAI,IAAI,GAAG,IAAIr9C,eAAe,CAAC5T,KAAK,CAACixD,SAAS,CAAC,GAAG;MACxF,CAAC;IACL;IACA,OAAOpzD,OAAO;EAClB,CAAC,EAAE,CAAC,CAAC,CAAC;AACV;AACA,SAASuiH,uBAAuBA,CAACjkG,MAAM,EAAE;EACrC,OAAOA,MAAM,CAAC9R,MAAM,CAAC,CAACxM,OAAO,EAAEmC,KAAK,KAAK;IACrC,MAAM,CAAC2gH,KAAK,EAAE4B,SAAS,CAAC,GAAGD,kBAAkB,CAACtiH,KAAK,CAAC;IACpDnC,OAAO,CAAC0kH,SAAS,CAAC,GAAG5B,KAAK;IAC1B,OAAO9iH,OAAO;EAClB,CAAC,EAAE,CAAC,CAAC,CAAC;AACV;AACA,SAASykH,kBAAkBA,CAACtiH,KAAK,EAAE;EAC/B;EACA;EACA,MAAM,CAACuiH,SAAS,EAAE17E,mBAAmB,CAAC,GAAG7mC,KAAK,CAAC8sB,KAAK,CAAC,GAAG,EAAE,CAAC,CAAC,CAAC1qB,GAAG,CAACuG,GAAG,IAAIA,GAAG,CAAC8iB,IAAI,CAAC,CAAC,CAAC;EACnF,OAAO,CAACob,mBAAmB,IAAI07E,SAAS,EAAEA,SAAS,CAAC;AACxD;AACA,SAAStE,kCAAkCA,CAACD,WAAW,EAAE;EACrD,OAAO;IACHj+G,IAAI,EAAEi+G,WAAW,CAAC91G,IAAI,CAACnI,IAAI;IAC3BmI,IAAI,EAAEitB,aAAa,CAAC6oF,WAAW,CAAC91G,IAAI,CAAC;IACrCwvB,iBAAiB,EAAE,CAAC;IACpB2d,QAAQ,EAAE2oE,WAAW,CAACj+G,IAAI;IAC1Bs2B,IAAI,EAAE,IAAI;IACVlmB,IAAI,EAAE6tG,WAAW,CAAC7tG,IAAI,IAAI,IAAI;IAC9BmlC,YAAY,EAAE0oE,WAAW,CAAC1oE,YAAY,IAAI;EAC9C,CAAC;AACL;AACA,SAASmpE,sCAAsCA,CAACT,WAAW,EAAE;EACzD,OAAO;IACHj+G,IAAI,EAAEi+G,WAAW,CAAC91G,IAAI,CAACnI,IAAI;IAC3BmI,IAAI,EAAEitB,aAAa,CAAC6oF,WAAW,CAAC91G,IAAI,CAAC;IACrC2qC,SAAS,EAAEmrE,WAAW,CAACnrE,SAAS,KAAKjnB,SAAS,IAAIoyF,WAAW,CAACnrE,SAAS,CAAC50C,MAAM,GAAG,CAAC,GAC9E,IAAI2V,eAAe,CAACoqG,WAAW,CAACnrE,SAAS,CAAC,GAC1C,IAAI;IACRC,OAAO,EAAEkrE,WAAW,CAAClrE,OAAO,KAAKlnB,SAAS,GACtCoyF,WAAW,CAAClrE,OAAO,CAAC1wC,GAAG,CAAC/C,CAAC,IAAI,IAAIuU,eAAe,CAACvU,CAAC,CAAC,CAAC,GACpD;EACR,CAAC;AACL;AACA,SAASmjH,aAAaA,CAACC,MAAM,EAAE;EAC3B,MAAMC,EAAE,GAAGD,MAAM,CAACC,EAAE,KAAKD,MAAM,CAACC,EAAE,GAAG,CAAC,CAAC,CAAC;EACxCA,EAAE,CAACC,eAAe,GAAG,IAAIpF,kBAAkB,CAAC,CAAC;AACjD;;AAEA;AACA;AACA;AACA;AACA;AACA,MAAMqF,OAAO,GAAG,IAAIj2F,OAAO,CAAC,SAAS,CAAC;AAEtC,MAAMk2F,cAAc,CAAC;EACjBvlH,WAAWA,CAAC;IAAEwlH,oBAAoB,GAAG5/G,iBAAiB,CAACy1G,QAAQ;IAAEoK,MAAM,GAAG,IAAI;IAAEC,kBAAkB,GAAG,IAAI;IAAExN,mBAAmB;IAAEyN;EAA0B,CAAC,GAAG,CAAC,CAAC,EAAE;IAC9J,IAAI,CAACH,oBAAoB,GAAGA,oBAAoB;IAChD,IAAI,CAACC,MAAM,GAAG,CAAC,CAACA,MAAM;IACtB,IAAI,CAACC,kBAAkB,GAAGA,kBAAkB;IAC5C,IAAI,CAACxN,mBAAmB,GAAG0N,0BAA0B,CAACx3F,WAAW,CAAC8pF,mBAAmB,CAAC,CAAC;IACvF,IAAI,CAACyN,yBAAyB,GAAGA,yBAAyB,KAAK,IAAI;EACvE;AACJ;AACA,SAASC,0BAA0BA,CAACC,yBAAyB,EAAEC,cAAc,GAAG,KAAK,EAAE;EACnF,OAAOD,yBAAyB,KAAK,IAAI,GAAGC,cAAc,GAAGD,yBAAyB;AAC1F;AAEA,MAAME,UAAU,GAAG,MAAM;AACzB,MAAMC,iBAAiB,GAAG,OAAO;AACjC,MAAMC,2BAA2B,GAAG,SAAS;AAC7C,MAAMC,iBAAiB,GAAG,GAAG;AAC7B,MAAMC,YAAY,GAAG,IAAI;AACzB,IAAIC,kBAAkB,GAAG,KAAK;AAC9B;AACA;AACA;AACA,SAASC,eAAeA,CAACl9G,KAAK,EAAE8sE,mBAAmB,EAAEqwC,YAAY,EAAEC,aAAa,EAAE;EAC9E,MAAMh9G,OAAO,GAAG,IAAIi9G,QAAQ,CAACF,YAAY,EAAEC,aAAa,CAAC;EACzD,OAAOh9G,OAAO,CAACk9G,OAAO,CAACt9G,KAAK,EAAE8sE,mBAAmB,CAAC;AACtD;AACA,SAASywC,iBAAiBA,CAACv9G,KAAK,EAAEw9G,YAAY,EAAE1wC,mBAAmB,EAAEqwC,YAAY,EAAEC,aAAa,EAAE;EAC9F,MAAMh9G,OAAO,GAAG,IAAIi9G,QAAQ,CAACF,YAAY,EAAEC,aAAa,CAAC;EACzD,OAAOh9G,OAAO,CAACq9G,KAAK,CAACz9G,KAAK,EAAEw9G,YAAY,EAAE1wC,mBAAmB,CAAC;AAClE;AACA,MAAM4wC,gBAAgB,CAAC;EACnB7mH,WAAWA,CAAC+jC,QAAQ,EAAEsY,MAAM,EAAE;IAC1B,IAAI,CAACtY,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACsY,MAAM,GAAGA,MAAM;EACxB;AACJ;AACA,IAAIyqE,YAAY;AAChB,CAAC,UAAUA,YAAY,EAAE;EACrBA,YAAY,CAACA,YAAY,CAAC,SAAS,CAAC,GAAG,CAAC,CAAC,GAAG,SAAS;EACrDA,YAAY,CAACA,YAAY,CAAC,OAAO,CAAC,GAAG,CAAC,CAAC,GAAG,OAAO;AACrD,CAAC,EAAEA,YAAY,KAAKA,YAAY,GAAG,CAAC,CAAC,CAAC,CAAC;AACvC;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMN,QAAQ,CAAC;EACXxmH,WAAWA,CAAC+mH,aAAa,EAAEC,cAAc,EAAE;IACvC,IAAI,CAACD,aAAa,GAAGA,aAAa;IAClC,IAAI,CAACC,cAAc,GAAGA,cAAc;EACxC;EACA;AACJ;AACA;EACIP,OAAOA,CAACt9G,KAAK,EAAE8sE,mBAAmB,EAAE;IAChC,IAAI,CAACgxC,KAAK,CAACH,YAAY,CAACI,OAAO,EAAEjxC,mBAAmB,CAAC;IACrD9sE,KAAK,CAACtG,OAAO,CAAC0T,IAAI,IAAIA,IAAI,CAAC5M,KAAK,CAAC,IAAI,EAAE,IAAI,CAAC,CAAC;IAC7C,IAAI,IAAI,CAACw9G,YAAY,EAAE;MACnB,IAAI,CAACtwC,YAAY,CAAC1tE,KAAK,CAACA,KAAK,CAACxI,MAAM,GAAG,CAAC,CAAC,EAAE,gBAAgB,CAAC;IAChE;IACA,OAAO,IAAIkmH,gBAAgB,CAAC,IAAI,CAACO,SAAS,EAAE,IAAI,CAACpgB,OAAO,CAAC;EAC7D;EACA;AACJ;AACA;EACI4f,KAAKA,CAACz9G,KAAK,EAAEw9G,YAAY,EAAE1wC,mBAAmB,EAAE;IAC5C,IAAI,CAACgxC,KAAK,CAACH,YAAY,CAACO,KAAK,EAAEpxC,mBAAmB,CAAC;IACnD,IAAI,CAACqxC,aAAa,GAAGX,YAAY;IACjC;IACA,MAAMY,OAAO,GAAG,IAAI3xD,OAAO,CAAC,SAAS,EAAE,EAAE,EAAEzsD,KAAK,EAAEmlB,SAAS,EAAEA,SAAS,EAAEA,SAAS,CAAC;IAClF,MAAMk5F,cAAc,GAAGD,OAAO,CAAC59G,KAAK,CAAC,IAAI,EAAE,IAAI,CAAC;IAChD,IAAI,IAAI,CAACw9G,YAAY,EAAE;MACnB,IAAI,CAACtwC,YAAY,CAAC1tE,KAAK,CAACA,KAAK,CAACxI,MAAM,GAAG,CAAC,CAAC,EAAE,gBAAgB,CAAC;IAChE;IACA,OAAO,IAAIwtF,eAAe,CAACq5B,cAAc,CAACr9G,QAAQ,EAAE,IAAI,CAAC68F,OAAO,CAAC;EACrE;EACA/nB,kBAAkBA,CAACwoC,OAAO,EAAEz9G,OAAO,EAAE;IACjC;IACA,MAAMW,UAAU,GAAG8xC,QAAQ,CAAC,IAAI,EAAEgrE,OAAO,CAAC98G,UAAU,EAAEX,OAAO,CAAC;IAC9D,IAAI,IAAI,CAAC09G,KAAK,KAAKZ,YAAY,CAACO,KAAK,EAAE;MACnC,OAAO,IAAIvoC,aAAa,CAAC2oC,OAAO,CAAC/kH,KAAK,EAAEiI,UAAU,EAAE88G,OAAO,CAACn1G,UAAU,EAAEm1G,OAAO,CAAC1oC,eAAe,EAAE0oC,OAAO,CAACzoC,aAAa,CAAC;IAC3H;EACJ;EACAH,cAAcA,CAACv0E,GAAG,EAAEN,OAAO,EAAE;IACzB,IAAI,CAAC29G,sBAAsB,CAACr9G,GAAG,CAAC;IAChC,MAAMs9G,QAAQ,GAAG,IAAI,CAACC,MAAM;IAC5B,IAAI,CAAC,IAAI,CAACA,MAAM,EAAE;MACd;MACA,IAAI,IAAI,CAACC,wBAAwB,EAAE;QAC/B,IAAI,CAACC,WAAW,CAAC,CAACz9G,GAAG,CAAC,CAAC;MAC3B;MACA,IAAI,CAACu9G,MAAM,GAAG,IAAI;IACtB;IACA,MAAMp9G,KAAK,GAAGgyC,QAAQ,CAAC,IAAI,EAAEnyC,GAAG,CAACG,KAAK,EAAET,OAAO,CAAC;IAChD,IAAI,IAAI,CAAC09G,KAAK,KAAKZ,YAAY,CAACO,KAAK,EAAE;MACnC/8G,GAAG,GAAG,IAAIo0E,SAAS,CAACp0E,GAAG,CAACq0E,WAAW,EAAEr0E,GAAG,CAACM,IAAI,EAAEH,KAAK,EAAEH,GAAG,CAACgI,UAAU,EAAEhI,GAAG,CAACs0E,qBAAqB,CAAC;IACpG;IACA,IAAI,CAACipC,MAAM,GAAGD,QAAQ;IACtB,OAAOt9G,GAAG;EACd;EACA+0E,YAAYA,CAACvpD,OAAO,EAAE9rB,OAAO,EAAE;IAC3B,MAAMg+G,SAAS,GAAGC,iBAAiB,CAACnyF,OAAO,CAAC;IAC5C,IAAIkyF,SAAS,IAAI,IAAI,CAACF,wBAAwB,EAAE;MAC5C,IAAI,CAACjxC,YAAY,CAAC/gD,OAAO,EAAE,uDAAuD,CAAC;MACnF;IACJ;IACA,MAAMoyF,SAAS,GAAGC,iBAAiB,CAACryF,OAAO,CAAC;IAC5C,IAAIoyF,SAAS,IAAI,CAAC,IAAI,CAACf,YAAY,EAAE;MACjC,IAAI,CAACtwC,YAAY,CAAC/gD,OAAO,EAAE,mCAAmC,CAAC;MAC/D;IACJ;IACA,IAAI,CAAC,IAAI,CAACsyF,WAAW,IAAI,CAAC,IAAI,CAACP,MAAM,EAAE;MACnC,IAAI,CAAC,IAAI,CAACV,YAAY,EAAE;QACpB,IAAIa,SAAS,EAAE;UACX;UACA,IAAI,CAAC5B,kBAAkB,IAAIiC,OAAO,IAAIA,OAAO,CAACC,IAAI,EAAE;YAChDlC,kBAAkB,GAAG,IAAI;YACzB,MAAMr0E,OAAO,GAAGjc,OAAO,CAACxjB,UAAU,CAACy/B,OAAO,GAAG,KAAKjc,OAAO,CAACxjB,UAAU,CAACy/B,OAAO,EAAE,GAAG,EAAE;YACnF;YACAs2E,OAAO,CAACC,IAAI,CAAC,wEAAwExyF,OAAO,CAACxjB,UAAU,CAAC4iB,KAAK,GAAG6c,OAAO,GAAG,CAAC;UAC/H;UACA,IAAI,CAACo1E,YAAY,GAAG,IAAI;UACxB,IAAI,CAACoB,gBAAgB,GAAG,IAAI,CAACC,MAAM;UACnC,IAAI,CAACC,cAAc,GAAG,EAAE;UACxB,IAAI,CAACC,oBAAoB,GACrB5yF,OAAO,CAACpzB,KAAK,CAACP,OAAO,CAAC8jH,2BAA2B,EAAE,EAAE,CAAC,CAAC93F,IAAI,CAAC,CAAC;UACjE,IAAI,CAACw6F,wBAAwB,CAAC7yF,OAAO,CAAC;QAC1C;MACJ,CAAC,MACI;QACD,IAAIoyF,SAAS,EAAE;UACX,IAAI,IAAI,CAACM,MAAM,IAAI,IAAI,CAACD,gBAAgB,EAAE;YACtC,IAAI,CAACK,yBAAyB,CAAC9yF,OAAO,EAAE,IAAI,CAAC2yF,cAAc,CAAC;YAC5D,IAAI,CAACtB,YAAY,GAAG,KAAK;YACzB,MAAMr+G,OAAO,GAAG,IAAI,CAACi/G,WAAW,CAAC,IAAI,CAACU,cAAc,EAAE,IAAI,CAACC,oBAAoB,CAAC;YAChF;YACA,MAAMv/G,KAAK,GAAG,IAAI,CAAC0/G,iBAAiB,CAAC/yF,OAAO,EAAEhtB,OAAO,CAAC;YACtD,OAAO2zC,QAAQ,CAAC,IAAI,EAAEtzC,KAAK,CAAC;UAChC,CAAC,MACI;YACD,IAAI,CAAC0tE,YAAY,CAAC/gD,OAAO,EAAE,iDAAiD,CAAC;YAC7E;UACJ;QACJ;MACJ;IACJ;EACJ;EACAhsB,SAASA,CAACC,IAAI,EAAEC,OAAO,EAAE;IACrB,IAAI,IAAI,CAAC89G,wBAAwB,EAAE;MAC/B,IAAI,CAACH,sBAAsB,CAAC59G,IAAI,CAAC;IACrC;IACA,OAAOA,IAAI;EACf;EACAqzB,YAAYA,CAACllB,EAAE,EAAElO,OAAO,EAAE;IACtB,IAAI,CAAC29G,sBAAsB,CAACzvG,EAAE,CAAC;IAC/B,IAAI,CAACswG,MAAM,EAAE;IACb,MAAMM,aAAa,GAAG,IAAI,CAACV,WAAW;IACtC,MAAMW,iBAAiB,GAAG,IAAI,CAACC,eAAe;IAC9C,IAAIC,UAAU,GAAG,EAAE;IACnB,IAAIC,oBAAoB,GAAG56F,SAAS;IACpC;IACA;IACA;IACA,MAAM66F,QAAQ,GAAGC,YAAY,CAAClxG,EAAE,CAAC;IACjC,MAAMmxG,QAAQ,GAAGF,QAAQ,GAAGA,QAAQ,CAACzmH,KAAK,GAAG,EAAE;IAC/C,MAAM4mH,UAAU,GAAG,IAAI,CAACvC,aAAa,CAAC1gF,IAAI,CAACjlC,GAAG,IAAI8W,EAAE,CAACzV,IAAI,KAAKrB,GAAG,CAAC,IAAI,CAAC,IAAI,CAACymH,MAAM,IAC9E,CAAC,IAAI,CAACC,wBAAwB;IAClC,MAAMyB,kBAAkB,GAAG,CAACR,iBAAiB,IAAIO,UAAU;IAC3D,IAAI,CAACN,eAAe,GAAGD,iBAAiB,IAAIO,UAAU;IACtD,IAAI,CAAC,IAAI,CAACxB,wBAAwB,IAAI,CAAC,IAAI,CAACD,MAAM,EAAE;MAChD,IAAIsB,QAAQ,IAAII,kBAAkB,EAAE;QAChC,IAAI,CAACnB,WAAW,GAAG,IAAI;QACvB,MAAMt/G,OAAO,GAAG,IAAI,CAACi/G,WAAW,CAAC7vG,EAAE,CAAC/N,QAAQ,EAAEk/G,QAAQ,CAAC;QACvDH,oBAAoB,GAAG,IAAI,CAACL,iBAAiB,CAAC3wG,EAAE,EAAEpP,OAAO,CAAC;MAC9D;MACA,IAAI,IAAI,CAAC4+G,KAAK,IAAIZ,YAAY,CAACI,OAAO,EAAE;QACpC,MAAMsC,cAAc,GAAGL,QAAQ,IAAII,kBAAkB;QACrD,IAAIC,cAAc,EACd,IAAI,CAACb,wBAAwB,CAACzwG,EAAE,CAAC;QACrCukC,QAAQ,CAAC,IAAI,EAAEvkC,EAAE,CAAC/N,QAAQ,CAAC;QAC3B,IAAIq/G,cAAc,EACd,IAAI,CAACZ,yBAAyB,CAAC1wG,EAAE,EAAEA,EAAE,CAAC/N,QAAQ,CAAC;MACvD;IACJ,CAAC,MACI;MACD,IAAIg/G,QAAQ,IAAII,kBAAkB,EAAE;QAChC,IAAI,CAAC1yC,YAAY,CAAC3+D,EAAE,EAAE,yEAAyE,CAAC;MACpG;MACA,IAAI,IAAI,CAACwvG,KAAK,IAAIZ,YAAY,CAACI,OAAO,EAAE;QACpC;QACAzqE,QAAQ,CAAC,IAAI,EAAEvkC,EAAE,CAAC/N,QAAQ,CAAC;MAC/B;IACJ;IACA,IAAI,IAAI,CAACu9G,KAAK,KAAKZ,YAAY,CAACO,KAAK,EAAE;MACnC,MAAMoC,UAAU,GAAGP,oBAAoB,IAAIhxG,EAAE,CAAC/N,QAAQ;MACtDs/G,UAAU,CAAC5mH,OAAO,CAACuH,KAAK,IAAI;QACxB,MAAMs/G,OAAO,GAAGt/G,KAAK,CAACT,KAAK,CAAC,IAAI,EAAEK,OAAO,CAAC;QAC1C,IAAI0/G,OAAO,IAAI,CAAC,IAAI,CAAC5B,wBAAwB,EAAE;UAC3C;UACA;UACAmB,UAAU,GAAGA,UAAU,CAACzmH,MAAM,CAACknH,OAAO,CAAC;QAC3C;MACJ,CAAC,CAAC;IACN;IACA,IAAI,CAACC,kBAAkB,CAACzxG,EAAE,CAAC;IAC3B,IAAI,CAACswG,MAAM,EAAE;IACb,IAAI,CAACJ,WAAW,GAAGU,aAAa;IAChC,IAAI,CAACE,eAAe,GAAGD,iBAAiB;IACxC,IAAI,IAAI,CAACrB,KAAK,KAAKZ,YAAY,CAACO,KAAK,EAAE;MACnC,MAAMuC,eAAe,GAAG,IAAI,CAACC,oBAAoB,CAAC3xG,EAAE,CAAC;MACrD,OAAO,IAAI09C,OAAO,CAAC19C,EAAE,CAACzV,IAAI,EAAEmnH,eAAe,EAAEX,UAAU,EAAE/wG,EAAE,CAAC5F,UAAU,EAAE4F,EAAE,CAACglB,eAAe,EAAEhlB,EAAE,CAACilB,aAAa,CAAC;IACjH;IACA,OAAO,IAAI;EACf;EACAgiD,cAAcA,CAACz9E,SAAS,EAAEsI,OAAO,EAAE;IAC/B,MAAM,IAAI7I,KAAK,CAAC,kBAAkB,CAAC;EACvC;EACAo+E,eAAeA,CAACjc,KAAK,EAAEt5D,OAAO,EAAE;IAC5ByyC,QAAQ,CAAC,IAAI,EAAE6mB,KAAK,CAAC5X,MAAM,EAAE1hD,OAAO,CAAC;EACzC;EACAy1E,UAAUA,CAAC7/C,KAAK,EAAE51B,OAAO,EAAE;IACvByyC,QAAQ,CAAC,IAAI,EAAE7c,KAAK,CAACz1B,QAAQ,EAAEH,OAAO,CAAC;EAC3C;EACA21E,mBAAmBA,CAACsT,SAAS,EAAEjpF,OAAO,EAAE,CAAE;EAC1Ci9G,KAAKA,CAAC/mE,IAAI,EAAE+1B,mBAAmB,EAAE;IAC7B,IAAI,CAACyxC,KAAK,GAAGxnE,IAAI;IACjB,IAAI,CAACinE,YAAY,GAAG,KAAK;IACzB,IAAI,CAACiB,WAAW,GAAG,KAAK;IACxB,IAAI,CAACI,MAAM,GAAG,CAAC;IACf,IAAI,CAACX,MAAM,GAAG,KAAK;IACnB,IAAI,CAACiC,uBAAuB,GAAGx7F,SAAS;IACxC,IAAI,CAAC04E,OAAO,GAAG,EAAE;IACjB,IAAI,CAACogB,SAAS,GAAG,EAAE;IACnB,IAAI,CAAC4B,eAAe,GAAG,KAAK;IAC5B,IAAI,CAACe,kBAAkB,GAAGrlB,wBAAwB,CAACzuB,mBAAmB,CAAC;EAC3E;EACA;EACA0zC,kBAAkBA,CAACzxG,EAAE,EAAE;IACnB,MAAM8xG,uBAAuB,GAAG,CAAC,CAAC;IAClC,MAAMC,iBAAiB,GAAG,IAAI,CAACjD,cAAc,CAAC9uG,EAAE,CAACzV,IAAI,CAAC,IAAI,EAAE;IAC5DyV,EAAE,CAAC/X,KAAK,CAACiiB,MAAM,CAACxgB,IAAI,IAAIA,IAAI,CAACa,IAAI,CAACujC,UAAU,CAACggF,iBAAiB,CAAC,CAAC,CAC3DnjH,OAAO,CAACjB,IAAI,IAAIooH,uBAAuB,CAACpoH,IAAI,CAACa,IAAI,CAAClB,KAAK,CAACykH,iBAAiB,CAACrlH,MAAM,CAAC,CAAC,GACnFiB,IAAI,CAACc,KAAK,CAAC;IACfwV,EAAE,CAAC/X,KAAK,CAAC0C,OAAO,CAACjB,IAAI,IAAI;MACrB,IAAIA,IAAI,CAACa,IAAI,IAAIunH,uBAAuB,EAAE;QACtC,IAAI,CAACjC,WAAW,CAAC,CAACnmH,IAAI,CAAC,EAAEooH,uBAAuB,CAACpoH,IAAI,CAACa,IAAI,CAAC,CAAC;MAChE,CAAC,MACI,IAAIwnH,iBAAiB,CAAC5jF,IAAI,CAAC5jC,IAAI,IAAIb,IAAI,CAACa,IAAI,KAAKA,IAAI,CAAC,EAAE;QACzD,IAAI,CAACslH,WAAW,CAAC,CAACnmH,IAAI,CAAC,CAAC;MAC5B;IACJ,CAAC,CAAC;EACN;EACA;EACAmmH,WAAWA,CAAChqG,GAAG,EAAEmsG,OAAO,EAAE;IACtB,IAAInsG,GAAG,CAACpd,MAAM,IAAI,CAAC,IACfod,GAAG,CAACpd,MAAM,IAAI,CAAC,IAAIod,GAAG,CAAC,CAAC,CAAC,YAAYiwC,SAAS,IAAI,CAACjwC,GAAG,CAAC,CAAC,CAAC,CAACrb,KAAK,EAAE;MACjE;MACA,OAAO,IAAI;IACf;IACA,MAAM;MAAE0G,OAAO;MAAE+P,WAAW;MAAEpQ;IAAG,CAAC,GAAGohH,iBAAiB,CAACD,OAAO,CAAC;IAC/D,MAAMphH,OAAO,GAAG,IAAI,CAACihH,kBAAkB,CAAChsG,GAAG,EAAE3U,OAAO,EAAE+P,WAAW,EAAEpQ,EAAE,CAAC;IACtE,IAAI,CAACq+G,SAAS,CAACxmH,IAAI,CAACkI,OAAO,CAAC;IAC5B,OAAOA,OAAO;EAClB;EACA;EACA;EACA;EACA+/G,iBAAiBA,CAAC3wG,EAAE,EAAEpP,OAAO,EAAE;IAC3B,IAAIA,OAAO,IAAI,IAAI,CAAC4+G,KAAK,KAAKZ,YAAY,CAACO,KAAK,EAAE;MAC9C,MAAMl+G,KAAK,GAAG,IAAI,CAACm+G,aAAa,CAAC5iH,GAAG,CAACoE,OAAO,CAAC;MAC7C,IAAIK,KAAK,EAAE;QACP,OAAOA,KAAK;MAChB;MACA,IAAI,CAAC0tE,YAAY,CAAC3+D,EAAE,EAAE,2CAA2C,IAAI,CAACovG,aAAa,CAAC5iF,MAAM,CAAC57B,OAAO,CAAC,GAAG,CAAC;IAC3G;IACA,OAAO,EAAE;EACb;EACA;EACA+gH,oBAAoBA,CAAC3xG,EAAE,EAAE;IACrB,MAAM4kB,UAAU,GAAG5kB,EAAE,CAAC/X,KAAK;IAC3B,MAAMiqH,qBAAqB,GAAG,CAAC,CAAC;IAChCttF,UAAU,CAACj6B,OAAO,CAACjB,IAAI,IAAI;MACvB,IAAIA,IAAI,CAACa,IAAI,CAACujC,UAAU,CAACggF,iBAAiB,CAAC,EAAE;QACzCoE,qBAAqB,CAACxoH,IAAI,CAACa,IAAI,CAAClB,KAAK,CAACykH,iBAAiB,CAACrlH,MAAM,CAAC,CAAC,GAC5DwpH,iBAAiB,CAACvoH,IAAI,CAACc,KAAK,CAAC;MACrC;IACJ,CAAC,CAAC;IACF,MAAM2nH,oBAAoB,GAAG,EAAE;IAC/BvtF,UAAU,CAACj6B,OAAO,CAAEjB,IAAI,IAAK;MACzB,IAAIA,IAAI,CAACa,IAAI,KAAKsjH,UAAU,IAAInkH,IAAI,CAACa,IAAI,CAACujC,UAAU,CAACggF,iBAAiB,CAAC,EAAE;QACrE;QACA;MACJ;MACA,IAAIpkH,IAAI,CAACc,KAAK,IAAId,IAAI,CAACc,KAAK,IAAI,EAAE,IAAI0nH,qBAAqB,CAACxoF,cAAc,CAAChgC,IAAI,CAACa,IAAI,CAAC,EAAE;QACnF,MAAM;UAAE2G,OAAO;UAAE+P,WAAW;UAAEpQ;QAAG,CAAC,GAAGqhH,qBAAqB,CAACxoH,IAAI,CAACa,IAAI,CAAC;QACrE,MAAMqG,OAAO,GAAG,IAAI,CAACihH,kBAAkB,CAAC,CAACnoH,IAAI,CAAC,EAAEwH,OAAO,EAAE+P,WAAW,EAAEpQ,EAAE,CAAC;QACzE,MAAMI,KAAK,GAAG,IAAI,CAACm+G,aAAa,CAAC5iH,GAAG,CAACoE,OAAO,CAAC;QAC7C,IAAIK,KAAK,EAAE;UACP,IAAIA,KAAK,CAACxI,MAAM,IAAI,CAAC,EAAE;YACnB0pH,oBAAoB,CAACzpH,IAAI,CAAC,IAAIotD,SAAS,CAACpsD,IAAI,CAACa,IAAI,EAAE,EAAE,EAAEb,IAAI,CAAC0Q,UAAU,EAAEgc,SAAS,CAAC,eAAeA,SAAS,CAAC,iBAAiBA,SAAS,CAAC,mBAAmBA,SAAS,CAAC,UAAU,CAAC,CAAC;UACnL,CAAC,MACI,IAAInlB,KAAK,CAAC,CAAC,CAAC,YAAYgtD,IAAI,EAAE;YAC/B,MAAMzzD,KAAK,GAAGyG,KAAK,CAAC,CAAC,CAAC,CAACzG,KAAK;YAC5B2nH,oBAAoB,CAACzpH,IAAI,CAAC,IAAIotD,SAAS,CAACpsD,IAAI,CAACa,IAAI,EAAEC,KAAK,EAAEd,IAAI,CAAC0Q,UAAU,EAAEgc,SAAS,CAAC,eAAeA,SAAS,CAAC,iBAAiBA,SAAS,CAAC,mBAAmBA,SAAS,CAAC,UAAU,CAAC,CAAC;UACtL,CAAC,MACI;YACD,IAAI,CAACuoD,YAAY,CAAC3+D,EAAE,EAAE,yCAAyCtW,IAAI,CAACa,IAAI,UAAUsG,EAAE,IAAI,IAAI,CAACu+G,aAAa,CAAC5iF,MAAM,CAAC57B,OAAO,CAAC,IAAI,CAAC;UACnI;QACJ,CAAC,MACI;UACD,IAAI,CAAC+tE,YAAY,CAAC3+D,EAAE,EAAE,0CAA0CtW,IAAI,CAACa,IAAI,UAAUsG,EAAE,IAAI,IAAI,CAACu+G,aAAa,CAAC5iF,MAAM,CAAC57B,OAAO,CAAC,IAAI,CAAC;QACpI;MACJ,CAAC,MACI;QACDuhH,oBAAoB,CAACzpH,IAAI,CAACgB,IAAI,CAAC;MACnC;IACJ,CAAC,CAAC;IACF,OAAOyoH,oBAAoB;EAC/B;EACA;AACJ;AACA;AACA;AACA;AACA;EACI1C,sBAAsBA,CAACpxG,IAAI,EAAE;IACzB,IAAI,IAAI,CAAC4wG,YAAY,IAAI,CAAC,IAAI,CAACU,MAAM,IAAI,IAAI,CAACW,MAAM,IAAI,IAAI,CAACD,gBAAgB,EAAE;MAC3E,IAAI,CAACE,cAAc,CAAC7nH,IAAI,CAAC2V,IAAI,CAAC;IAClC;EACJ;EACA;AACJ;AACA;EACIoyG,wBAAwBA,CAACpyG,IAAI,EAAE;IAC3B,IAAI,IAAI,CAACuxG,wBAAwB,EAAE;MAC/B,IAAI,CAACjxC,YAAY,CAACtgE,IAAI,EAAE,0BAA0B,CAAC;IACvD,CAAC,MACI;MACD,IAAI,CAACuzG,uBAAuB,GAAG,IAAI,CAAC1C,SAAS,CAACzmH,MAAM;IACxD;EACJ;EACA;AACJ;AACA;AACA;AACA;EACI,IAAImnH,wBAAwBA,CAAA,EAAG;IAC3B,OAAO,IAAI,CAACgC,uBAAuB,KAAK,KAAK,CAAC;EAClD;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACIlB,yBAAyBA,CAACryG,IAAI,EAAE+zG,cAAc,EAAE;IAC5C,IAAI,CAAC,IAAI,CAACxC,wBAAwB,EAAE;MAChC,IAAI,CAACjxC,YAAY,CAACtgE,IAAI,EAAE,wBAAwB,CAAC;MACjD;IACJ;IACA,MAAMgzC,UAAU,GAAG,IAAI,CAACugE,uBAAuB;IAC/C,MAAMS,mBAAmB,GAAGD,cAAc,CAACv9G,MAAM,CAAC,CAACkC,KAAK,EAAEsH,IAAI,KAAKtH,KAAK,IAAIsH,IAAI,YAAY6oE,OAAO,GAAG,CAAC,GAAG,CAAC,CAAC,EAAE,CAAC,CAAC;IAChH,IAAImrC,mBAAmB,IAAI,CAAC,EAAE;MAC1B,KAAK,IAAIxoH,CAAC,GAAG,IAAI,CAACqlH,SAAS,CAACzmH,MAAM,GAAG,CAAC,EAAEoB,CAAC,IAAIwnD,UAAU,EAAExnD,CAAC,EAAE,EAAE;QAC1D,MAAMgc,GAAG,GAAG,IAAI,CAACqpG,SAAS,CAACrlH,CAAC,CAAC,CAACoH,KAAK;QACnC,IAAI,EAAE4U,GAAG,CAACpd,MAAM,IAAI,CAAC,IAAIod,GAAG,CAAC,CAAC,CAAC,YAAYwiB,MAAM,CAAC,EAAE;UAChD,IAAI,CAAC6mF,SAAS,CAACt2B,MAAM,CAAC/uF,CAAC,EAAE,CAAC,CAAC;UAC3B;QACJ;MACJ;IACJ;IACA,IAAI,CAAC+nH,uBAAuB,GAAGx7F,SAAS;EAC5C;EACAuoD,YAAYA,CAACtgE,IAAI,EAAE1I,GAAG,EAAE;IACpB,IAAI,CAACm5F,OAAO,CAACpmG,IAAI,CAAC,IAAI4lG,SAAS,CAACjwF,IAAI,CAACjE,UAAU,EAAEzE,GAAG,CAAC,CAAC;EAC1D;AACJ;AACA,SAASo6G,iBAAiBA,CAAClnF,CAAC,EAAE;EAC1B,OAAO,CAAC,EAAEA,CAAC,YAAYq+C,OAAO,IAAIr+C,CAAC,CAACr+B,KAAK,IAAIq+B,CAAC,CAACr+B,KAAK,CAACsjC,UAAU,CAAC,MAAM,CAAC,CAAC;AAC5E;AACA,SAASmiF,iBAAiBA,CAACpnF,CAAC,EAAE;EAC1B,OAAO,CAAC,EAAEA,CAAC,YAAYq+C,OAAO,IAAIr+C,CAAC,CAACr+B,KAAK,IAAIq+B,CAAC,CAACr+B,KAAK,KAAK,OAAO,CAAC;AACrE;AACA,SAAS0mH,YAAYA,CAAC9tG,CAAC,EAAE;EACrB,OAAOA,CAAC,CAACnb,KAAK,CAACknC,IAAI,CAACzlC,IAAI,IAAIA,IAAI,CAACa,IAAI,KAAKsjH,UAAU,CAAC,IAAI,IAAI;AACjE;AACA,SAASoE,iBAAiBA,CAACphG,IAAI,EAAE;EAC7B,IAAI,CAACA,IAAI,EACL,OAAO;IAAE3f,OAAO,EAAE,EAAE;IAAE+P,WAAW,EAAE,EAAE;IAAEpQ,EAAE,EAAE;EAAG,CAAC;EACnD,MAAM6+F,OAAO,GAAG7+E,IAAI,CAACmF,OAAO,CAACi4F,YAAY,CAAC;EAC1C,MAAMte,SAAS,GAAG9+E,IAAI,CAACmF,OAAO,CAACg4F,iBAAiB,CAAC;EACjD,MAAM,CAACpe,cAAc,EAAE/+F,EAAE,CAAC,GAAI6+F,OAAO,GAAG,CAAC,CAAC,GAAI,CAAC7+E,IAAI,CAACxnB,KAAK,CAAC,CAAC,EAAEqmG,OAAO,CAAC,EAAE7+E,IAAI,CAACxnB,KAAK,CAACqmG,OAAO,GAAG,CAAC,CAAC,CAAC,GAAG,CAAC7+E,IAAI,EAAE,EAAE,CAAC;EAC5G,MAAM,CAAC3f,OAAO,EAAE+P,WAAW,CAAC,GAAI0uF,SAAS,GAAG,CAAC,CAAC,GAC1C,CAACC,cAAc,CAACvmG,KAAK,CAAC,CAAC,EAAEsmG,SAAS,CAAC,EAAEC,cAAc,CAACvmG,KAAK,CAACsmG,SAAS,GAAG,CAAC,CAAC,CAAC,GACzE,CAAC,EAAE,EAAEC,cAAc,CAAC;EACxB,OAAO;IAAE1+F,OAAO;IAAE+P,WAAW;IAAEpQ,EAAE,EAAEA,EAAE,CAAColB,IAAI,CAAC;EAAE,CAAC;AAClD;AAEA,MAAMq8F,gBAAgB,CAAC;EACnBxqH,WAAWA,CAAA,EAAG;IACV,IAAI,CAACgjF,cAAc,GAAG,KAAK;IAC3B,IAAI,CAACH,uBAAuB,GAAG,IAAI;IACnC,IAAI,CAAC93E,MAAM,GAAG,KAAK;IACnB,IAAI,CAACk4E,aAAa,GAAG,KAAK;IAC1B,IAAI,CAACE,YAAY,GAAG,IAAI;IACxB,IAAI,CAACD,2BAA2B,GAAG,KAAK;EAC5C;EACAunC,kBAAkBA,CAACC,aAAa,EAAE;IAC9B,OAAO,KAAK;EAChB;EACAtnC,eAAeA,CAAC3gF,IAAI,EAAE;IAClB,OAAO,KAAK;EAChB;EACA4gF,cAAcA,CAAA,EAAG;IACb,OAAOr2B,cAAc,CAAC+1B,aAAa;EACvC;AACJ;AACA,MAAM4nC,eAAe,GAAG,IAAIH,gBAAgB,CAAC,CAAC;AAC9C,SAASI,mBAAmBA,CAAC/qG,OAAO,EAAE;EAClC,OAAO8qG,eAAe;AAC1B;AAEA,MAAME,SAAS,SAASx8B,MAAM,CAAC;EAC3BruF,WAAWA,CAAA,EAAG;IACV,KAAK,CAAC4qH,mBAAmB,CAAC;EAC9B;EACAvqH,KAAKA,CAAC40B,MAAM,EAAEra,GAAG,EAAE0pE,OAAO,GAAG,CAAC,CAAC,EAAE;IAC7B;IACA,OAAO,KAAK,CAACjkF,KAAK,CAAC40B,MAAM,EAAEra,GAAG,EAAE;MAAE,GAAG0pE,OAAO;MAAEmC,cAAc,EAAE;IAAM,CAAC,CAAC;EAC1E;AACJ;AAEA,MAAMqkC,UAAU,GAAG,KAAK;AACxB,MAAMC,QAAQ,GAAG,uCAAuC;AACxD;AACA,MAAMC,sBAAsB,GAAG,IAAI;AACnC,MAAMC,kBAAkB,GAAG,GAAG;AAC9B,MAAMC,aAAa,GAAG,KAAK;AAC3B,MAAMC,SAAS,GAAG,MAAM;AACxB,MAAMC,aAAa,GAAG,QAAQ;AAC9B,MAAMC,mBAAmB,GAAG,YAAY;AACxC,MAAMC,cAAc,GAAG,WAAW;AAClC,MAAMC,aAAa,GAAG,QAAQ;AAC9B,MAAMC,WAAW,GAAG,YAAY;AAChC,MAAMC,kBAAkB,GAAG,eAAe;AAC1C,MAAMC,YAAY,GAAG,SAAS;AAC9B;AACA;AACA,MAAMC,KAAK,SAASxqF,UAAU,CAAC;EAC3B2C,KAAKA,CAACC,QAAQ,EAAEC,MAAM,EAAE;IACpB,MAAMz6B,OAAO,GAAG,IAAIqiH,eAAe,CAAC,CAAC;IACrC,MAAMC,UAAU,GAAG,EAAE;IACrB9nF,QAAQ,CAAClhC,OAAO,CAACiG,OAAO,IAAI;MACxB,IAAIgjH,WAAW,GAAG,EAAE;MACpBhjH,OAAO,CAAC2oB,OAAO,CAAC5uB,OAAO,CAAEoyB,MAAM,IAAK;QAChC,IAAI82F,eAAe,GAAG,IAAI9oF,GAAG,CAACwoF,kBAAkB,EAAE;UAAEO,OAAO,EAAE;QAAW,CAAC,CAAC;QAC1ED,eAAe,CAAC5hH,QAAQ,CAACvJ,IAAI,CAAC,IAAIwiC,EAAE,CAAC,EAAE,CAAC,EAAE,IAAIH,GAAG,CAACyoF,YAAY,EAAE;UAAE,cAAc,EAAE;QAAa,CAAC,EAAE,CAAC,IAAIxoF,MAAM,CAACjO,MAAM,CAACiL,QAAQ,CAAC,CAAC,CAAC,EAAE,IAAIkD,EAAE,CAAC,EAAE,CAAC,EAAE,IAAIH,GAAG,CAACyoF,YAAY,EAAE;UAAE,cAAc,EAAE;QAAa,CAAC,EAAE,CAAC,IAAIxoF,MAAM,CAAC,GAAGjO,MAAM,CAACkL,SAAS,EAAE,CAAC,CAAC,CAAC,EAAE,IAAIiD,EAAE,CAAC,CAAC,CAAC,CAAC;QACtP0oF,WAAW,CAAClrH,IAAI,CAAC,IAAIwiC,EAAE,CAAC,CAAC,CAAC,EAAE2oF,eAAe,CAAC;MAChD,CAAC,CAAC;MACF,MAAME,SAAS,GAAG,IAAIhpF,GAAG,CAACuoF,WAAW,EAAE;QAAEziH,EAAE,EAAED,OAAO,CAACC,EAAE;QAAEmjH,QAAQ,EAAE;MAAO,CAAC,CAAC;MAC5ED,SAAS,CAAC9hH,QAAQ,CAACvJ,IAAI,CAAC,IAAIwiC,EAAE,CAAC,CAAC,CAAC,EAAE,IAAIH,GAAG,CAACmoF,aAAa,EAAE,CAAC,CAAC,EAAE7hH,OAAO,CAACq5B,SAAS,CAAC95B,OAAO,CAACK,KAAK,CAAC,CAAC,EAAE,GAAG2iH,WAAW,CAAC;MAChH,IAAIhjH,OAAO,CAACqQ,WAAW,EAAE;QACrB8yG,SAAS,CAAC9hH,QAAQ,CAACvJ,IAAI,CAAC,IAAIwiC,EAAE,CAAC,CAAC,CAAC,EAAE,IAAIH,GAAG,CAAC,MAAM,EAAE;UAAE+zE,QAAQ,EAAE,GAAG;UAAEtlF,IAAI,EAAE;QAAc,CAAC,EAAE,CAAC,IAAIwR,MAAM,CAACp6B,OAAO,CAACqQ,WAAW,CAAC,CAAC,CAAC,CAAC;MAClI;MACA,IAAIrQ,OAAO,CAACM,OAAO,EAAE;QACjB6iH,SAAS,CAAC9hH,QAAQ,CAACvJ,IAAI,CAAC,IAAIwiC,EAAE,CAAC,CAAC,CAAC,EAAE,IAAIH,GAAG,CAAC,MAAM,EAAE;UAAE+zE,QAAQ,EAAE,GAAG;UAAEtlF,IAAI,EAAE;QAAU,CAAC,EAAE,CAAC,IAAIwR,MAAM,CAACp6B,OAAO,CAACM,OAAO,CAAC,CAAC,CAAC,CAAC;MAC1H;MACA6iH,SAAS,CAAC9hH,QAAQ,CAACvJ,IAAI,CAAC,IAAIwiC,EAAE,CAAC,CAAC,CAAC,CAAC;MAClCyoF,UAAU,CAACjrH,IAAI,CAAC,IAAIwiC,EAAE,CAAC,CAAC,CAAC,EAAE6oF,SAAS,CAAC;IACzC,CAAC,CAAC;IACF,MAAMhtG,IAAI,GAAG,IAAIgkB,GAAG,CAAC,MAAM,EAAE,CAAC,CAAC,EAAE,CAAC,GAAG4oF,UAAU,EAAE,IAAIzoF,EAAE,CAAC,CAAC,CAAC,CAAC,CAAC;IAC5D,MAAM3S,IAAI,GAAG,IAAIwS,GAAG,CAAC,MAAM,EAAE;MACzB,iBAAiB,EAAEe,MAAM,IAAIgnF,sBAAsB;MACnDkB,QAAQ,EAAE,WAAW;MACrB3rG,QAAQ,EAAE;IACd,CAAC,EAAE,CAAC,IAAI6iB,EAAE,CAAC,CAAC,CAAC,EAAEnkB,IAAI,EAAE,IAAImkB,EAAE,CAAC,CAAC,CAAC,CAAC,CAAC;IAChC,MAAM+oF,KAAK,GAAG,IAAIlpF,GAAG,CAAC,OAAO,EAAE;MAAEqB,OAAO,EAAEwmF,UAAU;MAAEsB,KAAK,EAAErB;IAAS,CAAC,EAAE,CAAC,IAAI3nF,EAAE,CAAC,CAAC,CAAC,EAAE3S,IAAI,EAAE,IAAI2S,EAAE,CAAC,CAAC,CAAC,CAAC;IACrG,OAAOR,SAAS,CAAC,CACb,IAAIC,WAAW,CAAC;MAAEyB,OAAO,EAAE,KAAK;MAAEC,QAAQ,EAAE;IAAQ,CAAC,CAAC,EAAE,IAAInB,EAAE,CAAC,CAAC,EAAE+oF,KAAK,EAAE,IAAI/oF,EAAE,CAAC,CAAC,CACpF,CAAC;EACN;EACAqB,IAAIA,CAAC1T,OAAO,EAAEnW,GAAG,EAAE;IACf;IACA,MAAMyxG,WAAW,GAAG,IAAIC,WAAW,CAAC,CAAC;IACrC,MAAM;MAAEtoF,MAAM;MAAEuoF,WAAW;MAAElwE;IAAO,CAAC,GAAGgwE,WAAW,CAAChsH,KAAK,CAAC0wB,OAAO,EAAEnW,GAAG,CAAC;IACvE;IACA,MAAM4xG,gBAAgB,GAAG,CAAC,CAAC;IAC3B,MAAMx4E,SAAS,GAAG,IAAIy4E,WAAW,CAAC,CAAC;IACnC5lH,MAAM,CAAC2D,IAAI,CAAC+hH,WAAW,CAAC,CAAC1pH,OAAO,CAAC6pH,KAAK,IAAI;MACtC,MAAM;QAAEC,SAAS;QAAEtwE,MAAM,EAAElwC;MAAE,CAAC,GAAG6nC,SAAS,CAAC44E,OAAO,CAACL,WAAW,CAACG,KAAK,CAAC,EAAE9xG,GAAG,CAAC;MAC3EyhC,MAAM,CAACz7C,IAAI,CAAC,GAAGuL,CAAC,CAAC;MACjBqgH,gBAAgB,CAACE,KAAK,CAAC,GAAGC,SAAS;IACvC,CAAC,CAAC;IACF,IAAItwE,MAAM,CAAC17C,MAAM,EAAE;MACf,MAAM,IAAIQ,KAAK,CAAC,wBAAwBk7C,MAAM,CAAC95C,IAAI,CAAC,IAAI,CAAC,EAAE,CAAC;IAChE;IACA,OAAO;MAAEyhC,MAAM,EAAEA,MAAM;MAAEwoF;IAAiB,CAAC;EAC/C;EACA9nF,MAAMA,CAAC57B,OAAO,EAAE;IACZ,OAAOD,QAAQ,CAACC,OAAO,CAAC;EAC5B;AACJ;AACA,MAAM8iH,eAAe,CAAC;EAClB9hH,SAASA,CAACC,IAAI,EAAEC,OAAO,EAAE;IACrB,OAAO,CAAC,IAAIk5B,MAAM,CAACn5B,IAAI,CAACrH,KAAK,CAAC,CAAC;EACnC;EACAuH,cAAcA,CAACC,SAAS,EAAEF,OAAO,EAAE;IAC/B,MAAMb,KAAK,GAAG,EAAE;IAChBe,SAAS,CAACC,QAAQ,CAACtH,OAAO,CAAE0T,IAAI,IAAKpN,KAAK,CAACvI,IAAI,CAAC,GAAG2V,IAAI,CAAC5M,KAAK,CAAC,IAAI,CAAC,CAAC,CAAC;IACrE,OAAOR,KAAK;EAChB;EACAkB,QAAQA,CAACC,GAAG,EAAEN,OAAO,EAAE;IACnB,MAAMb,KAAK,GAAG,CAAC,IAAI+5B,MAAM,CAAC,IAAI54B,GAAG,CAACo2B,qBAAqB,KAAKp2B,GAAG,CAACM,IAAI,IAAI,CAAC,CAAC;IAC1E/D,MAAM,CAAC2D,IAAI,CAACF,GAAG,CAACG,KAAK,CAAC,CAAC5H,OAAO,CAAEoJ,CAAC,IAAK;MAClC9C,KAAK,CAACvI,IAAI,CAAC,IAAIsiC,MAAM,CAAC,GAAGj3B,CAAC,IAAI,CAAC,EAAE,GAAG3B,GAAG,CAACG,KAAK,CAACwB,CAAC,CAAC,CAACtC,KAAK,CAAC,IAAI,CAAC,EAAE,IAAIu5B,MAAM,CAAC,IAAI,CAAC,CAAC;IACnF,CAAC,CAAC;IACF/5B,KAAK,CAACvI,IAAI,CAAC,IAAIsiC,MAAM,CAAC,GAAG,CAAC,CAAC;IAC3B,OAAO/5B,KAAK;EAChB;EACA0B,mBAAmBA,CAACC,EAAE,EAAEd,OAAO,EAAE;IAC7B,MAAM6iH,KAAK,GAAGC,cAAc,CAAChiH,EAAE,CAAC1J,GAAG,CAAC;IACpC,IAAI0J,EAAE,CAACC,MAAM,EAAE;MACX;MACA,OAAO,CAAC,IAAIk4B,GAAG,CAACgoF,kBAAkB,EAAE;QAAEliH,EAAE,EAAE+B,EAAE,CAACE,SAAS;QAAE6hH,KAAK;QAAE,YAAY,EAAE,IAAI/hH,EAAE,CAAC1J,GAAG;MAAK,CAAC,CAAC,CAAC;IACnG;IACA,MAAMyjC,UAAU,GAAG,IAAI5B,GAAG,CAACgoF,kBAAkB,EAAE;MAAEliH,EAAE,EAAE+B,EAAE,CAACE,SAAS;MAAE6hH,KAAK;MAAE,YAAY,EAAE,IAAI/hH,EAAE,CAAC1J,GAAG;IAAI,CAAC,CAAC;IACxG,MAAM4jC,UAAU,GAAG,IAAI/B,GAAG,CAACgoF,kBAAkB,EAAE;MAAEliH,EAAE,EAAE+B,EAAE,CAACG,SAAS;MAAE4hH,KAAK;MAAE,YAAY,EAAE,KAAK/hH,EAAE,CAAC1J,GAAG;IAAI,CAAC,CAAC;IACzG,OAAO,CAACyjC,UAAU,EAAE,GAAG,IAAI,CAACjC,SAAS,CAAC93B,EAAE,CAACX,QAAQ,CAAC,EAAE66B,UAAU,CAAC;EACnE;EACA95B,gBAAgBA,CAACJ,EAAE,EAAEd,OAAO,EAAE;IAC1B,OAAO,CAAC,IAAIi5B,GAAG,CAACgoF,kBAAkB,EAAE;MAAEliH,EAAE,EAAE+B,EAAE,CAACrI,IAAI;MAAE,YAAY,EAAE,KAAKqI,EAAE,CAACpI,KAAK;IAAK,CAAC,CAAC,CAAC;EAC1F;EACAyI,mBAAmBA,CAACL,EAAE,EAAEd,OAAO,EAAE;IAC7B,MAAM+iH,SAAS,GAAG,IAAIjiH,EAAE,CAACpI,KAAK,CAACiI,UAAU,KAAKG,EAAE,CAACpI,KAAK,CAACkI,IAAI,KAAK/D,MAAM,CAAC2D,IAAI,CAACM,EAAE,CAACpI,KAAK,CAAC+H,KAAK,CAAC,CAAC3F,GAAG,CAAEpC,KAAK,IAAKA,KAAK,GAAG,QAAQ,CAAC,CAACH,IAAI,CAAC,GAAG,CAAC,GAAG;IACzI,OAAO,CAAC,IAAI0gC,GAAG,CAACgoF,kBAAkB,EAAE;MAAEliH,EAAE,EAAE+B,EAAE,CAACrI,IAAI;MAAE,YAAY,EAAEsqH;IAAU,CAAC,CAAC,CAAC;EAClF;EACAnqF,SAASA,CAACz5B,KAAK,EAAE;IACb,OAAO,EAAE,CAAC3G,MAAM,CAAC,GAAG2G,KAAK,CAACrE,GAAG,CAACyR,IAAI,IAAIA,IAAI,CAAC5M,KAAK,CAAC,IAAI,CAAC,CAAC,CAAC;EAC5D;AACJ;AACA;AACA;AACA,MAAM2iH,WAAW,CAAC;EACdtsH,WAAWA,CAAA,EAAG;IACV,IAAI,CAACgtH,OAAO,GAAG,IAAI;EACvB;EACA3sH,KAAKA,CAAC8rH,KAAK,EAAEvxG,GAAG,EAAE;IACd,IAAI,CAACqyG,aAAa,GAAG,IAAI;IACzB,IAAI,CAACC,YAAY,GAAG,CAAC,CAAC;IACtB,MAAMC,GAAG,GAAG,IAAItC,SAAS,CAAC,CAAC,CAACxqH,KAAK,CAAC8rH,KAAK,EAAEvxG,GAAG,CAAC;IAC7C,IAAI,CAACosF,OAAO,GAAGmmB,GAAG,CAAC9wE,MAAM;IACzBI,QAAQ,CAAC,IAAI,EAAE0wE,GAAG,CAAC/+B,SAAS,EAAE,IAAI,CAAC;IACnC,OAAO;MACHm+B,WAAW,EAAE,IAAI,CAACW,YAAY;MAC9B7wE,MAAM,EAAE,IAAI,CAAC2qD,OAAO;MACpBhjE,MAAM,EAAE,IAAI,CAACgpF;IACjB,CAAC;EACL;EACA5vF,YAAYA,CAACn9B,OAAO,EAAE+J,OAAO,EAAE;IAC3B,QAAQ/J,OAAO,CAACwC,IAAI;MAChB,KAAK+oH,WAAW;QACZ,IAAI,CAACyB,aAAa,GAAG,IAAI;QACzB,MAAMG,MAAM,GAAGntH,OAAO,CAACE,KAAK,CAACknC,IAAI,CAAEzlC,IAAI,IAAKA,IAAI,CAACa,IAAI,KAAK,IAAI,CAAC;QAC/D,IAAI,CAAC2qH,MAAM,EAAE;UACT,IAAI,CAACC,SAAS,CAACptH,OAAO,EAAE,IAAIurH,WAAW,6BAA6B,CAAC;QACzE,CAAC,MACI;UACD,MAAMziH,EAAE,GAAGqkH,MAAM,CAAC1qH,KAAK;UACvB,IAAI,IAAI,CAACwqH,YAAY,CAACtrF,cAAc,CAAC74B,EAAE,CAAC,EAAE;YACtC,IAAI,CAACskH,SAAS,CAACptH,OAAO,EAAE,mCAAmC8I,EAAE,EAAE,CAAC;UACpE,CAAC,MACI;YACD0zC,QAAQ,CAAC,IAAI,EAAEx8C,OAAO,CAACkK,QAAQ,EAAE,IAAI,CAAC;YACtC,IAAI,OAAO,IAAI,CAAC8iH,aAAa,KAAK,QAAQ,EAAE;cACxC,IAAI,CAACC,YAAY,CAACnkH,EAAE,CAAC,GAAG,IAAI,CAACkkH,aAAa;YAC9C,CAAC,MACI;cACD,IAAI,CAACI,SAAS,CAACptH,OAAO,EAAE,WAAW8I,EAAE,uBAAuB,CAAC;YACjE;UACJ;QACJ;QACA;MACJ;MACA,KAAKqiH,aAAa;MAClB,KAAKC,mBAAmB;MACxB,KAAKC,cAAc;QACf;MACJ,KAAKC,aAAa;QACd,MAAM+B,cAAc,GAAGrtH,OAAO,CAACi9B,eAAe,CAAC/uB,GAAG,CAACyiC,MAAM;QACzD,MAAM28E,YAAY,GAAGttH,OAAO,CAACk9B,aAAa,CAACjI,KAAK,CAAC0b,MAAM;QACvD,MAAM7f,OAAO,GAAG9wB,OAAO,CAACi9B,eAAe,CAAChI,KAAK,CAACzE,IAAI,CAACM,OAAO;QAC1D,MAAMy8F,SAAS,GAAGz8F,OAAO,CAACxvB,KAAK,CAAC+rH,cAAc,EAAEC,YAAY,CAAC;QAC7D,IAAI,CAACN,aAAa,GAAGO,SAAS;QAC9B;MACJ,KAAKrC,SAAS;QACV,MAAMsC,UAAU,GAAGxtH,OAAO,CAACE,KAAK,CAACknC,IAAI,CAAEzlC,IAAI,IAAKA,IAAI,CAACa,IAAI,KAAK,iBAAiB,CAAC;QAChF,IAAIgrH,UAAU,EAAE;UACZ,IAAI,CAACT,OAAO,GAAGS,UAAU,CAAC/qH,KAAK;QACnC;QACA+5C,QAAQ,CAAC,IAAI,EAAEx8C,OAAO,CAACkK,QAAQ,EAAE,IAAI,CAAC;QACtC;MACJ;QACI;QACA;QACAsyC,QAAQ,CAAC,IAAI,EAAEx8C,OAAO,CAACkK,QAAQ,EAAE,IAAI,CAAC;IAC9C;EACJ;EACAg1E,cAAcA,CAACz9E,SAAS,EAAEsI,OAAO,EAAE,CAAE;EACrCF,SAASA,CAACC,IAAI,EAAEC,OAAO,EAAE,CAAE;EAC3Bq1E,YAAYA,CAACvpD,OAAO,EAAE9rB,OAAO,EAAE,CAAE;EACjC60E,cAAcA,CAACkU,SAAS,EAAE/oF,OAAO,EAAE,CAAE;EACrCi1E,kBAAkBA,CAAC+T,aAAa,EAAEhpF,OAAO,EAAE,CAAE;EAC7Cu1E,eAAeA,CAACjc,KAAK,EAAEt5D,OAAO,EAAE,CAAE;EAClCy1E,UAAUA,CAAC7/C,KAAK,EAAE51B,OAAO,EAAE,CAAE;EAC7B21E,mBAAmBA,CAACsT,SAAS,EAAEjpF,OAAO,EAAE,CAAE;EAC1CqjH,SAASA,CAAC92G,IAAI,EAAEzN,OAAO,EAAE;IACrB,IAAI,CAACk+F,OAAO,CAACpmG,IAAI,CAAC,IAAI4lG,SAAS,CAACjwF,IAAI,CAACjE,UAAU,EAAExJ,OAAO,CAAC,CAAC;EAC9D;AACJ;AACA;AACA,MAAM2jH,WAAW,CAAC;EACdG,OAAOA,CAAC9jH,OAAO,EAAE8R,GAAG,EAAE;IAClB,MAAM8yG,MAAM,GAAG,IAAI7C,SAAS,CAAC,CAAC,CAACxqH,KAAK,CAACyI,OAAO,EAAE8R,GAAG,EAAE;MAAE8qE,sBAAsB,EAAE;IAAK,CAAC,CAAC;IACpF,IAAI,CAACshB,OAAO,GAAG0mB,MAAM,CAACrxE,MAAM;IAC5B,MAAMswE,SAAS,GAAG,IAAI,CAAC3lB,OAAO,CAACrmG,MAAM,GAAG,CAAC,IAAI+sH,MAAM,CAACt/B,SAAS,CAACztF,MAAM,IAAI,CAAC,GACrE,EAAE,GACF,EAAE,CAAC6B,MAAM,CAAC,GAAGi6C,QAAQ,CAAC,IAAI,EAAEixE,MAAM,CAACt/B,SAAS,CAAC,CAAC;IAClD,OAAO;MACHu+B,SAAS,EAAEA,SAAS;MACpBtwE,MAAM,EAAE,IAAI,CAAC2qD;IACjB,CAAC;EACL;EACAl9F,SAASA,CAACC,IAAI,EAAEC,OAAO,EAAE;IACrB,OAAO,IAAIu2B,MAAM,CAACx2B,IAAI,CAACrH,KAAK,EAAEqH,IAAI,CAACuI,UAAU,CAAC;EAClD;EACA8qB,YAAYA,CAACllB,EAAE,EAAElO,OAAO,EAAE;IACtB,IAAIkO,EAAE,CAACzV,IAAI,KAAKwoH,kBAAkB,EAAE;MAChC,MAAM0C,QAAQ,GAAGz1G,EAAE,CAAC/X,KAAK,CAACknC,IAAI,CAAEzlC,IAAI,IAAKA,IAAI,CAACa,IAAI,KAAK,IAAI,CAAC;MAC5D,IAAIkrH,QAAQ,EAAE;QACV,OAAO,IAAI/sF,WAAW,CAAC,EAAE,EAAE+sF,QAAQ,CAACjrH,KAAK,EAAEwV,EAAE,CAAC5F,UAAU,CAAC;MAC7D;MACA,IAAI,CAAC+6G,SAAS,CAACn1G,EAAE,EAAE,IAAI+yG,kBAAkB,6BAA6B,CAAC;MACvE,OAAO,IAAI;IACf;IACA,IAAI/yG,EAAE,CAACzV,IAAI,KAAKyoH,aAAa,EAAE;MAC3B,OAAO,EAAE,CAAC1oH,MAAM,CAAC,GAAGi6C,QAAQ,CAAC,IAAI,EAAEvkC,EAAE,CAAC/N,QAAQ,CAAC,CAAC;IACpD;IACA,IAAI,CAACkjH,SAAS,CAACn1G,EAAE,EAAE,gBAAgB,CAAC;IACpC,OAAO,IAAI;EACf;EACA2mE,cAAcA,CAACv0E,GAAG,EAAEN,OAAO,EAAE;IACzB,MAAM4jH,OAAO,GAAG,CAAC,CAAC;IAClBnxE,QAAQ,CAAC,IAAI,EAAEnyC,GAAG,CAACG,KAAK,CAAC,CAAC5H,OAAO,CAAEoJ,CAAC,IAAK;MACrC2hH,OAAO,CAAC3hH,CAAC,CAACvJ,KAAK,CAAC,GAAG,IAAI89B,SAAS,CAACv0B,CAAC,CAAC9C,KAAK,EAAEmB,GAAG,CAACgI,UAAU,CAAC;IAC7D,CAAC,CAAC;IACF,OAAO,IAAImuB,GAAG,CAACn2B,GAAG,CAACq0E,WAAW,EAAEr0E,GAAG,CAACM,IAAI,EAAEgjH,OAAO,EAAEtjH,GAAG,CAACgI,UAAU,CAAC;EACtE;EACA2sE,kBAAkBA,CAACwoC,OAAO,EAAEz9G,OAAO,EAAE;IACjC,OAAO;MACHtH,KAAK,EAAE+kH,OAAO,CAAC/kH,KAAK;MACpByG,KAAK,EAAEszC,QAAQ,CAAC,IAAI,EAAEgrE,OAAO,CAAC98G,UAAU;IAC5C,CAAC;EACL;EACA00E,YAAYA,CAACvpD,OAAO,EAAE9rB,OAAO,EAAE,CAAE;EACjCm1E,cAAcA,CAACz9E,SAAS,EAAEsI,OAAO,EAAE,CAAE;EACrCu1E,eAAeA,CAACjc,KAAK,EAAEt5D,OAAO,EAAE,CAAE;EAClCy1E,UAAUA,CAAC7/C,KAAK,EAAE51B,OAAO,EAAE,CAAE;EAC7B21E,mBAAmBA,CAACsT,SAAS,EAAEjpF,OAAO,EAAE,CAAE;EAC1CqjH,SAASA,CAAC92G,IAAI,EAAEzN,OAAO,EAAE;IACrB,IAAI,CAACk+F,OAAO,CAACpmG,IAAI,CAAC,IAAI4lG,SAAS,CAACjwF,IAAI,CAACjE,UAAU,EAAExJ,OAAO,CAAC,CAAC;EAC9D;AACJ;AACA,SAASgkH,cAAcA,CAAC1rH,GAAG,EAAE;EACzB,QAAQA,GAAG,CAACuB,WAAW,CAAC,CAAC;IACrB,KAAK,IAAI;MACL,OAAO,IAAI;IACf,KAAK,KAAK;MACN,OAAO,OAAO;IAClB;MACI,OAAO,KAAKvB,GAAG,EAAE;EACzB;AACJ;AAEA,MAAMysH,QAAQ,GAAG,KAAK;AACtB,MAAMC,MAAM,GAAG,uCAAuC;AACtD;AACA,MAAMC,oBAAoB,GAAG,IAAI;AACjC,MAAMC,kBAAkB,GAAG,IAAI;AAC/B,MAAMC,yBAAyB,GAAG,IAAI;AACtC,MAAMC,WAAW,GAAG,KAAK;AACzB,MAAMC,UAAU,GAAG,OAAO;AAC1B,MAAMC,WAAW,GAAG,QAAQ;AAC5B,MAAMC,WAAW,GAAG,QAAQ;AAC5B,MAAMC,SAAS,GAAG,MAAM;AACxB;AACA,MAAMC,MAAM,SAASptF,UAAU,CAAC;EAC5B2C,KAAKA,CAACC,QAAQ,EAAEC,MAAM,EAAE;IACpB,MAAMz6B,OAAO,GAAG,IAAIilH,aAAa,CAAC,CAAC;IACnC,MAAMz0D,KAAK,GAAG,EAAE;IAChBh2B,QAAQ,CAAClhC,OAAO,CAACiG,OAAO,IAAI;MACxB,MAAMszB,IAAI,GAAG,IAAI6G,GAAG,CAACqrF,SAAS,EAAE;QAAEvlH,EAAE,EAAED,OAAO,CAACC;MAAG,CAAC,CAAC;MACnD,MAAM0lH,KAAK,GAAG,IAAIxrF,GAAG,CAAC,OAAO,CAAC;MAC9B,IAAIn6B,OAAO,CAACqQ,WAAW,IAAIrQ,OAAO,CAACM,OAAO,EAAE;QACxC,IAAIN,OAAO,CAACqQ,WAAW,EAAE;UACrBs1G,KAAK,CAACtkH,QAAQ,CAACvJ,IAAI,CAAC,IAAIwiC,EAAE,CAAC,CAAC,CAAC,EAAE,IAAIH,GAAG,CAAC,MAAM,EAAE;YAAEyrF,QAAQ,EAAE;UAAc,CAAC,EAAE,CAAC,IAAIxrF,MAAM,CAACp6B,OAAO,CAACqQ,WAAW,CAAC,CAAC,CAAC,CAAC;QACnH;QACA,IAAIrQ,OAAO,CAACM,OAAO,EAAE;UACjBqlH,KAAK,CAACtkH,QAAQ,CAACvJ,IAAI,CAAC,IAAIwiC,EAAE,CAAC,CAAC,CAAC,EAAE,IAAIH,GAAG,CAAC,MAAM,EAAE;YAAEyrF,QAAQ,EAAE;UAAU,CAAC,EAAE,CAAC,IAAIxrF,MAAM,CAACp6B,OAAO,CAACM,OAAO,CAAC,CAAC,CAAC,CAAC;QAC3G;MACJ;MACAN,OAAO,CAAC2oB,OAAO,CAAC5uB,OAAO,CAAEoyB,MAAM,IAAK;QAChCw5F,KAAK,CAACtkH,QAAQ,CAACvJ,IAAI,CAAC,IAAIwiC,EAAE,CAAC,CAAC,CAAC,EAAE,IAAIH,GAAG,CAAC,MAAM,EAAE;UAAEyrF,QAAQ,EAAE;QAAW,CAAC,EAAE,CACrE,IAAIxrF,MAAM,CAAC,GAAGjO,MAAM,CAACiL,QAAQ,IAAIjL,MAAM,CAACkL,SAAS,GAAGlL,MAAM,CAACoL,OAAO,KAAKpL,MAAM,CAACkL,SAAS,GAAG,GAAG,GAAGlL,MAAM,CAACoL,OAAO,GAAG,EAAE,EAAE,CAAC,CACzH,CAAC,CAAC;MACP,CAAC,CAAC;MACFouF,KAAK,CAACtkH,QAAQ,CAACvJ,IAAI,CAAC,IAAIwiC,EAAE,CAAC,CAAC,CAAC,CAAC;MAC9BhH,IAAI,CAACjyB,QAAQ,CAACvJ,IAAI,CAAC,IAAIwiC,EAAE,CAAC,CAAC,CAAC,EAAEqrF,KAAK,CAAC;MACpC,MAAMz8F,OAAO,GAAG,IAAIiR,GAAG,CAAC,SAAS,CAAC;MAClCjR,OAAO,CAAC7nB,QAAQ,CAACvJ,IAAI,CAAC,IAAIwiC,EAAE,CAAC,CAAC,CAAC,EAAE,IAAIH,GAAG,CAACmrF,WAAW,EAAE,CAAC,CAAC,EAAE7kH,OAAO,CAACq5B,SAAS,CAAC95B,OAAO,CAACK,KAAK,CAAC,CAAC,EAAE,IAAIi6B,EAAE,CAAC,CAAC,CAAC,CAAC;MACvGhH,IAAI,CAACjyB,QAAQ,CAACvJ,IAAI,CAAC,IAAIwiC,EAAE,CAAC,CAAC,CAAC,EAAEpR,OAAO,EAAE,IAAIoR,EAAE,CAAC,CAAC,CAAC,CAAC;MACjD22B,KAAK,CAACn5D,IAAI,CAAC,IAAIwiC,EAAE,CAAC,CAAC,CAAC,EAAEhH,IAAI,CAAC;IAC/B,CAAC,CAAC;IACF,MAAM3L,IAAI,GAAG,IAAIwS,GAAG,CAAC,MAAM,EAAE;MAAE,UAAU,EAAE,aAAa;MAAEl6B,EAAE,EAAE;IAAS,CAAC,EAAE,CAAC,GAAGgxD,KAAK,EAAE,IAAI32B,EAAE,CAAC,CAAC,CAAC,CAAC,CAAC;IAChG,MAAM+oF,KAAK,GAAG,IAAIlpF,GAAG,CAACkrF,UAAU,EAAE;MAAE7pF,OAAO,EAAEupF,QAAQ;MAAEzB,KAAK,EAAE0B,MAAM;MAAEa,OAAO,EAAE3qF,MAAM,IAAI+pF;IAAqB,CAAC,EAAE,CAAC,IAAI3qF,EAAE,CAAC,CAAC,CAAC,EAAE3S,IAAI,EAAE,IAAI2S,EAAE,CAAC,CAAC,CAAC,CAAC;IAC7I,OAAOR,SAAS,CAAC,CACb,IAAIC,WAAW,CAAC;MAAEyB,OAAO,EAAE,KAAK;MAAEC,QAAQ,EAAE;IAAQ,CAAC,CAAC,EAAE,IAAInB,EAAE,CAAC,CAAC,EAAE+oF,KAAK,EAAE,IAAI/oF,EAAE,CAAC,CAAC,CACpF,CAAC;EACN;EACAqB,IAAIA,CAAC1T,OAAO,EAAEnW,GAAG,EAAE;IACf;IACA,MAAMg0G,YAAY,GAAG,IAAIC,YAAY,CAAC,CAAC;IACvC,MAAM;MAAE7qF,MAAM;MAAEuoF,WAAW;MAAElwE;IAAO,CAAC,GAAGuyE,YAAY,CAACvuH,KAAK,CAAC0wB,OAAO,EAAEnW,GAAG,CAAC;IACxE;IACA,MAAM4xG,gBAAgB,GAAG,CAAC,CAAC;IAC3B,MAAMx4E,SAAS,GAAG,IAAI86E,WAAW,CAAC,CAAC;IACnCjoH,MAAM,CAAC2D,IAAI,CAAC+hH,WAAW,CAAC,CAAC1pH,OAAO,CAAC6pH,KAAK,IAAI;MACtC,MAAM;QAAEC,SAAS;QAAEtwE,MAAM,EAAElwC;MAAE,CAAC,GAAG6nC,SAAS,CAAC44E,OAAO,CAACL,WAAW,CAACG,KAAK,CAAC,EAAE9xG,GAAG,CAAC;MAC3EyhC,MAAM,CAACz7C,IAAI,CAAC,GAAGuL,CAAC,CAAC;MACjBqgH,gBAAgB,CAACE,KAAK,CAAC,GAAGC,SAAS;IACvC,CAAC,CAAC;IACF,IAAItwE,MAAM,CAAC17C,MAAM,EAAE;MACf,MAAM,IAAIQ,KAAK,CAAC,yBAAyBk7C,MAAM,CAAC95C,IAAI,CAAC,IAAI,CAAC,EAAE,CAAC;IACjE;IACA,OAAO;MAAEyhC,MAAM,EAAEA,MAAM;MAAEwoF;IAAiB,CAAC;EAC/C;EACA9nF,MAAMA,CAAC57B,OAAO,EAAE;IACZ,OAAOO,aAAa,CAACP,OAAO,CAAC;EACjC;AACJ;AACA,MAAM0lH,aAAa,CAAC;EAChBxuH,WAAWA,CAAA,EAAG;IACV,IAAI,CAAC+uH,kBAAkB,GAAG,CAAC;EAC/B;EACAjlH,SAASA,CAACC,IAAI,EAAEC,OAAO,EAAE;IACrB,OAAO,CAAC,IAAIk5B,MAAM,CAACn5B,IAAI,CAACrH,KAAK,CAAC,CAAC;EACnC;EACAuH,cAAcA,CAACC,SAAS,EAAEF,OAAO,EAAE;IAC/B,MAAMb,KAAK,GAAG,EAAE;IAChBe,SAAS,CAACC,QAAQ,CAACtH,OAAO,CAAE0T,IAAI,IAAKpN,KAAK,CAACvI,IAAI,CAAC,GAAG2V,IAAI,CAAC5M,KAAK,CAAC,IAAI,CAAC,CAAC,CAAC;IACrE,OAAOR,KAAK;EAChB;EACAkB,QAAQA,CAACC,GAAG,EAAEN,OAAO,EAAE;IACnB,MAAMb,KAAK,GAAG,CAAC,IAAI+5B,MAAM,CAAC,IAAI54B,GAAG,CAACo2B,qBAAqB,KAAKp2B,GAAG,CAACM,IAAI,IAAI,CAAC,CAAC;IAC1E/D,MAAM,CAAC2D,IAAI,CAACF,GAAG,CAACG,KAAK,CAAC,CAAC5H,OAAO,CAAEoJ,CAAC,IAAK;MAClC9C,KAAK,CAACvI,IAAI,CAAC,IAAIsiC,MAAM,CAAC,GAAGj3B,CAAC,IAAI,CAAC,EAAE,GAAG3B,GAAG,CAACG,KAAK,CAACwB,CAAC,CAAC,CAACtC,KAAK,CAAC,IAAI,CAAC,EAAE,IAAIu5B,MAAM,CAAC,IAAI,CAAC,CAAC;IACnF,CAAC,CAAC;IACF/5B,KAAK,CAACvI,IAAI,CAAC,IAAIsiC,MAAM,CAAC,GAAG,CAAC,CAAC;IAC3B,OAAO/5B,KAAK;EAChB;EACA0B,mBAAmBA,CAACC,EAAE,EAAEd,OAAO,EAAE;IAC7B,MAAMY,IAAI,GAAGokH,aAAa,CAAClkH,EAAE,CAAC1J,GAAG,CAAC;IAClC,IAAI0J,EAAE,CAACC,MAAM,EAAE;MACX,MAAMkkH,KAAK,GAAG,IAAIhsF,GAAG,CAAC+qF,kBAAkB,EAAE;QACtCjlH,EAAE,EAAE,CAAC,IAAI,CAACgmH,kBAAkB,EAAE,EAAEnsH,QAAQ,CAAC,CAAC;QAC1CssH,KAAK,EAAEpkH,EAAE,CAACE,SAAS;QACnBJ,IAAI,EAAEA,IAAI;QACVukH,IAAI,EAAE,IAAIrkH,EAAE,CAAC1J,GAAG;MACpB,CAAC,CAAC;MACF,OAAO,CAAC6tH,KAAK,CAAC;IAClB;IACA,MAAMG,KAAK,GAAG,IAAInsF,GAAG,CAACgrF,yBAAyB,EAAE;MAC7CllH,EAAE,EAAE,CAAC,IAAI,CAACgmH,kBAAkB,EAAE,EAAEnsH,QAAQ,CAAC,CAAC;MAC1CysH,UAAU,EAAEvkH,EAAE,CAACE,SAAS;MACxBskH,QAAQ,EAAExkH,EAAE,CAACG,SAAS;MACtBL,IAAI,EAAEA,IAAI;MACV2kH,SAAS,EAAE,IAAIzkH,EAAE,CAAC1J,GAAG,GAAG;MACxBouH,OAAO,EAAE,KAAK1kH,EAAE,CAAC1J,GAAG;IACxB,CAAC,CAAC;IACF,MAAM+H,KAAK,GAAG,EAAE,CAAC3G,MAAM,CAAC,GAAGsI,EAAE,CAACX,QAAQ,CAACrF,GAAG,CAACyR,IAAI,IAAIA,IAAI,CAAC5M,KAAK,CAAC,IAAI,CAAC,CAAC,CAAC;IACrE,IAAIR,KAAK,CAACxI,MAAM,EAAE;MACdwI,KAAK,CAACtG,OAAO,CAAE0T,IAAI,IAAK64G,KAAK,CAACjlH,QAAQ,CAACvJ,IAAI,CAAC2V,IAAI,CAAC,CAAC;IACtD,CAAC,MACI;MACD64G,KAAK,CAACjlH,QAAQ,CAACvJ,IAAI,CAAC,IAAIsiC,MAAM,CAAC,EAAE,CAAC,CAAC;IACvC;IACA,OAAO,CAACksF,KAAK,CAAC;EAClB;EACAlkH,gBAAgBA,CAACJ,EAAE,EAAEd,OAAO,EAAE;IAC1B,MAAMylH,KAAK,GAAG,CAAC,IAAI,CAACV,kBAAkB,EAAE,EAAEnsH,QAAQ,CAAC,CAAC;IACpD,OAAO,CAAC,IAAIqgC,GAAG,CAAC+qF,kBAAkB,EAAE;MAC5BjlH,EAAE,EAAE0mH,KAAK;MACTP,KAAK,EAAEpkH,EAAE,CAACrI,IAAI;MACd0sH,IAAI,EAAE,KAAKrkH,EAAE,CAACpI,KAAK;IACvB,CAAC,CAAC,CAAC;EACX;EACAyI,mBAAmBA,CAACL,EAAE,EAAEd,OAAO,EAAE;IAC7B,MAAMS,KAAK,GAAG5D,MAAM,CAAC2D,IAAI,CAACM,EAAE,CAACpI,KAAK,CAAC+H,KAAK,CAAC,CAAC3F,GAAG,CAAEpC,KAAK,IAAKA,KAAK,GAAG,QAAQ,CAAC,CAACH,IAAI,CAAC,GAAG,CAAC;IACpF,MAAMktH,KAAK,GAAG,CAAC,IAAI,CAACV,kBAAkB,EAAE,EAAEnsH,QAAQ,CAAC,CAAC;IACpD,OAAO,CAAC,IAAIqgC,GAAG,CAAC+qF,kBAAkB,EAAE;MAAEjlH,EAAE,EAAE0mH,KAAK;MAAEP,KAAK,EAAEpkH,EAAE,CAACrI,IAAI;MAAE0sH,IAAI,EAAE,IAAIrkH,EAAE,CAACpI,KAAK,CAACiI,UAAU,KAAKG,EAAE,CAACpI,KAAK,CAACkI,IAAI,KAAKH,KAAK;IAAI,CAAC,CAAC,CAAC;EACrI;EACAm4B,SAASA,CAACz5B,KAAK,EAAE;IACb,IAAI,CAAC4lH,kBAAkB,GAAG,CAAC;IAC3B,OAAO,EAAE,CAACvsH,MAAM,CAAC,GAAG2G,KAAK,CAACrE,GAAG,CAACyR,IAAI,IAAIA,IAAI,CAAC5M,KAAK,CAAC,IAAI,CAAC,CAAC,CAAC;EAC5D;AACJ;AACA;AACA,MAAMklH,YAAY,CAAC;EACf7uH,WAAWA,CAAA,EAAG;IACV,IAAI,CAACgtH,OAAO,GAAG,IAAI;EACvB;EACA3sH,KAAKA,CAAC8rH,KAAK,EAAEvxG,GAAG,EAAE;IACd,IAAI,CAACqyG,aAAa,GAAG,IAAI;IACzB,IAAI,CAACC,YAAY,GAAG,CAAC,CAAC;IACtB,MAAMC,GAAG,GAAG,IAAItC,SAAS,CAAC,CAAC,CAACxqH,KAAK,CAAC8rH,KAAK,EAAEvxG,GAAG,CAAC;IAC7C,IAAI,CAACosF,OAAO,GAAGmmB,GAAG,CAAC9wE,MAAM;IACzBI,QAAQ,CAAC,IAAI,EAAE0wE,GAAG,CAAC/+B,SAAS,EAAE,IAAI,CAAC;IACnC,OAAO;MACHm+B,WAAW,EAAE,IAAI,CAACW,YAAY;MAC9B7wE,MAAM,EAAE,IAAI,CAAC2qD,OAAO;MACpBhjE,MAAM,EAAE,IAAI,CAACgpF;IACjB,CAAC;EACL;EACA5vF,YAAYA,CAACn9B,OAAO,EAAE+J,OAAO,EAAE;IAC3B,QAAQ/J,OAAO,CAACwC,IAAI;MAChB,KAAK6rH,SAAS;QACV,IAAI,CAACrB,aAAa,GAAG,IAAI;QACzB,MAAMG,MAAM,GAAGntH,OAAO,CAACE,KAAK,CAACknC,IAAI,CAAEzlC,IAAI,IAAKA,IAAI,CAACa,IAAI,KAAK,IAAI,CAAC;QAC/D,IAAI,CAAC2qH,MAAM,EAAE;UACT,IAAI,CAACC,SAAS,CAACptH,OAAO,EAAE,IAAIquH,SAAS,6BAA6B,CAAC;QACvE,CAAC,MACI;UACD,MAAMvlH,EAAE,GAAGqkH,MAAM,CAAC1qH,KAAK;UACvB,IAAI,IAAI,CAACwqH,YAAY,CAACtrF,cAAc,CAAC74B,EAAE,CAAC,EAAE;YACtC,IAAI,CAACskH,SAAS,CAACptH,OAAO,EAAE,mCAAmC8I,EAAE,EAAE,CAAC;UACpE,CAAC,MACI;YACD0zC,QAAQ,CAAC,IAAI,EAAEx8C,OAAO,CAACkK,QAAQ,EAAE,IAAI,CAAC;YACtC,IAAI,OAAO,IAAI,CAAC8iH,aAAa,KAAK,QAAQ,EAAE;cACxC,IAAI,CAACC,YAAY,CAACnkH,EAAE,CAAC,GAAG,IAAI,CAACkkH,aAAa;YAC9C,CAAC,MACI;cACD,IAAI,CAACI,SAAS,CAACptH,OAAO,EAAE,WAAW8I,EAAE,uBAAuB,CAAC;YACjE;UACJ;QACJ;QACA;MACJ,KAAKqlH,WAAW;QACZ;QACA;MACJ,KAAKC,WAAW;QACZ,MAAMf,cAAc,GAAGrtH,OAAO,CAACi9B,eAAe,CAAC/uB,GAAG,CAACyiC,MAAM;QACzD,MAAM28E,YAAY,GAAGttH,OAAO,CAACk9B,aAAa,CAACjI,KAAK,CAAC0b,MAAM;QACvD,MAAM7f,OAAO,GAAG9wB,OAAO,CAACi9B,eAAe,CAAChI,KAAK,CAACzE,IAAI,CAACM,OAAO;QAC1D,MAAMy8F,SAAS,GAAGz8F,OAAO,CAACxvB,KAAK,CAAC+rH,cAAc,EAAEC,YAAY,CAAC;QAC7D,IAAI,CAACN,aAAa,GAAGO,SAAS;QAC9B;MACJ,KAAKW,UAAU;QACX,MAAMV,UAAU,GAAGxtH,OAAO,CAACE,KAAK,CAACknC,IAAI,CAAEzlC,IAAI,IAAKA,IAAI,CAACa,IAAI,KAAK,SAAS,CAAC;QACxE,IAAIgrH,UAAU,EAAE;UACZ,IAAI,CAACT,OAAO,GAAGS,UAAU,CAAC/qH,KAAK;QACnC;QACA,MAAMgtH,WAAW,GAAGzvH,OAAO,CAACE,KAAK,CAACknC,IAAI,CAAEzlC,IAAI,IAAKA,IAAI,CAACa,IAAI,KAAK,SAAS,CAAC;QACzE,IAAIitH,WAAW,EAAE;UACb,MAAMprF,OAAO,GAAGorF,WAAW,CAAChtH,KAAK;UACjC,IAAI4hC,OAAO,KAAK,KAAK,EAAE;YACnB,IAAI,CAAC+oF,SAAS,CAACptH,OAAO,EAAE,0BAA0BqkC,OAAO,8CAA8C,CAAC;UAC5G,CAAC,MACI;YACDmY,QAAQ,CAAC,IAAI,EAAEx8C,OAAO,CAACkK,QAAQ,EAAE,IAAI,CAAC;UAC1C;QACJ;QACA;MACJ;QACIsyC,QAAQ,CAAC,IAAI,EAAEx8C,OAAO,CAACkK,QAAQ,EAAE,IAAI,CAAC;IAC9C;EACJ;EACAg1E,cAAcA,CAACz9E,SAAS,EAAEsI,OAAO,EAAE,CAAE;EACrCF,SAASA,CAACC,IAAI,EAAEC,OAAO,EAAE,CAAE;EAC3Bq1E,YAAYA,CAACvpD,OAAO,EAAE9rB,OAAO,EAAE,CAAE;EACjC60E,cAAcA,CAACkU,SAAS,EAAE/oF,OAAO,EAAE,CAAE;EACrCi1E,kBAAkBA,CAAC+T,aAAa,EAAEhpF,OAAO,EAAE,CAAE;EAC7Cu1E,eAAeA,CAACjc,KAAK,EAAEt5D,OAAO,EAAE,CAAE;EAClCy1E,UAAUA,CAAC7/C,KAAK,EAAE51B,OAAO,EAAE,CAAE;EAC7B21E,mBAAmBA,CAACsT,SAAS,EAAEjpF,OAAO,EAAE,CAAE;EAC1CqjH,SAASA,CAAC92G,IAAI,EAAEzN,OAAO,EAAE;IACrB,IAAI,CAACk+F,OAAO,CAACpmG,IAAI,CAAC,IAAI4lG,SAAS,CAACjwF,IAAI,CAACjE,UAAU,EAAExJ,OAAO,CAAC,CAAC;EAC9D;AACJ;AACA;AACA,MAAMgmH,WAAW,CAAC;EACdlC,OAAOA,CAAC9jH,OAAO,EAAE8R,GAAG,EAAE;IAClB,MAAM8yG,MAAM,GAAG,IAAI7C,SAAS,CAAC,CAAC,CAACxqH,KAAK,CAACyI,OAAO,EAAE8R,GAAG,EAAE;MAAE8qE,sBAAsB,EAAE;IAAK,CAAC,CAAC;IACpF,IAAI,CAACshB,OAAO,GAAG0mB,MAAM,CAACrxE,MAAM;IAC5B,MAAMswE,SAAS,GAAG,IAAI,CAAC3lB,OAAO,CAACrmG,MAAM,GAAG,CAAC,IAAI+sH,MAAM,CAACt/B,SAAS,CAACztF,MAAM,IAAI,CAAC,GACrE,EAAE,GACF,EAAE,CAAC6B,MAAM,CAAC,GAAGi6C,QAAQ,CAAC,IAAI,EAAEixE,MAAM,CAACt/B,SAAS,CAAC,CAAC;IAClD,OAAO;MACHu+B,SAAS;MACTtwE,MAAM,EAAE,IAAI,CAAC2qD;IACjB,CAAC;EACL;EACAl9F,SAASA,CAACC,IAAI,EAAEC,OAAO,EAAE;IACrB,OAAO,IAAIu2B,MAAM,CAACx2B,IAAI,CAACrH,KAAK,EAAEqH,IAAI,CAACuI,UAAU,CAAC;EAClD;EACA8qB,YAAYA,CAACllB,EAAE,EAAElO,OAAO,EAAE;IACtB,QAAQkO,EAAE,CAACzV,IAAI;MACX,KAAKurH,kBAAkB;QACnB,MAAML,QAAQ,GAAGz1G,EAAE,CAAC/X,KAAK,CAACknC,IAAI,CAAEzlC,IAAI,IAAKA,IAAI,CAACa,IAAI,KAAK,OAAO,CAAC;QAC/D,IAAIkrH,QAAQ,EAAE;UACV,OAAO,CAAC,IAAI/sF,WAAW,CAAC,EAAE,EAAE+sF,QAAQ,CAACjrH,KAAK,EAAEwV,EAAE,CAAC5F,UAAU,CAAC,CAAC;QAC/D;QACA,IAAI,CAAC+6G,SAAS,CAACn1G,EAAE,EAAE,IAAI81G,kBAAkB,gCAAgC,CAAC;QAC1E;MACJ,KAAKC,yBAAyB;QAC1B,MAAM0B,SAAS,GAAGz3G,EAAE,CAAC/X,KAAK,CAACknC,IAAI,CAAEzlC,IAAI,IAAKA,IAAI,CAACa,IAAI,KAAK,YAAY,CAAC;QACrE,MAAMmtH,OAAO,GAAG13G,EAAE,CAAC/X,KAAK,CAACknC,IAAI,CAAEzlC,IAAI,IAAKA,IAAI,CAACa,IAAI,KAAK,UAAU,CAAC;QACjE,IAAI,CAACktH,SAAS,EAAE;UACZ,IAAI,CAACtC,SAAS,CAACn1G,EAAE,EAAE,IAAI81G,kBAAkB,qCAAqC,CAAC;QACnF,CAAC,MACI,IAAI,CAAC4B,OAAO,EAAE;UACf,IAAI,CAACvC,SAAS,CAACn1G,EAAE,EAAE,IAAI81G,kBAAkB,mCAAmC,CAAC;QACjF,CAAC,MACI;UACD,MAAM6B,OAAO,GAAGF,SAAS,CAACjtH,KAAK;UAC/B,MAAMotH,KAAK,GAAGF,OAAO,CAACltH,KAAK;UAC3B,MAAMyG,KAAK,GAAG,EAAE;UAChB,OAAOA,KAAK,CAAC3G,MAAM,CAAC,IAAIo+B,WAAW,CAAC,EAAE,EAAEivF,OAAO,EAAE33G,EAAE,CAAC5F,UAAU,CAAC,EAAE,GAAG4F,EAAE,CAAC/N,QAAQ,CAACrF,GAAG,CAACyR,IAAI,IAAIA,IAAI,CAAC5M,KAAK,CAAC,IAAI,EAAE,IAAI,CAAC,CAAC,EAAE,IAAIi3B,WAAW,CAAC,EAAE,EAAEkvF,KAAK,EAAE53G,EAAE,CAAC5F,UAAU,CAAC,CAAC;QACnK;QACA;MACJ,KAAK47G,WAAW;QACZ,OAAO,EAAE,CAAC1rH,MAAM,CAAC,GAAGi6C,QAAQ,CAAC,IAAI,EAAEvkC,EAAE,CAAC/N,QAAQ,CAAC,CAAC;MACpD;QACI,IAAI,CAACkjH,SAAS,CAACn1G,EAAE,EAAE,gBAAgB,CAAC;IAC5C;IACA,OAAO,IAAI;EACf;EACA2mE,cAAcA,CAACv0E,GAAG,EAAEN,OAAO,EAAE;IACzB,MAAM4jH,OAAO,GAAG,CAAC,CAAC;IAClBnxE,QAAQ,CAAC,IAAI,EAAEnyC,GAAG,CAACG,KAAK,CAAC,CAAC5H,OAAO,CAAEoJ,CAAC,IAAK;MACrC2hH,OAAO,CAAC3hH,CAAC,CAACvJ,KAAK,CAAC,GAAG,IAAI89B,SAAS,CAACv0B,CAAC,CAAC9C,KAAK,EAAEmB,GAAG,CAACgI,UAAU,CAAC;IAC7D,CAAC,CAAC;IACF,OAAO,IAAImuB,GAAG,CAACn2B,GAAG,CAACq0E,WAAW,EAAEr0E,GAAG,CAACM,IAAI,EAAEgjH,OAAO,EAAEtjH,GAAG,CAACgI,UAAU,CAAC;EACtE;EACA2sE,kBAAkBA,CAACwoC,OAAO,EAAEz9G,OAAO,EAAE;IACjC,OAAO;MACHtH,KAAK,EAAE+kH,OAAO,CAAC/kH,KAAK;MACpByG,KAAK,EAAE,EAAE,CAAC3G,MAAM,CAAC,GAAGi6C,QAAQ,CAAC,IAAI,EAAEgrE,OAAO,CAAC98G,UAAU,CAAC;IAC1D,CAAC;EACL;EACA00E,YAAYA,CAACvpD,OAAO,EAAE9rB,OAAO,EAAE,CAAE;EACjCm1E,cAAcA,CAACz9E,SAAS,EAAEsI,OAAO,EAAE,CAAE;EACrCu1E,eAAeA,CAACjc,KAAK,EAAEt5D,OAAO,EAAE,CAAE;EAClCy1E,UAAUA,CAAC7/C,KAAK,EAAE51B,OAAO,EAAE,CAAE;EAC7B21E,mBAAmBA,CAACsT,SAAS,EAAEjpF,OAAO,EAAE,CAAE;EAC1CqjH,SAASA,CAAC92G,IAAI,EAAEzN,OAAO,EAAE;IACrB,IAAI,CAACk+F,OAAO,CAACpmG,IAAI,CAAC,IAAI4lG,SAAS,CAACjwF,IAAI,CAACjE,UAAU,EAAExJ,OAAO,CAAC,CAAC;EAC9D;AACJ;AACA,SAASkmH,aAAaA,CAAC5tH,GAAG,EAAE;EACxB,QAAQA,GAAG,CAACuB,WAAW,CAAC,CAAC;IACrB,KAAK,IAAI;IACT,KAAK,GAAG;IACR,KAAK,GAAG;IACR,KAAK,GAAG;MACJ,OAAO,KAAK;IAChB,KAAK,KAAK;MACN,OAAO,OAAO;IAClB,KAAK,GAAG;MACJ,OAAO,MAAM;IACjB;MACI,OAAO,OAAO;EACtB;AACJ;AAEA,MAAMotH,iBAAiB,GAAG,mBAAmB;AAC7C,MAAMC,gBAAgB,GAAG,aAAa;AACtC,MAAMC,gBAAgB,GAAG,IAAI;AAC7B,MAAMC,GAAG,SAAS/uF,UAAU,CAAC;EACzB2C,KAAKA,CAACC,QAAQ,EAAEC,MAAM,EAAE;IACpB,MAAM,IAAI7iC,KAAK,CAAC,aAAa,CAAC;EAClC;EACAsjC,IAAIA,CAAC1T,OAAO,EAAEnW,GAAG,EAAE;IACf;IACA,MAAMu1G,SAAS,GAAG,IAAIC,SAAS,CAAC,CAAC;IACjC,MAAM;MAAEpsF,MAAM;MAAEuoF,WAAW;MAAElwE;IAAO,CAAC,GAAG8zE,SAAS,CAAC9vH,KAAK,CAAC0wB,OAAO,EAAEnW,GAAG,CAAC;IACrE;IACA,MAAM4xG,gBAAgB,GAAG,CAAC,CAAC;IAC3B,MAAMx4E,SAAS,GAAG,IAAIq8E,SAAS,CAAC,CAAC;IACjC;IACA;IACA;IACAxpH,MAAM,CAAC2D,IAAI,CAAC+hH,WAAW,CAAC,CAAC1pH,OAAO,CAAC6pH,KAAK,IAAI;MACtC,MAAM4D,OAAO,GAAG,SAAAA,CAAA,EAAY;QACxB,MAAM;UAAE3D,SAAS;UAAEtwE;QAAO,CAAC,GAAGrI,SAAS,CAAC44E,OAAO,CAACL,WAAW,CAACG,KAAK,CAAC,EAAE9xG,GAAG,CAAC;QACxE,IAAIyhC,MAAM,CAAC17C,MAAM,EAAE;UACf,MAAM,IAAIQ,KAAK,CAAC,sBAAsBk7C,MAAM,CAAC95C,IAAI,CAAC,IAAI,CAAC,EAAE,CAAC;QAC9D;QACA,OAAOoqH,SAAS;MACpB,CAAC;MACD4D,kBAAkB,CAAC/D,gBAAgB,EAAEE,KAAK,EAAE4D,OAAO,CAAC;IACxD,CAAC,CAAC;IACF,IAAIj0E,MAAM,CAAC17C,MAAM,EAAE;MACf,MAAM,IAAIQ,KAAK,CAAC,sBAAsBk7C,MAAM,CAAC95C,IAAI,CAAC,IAAI,CAAC,EAAE,CAAC;IAC9D;IACA,OAAO;MAAEyhC,MAAM,EAAEA,MAAM;MAAEwoF;IAAiB,CAAC;EAC/C;EACA9nF,MAAMA,CAAC57B,OAAO,EAAE;IACZ,OAAO47B,MAAM,CAAC57B,OAAO,CAAC;EAC1B;EACAs4B,gBAAgBA,CAACt4B,OAAO,EAAE;IACtB,OAAO,IAAIu4B,uBAAuB,CAACv4B,OAAO,EAAE44B,YAAY,CAAC;EAC7D;AACJ;AACA,SAAS6uF,kBAAkBA,CAACxsF,QAAQ,EAAEh7B,EAAE,EAAEunH,OAAO,EAAE;EAC/CzpH,MAAM,CAAC2pH,cAAc,CAACzsF,QAAQ,EAAEh7B,EAAE,EAAE;IAChC0nH,YAAY,EAAE,IAAI;IAClBC,UAAU,EAAE,IAAI;IAChBhsH,GAAG,EAAE,SAAAA,CAAA,EAAY;MACb,MAAMhC,KAAK,GAAG4tH,OAAO,CAAC,CAAC;MACvBzpH,MAAM,CAAC2pH,cAAc,CAACzsF,QAAQ,EAAEh7B,EAAE,EAAE;QAAE2nH,UAAU,EAAE,IAAI;QAAEhuH;MAAM,CAAC,CAAC;MAChE,OAAOA,KAAK;IAChB,CAAC;IACDiC,GAAG,EAAEogD,CAAC,IAAI;MACN,MAAM,IAAI5jD,KAAK,CAAC,wCAAwC,CAAC;IAC7D;EACJ,CAAC,CAAC;AACN;AACA;AACA,MAAMivH,SAAS,CAAC;EACZpwH,WAAWA,CAAA,EAAG;IACV,IAAI,CAACgtH,OAAO,GAAG,IAAI;EACvB;EACA3sH,KAAKA,CAACswH,GAAG,EAAE/1G,GAAG,EAAE;IACZ,IAAI,CAACg2G,YAAY,GAAG,CAAC;IACrB,IAAI,CAAC1D,YAAY,GAAG,CAAC,CAAC;IACtB;IACA;IACA,MAAMC,GAAG,GAAG,IAAItC,SAAS,CAAC,CAAC,CAACxqH,KAAK,CAACswH,GAAG,EAAE/1G,GAAG,CAAC;IAC3C,IAAI,CAACosF,OAAO,GAAGmmB,GAAG,CAAC9wE,MAAM;IACzBI,QAAQ,CAAC,IAAI,EAAE0wE,GAAG,CAAC/+B,SAAS,CAAC;IAC7B,OAAO;MACHm+B,WAAW,EAAE,IAAI,CAACW,YAAY;MAC9B7wE,MAAM,EAAE,IAAI,CAAC2qD,OAAO;MACpBhjE,MAAM,EAAE,IAAI,CAACgpF;IACjB,CAAC;EACL;EACA5vF,YAAYA,CAACn9B,OAAO,EAAE+J,OAAO,EAAE;IAC3B,QAAQ/J,OAAO,CAACwC,IAAI;MAChB,KAAKstH,iBAAiB;QAClB,IAAI,CAACa,YAAY,EAAE;QACnB,IAAI,IAAI,CAACA,YAAY,GAAG,CAAC,EAAE;UACvB,IAAI,CAACvD,SAAS,CAACptH,OAAO,EAAE,IAAI8vH,iBAAiB,8BAA8B,CAAC;QAChF;QACA,MAAMc,QAAQ,GAAG5wH,OAAO,CAACE,KAAK,CAACknC,IAAI,CAAEzlC,IAAI,IAAKA,IAAI,CAACa,IAAI,KAAK,MAAM,CAAC;QACnE,IAAIouH,QAAQ,EAAE;UACV,IAAI,CAAC7D,OAAO,GAAG6D,QAAQ,CAACnuH,KAAK;QACjC;QACA+5C,QAAQ,CAAC,IAAI,EAAEx8C,OAAO,CAACkK,QAAQ,EAAE,IAAI,CAAC;QACtC,IAAI,CAACymH,YAAY,EAAE;QACnB;MACJ,KAAKZ,gBAAgB;QACjB,MAAM5C,MAAM,GAAGntH,OAAO,CAACE,KAAK,CAACknC,IAAI,CAAEzlC,IAAI,IAAKA,IAAI,CAACa,IAAI,KAAK,IAAI,CAAC;QAC/D,IAAI,CAAC2qH,MAAM,EAAE;UACT,IAAI,CAACC,SAAS,CAACptH,OAAO,EAAE,IAAI+vH,gBAAgB,6BAA6B,CAAC;QAC9E,CAAC,MACI;UACD,MAAMjnH,EAAE,GAAGqkH,MAAM,CAAC1qH,KAAK;UACvB,IAAI,IAAI,CAACwqH,YAAY,CAACtrF,cAAc,CAAC74B,EAAE,CAAC,EAAE;YACtC,IAAI,CAACskH,SAAS,CAACptH,OAAO,EAAE,mCAAmC8I,EAAE,EAAE,CAAC;UACpE,CAAC,MACI;YACD,MAAMukH,cAAc,GAAGrtH,OAAO,CAACi9B,eAAe,CAAC/uB,GAAG,CAACyiC,MAAM;YACzD,MAAM28E,YAAY,GAAGttH,OAAO,CAACk9B,aAAa,CAACjI,KAAK,CAAC0b,MAAM;YACvD,MAAM7f,OAAO,GAAG9wB,OAAO,CAACi9B,eAAe,CAAChI,KAAK,CAACzE,IAAI,CAACM,OAAO;YAC1D,MAAMy8F,SAAS,GAAGz8F,OAAO,CAACxvB,KAAK,CAAC+rH,cAAc,EAAEC,YAAY,CAAC;YAC7D,IAAI,CAACL,YAAY,CAACnkH,EAAE,CAAC,GAAGykH,SAAS;UACrC;QACJ;QACA;MACJ;QACI,IAAI,CAACH,SAAS,CAACptH,OAAO,EAAE,gBAAgB,CAAC;IACjD;EACJ;EACAk/E,cAAcA,CAACz9E,SAAS,EAAEsI,OAAO,EAAE,CAAE;EACrCF,SAASA,CAACC,IAAI,EAAEC,OAAO,EAAE,CAAE;EAC3Bq1E,YAAYA,CAACvpD,OAAO,EAAE9rB,OAAO,EAAE,CAAE;EACjC60E,cAAcA,CAACkU,SAAS,EAAE/oF,OAAO,EAAE,CAAE;EACrCi1E,kBAAkBA,CAAC+T,aAAa,EAAEhpF,OAAO,EAAE,CAAE;EAC7Cu1E,eAAeA,CAACjc,KAAK,EAAEt5D,OAAO,EAAE,CAAE;EAClCy1E,UAAUA,CAAC7/C,KAAK,EAAE51B,OAAO,EAAE,CAAE;EAC7B21E,mBAAmBA,CAAC//C,KAAK,EAAE51B,OAAO,EAAE,CAAE;EACtCqjH,SAASA,CAAC92G,IAAI,EAAEzN,OAAO,EAAE;IACrB,IAAI,CAACk+F,OAAO,CAACpmG,IAAI,CAAC,IAAI4lG,SAAS,CAACjwF,IAAI,CAACjE,UAAU,EAAExJ,OAAO,CAAC,CAAC;EAC9D;AACJ;AACA;AACA,MAAMunH,SAAS,CAAC;EACZzD,OAAOA,CAAC9jH,OAAO,EAAE8R,GAAG,EAAE;IAClB,MAAM8yG,MAAM,GAAG,IAAI7C,SAAS,CAAC,CAAC,CAACxqH,KAAK,CAACyI,OAAO,EAAE8R,GAAG,EAAE;MAAE8qE,sBAAsB,EAAE;IAAK,CAAC,CAAC;IACpF,IAAI,CAACshB,OAAO,GAAG0mB,MAAM,CAACrxE,MAAM;IAC5B,MAAMswE,SAAS,GAAG,IAAI,CAAC3lB,OAAO,CAACrmG,MAAM,GAAG,CAAC,IAAI+sH,MAAM,CAACt/B,SAAS,CAACztF,MAAM,IAAI,CAAC,GACrE,EAAE,GACF87C,QAAQ,CAAC,IAAI,EAAEixE,MAAM,CAACt/B,SAAS,CAAC;IACpC,OAAO;MACHu+B,SAAS;MACTtwE,MAAM,EAAE,IAAI,CAAC2qD;IACjB,CAAC;EACL;EACAl9F,SAASA,CAACC,IAAI,EAAEC,OAAO,EAAE;IACrB,OAAO,IAAIu2B,MAAM,CAACx2B,IAAI,CAACrH,KAAK,EAAEqH,IAAI,CAACuI,UAAU,CAAC;EAClD;EACAusE,cAAcA,CAACv0E,GAAG,EAAEN,OAAO,EAAE;IACzB,MAAM4jH,OAAO,GAAG,CAAC,CAAC;IAClBnxE,QAAQ,CAAC,IAAI,EAAEnyC,GAAG,CAACG,KAAK,CAAC,CAAC5H,OAAO,CAACoJ,CAAC,IAAI;MACnC2hH,OAAO,CAAC3hH,CAAC,CAACvJ,KAAK,CAAC,GAAG,IAAI89B,SAAS,CAACv0B,CAAC,CAAC9C,KAAK,EAAEmB,GAAG,CAACgI,UAAU,CAAC;IAC7D,CAAC,CAAC;IACF,OAAO,IAAImuB,GAAG,CAACn2B,GAAG,CAACq0E,WAAW,EAAEr0E,GAAG,CAACM,IAAI,EAAEgjH,OAAO,EAAEtjH,GAAG,CAACgI,UAAU,CAAC;EACtE;EACA2sE,kBAAkBA,CAACwoC,OAAO,EAAEz9G,OAAO,EAAE;IACjC,OAAO;MACHtH,KAAK,EAAE+kH,OAAO,CAAC/kH,KAAK;MACpByG,KAAK,EAAEszC,QAAQ,CAAC,IAAI,EAAEgrE,OAAO,CAAC98G,UAAU;IAC5C,CAAC;EACL;EACAyyB,YAAYA,CAACllB,EAAE,EAAElO,OAAO,EAAE;IACtB,IAAIkO,EAAE,CAACzV,IAAI,KAAKwtH,gBAAgB,EAAE;MAC9B,MAAMtC,QAAQ,GAAGz1G,EAAE,CAAC/X,KAAK,CAACknC,IAAI,CAAEzlC,IAAI,IAAKA,IAAI,CAACa,IAAI,KAAK,MAAM,CAAC;MAC9D,IAAIkrH,QAAQ,EAAE;QACV,OAAO,IAAI/sF,WAAW,CAAC,EAAE,EAAE+sF,QAAQ,CAACjrH,KAAK,EAAEwV,EAAE,CAAC5F,UAAU,CAAC;MAC7D;MACA,IAAI,CAAC+6G,SAAS,CAACn1G,EAAE,EAAE,IAAI+3G,gBAAgB,+BAA+B,CAAC;IAC3E,CAAC,MACI;MACD,IAAI,CAAC5C,SAAS,CAACn1G,EAAE,EAAE,gBAAgB,CAAC;IACxC;IACA,OAAO,IAAI;EACf;EACAmnE,YAAYA,CAACvpD,OAAO,EAAE9rB,OAAO,EAAE,CAAE;EACjCm1E,cAAcA,CAACz9E,SAAS,EAAEsI,OAAO,EAAE,CAAE;EACrCu1E,eAAeA,CAACjc,KAAK,EAAEt5D,OAAO,EAAE,CAAE;EAClCy1E,UAAUA,CAAC7/C,KAAK,EAAE51B,OAAO,EAAE,CAAE;EAC7B21E,mBAAmBA,CAAC//C,KAAK,EAAE51B,OAAO,EAAE,CAAE;EACtCqjH,SAASA,CAAC92G,IAAI,EAAEzN,OAAO,EAAE;IACrB,IAAI,CAACk+F,OAAO,CAACpmG,IAAI,CAAC,IAAI4lG,SAAS,CAACjwF,IAAI,CAACjE,UAAU,EAAExJ,OAAO,CAAC,CAAC;EAC9D;AACJ;;AAEA;AACA;AACA;AACA,MAAMgoH,iBAAiB,CAAC;EACpB9wH,WAAWA,CAAC+wH,iBAAiB,GAAG,CAAC,CAAC,EAAE/sF,MAAM,EAAEU,MAAM,EAAEssF,aAAa,EAAEC,0BAA0B,GAAG9qH,0BAA0B,CAAC+qH,OAAO,EAAE7I,OAAO,EAAE;IACzI,IAAI,CAAC0I,iBAAiB,GAAGA,iBAAiB;IAC1C,IAAI,CAACrsF,MAAM,GAAGA,MAAM;IACpB,IAAI,CAACssF,aAAa,GAAGA,aAAa;IAClC,IAAI,CAACG,WAAW,GAAG,IAAIC,iBAAiB,CAACL,iBAAiB,EAAE/sF,MAAM,EAAEU,MAAM,EAAEssF,aAAa,EAAEC,0BAA0B,EAAE5I,OAAO,CAAC;EACnI;EACA;EACA,OAAO5jF,IAAIA,CAAC1T,OAAO,EAAEnW,GAAG,EAAE4oF,UAAU,EAAEytB,0BAA0B,EAAE5I,OAAO,EAAE;IACvE,MAAM;MAAErkF,MAAM;MAAEwoF;IAAiB,CAAC,GAAGhpB,UAAU,CAAC/+D,IAAI,CAAC1T,OAAO,EAAEnW,GAAG,CAAC;IAClE,MAAMy2G,QAAQ,GAAI3jG,CAAC,IAAK81E,UAAU,CAAC9+D,MAAM,CAAChX,CAAC,CAAC;IAC5C,MAAMsjG,aAAa,GAAItjG,CAAC,IAAK81E,UAAU,CAACpiE,gBAAgB,CAAC1T,CAAC,CAAC;IAC3D,OAAO,IAAIojG,iBAAiB,CAACtE,gBAAgB,EAAExoF,MAAM,EAAEqtF,QAAQ,EAAEL,aAAa,EAAEC,0BAA0B,EAAE5I,OAAO,CAAC;EACxH;EACA;EACA3jH,GAAGA,CAAC4sH,MAAM,EAAE;IACR,MAAMC,IAAI,GAAG,IAAI,CAACJ,WAAW,CAACvE,OAAO,CAAC0E,MAAM,CAAC;IAC7C,IAAIC,IAAI,CAACl1E,MAAM,CAAC17C,MAAM,EAAE;MACpB,MAAM,IAAIQ,KAAK,CAACowH,IAAI,CAACl1E,MAAM,CAAC95C,IAAI,CAAC,IAAI,CAAC,CAAC;IAC3C;IACA,OAAOgvH,IAAI,CAACpoH,KAAK;EACrB;EACAwY,GAAGA,CAAC2vG,MAAM,EAAE;IACR,OAAO,IAAI,CAAC5sF,MAAM,CAAC4sF,MAAM,CAAC,IAAI,IAAI,CAACP,iBAAiB;EACxD;AACJ;AACA,MAAMK,iBAAiB,CAAC;EACpBpxH,WAAWA,CAAC+wH,iBAAiB,GAAG,CAAC,CAAC,EAAE/D,OAAO,EAAEwE,OAAO,EAAEC,cAAc,EAAEC,2BAA2B,EAAEC,QAAQ,EAAE;IACzG,IAAI,CAACZ,iBAAiB,GAAGA,iBAAiB;IAC1C,IAAI,CAAC/D,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACwE,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACC,cAAc,GAAGA,cAAc;IACpC,IAAI,CAACC,2BAA2B,GAAGA,2BAA2B;IAC9D,IAAI,CAACC,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAAC3qB,OAAO,GAAG,EAAE;IACjB,IAAI,CAAC4qB,aAAa,GAAG,EAAE;EAC3B;EACAhF,OAAOA,CAAC0E,MAAM,EAAE;IACZ,IAAI,CAACM,aAAa,CAACjxH,MAAM,GAAG,CAAC;IAC7B,IAAI,CAACqmG,OAAO,CAACrmG,MAAM,GAAG,CAAC;IACvB;IACA,MAAMoJ,IAAI,GAAG,IAAI,CAAC8nH,cAAc,CAACP,MAAM,CAAC;IACxC;IACA,MAAM12G,GAAG,GAAG02G,MAAM,CAACnoH,KAAK,CAAC,CAAC,CAAC,CAACmJ,UAAU,CAAC4iB,KAAK,CAACzE,IAAI,CAAC7V,GAAG;IACrD,MAAM22G,IAAI,GAAG,IAAIt/B,UAAU,CAAC,CAAC,CAAC5xF,KAAK,CAAC0J,IAAI,EAAE6Q,GAAG,EAAE;MAAE8qE,sBAAsB,EAAE;IAAK,CAAC,CAAC;IAChF,OAAO;MACHv8E,KAAK,EAAEooH,IAAI,CAACnjC,SAAS;MACrB/xC,MAAM,EAAE,CAAC,GAAG,IAAI,CAAC2qD,OAAO,EAAE,GAAGuqB,IAAI,CAACl1E,MAAM;IAC5C,CAAC;EACL;EACAvyC,SAASA,CAACC,IAAI,EAAEC,OAAO,EAAE;IACrB;IACA;IACA,OAAO+4B,SAAS,CAACh5B,IAAI,CAACrH,KAAK,CAAC;EAChC;EACAuH,cAAcA,CAACC,SAAS,EAAEF,OAAO,EAAE;IAC/B,OAAOE,SAAS,CAACC,QAAQ,CAACrF,GAAG,CAACi8B,CAAC,IAAIA,CAAC,CAACp3B,KAAK,CAAC,IAAI,CAAC,CAAC,CAACpH,IAAI,CAAC,EAAE,CAAC;EAC9D;EACA8H,QAAQA,CAACC,GAAG,EAAEN,OAAO,EAAE;IACnB,MAAMS,KAAK,GAAG5D,MAAM,CAAC2D,IAAI,CAACF,GAAG,CAACG,KAAK,CAAC,CAAC3F,GAAG,CAAC4F,CAAC,IAAI,GAAGA,CAAC,KAAKJ,GAAG,CAACG,KAAK,CAACC,CAAC,CAAC,CAACf,KAAK,CAAC,IAAI,CAAC,GAAG,CAAC;IACnF;IACA;IACA,MAAM+V,GAAG,GAAG,IAAI,CAACoyG,OAAO,CAACtyF,YAAY,CAACoC,cAAc,CAACt3B,GAAG,CAACK,UAAU,CAAC,GAChE,IAAI,CAACmnH,OAAO,CAACtyF,YAAY,CAACl1B,GAAG,CAACK,UAAU,CAAC,CAACZ,IAAI,GAC9CO,GAAG,CAACK,UAAU;IAClB,OAAO,IAAI+U,GAAG,KAAKpV,GAAG,CAACM,IAAI,KAAKH,KAAK,CAAClI,IAAI,CAAC,GAAG,CAAC,GAAG;EACtD;EACA2I,gBAAgBA,CAACJ,EAAE,EAAEd,OAAO,EAAE;IAC1B,MAAM47F,MAAM,GAAG,IAAI,CAACmsB,OAAO,CAACjnH,EAAE,CAACrI,IAAI,CAAC;IACpC,IAAI,IAAI,CAACqvH,OAAO,CAACtyF,YAAY,CAACoC,cAAc,CAACgkE,MAAM,CAAC,EAAE;MAClD,OAAO,IAAI,CAACksB,OAAO,CAACtyF,YAAY,CAAComE,MAAM,CAAC,CAAC77F,IAAI;IACjD;IACA,IAAI,IAAI,CAAC+nH,OAAO,CAAC9xF,oBAAoB,CAAC4B,cAAc,CAACgkE,MAAM,CAAC,EAAE;MAC1D,OAAO,IAAI,CAACisB,cAAc,CAAC,IAAI,CAACC,OAAO,CAAC9xF,oBAAoB,CAAC4lE,MAAM,CAAC,CAAC;IACzE;IACA,IAAI,CAACynB,SAAS,CAACviH,EAAE,EAAE,wBAAwBA,EAAE,CAACrI,IAAI,GAAG,CAAC;IACtD,OAAO,EAAE;EACb;EACA;EACA;EACA;EACAoI,mBAAmBA,CAACC,EAAE,EAAEd,OAAO,EAAE;IAC7B,MAAM5I,GAAG,GAAG,GAAG0J,EAAE,CAAC1J,GAAG,EAAE;IACvB,MAAMjB,KAAK,GAAG0G,MAAM,CAAC2D,IAAI,CAACM,EAAE,CAAC3K,KAAK,CAAC,CAAC2E,GAAG,CAACrC,IAAI,IAAI,GAAGA,IAAI,KAAKqI,EAAE,CAAC3K,KAAK,CAACsC,IAAI,CAAC,GAAG,CAAC,CAACF,IAAI,CAAC,GAAG,CAAC;IACxF,IAAIuI,EAAE,CAACC,MAAM,EAAE;MACX,OAAO,IAAI3J,GAAG,IAAIjB,KAAK,IAAI;IAC/B;IACA,MAAMgK,QAAQ,GAAGW,EAAE,CAACX,QAAQ,CAACrF,GAAG,CAAEmH,CAAC,IAAKA,CAAC,CAACtC,KAAK,CAAC,IAAI,CAAC,CAAC,CAACpH,IAAI,CAAC,EAAE,CAAC;IAC/D,OAAO,IAAInB,GAAG,IAAIjB,KAAK,IAAIgK,QAAQ,KAAK/I,GAAG,GAAG;EAClD;EACA;EACA;EACA;EACA+J,mBAAmBA,CAACL,EAAE,EAAEd,OAAO,EAAE;IAC7B;IACA,OAAO,IAAI,CAAC6nH,cAAc,CAAC,IAAI,CAACC,OAAO,CAAC9xF,oBAAoB,CAACl1B,EAAE,CAACrI,IAAI,CAAC,CAAC;EAC1E;EACA;AACJ;AACA;AACA;AACA;AACA;EACIovH,cAAcA,CAACP,MAAM,EAAE;IACnB,MAAMvoH,EAAE,GAAG,IAAI,CAACyoH,OAAO,CAACF,MAAM,CAAC;IAC/B,MAAMU,MAAM,GAAG,IAAI,CAACP,cAAc,GAAG,IAAI,CAACA,cAAc,CAACH,MAAM,CAAC,GAAG,IAAI;IACvE,IAAInoH,KAAK;IACT,IAAI,CAACyoH,aAAa,CAAChxH,IAAI,CAAC;MAAEiN,GAAG,EAAE,IAAI,CAACikH,OAAO;MAAEE,MAAM,EAAE,IAAI,CAACD;IAAQ,CAAC,CAAC;IACpE,IAAI,CAACD,OAAO,GAAGR,MAAM;IACrB,IAAI,IAAI,CAACP,iBAAiB,CAACnvF,cAAc,CAAC74B,EAAE,CAAC,EAAE;MAC3C;MACA;MACAI,KAAK,GAAG,IAAI,CAAC4nH,iBAAiB,CAAChoH,EAAE,CAAC;MAClC,IAAI,CAACgpH,OAAO,GAAItvH,IAAI,IAAKuvH,MAAM,GAAGA,MAAM,CAACnwF,cAAc,CAACp/B,IAAI,CAAC,GAAGA,IAAI;IACxE,CAAC,MACI;MACD;MACA;MACA;MACA;MACA,IAAI,IAAI,CAACivH,2BAA2B,KAAKvrH,0BAA0B,CAAChF,KAAK,EAAE;QACvE,MAAM00B,GAAG,GAAG,IAAI,CAACm3F,OAAO,GAAG,gBAAgB,IAAI,CAACA,OAAO,GAAG,GAAG,EAAE;QAC/D,IAAI,CAACK,SAAS,CAACiE,MAAM,CAACnoH,KAAK,CAAC,CAAC,CAAC,EAAE,oCAAoCJ,EAAE,IAAI8sB,GAAG,EAAE,CAAC;MACpF,CAAC,MACI,IAAI,IAAI,CAAC87F,QAAQ,IAClB,IAAI,CAACD,2BAA2B,KAAKvrH,0BAA0B,CAAC+qH,OAAO,EAAE;QACzE,MAAMr7F,GAAG,GAAG,IAAI,CAACm3F,OAAO,GAAG,gBAAgB,IAAI,CAACA,OAAO,GAAG,GAAG,EAAE;QAC/D,IAAI,CAAC2E,QAAQ,CAACrJ,IAAI,CAAC,oCAAoCv/G,EAAE,IAAI8sB,GAAG,EAAE,CAAC;MACvE;MACA1sB,KAAK,GAAGmoH,MAAM,CAACnoH,KAAK;MACpB,IAAI,CAAC4oH,OAAO,GAAItvH,IAAI,IAAKA,IAAI;IACjC;IACA,MAAMsH,IAAI,GAAGZ,KAAK,CAACrE,GAAG,CAACyR,IAAI,IAAIA,IAAI,CAAC5M,KAAK,CAAC,IAAI,CAAC,CAAC,CAACpH,IAAI,CAAC,EAAE,CAAC;IACzD,MAAMyH,OAAO,GAAG,IAAI,CAAC4nH,aAAa,CAAC39F,GAAG,CAAC,CAAC;IACxC,IAAI,CAAC69F,OAAO,GAAG9nH,OAAO,CAAC6D,GAAG;IAC1B,IAAI,CAACkkH,OAAO,GAAG/nH,OAAO,CAACgoH,MAAM;IAC7B,OAAOjoH,IAAI;EACf;EACAsjH,SAASA,CAACn1G,EAAE,EAAErK,GAAG,EAAE;IACf,IAAI,CAACm5F,OAAO,CAACpmG,IAAI,CAAC,IAAI4lG,SAAS,CAACtuF,EAAE,CAAC5F,UAAU,EAAEzE,GAAG,CAAC,CAAC;EACxD;AACJ;AAEA,MAAMokH,cAAc,CAAC;EACjBjyH,WAAWA,CAACkyH,WAAW,EAAEvL,YAAY,EAAEwL,kBAAkB,EAAEzM,kBAAkB,GAAGv/G,0BAA0B,CAAC+qH,OAAO,EAAE7I,OAAO,EAAE;IACzH,IAAI,CAAC6J,WAAW,GAAGA,WAAW;IAC9B,IAAIvL,YAAY,EAAE;MACd,MAAMnjB,UAAU,GAAG4uB,gBAAgB,CAACD,kBAAkB,CAAC;MACvD,IAAI,CAACE,kBAAkB,GACnBvB,iBAAiB,CAACrsF,IAAI,CAACkiF,YAAY,EAAE,MAAM,EAAEnjB,UAAU,EAAEkiB,kBAAkB,EAAE2C,OAAO,CAAC;IAC7F,CAAC,MACI;MACD,IAAI,CAACgK,kBAAkB,GACnB,IAAIvB,iBAAiB,CAAC,CAAC,CAAC,EAAE,IAAI,EAAEjoH,QAAQ,EAAEylB,SAAS,EAAEo3F,kBAAkB,EAAE2C,OAAO,CAAC;IACzF;EACJ;EACAhoH,KAAKA,CAAC40B,MAAM,EAAEra,GAAG,EAAE0pE,OAAO,GAAG,CAAC,CAAC,EAAE;IAC7B,MAAMrO,mBAAmB,GAAGqO,OAAO,CAACrO,mBAAmB,IAAI5pC,4BAA4B;IACvF,MAAMgsE,WAAW,GAAG,IAAI,CAAC6Z,WAAW,CAAC7xH,KAAK,CAAC40B,MAAM,EAAEra,GAAG,EAAE;MAAEq7D,mBAAmB;MAAE,GAAGqO;IAAQ,CAAC,CAAC;IAC5F,IAAI+zB,WAAW,CAACh8D,MAAM,CAAC17C,MAAM,EAAE;MAC3B,OAAO,IAAIwtF,eAAe,CAACkqB,WAAW,CAACjqB,SAAS,EAAEiqB,WAAW,CAACh8D,MAAM,CAAC;IACzE;IACA,OAAOqqE,iBAAiB,CAACrO,WAAW,CAACjqB,SAAS,EAAE,IAAI,CAACikC,kBAAkB,EAAEp8C,mBAAmB,EAAE,EAAE,EAAE,CAAC,CAAC,CAAC;EACzG;AACJ;AACA,SAASm8C,gBAAgBA,CAACE,MAAM,EAAE;EAC9BA,MAAM,GAAG,CAACA,MAAM,IAAI,KAAK,EAAE3vH,WAAW,CAAC,CAAC;EACxC,QAAQ2vH,MAAM;IACV,KAAK,KAAK;MACN,OAAO,IAAIzuF,GAAG,CAAC,CAAC;IACpB,KAAK,KAAK;MACN,OAAO,IAAIqsF,GAAG,CAAC,CAAC;IACpB,KAAK,QAAQ;IACb,KAAK,MAAM;MACP,OAAO,IAAI3B,MAAM,CAAC,CAAC;IACvB,KAAK,OAAO;IACZ,KAAK,KAAK;IACV;MACI,OAAO,IAAI5C,KAAK,CAAC,CAAC;EAC1B;AACJ;;AAEA;AACA;AACA;AACA,MAAM4G,aAAa,CAAC;EAChBvyH,WAAWA,CAACkyH,WAAW,EAAEnL,aAAa,EAAEC,cAAc,EAAEgG,OAAO,GAAG,IAAI,EAAE;IACpE,IAAI,CAACkF,WAAW,GAAGA,WAAW;IAC9B,IAAI,CAACnL,aAAa,GAAGA,aAAa;IAClC,IAAI,CAACC,cAAc,GAAGA,cAAc;IACpC,IAAI,CAACgG,OAAO,GAAGA,OAAO;IACtB,IAAI,CAAC5F,SAAS,GAAG,EAAE;EACvB;EACAoL,kBAAkBA,CAACjB,IAAI,EAAE32G,GAAG,EAAEq7D,mBAAmB,EAAE;IAC/C,MAAMw8C,gBAAgB,GAAG,IAAI,CAACP,WAAW,CAAC7xH,KAAK,CAACkxH,IAAI,EAAE32G,GAAG,EAAE;MAAE8qE,sBAAsB,EAAE,IAAI;MAAEzP;IAAoB,CAAC,CAAC;IACjH,IAAIw8C,gBAAgB,CAACp2E,MAAM,CAAC17C,MAAM,EAAE;MAChC,OAAO8xH,gBAAgB,CAACp2E,MAAM;IAClC;IACA,MAAMq2E,gBAAgB,GAAGrM,eAAe,CAACoM,gBAAgB,CAACrkC,SAAS,EAAEnY,mBAAmB,EAAE,IAAI,CAAC8wC,aAAa,EAAE,IAAI,CAACC,cAAc,CAAC;IAClI,IAAI0L,gBAAgB,CAACr2E,MAAM,CAAC17C,MAAM,EAAE;MAChC,OAAO+xH,gBAAgB,CAACr2E,MAAM;IAClC;IACA,IAAI,CAAC+qE,SAAS,CAACxmH,IAAI,CAAC,GAAG8xH,gBAAgB,CAAC3uF,QAAQ,CAAC;IACjD,OAAO,EAAE;EACb;EACA;EACA;EACA4uF,WAAWA,CAAA,EAAG;IACV,OAAO,IAAI,CAACvL,SAAS;EACzB;EACAtjF,KAAKA,CAAC0/D,UAAU,EAAEovB,aAAa,EAAE;IAC7B,MAAM7uF,QAAQ,GAAG,CAAC,CAAC;IACnB,MAAM8uF,aAAa,GAAG,IAAIC,mBAAmB,CAAC,CAAC;IAC/C;IACA,IAAI,CAAC1L,SAAS,CAACvkH,OAAO,CAACiG,OAAO,IAAI;MAC9B,MAAMC,EAAE,GAAGy6F,UAAU,CAAC9+D,MAAM,CAAC57B,OAAO,CAAC;MACrC,IAAI,CAACi7B,QAAQ,CAACnC,cAAc,CAAC74B,EAAE,CAAC,EAAE;QAC9Bg7B,QAAQ,CAACh7B,EAAE,CAAC,GAAGD,OAAO;MAC1B,CAAC,MACI;QACDi7B,QAAQ,CAACh7B,EAAE,CAAC,CAAC0oB,OAAO,CAAC7wB,IAAI,CAAC,GAAGkI,OAAO,CAAC2oB,OAAO,CAAC;MACjD;IACJ,CAAC,CAAC;IACF;IACA,MAAMshG,OAAO,GAAGlsH,MAAM,CAAC2D,IAAI,CAACu5B,QAAQ,CAAC,CAACj/B,GAAG,CAACiE,EAAE,IAAI;MAC5C,MAAMipH,MAAM,GAAGxuB,UAAU,CAACpiE,gBAAgB,CAAC2C,QAAQ,CAACh7B,EAAE,CAAC,CAAC;MACxD,MAAMiqH,GAAG,GAAGjvF,QAAQ,CAACh7B,EAAE,CAAC;MACxB,MAAMI,KAAK,GAAG6oH,MAAM,GAAGa,aAAa,CAACjG,OAAO,CAACoG,GAAG,CAAC7pH,KAAK,EAAE6oH,MAAM,CAAC,GAAGgB,GAAG,CAAC7pH,KAAK;MAC3E,IAAI8pH,kBAAkB,GAAG,IAAIlzF,OAAO,CAAC52B,KAAK,EAAE,CAAC,CAAC,EAAE,CAAC,CAAC,EAAE6pH,GAAG,CAAC5pH,OAAO,EAAE4pH,GAAG,CAAC75G,WAAW,EAAEpQ,EAAE,CAAC;MACrFkqH,kBAAkB,CAACxhG,OAAO,GAAGuhG,GAAG,CAACvhG,OAAO;MACxC,IAAImhG,aAAa,EAAE;QACfK,kBAAkB,CAACxhG,OAAO,CAAC5uB,OAAO,CAAEoyB,MAAM,IAAKA,MAAM,CAACiL,QAAQ,GAAG0yF,aAAa,CAAC39F,MAAM,CAACiL,QAAQ,CAAC,CAAC;MACpG;MACA,OAAO+yF,kBAAkB;IAC7B,CAAC,CAAC;IACF,OAAOzvB,UAAU,CAAC1/D,KAAK,CAACivF,OAAO,EAAE,IAAI,CAAC/F,OAAO,CAAC;EAClD;AACJ;AACA;AACA,MAAM8F,mBAAmB,SAAShyF,YAAY,CAAC;EAC3C8rF,OAAOA,CAACzjH,KAAK,EAAE6oH,MAAM,EAAE;IACnB,OAAOA,MAAM,GAAG7oH,KAAK,CAACrE,GAAG,CAACi8B,CAAC,IAAIA,CAAC,CAACp3B,KAAK,CAAC,IAAI,EAAEqoH,MAAM,CAAC,CAAC,GAAG7oH,KAAK;EACjE;EACA0B,mBAAmBA,CAACC,EAAE,EAAEknH,MAAM,EAAE;IAC5B,MAAMhnH,SAAS,GAAGgnH,MAAM,CAACtwF,YAAY,CAAC52B,EAAE,CAACE,SAAS,CAAC;IACnD,MAAMC,SAAS,GAAGH,EAAE,CAACG,SAAS,GAAG+mH,MAAM,CAACtwF,YAAY,CAAC52B,EAAE,CAACG,SAAS,CAAC,GAAGH,EAAE,CAACG,SAAS;IACjF,MAAMd,QAAQ,GAAGW,EAAE,CAACX,QAAQ,CAACrF,GAAG,CAACi8B,CAAC,IAAIA,CAAC,CAACp3B,KAAK,CAAC,IAAI,EAAEqoH,MAAM,CAAC,CAAC;IAC5D,OAAO,IAAIrxF,cAAc,CAAC71B,EAAE,CAAC1J,GAAG,EAAE0J,EAAE,CAAC3K,KAAK,EAAE6K,SAAS,EAAEC,SAAS,EAAEd,QAAQ,EAAEW,EAAE,CAACC,MAAM,EAAED,EAAE,CAACwH,UAAU,EAAExH,EAAE,CAACoyB,eAAe,EAAEpyB,EAAE,CAACqyB,aAAa,CAAC;EAC/I;EACAjyB,gBAAgBA,CAACJ,EAAE,EAAEknH,MAAM,EAAE;IACzB,OAAO,IAAIpxF,WAAW,CAAC91B,EAAE,CAACpI,KAAK,EAAEsvH,MAAM,CAACtwF,YAAY,CAAC52B,EAAE,CAACrI,IAAI,CAAC,EAAEqI,EAAE,CAACwH,UAAU,CAAC;EACjF;EACAnH,mBAAmBA,CAACL,EAAE,EAAEknH,MAAM,EAAE;IAC5B,OAAO,IAAInxF,cAAc,CAAC/1B,EAAE,CAACpI,KAAK,EAAEsvH,MAAM,CAACtwF,YAAY,CAAC52B,EAAE,CAACrI,IAAI,CAAC,EAAEqI,EAAE,CAACwH,UAAU,CAAC;EACpF;AACJ;AAEA,IAAIwY,aAAa;AACjB,CAAC,UAAUA,aAAa,EAAE;EACtBA,aAAa,CAACA,aAAa,CAAC,WAAW,CAAC,GAAG,CAAC,CAAC,GAAG,WAAW;EAC3DA,aAAa,CAACA,aAAa,CAAC,WAAW,CAAC,GAAG,CAAC,CAAC,GAAG,WAAW;EAC3DA,aAAa,CAACA,aAAa,CAAC,YAAY,CAAC,GAAG,CAAC,CAAC,GAAG,YAAY;EAC7DA,aAAa,CAACA,aAAa,CAAC,MAAM,CAAC,GAAG,CAAC,CAAC,GAAG,MAAM;EACjDA,aAAa,CAACA,aAAa,CAAC,UAAU,CAAC,GAAG,CAAC,CAAC,GAAG,UAAU;AAC7D,CAAC,EAAEA,aAAa,KAAKA,aAAa,GAAG,CAAC,CAAC,CAAC,CAAC;;AAEzC;AACA;AACA;AACA;AACA;AACA,MAAMooG,cAAc,CAAC;EACjBlzH,WAAWA,CAACmzH,gBAAgB,EAAE;IAC1B,IAAI,CAACA,gBAAgB,GAAGA,gBAAgB;EAC5C;EACA;AACJ;AACA;AACA;EACIx/E,IAAIA,CAAC1a,MAAM,EAAE;IACT,IAAI,CAACA,MAAM,CAACxhB,QAAQ,EAAE;MAClB;MACA,MAAM,IAAItW,KAAK,CAAC,8CAA8C,CAAC;IACnE;IACA;IACA;IACA,MAAM69D,KAAK,GAAGo0D,KAAK,CAACpzC,KAAK,CAAC/mD,MAAM,CAACxhB,QAAQ,CAAC;IAC1C;IACA,MAAM47G,gBAAgB,GAAGC,uBAAuB,CAACt0D,KAAK,CAAC;IACvD;IACA;IACA;IACA;IACA;IACA,MAAM;MAAEolD,UAAU;MAAEmP,eAAe;MAAEnlE,QAAQ;MAAEnxB;IAAW,CAAC,GAAGu2F,eAAe,CAACxzC,KAAK,CAAC/mD,MAAM,CAACxhB,QAAQ,EAAE,IAAI,CAAC07G,gBAAgB,CAAC;IAC3H;IACA;IACA,MAAM;MAAEx7G,WAAW;MAAE87G,OAAO;MAAEC,YAAY;MAAEC,SAAS;MAAEC,UAAU;MAAEzoB;IAAY,CAAC,GAAG0oB,cAAc,CAACC,cAAc,CAAC76F,MAAM,CAACxhB,QAAQ,EAAEunD,KAAK,CAAC;IACxI,OAAO,IAAI+0D,aAAa,CAAC96F,MAAM,EAAEmrF,UAAU,EAAEmP,eAAe,EAAEnlE,QAAQ,EAAEnxB,UAAU,EAAEtlB,WAAW,EAAE87G,OAAO,EAAEC,YAAY,EAAEL,gBAAgB,EAAEM,SAAS,EAAEC,UAAU,EAAEzoB,WAAW,CAAC;EACjL;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMioB,KAAK,CAAC;EACRpzH,WAAWA,CAAC++D,WAAW,EAAEtnD,QAAQ,EAAE;IAC/B,IAAI,CAACsnD,WAAW,GAAGA,WAAW;IAC9B,IAAI,CAACtnD,QAAQ,GAAGA,QAAQ;IACxB;AACR;AACA;IACQ,IAAI,CAACu8G,aAAa,GAAG,IAAI9wH,GAAG,CAAC,CAAC;IAC9B;AACR;AACA;IACQ,IAAI,CAAC+wH,WAAW,GAAG,IAAI/wH,GAAG,CAAC,CAAC;EAChC;EACA,OAAOgxH,YAAYA,CAAA,EAAG;IAClB,OAAO,IAAId,KAAK,CAAC,IAAI,EAAE,IAAI,CAAC;EAChC;EACA;AACJ;AACA;AACA;EACI,OAAOpzC,KAAKA,CAACvoE,QAAQ,EAAE;IACnB,MAAMunD,KAAK,GAAGo0D,KAAK,CAACc,YAAY,CAAC,CAAC;IAClCl1D,KAAK,CAACm1D,MAAM,CAAC18G,QAAQ,CAAC;IACtB,OAAOunD,KAAK;EAChB;EACA;AACJ;AACA;EACIm1D,MAAMA,CAAC18G,QAAQ,EAAE;IACb,IAAIA,QAAQ,YAAYmnB,QAAQ,EAAE;MAC9B;MACAnnB,QAAQ,CAACqnB,SAAS,CAACj8B,OAAO,CAAC0T,IAAI,IAAI,IAAI,CAAC4oB,aAAa,CAAC5oB,IAAI,CAAC,CAAC;MAC5D;MACAkB,QAAQ,CAACtN,QAAQ,CAACtH,OAAO,CAAC0T,IAAI,IAAIA,IAAI,CAAC5M,KAAK,CAAC,IAAI,CAAC,CAAC;IACvD,CAAC,MACI;MACD;MACA8N,QAAQ,CAAC5U,OAAO,CAAC0T,IAAI,IAAIA,IAAI,CAAC5M,KAAK,CAAC,IAAI,CAAC,CAAC;IAC9C;EACJ;EACAyzB,YAAYA,CAACn9B,OAAO,EAAE;IAClB;IACAA,OAAO,CAACg9B,UAAU,CAACp6B,OAAO,CAAC0T,IAAI,IAAI,IAAI,CAAC8oB,cAAc,CAAC9oB,IAAI,CAAC,CAAC;IAC7D;IACAtW,OAAO,CAACkK,QAAQ,CAACtH,OAAO,CAAC0T,IAAI,IAAIA,IAAI,CAAC5M,KAAK,CAAC,IAAI,CAAC,CAAC;EACtD;EACAo1B,aAAaA,CAACtnB,QAAQ,EAAE;IACpB;IACA;IACAA,QAAQ,CAACwlB,UAAU,CAACp6B,OAAO,CAAC0T,IAAI,IAAI,IAAI,CAAC8oB,cAAc,CAAC9oB,IAAI,CAAC,CAAC;IAC9D;IACA,MAAMyoD,KAAK,GAAG,IAAIo0D,KAAK,CAAC,IAAI,EAAE37G,QAAQ,CAAC;IACvCunD,KAAK,CAACm1D,MAAM,CAAC18G,QAAQ,CAAC;IACtB,IAAI,CAACw8G,WAAW,CAACtvH,GAAG,CAAC8S,QAAQ,EAAEunD,KAAK,CAAC;EACzC;EACA7/B,aAAaA,CAAC9gB,QAAQ,EAAE;IACpB;IACA,IAAI,CAAC+1G,YAAY,CAAC/1G,QAAQ,CAAC;EAC/B;EACAghB,cAAcA,CAAC5V,SAAS,EAAE;IACtB;IACA,IAAI,CAAC2qG,YAAY,CAAC3qG,SAAS,CAAC;EAChC;EACAkV,kBAAkBA,CAACgB,QAAQ,EAAE;IACzBA,QAAQ,CAACx1B,QAAQ,CAACtH,OAAO,CAAC0T,IAAI,IAAIA,IAAI,CAAC5M,KAAK,CAAC,IAAI,CAAC,CAAC;IACnDg2B,QAAQ,CAAC/lB,WAAW,EAAEjQ,KAAK,CAAC,IAAI,CAAC;IACjCg2B,QAAQ,CAACjB,OAAO,EAAE/0B,KAAK,CAAC,IAAI,CAAC;IAC7Bg2B,QAAQ,CAACpR,KAAK,EAAE5kB,KAAK,CAAC,IAAI,CAAC;EAC/B;EACAs0B,6BAA6BA,CAAC2B,KAAK,EAAE;IACjCA,KAAK,CAACz1B,QAAQ,CAACtH,OAAO,CAAC0T,IAAI,IAAIA,IAAI,CAAC5M,KAAK,CAAC,IAAI,CAAC,CAAC;EACpD;EACA20B,uBAAuBA,CAACsB,KAAK,EAAE;IAC3BA,KAAK,CAACz1B,QAAQ,CAACtH,OAAO,CAAC0T,IAAI,IAAIA,IAAI,CAAC5M,KAAK,CAAC,IAAI,CAAC,CAAC;EACpD;EACAy0B,yBAAyBA,CAACwB,KAAK,EAAE;IAC7BA,KAAK,CAACz1B,QAAQ,CAACtH,OAAO,CAAC0T,IAAI,IAAIA,IAAI,CAAC5M,KAAK,CAAC,IAAI,CAAC,CAAC;EACpD;EACA;EACAs1B,YAAYA,CAAClO,OAAO,EAAE,CAAE;EACxBuL,mBAAmBA,CAAC16B,IAAI,EAAE,CAAE;EAC5Bg7B,eAAeA,CAACF,KAAK,EAAE,CAAE;EACzBb,cAAcA,CAAC9xB,IAAI,EAAE,CAAE;EACvBD,SAASA,CAACC,IAAI,EAAE,CAAE;EAClBkyB,kBAAkBA,CAACr6B,IAAI,EAAE,CAAE;EAC3ByI,QAAQA,CAACC,GAAG,EAAE,CAAE;EAChBgzB,oBAAoBA,CAACuC,OAAO,EAAE,CAAE;EAChCu0F,YAAYA,CAACC,KAAK,EAAE;IAChB;IACA,IAAI,CAAC,IAAI,CAACL,aAAa,CAACryG,GAAG,CAAC0yG,KAAK,CAAC5xH,IAAI,CAAC,EAAE;MACrC,IAAI,CAACuxH,aAAa,CAACrvH,GAAG,CAAC0vH,KAAK,CAAC5xH,IAAI,EAAE4xH,KAAK,CAAC;IAC7C;EACJ;EACA;AACJ;AACA;AACA;AACA;EACIC,MAAMA,CAAC7xH,IAAI,EAAE;IACT,IAAI,IAAI,CAACuxH,aAAa,CAACryG,GAAG,CAAClf,IAAI,CAAC,EAAE;MAC9B;MACA,OAAO,IAAI,CAACuxH,aAAa,CAACtvH,GAAG,CAACjC,IAAI,CAAC;IACvC,CAAC,MACI,IAAI,IAAI,CAACs8D,WAAW,KAAK,IAAI,EAAE;MAChC;MACA,OAAO,IAAI,CAACA,WAAW,CAACu1D,MAAM,CAAC7xH,IAAI,CAAC;IACxC,CAAC,MACI;MACD;MACA,OAAO,IAAI;IACf;EACJ;EACA;AACJ;AACA;AACA;AACA;EACI8xH,aAAaA,CAAC98G,QAAQ,EAAE;IACpB,MAAMhX,GAAG,GAAG,IAAI,CAACwzH,WAAW,CAACvvH,GAAG,CAAC+S,QAAQ,CAAC;IAC1C,IAAIhX,GAAG,KAAK6tB,SAAS,EAAE;MACnB,MAAM,IAAIntB,KAAK,CAAC,oCAAoCsW,QAAQ,YAAY,CAAC;IAC7E;IACA,OAAOhX,GAAG;EACd;AACJ;AACA;AACA;AACA;AACA;AACA;AACA,MAAM+yH,eAAe,CAAC;EAClBxzH,WAAWA,CAACiE,OAAO,EAAEmgH,UAAU,EAAEmP,eAAe,EAAEnlE,QAAQ,EAAEnxB,UAAU,EAAE;IACpE,IAAI,CAACh5B,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACmgH,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACmP,eAAe,GAAGA,eAAe;IACtC,IAAI,CAACnlE,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACnxB,UAAU,GAAGA,UAAU;IAC5B;IACA,IAAI,CAACu3F,cAAc,GAAG,KAAK;EAC/B;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACI,OAAOx0C,KAAKA,CAACvoE,QAAQ,EAAEg9G,eAAe,EAAE;IACpC,MAAMrQ,UAAU,GAAG,IAAIlhH,GAAG,CAAC,CAAC;IAC5B,MAAMkrD,QAAQ,GAAG,IAAIlrD,GAAG,CAAC,CAAC;IAC1B,MAAM+5B,UAAU,GAAG,IAAI/5B,GAAG,CAAC,CAAC;IAC5B,MAAMqwH,eAAe,GAAG,EAAE;IAC1B,MAAMtvH,OAAO,GAAG,IAAIuvH,eAAe,CAACiB,eAAe,EAAErQ,UAAU,EAAEmP,eAAe,EAAEnlE,QAAQ,EAAEnxB,UAAU,CAAC;IACvGh5B,OAAO,CAACkwH,MAAM,CAAC18G,QAAQ,CAAC;IACxB,OAAO;MAAE2sG,UAAU;MAAEmP,eAAe;MAAEnlE,QAAQ;MAAEnxB;IAAW,CAAC;EAChE;EACAk3F,MAAMA,CAAC18G,QAAQ,EAAE;IACbA,QAAQ,CAAC5U,OAAO,CAAC0T,IAAI,IAAIA,IAAI,CAAC5M,KAAK,CAAC,IAAI,CAAC,CAAC;EAC9C;EACAyzB,YAAYA,CAACn9B,OAAO,EAAE;IAClB,IAAI,CAACy0H,sBAAsB,CAACz0H,OAAO,CAACwC,IAAI,EAAExC,OAAO,CAAC;EACtD;EACA8+B,aAAaA,CAACtnB,QAAQ,EAAE;IACpB,IAAI,CAACi9G,sBAAsB,CAAC,aAAa,EAAEj9G,QAAQ,CAAC;EACxD;EACAi9G,sBAAsBA,CAACpuH,WAAW,EAAEiQ,IAAI,EAAE;IACtC;IACA;IACA,MAAM1V,WAAW,GAAGg3G,iBAAiB,CAACvxG,WAAW,EAAE2jC,4BAA4B,CAAC1zB,IAAI,CAAC,CAAC;IACtF;IACA,MAAM6tG,UAAU,GAAG,EAAE;IACrB,IAAI,CAACngH,OAAO,CAACnD,KAAK,CAACD,WAAW,EAAE,CAAC8zH,SAAS,EAAEp0H,OAAO,KAAK6jH,UAAU,CAACxjH,IAAI,CAAC,GAAGL,OAAO,CAAC,CAAC;IACpF,IAAI6jH,UAAU,CAACzjH,MAAM,GAAG,CAAC,EAAE;MACvB,IAAI,CAACyjH,UAAU,CAACz/G,GAAG,CAAC4R,IAAI,EAAE6tG,UAAU,CAAC;MACrC,IAAI,CAAC,IAAI,CAACoQ,cAAc,EAAE;QACtB,IAAI,CAACjB,eAAe,CAAC3yH,IAAI,CAAC,GAAGwjH,UAAU,CAAC;MAC5C;IACJ;IACA;IACA7tG,IAAI,CAAC0mB,UAAU,CAACp6B,OAAO,CAACq1B,GAAG,IAAI;MAC3B,IAAI08F,SAAS,GAAG,IAAI;MACpB;MACA;MACA;MACA,IAAI18F,GAAG,CAACx1B,KAAK,CAACyrB,IAAI,CAAC,CAAC,KAAK,EAAE,EAAE;QACzB;QACAymG,SAAS,GAAGxQ,UAAU,CAAC/8E,IAAI,CAACg9E,GAAG,IAAIA,GAAG,CAACE,WAAW,CAAC,IAAI,IAAI;MAC/D,CAAC,MACI;QACD;QACAqQ,SAAS,GACLxQ,UAAU,CAAC/8E,IAAI,CAACg9E,GAAG,IAAIA,GAAG,CAAC1K,QAAQ,KAAK,IAAI,IAAI0K,GAAG,CAAC1K,QAAQ,CAACtzE,IAAI,CAAC3jC,KAAK,IAAIA,KAAK,KAAKw1B,GAAG,CAACx1B,KAAK,CAAC,CAAC,IAC5F,IAAI;QACZ;QACA,IAAIkyH,SAAS,KAAK,IAAI,EAAE;UACpB;UACA;UACA;QACJ;MACJ;MACA,IAAIA,SAAS,KAAK,IAAI,EAAE;QACpB;QACA,IAAI,CAAC33F,UAAU,CAACt4B,GAAG,CAACuzB,GAAG,EAAE;UAAEunF,SAAS,EAAEmV,SAAS;UAAEr+G;QAAK,CAAC,CAAC;MAC5D,CAAC,MACI;QACD;QACA,IAAI,CAAC0mB,UAAU,CAACt4B,GAAG,CAACuzB,GAAG,EAAE3hB,IAAI,CAAC;MAClC;IACJ,CAAC,CAAC;IACF,MAAMs+G,mBAAmB,GAAGA,CAACnzH,SAAS,EAAEozH,MAAM,KAAK;MAC/C,MAAMzQ,GAAG,GAAGD,UAAU,CAAC/8E,IAAI,CAACg9E,GAAG,IAAIA,GAAG,CAACyQ,MAAM,CAAC,CAACC,sBAAsB,CAACrzH,SAAS,CAACe,IAAI,CAAC,CAAC;MACtF,MAAMggE,OAAO,GAAG4hD,GAAG,KAAK/1F,SAAS,GAAG+1F,GAAG,GAAG9tG,IAAI;MAC9C,IAAI,CAAC63C,QAAQ,CAACzpD,GAAG,CAACjD,SAAS,EAAE+gE,OAAO,CAAC;IACzC,CAAC;IACD;IACA;IACAlsD,IAAI,CAACwmB,MAAM,CAACl6B,OAAO,CAAC4qB,KAAK,IAAIonG,mBAAmB,CAACpnG,KAAK,EAAE,QAAQ,CAAC,CAAC;IAClElX,IAAI,CAACumB,UAAU,CAACj6B,OAAO,CAACjB,IAAI,IAAIizH,mBAAmB,CAACjzH,IAAI,EAAE,QAAQ,CAAC,CAAC;IACpE,IAAI2U,IAAI,YAAYqoB,QAAQ,EAAE;MAC1BroB,IAAI,CAACsoB,aAAa,CAACh8B,OAAO,CAACjB,IAAI,IAAIizH,mBAAmB,CAACjzH,IAAI,EAAE,QAAQ,CAAC,CAAC;IAC3E;IACA;IACA2U,IAAI,CAACymB,OAAO,CAACn6B,OAAO,CAACy/C,MAAM,IAAIuyE,mBAAmB,CAACvyE,MAAM,EAAE,SAAS,CAAC,CAAC;IACtE;IACA/rC,IAAI,CAACpM,QAAQ,CAACtH,OAAO,CAACuH,KAAK,IAAIA,KAAK,CAACT,KAAK,CAAC,IAAI,CAAC,CAAC;EACrD;EACAg1B,kBAAkBA,CAACgB,QAAQ,EAAE;IACzB,IAAI,CAAC60F,cAAc,GAAG,IAAI;IAC1B70F,QAAQ,CAACx1B,QAAQ,CAACtH,OAAO,CAACuH,KAAK,IAAIA,KAAK,CAACT,KAAK,CAAC,IAAI,CAAC,CAAC;IACrD,IAAI,CAAC6qH,cAAc,GAAG,KAAK;IAC3B70F,QAAQ,CAAC/lB,WAAW,EAAEjQ,KAAK,CAAC,IAAI,CAAC;IACjCg2B,QAAQ,CAACjB,OAAO,EAAE/0B,KAAK,CAAC,IAAI,CAAC;IAC7Bg2B,QAAQ,CAACpR,KAAK,EAAE5kB,KAAK,CAAC,IAAI,CAAC;EAC/B;EACAs0B,6BAA6BA,CAAC2B,KAAK,EAAE;IACjCA,KAAK,CAACz1B,QAAQ,CAACtH,OAAO,CAACuH,KAAK,IAAIA,KAAK,CAACT,KAAK,CAAC,IAAI,CAAC,CAAC;EACtD;EACA20B,uBAAuBA,CAACsB,KAAK,EAAE;IAC3BA,KAAK,CAACz1B,QAAQ,CAACtH,OAAO,CAACuH,KAAK,IAAIA,KAAK,CAACT,KAAK,CAAC,IAAI,CAAC,CAAC;EACtD;EACAy0B,yBAAyBA,CAACwB,KAAK,EAAE;IAC7BA,KAAK,CAACz1B,QAAQ,CAACtH,OAAO,CAACuH,KAAK,IAAIA,KAAK,CAACT,KAAK,CAAC,IAAI,CAAC,CAAC;EACtD;EACA;EACAs1B,YAAYA,CAAClO,OAAO,EAAE,CAAE;EACxBoO,aAAaA,CAAC9gB,QAAQ,EAAE,CAAE;EAC1BghB,cAAcA,CAAC5V,SAAS,EAAE,CAAE;EAC5BwS,kBAAkBA,CAACv6B,SAAS,EAAE,CAAE;EAChC46B,mBAAmBA,CAAC56B,SAAS,EAAE,CAAE;EACjCk7B,eAAeA,CAACl7B,SAAS,EAAE,CAAE;EAC7BszH,0BAA0BA,CAACz+G,IAAI,EAAE,CAAE;EACnCzM,SAASA,CAACC,IAAI,EAAE,CAAE;EAClB8xB,cAAcA,CAAC9xB,IAAI,EAAE,CAAE;EACvBM,QAAQA,CAACC,GAAG,EAAE,CAAE;EAChBgzB,oBAAoBA,CAACuC,OAAO,EAAE,CAAE;AACpC;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMg0F,cAAc,SAAS9zG,mBAAmB,CAAC;EAC7C/f,WAAWA,CAACouD,QAAQ,EAAEqlE,OAAO,EAAEE,SAAS,EAAEC,UAAU,EAAEzoB,WAAW,EAAEuoB,YAAY,EAAE10D,KAAK,EAAEvnD,QAAQ,EAAEy6B,KAAK,EAAE;IACrG,KAAK,CAAC,CAAC;IACP,IAAI,CAACkc,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACqlE,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACE,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAACC,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACzoB,WAAW,GAAGA,WAAW;IAC9B,IAAI,CAACuoB,YAAY,GAAGA,YAAY;IAChC,IAAI,CAAC10D,KAAK,GAAGA,KAAK;IAClB,IAAI,CAACvnD,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACy6B,KAAK,GAAGA,KAAK;IAClB;IACA,IAAI,CAACsiF,cAAc,GAAG,KAAK;IAC3B;IACA,IAAI,CAACS,SAAS,GAAI1+G,IAAI,IAAKA,IAAI,CAAC5M,KAAK,CAAC,IAAI,CAAC;EAC/C;EACA;EACA;EACA;EACAA,KAAKA,CAAC4M,IAAI,EAAEvM,OAAO,EAAE;IACjB,IAAIuM,IAAI,YAAYmiC,GAAG,EAAE;MACrBniC,IAAI,CAAC5M,KAAK,CAAC,IAAI,EAAEK,OAAO,CAAC;IAC7B,CAAC,MACI;MACDuM,IAAI,CAAC5M,KAAK,CAAC,IAAI,CAAC;IACpB;EACJ;EACA;AACJ;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;EACI,OAAOmqH,cAAcA,CAAC3qH,KAAK,EAAE61D,KAAK,EAAE;IAChC,MAAMrnD,WAAW,GAAG,IAAIzU,GAAG,CAAC,CAAC;IAC7B,MAAMuwH,OAAO,GAAG,IAAIvwH,GAAG,CAAC,CAAC;IACzB,MAAMwwH,YAAY,GAAG,IAAIxwH,GAAG,CAAC,CAAC;IAC9B,MAAMywH,SAAS,GAAG,IAAIhrF,GAAG,CAAC,CAAC;IAC3B,MAAMirF,UAAU,GAAG,IAAIjrF,GAAG,CAAC,CAAC;IAC5B,MAAMlxB,QAAQ,GAAGtO,KAAK,YAAYy1B,QAAQ,GAAGz1B,KAAK,GAAG,IAAI;IACzD,MAAMgiG,WAAW,GAAG,IAAIxiE,GAAG,CAAC,CAAC;IAC7B;IACA,MAAMusF,MAAM,GAAG,IAAIrB,cAAc,CAACl8G,WAAW,EAAE87G,OAAO,EAAEE,SAAS,EAAEC,UAAU,EAAEzoB,WAAW,EAAEuoB,YAAY,EAAE10D,KAAK,EAAEvnD,QAAQ,EAAE,CAAC,CAAC;IAC7Hy9G,MAAM,CAACf,MAAM,CAAChrH,KAAK,CAAC;IACpB,OAAO;MAAEwO,WAAW;MAAE87G,OAAO;MAAEC,YAAY;MAAEC,SAAS;MAAEC,UAAU;MAAEzoB;IAAY,CAAC;EACrF;EACAgpB,MAAMA,CAAC18G,QAAQ,EAAE;IACb,IAAIA,QAAQ,YAAYmnB,QAAQ,EAAE;MAC9B;MACA;MACAnnB,QAAQ,CAACqnB,SAAS,CAACj8B,OAAO,CAAC,IAAI,CAACoyH,SAAS,CAAC;MAC1Cx9G,QAAQ,CAACtN,QAAQ,CAACtH,OAAO,CAAC,IAAI,CAACoyH,SAAS,CAAC;MACzC;MACA,IAAI,CAACvB,YAAY,CAAC/uH,GAAG,CAAC8S,QAAQ,EAAE,IAAI,CAACy6B,KAAK,CAAC;IAC/C,CAAC,MACI;MACD;MACAz6B,QAAQ,CAAC5U,OAAO,CAAC,IAAI,CAACoyH,SAAS,CAAC;IACpC;EACJ;EACA73F,YAAYA,CAACn9B,OAAO,EAAE;IAClB;IACAA,OAAO,CAAC88B,MAAM,CAACl6B,OAAO,CAAC,IAAI,CAACoyH,SAAS,CAAC;IACtCh1H,OAAO,CAAC+8B,OAAO,CAACn6B,OAAO,CAAC,IAAI,CAACoyH,SAAS,CAAC;IACvCh1H,OAAO,CAACkK,QAAQ,CAACtH,OAAO,CAAC,IAAI,CAACoyH,SAAS,CAAC;EAC5C;EACAl2F,aAAaA,CAACtnB,QAAQ,EAAE;IACpB;IACAA,QAAQ,CAACslB,MAAM,CAACl6B,OAAO,CAAC,IAAI,CAACoyH,SAAS,CAAC;IACvCx9G,QAAQ,CAACulB,OAAO,CAACn6B,OAAO,CAAC,IAAI,CAACoyH,SAAS,CAAC;IACxCx9G,QAAQ,CAAConB,aAAa,CAACh8B,OAAO,CAAC,IAAI,CAACoyH,SAAS,CAAC;IAC9C;IACAx9G,QAAQ,CAACwlB,UAAU,CAACp6B,OAAO,CAAC,IAAI,CAACoyH,SAAS,CAAC;IAC3C;IACA,MAAME,UAAU,GAAG,IAAI,CAACn2D,KAAK,CAACu1D,aAAa,CAAC98G,QAAQ,CAAC;IACrD,MAAMy9G,MAAM,GAAG,IAAIrB,cAAc,CAAC,IAAI,CAACzlE,QAAQ,EAAE,IAAI,CAACqlE,OAAO,EAAE,IAAI,CAACE,SAAS,EAAE,IAAI,CAACC,UAAU,EAAE,IAAI,CAACzoB,WAAW,EAAE,IAAI,CAACuoB,YAAY,EAAEyB,UAAU,EAAE19G,QAAQ,EAAE,IAAI,CAACy6B,KAAK,GAAG,CAAC,CAAC;IAC1KgjF,MAAM,CAACf,MAAM,CAAC18G,QAAQ,CAAC;EAC3B;EACA0nB,aAAaA,CAAC9gB,QAAQ,EAAE;IACpB;IACA,IAAI,IAAI,CAAC5G,QAAQ,KAAK,IAAI,EAAE;MACxB,IAAI,CAACg8G,OAAO,CAAC9uH,GAAG,CAAC0Z,QAAQ,EAAE,IAAI,CAAC5G,QAAQ,CAAC;IAC7C;EACJ;EACA4nB,cAAcA,CAAC5V,SAAS,EAAE;IACtB;IACA,IAAI,IAAI,CAAChS,QAAQ,KAAK,IAAI,EAAE;MACxB,IAAI,CAACg8G,OAAO,CAAC9uH,GAAG,CAAC8kB,SAAS,EAAE,IAAI,CAAChS,QAAQ,CAAC;IAC9C;EACJ;EACA;EACA3N,SAASA,CAACC,IAAI,EAAE,CAAE;EAClBk1B,YAAYA,CAAClO,OAAO,EAAE,CAAE;EACxBkL,kBAAkBA,CAACv6B,SAAS,EAAE,CAAE;EAChC2I,QAAQA,CAACC,GAAG,EAAE;IACVzD,MAAM,CAAC2D,IAAI,CAACF,GAAG,CAACi1B,IAAI,CAAC,CAAC18B,OAAO,CAAC4P,GAAG,IAAInI,GAAG,CAACi1B,IAAI,CAAC9sB,GAAG,CAAC,CAAC9I,KAAK,CAAC,IAAI,CAAC,CAAC;IAC/D9C,MAAM,CAAC2D,IAAI,CAACF,GAAG,CAACk1B,YAAY,CAAC,CAAC38B,OAAO,CAAC4P,GAAG,IAAInI,GAAG,CAACk1B,YAAY,CAAC/sB,GAAG,CAAC,CAAC9I,KAAK,CAAC,IAAI,CAAC,CAAC;EACnF;EACA;EACA2yB,mBAAmBA,CAAC56B,SAAS,EAAE;IAC3BA,SAAS,CAACgB,KAAK,CAACiH,KAAK,CAAC,IAAI,CAAC;EAC/B;EACAizB,eAAeA,CAACF,KAAK,EAAE;IACnBA,KAAK,CAACpG,OAAO,CAAC3sB,KAAK,CAAC,IAAI,CAAC;EAC7B;EACAg1B,kBAAkBA,CAACgB,QAAQ,EAAE;IACzB,IAAI,CAACwrE,WAAW,CAAC7jG,GAAG,CAACq4B,QAAQ,CAAC;IAC9B,IAAI,CAAC60F,cAAc,GAAG,IAAI;IAC1B70F,QAAQ,CAACx1B,QAAQ,CAACtH,OAAO,CAAC,IAAI,CAACoyH,SAAS,CAAC;IACzC,IAAI,CAACT,cAAc,GAAG,KAAK;IAC3B70F,QAAQ,CAACnB,QAAQ,CAAC37B,OAAO,CAAC,IAAI,CAACoyH,SAAS,CAAC;IACzCt1F,QAAQ,CAAClB,gBAAgB,CAAC57B,OAAO,CAAC,IAAI,CAACoyH,SAAS,CAAC;IACjDt1F,QAAQ,CAAC/lB,WAAW,IAAI,IAAI,CAACq7G,SAAS,CAACt1F,QAAQ,CAAC/lB,WAAW,CAAC;IAC5D+lB,QAAQ,CAACjB,OAAO,IAAI,IAAI,CAACu2F,SAAS,CAACt1F,QAAQ,CAACjB,OAAO,CAAC;IACpDiB,QAAQ,CAACpR,KAAK,IAAI,IAAI,CAAC0mG,SAAS,CAACt1F,QAAQ,CAACpR,KAAK,CAAC;EACpD;EACA+O,oBAAoBA,CAACuC,OAAO,EAAE;IAC1B,IAAIA,OAAO,YAAYtC,oBAAoB,EAAE;MACzCsC,OAAO,CAACn9B,KAAK,CAACiH,KAAK,CAAC,IAAI,CAAC;IAC7B;EACJ;EACAs0B,6BAA6BA,CAAC2B,KAAK,EAAE;IACjCA,KAAK,CAACz1B,QAAQ,CAACtH,OAAO,CAAC,IAAI,CAACoyH,SAAS,CAAC;EAC1C;EACA32F,uBAAuBA,CAACsB,KAAK,EAAE;IAC3BA,KAAK,CAACz1B,QAAQ,CAACtH,OAAO,CAAC,IAAI,CAACoyH,SAAS,CAAC;EAC1C;EACA72F,yBAAyBA,CAACwB,KAAK,EAAE;IAC7BA,KAAK,CAACz1B,QAAQ,CAACtH,OAAO,CAAC,IAAI,CAACoyH,SAAS,CAAC;EAC1C;EACAp5F,cAAcA,CAAC9xB,IAAI,EAAE;IACjBA,IAAI,CAACrH,KAAK,CAACiH,KAAK,CAAC,IAAI,CAAC;EAC1B;EACA0wC,SAASA,CAACt8B,GAAG,EAAE/T,OAAO,EAAE;IACpB,IAAI,CAAC2pH,SAAS,CAACrsH,GAAG,CAACyW,GAAG,CAACtb,IAAI,CAAC;IAC5B,IAAI,CAAC,IAAI,CAAC+xH,cAAc,EAAE;MACtB,IAAI,CAACZ,UAAU,CAACtsH,GAAG,CAACyW,GAAG,CAACtb,IAAI,CAAC;IACjC;IACA,OAAO,KAAK,CAAC43C,SAAS,CAACt8B,GAAG,EAAE/T,OAAO,CAAC;EACxC;EACA;EACA;EACAyvC,iBAAiBA,CAAC17B,GAAG,EAAE/T,OAAO,EAAE;IAC5B,IAAI,CAACorH,QAAQ,CAACprH,OAAO,EAAE+T,GAAG,EAAEA,GAAG,CAACtb,IAAI,CAAC;IACrC,OAAO,KAAK,CAACg3C,iBAAiB,CAAC17B,GAAG,EAAE/T,OAAO,CAAC;EAChD;EACA6vC,qBAAqBA,CAAC97B,GAAG,EAAE/T,OAAO,EAAE;IAChC,IAAI,CAACorH,QAAQ,CAACprH,OAAO,EAAE+T,GAAG,EAAEA,GAAG,CAACtb,IAAI,CAAC;IACrC,OAAO,KAAK,CAACo3C,qBAAqB,CAAC97B,GAAG,EAAE/T,OAAO,CAAC;EACpD;EACA2vC,kBAAkBA,CAAC57B,GAAG,EAAE/T,OAAO,EAAE;IAC7B,IAAI,CAACorH,QAAQ,CAACprH,OAAO,EAAE+T,GAAG,EAAEA,GAAG,CAACtb,IAAI,CAAC;IACrC,OAAO,KAAK,CAACk3C,kBAAkB,CAAC57B,GAAG,EAAE/T,OAAO,CAAC;EACjD;EACAorH,QAAQA,CAACp2D,KAAK,EAAEjhD,GAAG,EAAEtb,IAAI,EAAE;IACvB;IACA;IACA,IAAI,EAAEsb,GAAG,CAAC/G,QAAQ,YAAY8hC,gBAAgB,CAAC,EAAE;MAC7C;IACJ;IACA;IACA;IACA,IAAI7f,MAAM,GAAG,IAAI,CAAC+lC,KAAK,CAACs1D,MAAM,CAAC7xH,IAAI,CAAC;IACpC,IAAIw2B,MAAM,KAAK,IAAI,EAAE;MACjB,IAAI,CAACm1B,QAAQ,CAACzpD,GAAG,CAACoZ,GAAG,EAAEkb,MAAM,CAAC;IAClC;EACJ;AACJ;AACA;AACA;AACA;AACA;AACA;AACA,MAAM86F,aAAa,CAAC;EAChB/zH,WAAWA,CAACi5B,MAAM,EAAEmrF,UAAU,EAAEmP,eAAe,EAAEnlE,QAAQ,EAAEnxB,UAAU,EAAEo4F,WAAW,EAAE5B,OAAO,EAAEC,YAAY,EAAEL,gBAAgB,EAAEM,SAAS,EAAEC,UAAU,EAAE0B,cAAc,EAAE;IAChK,IAAI,CAACr8F,MAAM,GAAGA,MAAM;IACpB,IAAI,CAACmrF,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACmP,eAAe,GAAGA,eAAe;IACtC,IAAI,CAACnlE,QAAQ,GAAGA,QAAQ;IACxB,IAAI,CAACnxB,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAACo4F,WAAW,GAAGA,WAAW;IAC9B,IAAI,CAAC5B,OAAO,GAAGA,OAAO;IACtB,IAAI,CAACC,YAAY,GAAGA,YAAY;IAChC,IAAI,CAACL,gBAAgB,GAAGA,gBAAgB;IACxC,IAAI,CAACM,SAAS,GAAGA,SAAS;IAC1B,IAAI,CAACC,UAAU,GAAGA,UAAU;IAC5B,IAAI,CAAC0B,cAAc,GAAGA,cAAc;EACxC;EACAC,0BAA0BA,CAAC99G,QAAQ,EAAE;IACjC,OAAO,IAAI,CAAC47G,gBAAgB,CAAC3uH,GAAG,CAAC+S,QAAQ,CAAC,IAAI,IAAIkxB,GAAG,CAAC,CAAC;EAC3D;EACA6sF,mBAAmBA,CAACj/G,IAAI,EAAE;IACtB,OAAO,IAAI,CAAC6tG,UAAU,CAAC1/G,GAAG,CAAC6R,IAAI,CAAC,IAAI,IAAI;EAC5C;EACAk/G,kBAAkBA,CAACv9F,GAAG,EAAE;IACpB,OAAO,IAAI,CAAC+E,UAAU,CAACv4B,GAAG,CAACwzB,GAAG,CAAC,IAAI,IAAI;EAC3C;EACAw9F,oBAAoBA,CAACjzD,OAAO,EAAE;IAC1B,OAAO,IAAI,CAACrU,QAAQ,CAAC1pD,GAAG,CAAC+9D,OAAO,CAAC,IAAI,IAAI;EAC7C;EACAkzD,mBAAmBA,CAACv/G,IAAI,EAAE;IACtB,OAAO,IAAI,CAACi/G,WAAW,CAAC3wH,GAAG,CAAC0R,IAAI,CAAC,IAAI,IAAI;EAC7C;EACAw/G,mBAAmBA,CAACzyB,MAAM,EAAE;IACxB,OAAO,IAAI,CAACswB,OAAO,CAAC/uH,GAAG,CAACy+F,MAAM,CAAC,IAAI,IAAI;EAC3C;EACA0yB,eAAeA,CAACp+G,QAAQ,EAAE;IACtB,OAAO,IAAI,CAACi8G,YAAY,CAAChvH,GAAG,CAAC+S,QAAQ,CAAC,IAAI,CAAC;EAC/C;EACAq+G,iBAAiBA,CAAA,EAAG;IAChB,MAAMnxH,GAAG,GAAG,IAAIgkC,GAAG,CAAC,CAAC;IACrB,IAAI,CAACy7E,UAAU,CAACvhH,OAAO,CAACkzH,IAAI,IAAIA,IAAI,CAAClzH,OAAO,CAACwhH,GAAG,IAAI1/G,GAAG,CAAC2C,GAAG,CAAC+8G,GAAG,CAAC,CAAC,CAAC;IAClE,OAAOr1F,KAAK,CAAC0C,IAAI,CAAC/sB,GAAG,CAACka,MAAM,CAAC,CAAC,CAAC;EACnC;EACAm3G,wBAAwBA,CAAA,EAAG;IACvB,MAAMrxH,GAAG,GAAG,IAAIgkC,GAAG,CAAC,IAAI,CAAC4qF,eAAe,CAAC;IACzC,OAAOvkG,KAAK,CAAC0C,IAAI,CAAC/sB,GAAG,CAACka,MAAM,CAAC,CAAC,CAAC;EACnC;EACAo3G,YAAYA,CAAA,EAAG;IACX,OAAOjnG,KAAK,CAAC0C,IAAI,CAAC,IAAI,CAACiiG,SAAS,CAAC;EACrC;EACAuC,mBAAmBA,CAAA,EAAG;IAClB,OAAOlnG,KAAK,CAAC0C,IAAI,CAAC,IAAI,CAACkiG,UAAU,CAAC;EACtC;EACAuC,cAAcA,CAAA,EAAG;IACb,OAAOnnG,KAAK,CAAC0C,IAAI,CAAC,IAAI,CAAC4jG,cAAc,CAAC;EAC1C;AACJ;AACA,SAAShC,uBAAuBA,CAAC8C,SAAS,EAAE;EACxC,MAAMC,SAAS,GAAG,IAAInzH,GAAG,CAAC,CAAC;EAC3B,SAASozH,oBAAoBA,CAACt3D,KAAK,EAAE;IACjC,IAAIq3D,SAAS,CAAC10G,GAAG,CAACq9C,KAAK,CAACvnD,QAAQ,CAAC,EAAE;MAC/B,OAAO4+G,SAAS,CAAC3xH,GAAG,CAACs6D,KAAK,CAACvnD,QAAQ,CAAC;IACxC;IACA,MAAM8+G,eAAe,GAAGv3D,KAAK,CAACg1D,aAAa;IAC3C,IAAIX,gBAAgB;IACpB,IAAIr0D,KAAK,CAACD,WAAW,KAAK,IAAI,EAAE;MAC5Bs0D,gBAAgB,GAAG,IAAInwH,GAAG,CAAC,CAAC,GAAGozH,oBAAoB,CAACt3D,KAAK,CAACD,WAAW,CAAC,EAAE,GAAGw3D,eAAe,CAAC,CAAC;IAChG,CAAC,MACI;MACDlD,gBAAgB,GAAG,IAAInwH,GAAG,CAACqzH,eAAe,CAAC;IAC/C;IACAF,SAAS,CAAC1xH,GAAG,CAACq6D,KAAK,CAACvnD,QAAQ,EAAE47G,gBAAgB,CAAC;IAC/C,OAAOA,gBAAgB;EAC3B;EACA,MAAMmD,eAAe,GAAG,CAACJ,SAAS,CAAC;EACnC,OAAOI,eAAe,CAAC71H,MAAM,GAAG,CAAC,EAAE;IAC/B,MAAMq+D,KAAK,GAAGw3D,eAAe,CAACviG,GAAG,CAAC,CAAC;IACnC,KAAK,MAAMkhG,UAAU,IAAIn2D,KAAK,CAACi1D,WAAW,CAACp1G,MAAM,CAAC,CAAC,EAAE;MACjD23G,eAAe,CAAC51H,IAAI,CAACu0H,UAAU,CAAC;IACpC;IACAmB,oBAAoB,CAACt3D,KAAK,CAAC;EAC/B;EACA,MAAMq0D,gBAAgB,GAAG,IAAInwH,GAAG,CAAC,CAAC;EAClC,KAAK,MAAM,CAACuU,QAAQ,EAAEg/G,QAAQ,CAAC,IAAIJ,SAAS,EAAE;IAC1ChD,gBAAgB,CAAC1uH,GAAG,CAAC8S,QAAQ,EAAE,IAAIkxB,GAAG,CAAC8tF,QAAQ,CAAC53G,MAAM,CAAC,CAAC,CAAC,CAAC;EAC9D;EACA,OAAOw0G,gBAAgB;AAC3B;AAEA,SAASqD,oBAAoBA,CAAC7+E,QAAQ,EAAE;EACpC;EACA;EACA,MAAMP,MAAM,GAAGh5B,UAAU,CAACqE,WAAW,CAACqJ,gBAAgB,CAAC,CAACrZ,MAAM,CAAC,CAC3DklC,QAAQ,CAACjtC,IAAI,EACbitC,QAAQ,CAAC8+E,UAAU,EACnB9+E,QAAQ,CAAC++E,cAAc,IAAIt3G,OAAO,CAAC,IAAI,CAAC,EACxCu4B,QAAQ,CAACg/E,cAAc,IAAIv3G,OAAO,CAAC,IAAI,CAAC,CAC3C,CAAC;EACF,MAAMk4B,IAAI,GAAGpgC,EAAE,CAAC,EAAE,EAAE,CAACogB,wBAAwB,CAAC8f,MAAM,CAAC,CAAC1hC,MAAM,CAAC,CAAC,CAAC,CAAC;EAChE,OAAO4hC,IAAI,CAAC7kC,MAAM,CAAC,EAAE,CAAC;AAC1B;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMmkH,gCAAgC,GAAG,QAAQ;AACjD,SAASC,2BAA2BA,CAACl/E,QAAQ,EAAE;EAC3C,MAAMvC,aAAa,GAAG,IAAIvL,aAAa,CAAC,CAAC;EACzCuL,aAAa,CAAC3wC,GAAG,CAAC,YAAY,EAAE2a,OAAO,CAACw3G,gCAAgC,CAAC,CAAC;EAC1ExhF,aAAa,CAAC3wC,GAAG,CAAC,SAAS,EAAE2a,OAAO,CAAC,SAAS,CAAC,CAAC;EAChDg2B,aAAa,CAAC3wC,GAAG,CAAC,UAAU,EAAE2Z,UAAU,CAACqE,WAAW,CAAC/b,IAAI,CAAC,CAAC;EAC3D0uC,aAAa,CAAC3wC,GAAG,CAAC,MAAM,EAAEkzC,QAAQ,CAACjtC,IAAI,CAAC;EACxC0qC,aAAa,CAAC3wC,GAAG,CAAC,YAAY,EAAEkzC,QAAQ,CAAC8+E,UAAU,CAAC;EACpDrhF,aAAa,CAAC3wC,GAAG,CAAC,gBAAgB,EAAEkzC,QAAQ,CAAC++E,cAAc,CAAC;EAC5DthF,aAAa,CAAC3wC,GAAG,CAAC,gBAAgB,EAAEkzC,QAAQ,CAACg/E,cAAc,CAAC;EAC5D,OAAOv4G,UAAU,CAACqE,WAAW,CAACoJ,oBAAoB,CAAC,CAACpZ,MAAM,CAAC,CAAC2iC,aAAa,CAACtL,YAAY,CAAC,CAAC,CAAC,CAAC;AAC9F;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASgtF,sBAAsBA,CAACn4G,MAAM,EAAEmzG,MAAM,EAAE;EAC5C,IAAInzG,MAAM,KAAK,IAAI,IAAIA,MAAM,CAACle,MAAM,KAAK,CAAC,EAAE;IACxC,OAAO,IAAI;EACf;EACA,OAAOie,UAAU,CAACC,MAAM,CAAC/Z,GAAG,CAACpC,KAAK,IAAIsvH,MAAM,CAACtvH,KAAK,CAAC,CAAC,CAAC;AACzD;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,SAASu0H,oBAAoBA,CAACC,MAAM,EAAElF,MAAM,EAAE;EAC1C,MAAMj2G,OAAO,GAAGlV,MAAM,CAAC2D,IAAI,CAAC0sH,MAAM,CAAC,CAACpyH,GAAG,CAAC2N,GAAG,IAAI;IAC3C,MAAM/P,KAAK,GAAGw0H,MAAM,CAACzkH,GAAG,CAAC;IACzB,OAAO;MAAEA,GAAG;MAAE/P,KAAK,EAAEsvH,MAAM,CAACtvH,KAAK,CAAC;MAAEyZ,MAAM,EAAE;IAAK,CAAC;EACtD,CAAC,CAAC;EACF,IAAIJ,OAAO,CAACpb,MAAM,GAAG,CAAC,EAAE;IACpB,OAAOme,UAAU,CAAC/C,OAAO,CAAC;EAC9B,CAAC,MACI;IACD,OAAO,IAAI;EACf;AACJ;AACA,SAASo7G,mBAAmBA,CAACp+F,IAAI,EAAE;EAC/B,IAAIA,IAAI,KAAK,SAAS,EAAE;IACpB;IACA;IACA,OAAOzZ,OAAO,CAAC,SAAS,CAAC;EAC7B,CAAC,MACI,IAAIyZ,IAAI,KAAK,IAAI,EAAE;IACpB,OAAOzZ,OAAO,CAAC,IAAI,CAAC;EACxB,CAAC,MACI;IACD,OAAOV,UAAU,CAACma,IAAI,CAACj0B,GAAG,CAACsyH,iBAAiB,CAAC,CAAC;EAClD;AACJ;AACA,SAASA,iBAAiBA,CAAC/8F,GAAG,EAAE;EAC5B,MAAMg9F,OAAO,GAAG,IAAIttF,aAAa,CAAC,CAAC;EACnCstF,OAAO,CAAC1yH,GAAG,CAAC,OAAO,EAAE01B,GAAG,CAACtL,KAAK,CAAC;EAC/B,IAAIsL,GAAG,CAACE,iBAAiB,KAAK,IAAI,EAAE;IAChC88F,OAAO,CAAC1yH,GAAG,CAAC,WAAW,EAAE2a,OAAO,CAAC,IAAI,CAAC,CAAC;EAC3C;EACA,IAAI+a,GAAG,CAACM,IAAI,EAAE;IACV08F,OAAO,CAAC1yH,GAAG,CAAC,MAAM,EAAE2a,OAAO,CAAC,IAAI,CAAC,CAAC;EACtC;EACA,IAAI+a,GAAG,CAACO,QAAQ,EAAE;IACdy8F,OAAO,CAAC1yH,GAAG,CAAC,UAAU,EAAE2a,OAAO,CAAC,IAAI,CAAC,CAAC;EAC1C;EACA,IAAI+a,GAAG,CAACI,IAAI,EAAE;IACV48F,OAAO,CAAC1yH,GAAG,CAAC,MAAM,EAAE2a,OAAO,CAAC,IAAI,CAAC,CAAC;EACtC;EACA,IAAI+a,GAAG,CAACK,QAAQ,EAAE;IACd28F,OAAO,CAAC1yH,GAAG,CAAC,UAAU,EAAE2a,OAAO,CAAC,IAAI,CAAC,CAAC;EAC1C;EACA,OAAO+3G,OAAO,CAACrtF,YAAY,CAAC,CAAC;AACjC;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMstF,gCAAgC,GAAG,QAAQ;AACjD;AACA;AACA;AACA,SAASC,mCAAmCA,CAAC9+F,IAAI,EAAE;EAC/C,MAAM6c,aAAa,GAAGkiF,4BAA4B,CAAC/+F,IAAI,CAAC;EACxD,MAAM9tB,UAAU,GAAG2T,UAAU,CAACqE,WAAW,CAACqI,gBAAgB,CAAC,CAACrY,MAAM,CAAC,CAAC2iC,aAAa,CAACtL,YAAY,CAAC,CAAC,CAAC,CAAC;EAClG,MAAMp/B,IAAI,GAAG4vG,mBAAmB,CAAC/hF,IAAI,CAAC;EACtC,OAAO;IAAE9tB,UAAU;IAAEC,IAAI;IAAEuQ,UAAU,EAAE;EAAG,CAAC;AAC/C;AACA;AACA;AACA;AACA;AACA,SAASq8G,4BAA4BA,CAAC/+F,IAAI,EAAE;EACxC,MAAM6c,aAAa,GAAG,IAAIvL,aAAa,CAAC,CAAC;EACzC,MAAM0tF,qBAAqB,GAAG5wH,MAAM,CAACgY,MAAM,CAAC4Z,IAAI,CAACsE,MAAM,CAAC,CAACsJ,IAAI,CAAC5Y,KAAK,IAAIA,KAAK,CAAC+b,iBAAiB,KAAK,IAAI,CAAC;EACxG;EACA;EACA;EACA,MAAMkuF,UAAU,GAAGD,qBAAqB,GAAGH,gCAAgC,GAAG,QAAQ;EACtFhiF,aAAa,CAAC3wC,GAAG,CAAC,YAAY,EAAE2a,OAAO,CAACo4G,UAAU,CAAC,CAAC;EACpDpiF,aAAa,CAAC3wC,GAAG,CAAC,SAAS,EAAE2a,OAAO,CAAC,SAAS,CAAC,CAAC;EAChD;EACAg2B,aAAa,CAAC3wC,GAAG,CAAC,MAAM,EAAE8zB,IAAI,CAAC7tB,IAAI,CAAClI,KAAK,CAAC;EAC1C,IAAI+1B,IAAI,CAACuf,YAAY,EAAE;IACnB1C,aAAa,CAAC3wC,GAAG,CAAC,cAAc,EAAE2a,OAAO,CAACmZ,IAAI,CAACuf,YAAY,CAAC,CAAC;EACjE;EACA,IAAIvf,IAAI,CAACmhF,QAAQ,EAAE;IACftkE,aAAa,CAAC3wC,GAAG,CAAC,UAAU,EAAE2a,OAAO,CAACmZ,IAAI,CAACmhF,QAAQ,CAAC,CAAC;EACzD;EACA;EACA,IAAInhF,IAAI,CAACn4B,QAAQ,KAAK,IAAI,EAAE;IACxBg1C,aAAa,CAAC3wC,GAAG,CAAC,UAAU,EAAE2a,OAAO,CAACmZ,IAAI,CAACn4B,QAAQ,CAAC,CAAC;EACzD;EACAg1C,aAAa,CAAC3wC,GAAG,CAAC,QAAQ,EAAEqkC,0CAA0C,CAACvQ,IAAI,CAACsE,MAAM,EAAE,IAAI,CAAC,CAAC;EAC1FuY,aAAa,CAAC3wC,GAAG,CAAC,SAAS,EAAEqkC,0CAA0C,CAACvQ,IAAI,CAACuE,OAAO,CAAC,CAAC;EACtFsY,aAAa,CAAC3wC,GAAG,CAAC,MAAM,EAAEgzH,mBAAmB,CAACl/F,IAAI,CAACkC,IAAI,CAAC,CAAC;EACzD2a,aAAa,CAAC3wC,GAAG,CAAC,WAAW,EAAE8zB,IAAI,CAAC8c,SAAS,CAAC;EAC9C,IAAI9c,IAAI,CAAC4gF,OAAO,CAAC14G,MAAM,GAAG,CAAC,EAAE;IACzB20C,aAAa,CAAC3wC,GAAG,CAAC,SAAS,EAAEia,UAAU,CAAC6Z,IAAI,CAAC4gF,OAAO,CAACv0G,GAAG,CAAC8yH,YAAY,CAAC,CAAC,CAAC;EAC5E;EACA,IAAIn/F,IAAI,CAAC8gF,WAAW,CAAC54G,MAAM,GAAG,CAAC,EAAE;IAC7B20C,aAAa,CAAC3wC,GAAG,CAAC,aAAa,EAAEia,UAAU,CAAC6Z,IAAI,CAAC8gF,WAAW,CAACz0G,GAAG,CAAC8yH,YAAY,CAAC,CAAC,CAAC;EACpF;EACA,IAAIn/F,IAAI,CAACkhF,QAAQ,KAAK,IAAI,EAAE;IACxBrkE,aAAa,CAAC3wC,GAAG,CAAC,UAAU,EAAEokC,SAAS,CAACtQ,IAAI,CAACkhF,QAAQ,CAAC,CAAC;EAC3D;EACA,IAAIlhF,IAAI,CAACwhF,eAAe,EAAE;IACtB3kE,aAAa,CAAC3wC,GAAG,CAAC,iBAAiB,EAAE2a,OAAO,CAAC,IAAI,CAAC,CAAC;EACvD;EACA,IAAImZ,IAAI,CAAC0hF,SAAS,CAACC,aAAa,EAAE;IAC9B9kE,aAAa,CAAC3wC,GAAG,CAAC,eAAe,EAAE2a,OAAO,CAAC,IAAI,CAAC,CAAC;EACrD;EACA,IAAImZ,IAAI,CAAC4hF,cAAc,EAAE15G,MAAM,EAAE;IAC7B20C,aAAa,CAAC3wC,GAAG,CAAC,gBAAgB,EAAEkzH,oBAAoB,CAACp/F,IAAI,CAAC4hF,cAAc,CAAC,CAAC;EAClF;EACA/kE,aAAa,CAAC3wC,GAAG,CAAC,UAAU,EAAE2Z,UAAU,CAACqE,WAAW,CAAC/b,IAAI,CAAC,CAAC;EAC3D,OAAO0uC,aAAa;AACxB;AACA;AACA;AACA;AACA;AACA,SAASsiF,YAAYA,CAAChuF,KAAK,EAAE;EACzB,MAAMnR,IAAI,GAAG,IAAIsR,aAAa,CAAC,CAAC;EAChCtR,IAAI,CAAC9zB,GAAG,CAAC,cAAc,EAAE2a,OAAO,CAACsqB,KAAK,CAAC82C,YAAY,CAAC,CAAC;EACrD,IAAI92C,KAAK,CAACktB,KAAK,EAAE;IACbr+B,IAAI,CAAC9zB,GAAG,CAAC,OAAO,EAAE2a,OAAO,CAAC,IAAI,CAAC,CAAC;EACpC;EACAmZ,IAAI,CAAC9zB,GAAG,CAAC,WAAW,EAAEqqB,KAAK,CAACC,OAAO,CAAC2a,KAAK,CAACE,SAAS,CAAC,GAAGf,SAAS,CAACa,KAAK,CAACE,SAAS,CAAC,GAC7E1R,oCAAoC,CAACwR,KAAK,CAACE,SAAS,CAAC,CAAC;EAC1D,IAAI,CAACF,KAAK,CAACyyE,uBAAuB,EAAE;IAChC;IACA;IACA5jF,IAAI,CAAC9zB,GAAG,CAAC,yBAAyB,EAAE2a,OAAO,CAAC,KAAK,CAAC,CAAC;EACvD,CAAC,MACI;IACD;EAAA;EAEJ,IAAIsqB,KAAK,CAACuyE,WAAW,EAAE;IACnB1jF,IAAI,CAAC9zB,GAAG,CAAC,aAAa,EAAE2a,OAAO,CAAC,IAAI,CAAC,CAAC;EAC1C;EACAmZ,IAAI,CAAC9zB,GAAG,CAAC,MAAM,EAAEilC,KAAK,CAACs0B,IAAI,CAAC;EAC5B,IAAIt0B,KAAK,CAACwyE,MAAM,EAAE;IACd3jF,IAAI,CAAC9zB,GAAG,CAAC,QAAQ,EAAE2a,OAAO,CAAC,IAAI,CAAC,CAAC;EACrC;EACA,OAAOmZ,IAAI,CAACuR,YAAY,CAAC,CAAC;AAC9B;AACA;AACA;AACA;AACA;AACA,SAAS2tF,mBAAmBA,CAACl/F,IAAI,EAAE;EAC/B,MAAMq/F,YAAY,GAAG,IAAI/tF,aAAa,CAAC,CAAC;EACxC+tF,YAAY,CAACnzH,GAAG,CAAC,YAAY,EAAEsyH,oBAAoB,CAACx+F,IAAI,CAACqE,UAAU,EAAEnyB,UAAU,IAAIA,UAAU,CAAC,CAAC;EAC/FmtH,YAAY,CAACnzH,GAAG,CAAC,WAAW,EAAEsyH,oBAAoB,CAACx+F,IAAI,CAAC8kF,SAAS,EAAEj+F,OAAO,CAAC,CAAC;EAC5Ew4G,YAAY,CAACnzH,GAAG,CAAC,YAAY,EAAEsyH,oBAAoB,CAACx+F,IAAI,CAACuzC,UAAU,EAAE1sD,OAAO,CAAC,CAAC;EAC9E,IAAImZ,IAAI,CAACmlF,iBAAiB,CAACF,SAAS,EAAE;IAClCoa,YAAY,CAACnzH,GAAG,CAAC,gBAAgB,EAAE2a,OAAO,CAACmZ,IAAI,CAACmlF,iBAAiB,CAACF,SAAS,CAAC,CAAC;EACjF;EACA,IAAIjlF,IAAI,CAACmlF,iBAAiB,CAACD,SAAS,EAAE;IAClCma,YAAY,CAACnzH,GAAG,CAAC,gBAAgB,EAAE2a,OAAO,CAACmZ,IAAI,CAACmlF,iBAAiB,CAACD,SAAS,CAAC,CAAC;EACjF;EACA,IAAIma,YAAY,CAACj5G,MAAM,CAACle,MAAM,GAAG,CAAC,EAAE;IAChC,OAAOm3H,YAAY,CAAC9tF,YAAY,CAAC,CAAC;EACtC,CAAC,MACI;IACD,OAAO,IAAI;EACf;AACJ;AACA,SAAS6tF,oBAAoBA,CAACxd,cAAc,EAAE;EAC1C,MAAM1iG,WAAW,GAAG0iG,cAAc,CAACv1G,GAAG,CAAC/D,OAAO,IAAI;IAC9C,MAAMyJ,IAAI,GAAG,CAAC;MACNiI,GAAG,EAAE,WAAW;MAChB/P,KAAK,EAAE3B,OAAO,CAAC++G,kBAAkB,GAAGznF,kBAAkB,CAACt3B,OAAO,CAAC0+G,SAAS,CAAC70G,IAAI,CAAC,GAC1E7J,OAAO,CAAC0+G,SAAS,CAAC70G,IAAI;MAC1BuR,MAAM,EAAE;IACZ,CAAC,CAAC;IACN,MAAMwjG,aAAa,GAAG5+G,OAAO,CAACg8B,MAAM,GAAG6iF,gCAAgC,CAAC7+G,OAAO,CAACg8B,MAAM,CAAC,GAAG,IAAI;IAC9F,MAAM8iF,cAAc,GAAG9+G,OAAO,CAACi8B,OAAO,GAAG4iF,gCAAgC,CAAC7+G,OAAO,CAACi8B,OAAO,CAAC,GAAG,IAAI;IACjG,IAAI2iF,aAAa,EAAE;MACfn1G,IAAI,CAAC5J,IAAI,CAAC;QAAE6R,GAAG,EAAE,QAAQ;QAAE/P,KAAK,EAAEi9G,aAAa;QAAExjG,MAAM,EAAE;MAAM,CAAC,CAAC;IACrE;IACA,IAAI0jG,cAAc,EAAE;MAChBr1G,IAAI,CAAC5J,IAAI,CAAC;QAAE6R,GAAG,EAAE,SAAS;QAAE/P,KAAK,EAAEm9G,cAAc;QAAE1jG,MAAM,EAAE;MAAM,CAAC,CAAC;IACvE;IACA,OAAO2C,UAAU,CAACtU,IAAI,CAAC;EAC3B,CAAC,CAAC;EACF;EACA;EACA,OAAOoU,UAAU,CAACjH,WAAW,CAAC;AAClC;;AAEA;AACA;AACA;AACA,SAASogH,mCAAmCA,CAACt/F,IAAI,EAAEhhB,QAAQ,EAAEugH,sBAAsB,EAAE;EACjF,MAAM1iF,aAAa,GAAG2iF,4BAA4B,CAACx/F,IAAI,EAAEhhB,QAAQ,EAAEugH,sBAAsB,CAAC;EAC1F,MAAMrtH,UAAU,GAAG2T,UAAU,CAACqE,WAAW,CAAC8H,gBAAgB,CAAC,CAAC9X,MAAM,CAAC,CAAC2iC,aAAa,CAACtL,YAAY,CAAC,CAAC,CAAC,CAAC;EAClG,MAAMp/B,IAAI,GAAGgxG,mBAAmB,CAACnjF,IAAI,CAAC;EACtC,OAAO;IAAE9tB,UAAU;IAAEC,IAAI;IAAEuQ,UAAU,EAAE;EAAG,CAAC;AAC/C;AACA;AACA;AACA;AACA,SAAS88G,4BAA4BA,CAACx/F,IAAI,EAAEhhB,QAAQ,EAAEygH,YAAY,EAAE;EAChE,MAAM5iF,aAAa,GAAGkiF,4BAA4B,CAAC/+F,IAAI,CAAC;EACxD6c,aAAa,CAAC3wC,GAAG,CAAC,UAAU,EAAEwzH,qBAAqB,CAAC1gH,QAAQ,EAAEygH,YAAY,CAAC,CAAC;EAC5E,IAAIA,YAAY,CAACE,QAAQ,EAAE;IACvB9iF,aAAa,CAAC3wC,GAAG,CAAC,UAAU,EAAE2a,OAAO,CAAC,IAAI,CAAC,CAAC;EAChD;EACAg2B,aAAa,CAAC3wC,GAAG,CAAC,QAAQ,EAAEqyH,sBAAsB,CAACv+F,IAAI,CAACy1B,MAAM,EAAE5uC,OAAO,CAAC,CAAC;EACzEg2B,aAAa,CAAC3wC,GAAG,CAAC,cAAc,EAAE0zH,+BAA+B,CAAC5/F,IAAI,CAAC,CAAC;EACxE6c,aAAa,CAAC3wC,GAAG,CAAC,eAAe,EAAE8zB,IAAI,CAACshF,aAAa,CAAC;EACtDzkE,aAAa,CAAC3wC,GAAG,CAAC,YAAY,EAAE8zB,IAAI,CAACijF,UAAU,CAAC;EAChD,IAAIjjF,IAAI,CAACoiF,eAAe,KAAKvsF,SAAS,EAAE;IACpCgnB,aAAa,CAAC3wC,GAAG,CAAC,iBAAiB,EAAE2Z,UAAU,CAACqE,WAAW,CAAC9c,uBAAuB,CAAC,CAC/E0M,IAAI,CAAC1M,uBAAuB,CAAC4yB,IAAI,CAACoiF,eAAe,CAAC,CAAC,CAAC;EAC7D;EACA,IAAIpiF,IAAI,CAAC2iF,aAAa,KAAKx1G,iBAAiB,CAACy1G,QAAQ,EAAE;IACnD/lE,aAAa,CAAC3wC,GAAG,CAAC,eAAe,EAAE2Z,UAAU,CAACqE,WAAW,CAAC/c,iBAAiB,CAAC,CAAC2M,IAAI,CAAC3M,iBAAiB,CAAC6yB,IAAI,CAAC2iF,aAAa,CAAC,CAAC,CAAC;EAC7H;EACA,IAAI3iF,IAAI,CAAC6R,aAAa,KAAK+B,4BAA4B,EAAE;IACrDiJ,aAAa,CAAC3wC,GAAG,CAAC,eAAe,EAAEia,UAAU,CAAC,CAACU,OAAO,CAACmZ,IAAI,CAAC6R,aAAa,CAACpV,KAAK,CAAC,EAAE5V,OAAO,CAACmZ,IAAI,CAAC6R,aAAa,CAACn8B,GAAG,CAAC,CAAC,CAAC,CAAC;EACxH;EACA,IAAIsJ,QAAQ,CAACygG,mBAAmB,KAAK,IAAI,EAAE;IACvC5iE,aAAa,CAAC3wC,GAAG,CAAC,qBAAqB,EAAE2a,OAAO,CAAC,IAAI,CAAC,CAAC;EAC3D;EACA,OAAOg2B,aAAa;AACxB;AACA,SAAS6iF,qBAAqBA,CAAC1gH,QAAQ,EAAEygH,YAAY,EAAE;EACnD;EACA;EACA;EACA;EACA,IAAIA,YAAY,CAACI,+BAA+B,KAAK,IAAI,EAAE;IACvD,OAAOJ,YAAY,CAACI,+BAA+B;EACvD;EACA;EACA;EACA;EACA;EACA,IAAIJ,YAAY,CAACE,QAAQ,EAAE;IACvB,OAAO94G,OAAO,CAAC44G,YAAY,CAACnnG,OAAO,EAAE,IAAI,EAAE,IAAI,CAAC;EACpD;EACA;EACA;EACA,MAAM0tE,QAAQ,GAAGy5B,YAAY,CAACnnG,OAAO;EACrC,MAAMN,IAAI,GAAG,IAAImhB,eAAe,CAAC6sD,QAAQ,EAAEy5B,YAAY,CAAC/mG,SAAS,CAAC;EAClE,MAAM+D,KAAK,GAAG,IAAIyb,aAAa,CAAClgB,IAAI,EAAE,CAAC,EAAE,CAAC,EAAE,CAAC,CAAC;EAC9C,MAAMtiB,GAAG,GAAGoqH,kBAAkB,CAAC9nG,IAAI,EAAEguE,QAAQ,CAAC;EAC9C,MAAMzpE,IAAI,GAAG,IAAI6c,eAAe,CAAC3c,KAAK,EAAE/mB,GAAG,CAAC;EAC5C,OAAOmR,OAAO,CAACm/E,QAAQ,EAAE,IAAI,EAAEzpE,IAAI,CAAC;AACxC;AACA,SAASujG,kBAAkBA,CAAC9nG,IAAI,EAAEguE,QAAQ,EAAE;EACxC,MAAM99F,MAAM,GAAG89F,QAAQ,CAAC99F,MAAM;EAC9B,IAAI63H,SAAS,GAAG,CAAC;EACjB,IAAIC,aAAa,GAAG,CAAC;EACrB,IAAI7jG,IAAI,GAAG,CAAC;EACZ,GAAG;IACC4jG,SAAS,GAAG/5B,QAAQ,CAACvwE,OAAO,CAAC,IAAI,EAAEuqG,aAAa,CAAC;IACjD,IAAID,SAAS,KAAK,CAAC,CAAC,EAAE;MAClBC,aAAa,GAAGD,SAAS,GAAG,CAAC;MAC7B5jG,IAAI,EAAE;IACV;EACJ,CAAC,QAAQ4jG,SAAS,KAAK,CAAC,CAAC;EACzB,OAAO,IAAI7nF,aAAa,CAAClgB,IAAI,EAAE9vB,MAAM,EAAEi0B,IAAI,EAAEj0B,MAAM,GAAG83H,aAAa,CAAC;AACxE;AACA,SAASJ,+BAA+BA,CAAC5/F,IAAI,EAAE;EAC3C,MAAMigG,QAAQ,GAAGjgG,IAAI,CAAC0iF,uBAAuB,KAAK,CAAC,CAAC,uCAChD9iF,kBAAkB,GACjBjiB,IAAI,IAAKA,IAAI;EAClB,OAAO4gH,sBAAsB,CAACv+F,IAAI,CAAC2d,YAAY,EAAE7T,IAAI,IAAI;IACrD,QAAQA,IAAI,CAAC+P,IAAI;MACb,KAAK4F,wBAAwB,CAAC5c,SAAS;QACnC,MAAMq9F,OAAO,GAAG,IAAI5uF,aAAa,CAAC,CAAC;QACnC4uF,OAAO,CAACh0H,GAAG,CAAC,MAAM,EAAE2a,OAAO,CAACijB,IAAI,CAACgiF,WAAW,GAAG,WAAW,GAAG,WAAW,CAAC,CAAC;QAC1EoU,OAAO,CAACh0H,GAAG,CAAC,MAAM,EAAE+zH,QAAQ,CAACn2F,IAAI,CAAC33B,IAAI,CAAC,CAAC;QACxC+tH,OAAO,CAACh0H,GAAG,CAAC,UAAU,EAAE2a,OAAO,CAACijB,IAAI,CAACjiC,QAAQ,CAAC,CAAC;QAC/Cq4H,OAAO,CAACh0H,GAAG,CAAC,QAAQ,EAAEqyH,sBAAsB,CAACz0F,IAAI,CAACxF,MAAM,EAAEzd,OAAO,CAAC,CAAC;QACnEq5G,OAAO,CAACh0H,GAAG,CAAC,SAAS,EAAEqyH,sBAAsB,CAACz0F,IAAI,CAACvF,OAAO,EAAE1d,OAAO,CAAC,CAAC;QACrEq5G,OAAO,CAACh0H,GAAG,CAAC,UAAU,EAAEqyH,sBAAsB,CAACz0F,IAAI,CAACo3E,QAAQ,EAAEr6F,OAAO,CAAC,CAAC;QACvE,OAAOq5G,OAAO,CAAC3uF,YAAY,CAAC,CAAC;MACjC,KAAKkO,wBAAwB,CAACrd,IAAI;QAC9B,MAAM+9F,QAAQ,GAAG,IAAI7uF,aAAa,CAAC,CAAC;QACpC6uF,QAAQ,CAACj0H,GAAG,CAAC,MAAM,EAAE2a,OAAO,CAAC,MAAM,CAAC,CAAC;QACrCs5G,QAAQ,CAACj0H,GAAG,CAAC,MAAM,EAAE+zH,QAAQ,CAACn2F,IAAI,CAAC33B,IAAI,CAAC,CAAC;QACzCguH,QAAQ,CAACj0H,GAAG,CAAC,MAAM,EAAE2a,OAAO,CAACijB,IAAI,CAAC9/B,IAAI,CAAC,CAAC;QACxC,OAAOm2H,QAAQ,CAAC5uF,YAAY,CAAC,CAAC;MAClC,KAAKkO,wBAAwB,CAAC3c,QAAQ;QAClC,MAAMs9F,YAAY,GAAG,IAAI9uF,aAAa,CAAC,CAAC;QACxC8uF,YAAY,CAACl0H,GAAG,CAAC,MAAM,EAAE2a,OAAO,CAAC,UAAU,CAAC,CAAC;QAC7Cu5G,YAAY,CAACl0H,GAAG,CAAC,MAAM,EAAE+zH,QAAQ,CAACn2F,IAAI,CAAC33B,IAAI,CAAC,CAAC;QAC7C,OAAOiuH,YAAY,CAAC7uF,YAAY,CAAC,CAAC;IAC1C;EACJ,CAAC,CAAC;AACN;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAM8uF,gCAAgC,GAAG,QAAQ;AACjD,SAASC,6BAA6BA,CAACtgG,IAAI,EAAE;EACzC,MAAM6c,aAAa,GAAG,IAAIvL,aAAa,CAAC,CAAC;EACzCuL,aAAa,CAAC3wC,GAAG,CAAC,YAAY,EAAE2a,OAAO,CAACw5G,gCAAgC,CAAC,CAAC;EAC1ExjF,aAAa,CAAC3wC,GAAG,CAAC,SAAS,EAAE2a,OAAO,CAAC,SAAS,CAAC,CAAC;EAChDg2B,aAAa,CAAC3wC,GAAG,CAAC,UAAU,EAAE2Z,UAAU,CAACqE,WAAW,CAAC/b,IAAI,CAAC,CAAC;EAC3D0uC,aAAa,CAAC3wC,GAAG,CAAC,MAAM,EAAE8zB,IAAI,CAAC7tB,IAAI,CAAClI,KAAK,CAAC;EAC1C4yC,aAAa,CAAC3wC,GAAG,CAAC,MAAM,EAAEwyH,mBAAmB,CAAC1+F,IAAI,CAACM,IAAI,CAAC,CAAC;EACzDuc,aAAa,CAAC3wC,GAAG,CAAC,QAAQ,EAAE2Z,UAAU,CAACqE,WAAW,CAACmI,aAAa,CAAC,CAACvY,IAAI,CAACgmB,eAAe,CAACE,IAAI,CAACQ,MAAM,CAAC,CAAC,CAAC;EACrG,OAAO;IACHtuB,UAAU,EAAE2T,UAAU,CAACqE,WAAW,CAACkI,cAAc,CAAC,CAAClY,MAAM,CAAC,CAAC2iC,aAAa,CAACtL,YAAY,CAAC,CAAC,CAAC,CAAC;IACzF7uB,UAAU,EAAE,EAAE;IACdvQ,IAAI,EAAEqvB,iBAAiB,CAACxB,IAAI;EAChC,CAAC;AACL;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMugG,gCAAgC,GAAG,QAAQ;AACjD;AACA;AACA;AACA,SAASC,oCAAoCA,CAACxgG,IAAI,EAAE;EAChD,MAAM6c,aAAa,GAAG4jF,6BAA6B,CAACzgG,IAAI,CAAC;EACzD,MAAM9tB,UAAU,GAAG2T,UAAU,CAACqE,WAAW,CAACwH,iBAAiB,CAAC,CAACxX,MAAM,CAAC,CAAC2iC,aAAa,CAACtL,YAAY,CAAC,CAAC,CAAC,CAAC;EACnG,MAAMp/B,IAAI,GAAG6gC,oBAAoB,CAAChT,IAAI,CAAC;EACvC,OAAO;IAAE9tB,UAAU;IAAEC,IAAI;IAAEuQ,UAAU,EAAE;EAAG,CAAC;AAC/C;AACA;AACA;AACA;AACA,SAAS+9G,6BAA6BA,CAACzgG,IAAI,EAAE;EACzC,MAAM6c,aAAa,GAAG,IAAIvL,aAAa,CAAC,CAAC;EACzCuL,aAAa,CAAC3wC,GAAG,CAAC,YAAY,EAAE2a,OAAO,CAAC05G,gCAAgC,CAAC,CAAC;EAC1E1jF,aAAa,CAAC3wC,GAAG,CAAC,SAAS,EAAE2a,OAAO,CAAC,SAAS,CAAC,CAAC;EAChDg2B,aAAa,CAAC3wC,GAAG,CAAC,UAAU,EAAE2Z,UAAU,CAACqE,WAAW,CAAC/b,IAAI,CAAC,CAAC;EAC3D0uC,aAAa,CAAC3wC,GAAG,CAAC,MAAM,EAAE8zB,IAAI,CAAC7tB,IAAI,CAAClI,KAAK,CAAC;EAC1C;EACA,IAAI+1B,IAAI,CAAC+S,UAAU,KAAKld,SAAS,EAAE;IAC/B,MAAMkd,UAAU,GAAGpT,oCAAoC,CAACK,IAAI,CAAC+S,UAAU,CAAC;IACxE,IAAIA,UAAU,CAAC9oC,KAAK,KAAK,IAAI,EAAE;MAC3B4yC,aAAa,CAAC3wC,GAAG,CAAC,YAAY,EAAE6mC,UAAU,CAAC;IAC/C;EACJ;EACA,IAAI/S,IAAI,CAACwS,QAAQ,KAAK3c,SAAS,EAAE;IAC7BgnB,aAAa,CAAC3wC,GAAG,CAAC,UAAU,EAAEyzB,oCAAoC,CAACK,IAAI,CAACwS,QAAQ,CAAC,CAAC;EACtF;EACA,IAAIxS,IAAI,CAAC6S,WAAW,KAAKhd,SAAS,EAAE;IAChCgnB,aAAa,CAAC3wC,GAAG,CAAC,aAAa,EAAEyzB,oCAAoC,CAACK,IAAI,CAAC6S,WAAW,CAAC,CAAC;EAC5F;EACA,IAAI7S,IAAI,CAAC4S,QAAQ,KAAK/c,SAAS,EAAE;IAC7BgnB,aAAa,CAAC3wC,GAAG,CAAC,UAAU,EAAEyzB,oCAAoC,CAACK,IAAI,CAAC4S,QAAQ,CAAC,CAAC;EACtF;EACA;EACA;EACA;EACA,IAAI5S,IAAI,CAAC2S,UAAU,KAAK9c,SAAS,EAAE;IAC/BgnB,aAAa,CAAC3wC,GAAG,CAAC,YAAY,EAAE8zB,IAAI,CAAC2S,UAAU,CAAC;EACpD;EACA,IAAI3S,IAAI,CAACM,IAAI,KAAKzK,SAAS,EAAE;IACzBgnB,aAAa,CAAC3wC,GAAG,CAAC,MAAM,EAAEia,UAAU,CAAC6Z,IAAI,CAACM,IAAI,CAACj0B,GAAG,CAACsyH,iBAAiB,CAAC,CAAC,CAAC;EAC3E;EACA,OAAO9hF,aAAa;AACxB;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAM6jF,gCAAgC,GAAG,QAAQ;AACjD,SAASC,kCAAkCA,CAAC3gG,IAAI,EAAE;EAC9C,MAAM6c,aAAa,GAAG+jF,2BAA2B,CAAC5gG,IAAI,CAAC;EACvD,MAAM9tB,UAAU,GAAG2T,UAAU,CAACqE,WAAW,CAAC0I,eAAe,CAAC,CAAC1Y,MAAM,CAAC,CAAC2iC,aAAa,CAACtL,YAAY,CAAC,CAAC,CAAC,CAAC;EACjG,MAAMp/B,IAAI,GAAG6qC,kBAAkB,CAAChd,IAAI,CAAC;EACrC,OAAO;IAAE9tB,UAAU;IAAEC,IAAI;IAAEuQ,UAAU,EAAE;EAAG,CAAC;AAC/C;AACA;AACA;AACA;AACA,SAASk+G,2BAA2BA,CAAC5gG,IAAI,EAAE;EACvC,MAAM6c,aAAa,GAAG,IAAIvL,aAAa,CAAC,CAAC;EACzCuL,aAAa,CAAC3wC,GAAG,CAAC,YAAY,EAAE2a,OAAO,CAAC65G,gCAAgC,CAAC,CAAC;EAC1E7jF,aAAa,CAAC3wC,GAAG,CAAC,SAAS,EAAE2a,OAAO,CAAC,SAAS,CAAC,CAAC;EAChDg2B,aAAa,CAAC3wC,GAAG,CAAC,UAAU,EAAE2Z,UAAU,CAACqE,WAAW,CAAC/b,IAAI,CAAC,CAAC;EAC3D0uC,aAAa,CAAC3wC,GAAG,CAAC,MAAM,EAAE8zB,IAAI,CAAC7tB,IAAI,CAAClI,KAAK,CAAC;EAC1C4yC,aAAa,CAAC3wC,GAAG,CAAC,WAAW,EAAE8zB,IAAI,CAAC8c,SAAS,CAAC;EAC9C,IAAI9c,IAAI,CAAC+c,OAAO,CAAC70C,MAAM,GAAG,CAAC,EAAE;IACzB20C,aAAa,CAAC3wC,GAAG,CAAC,SAAS,EAAEia,UAAU,CAAC6Z,IAAI,CAAC+c,OAAO,CAAC,CAAC;EAC1D;EACA,OAAOF,aAAa;AACxB;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMgkF,gCAAgC,GAAG,QAAQ;AACjD,SAASC,kCAAkCA,CAAC9gG,IAAI,EAAE;EAC9C,MAAM6c,aAAa,GAAGkkF,2BAA2B,CAAC/gG,IAAI,CAAC;EACvD,MAAM9tB,UAAU,GAAG2T,UAAU,CAACqE,WAAW,CAAC8I,eAAe,CAAC,CAAC9Y,MAAM,CAAC,CAAC2iC,aAAa,CAACtL,YAAY,CAAC,CAAC,CAAC,CAAC;EACjG,MAAMp/B,IAAI,GAAG8rC,kBAAkB,CAACje,IAAI,CAAC;EACrC,OAAO;IAAE9tB,UAAU;IAAEC,IAAI;IAAEuQ,UAAU,EAAE;EAAG,CAAC;AAC/C;AACA;AACA;AACA;AACA,SAASq+G,2BAA2BA,CAAC/gG,IAAI,EAAE;EACvC,MAAM6c,aAAa,GAAG,IAAIvL,aAAa,CAAC,CAAC;EACzC,IAAItR,IAAI,CAAC6Z,IAAI,KAAKsD,sBAAsB,CAACgB,KAAK,EAAE;IAC5C,MAAM,IAAIz1C,KAAK,CAAC,uFAAuF,CAAC;EAC5G;EACAm0C,aAAa,CAAC3wC,GAAG,CAAC,YAAY,EAAE2a,OAAO,CAACg6G,gCAAgC,CAAC,CAAC;EAC1EhkF,aAAa,CAAC3wC,GAAG,CAAC,SAAS,EAAE2a,OAAO,CAAC,SAAS,CAAC,CAAC;EAChDg2B,aAAa,CAAC3wC,GAAG,CAAC,UAAU,EAAE2Z,UAAU,CAACqE,WAAW,CAAC/b,IAAI,CAAC,CAAC;EAC3D0uC,aAAa,CAAC3wC,GAAG,CAAC,MAAM,EAAE8zB,IAAI,CAAC7tB,IAAI,CAAClI,KAAK,CAAC;EAC1C;EACA;EACA;EACA;EACA,IAAI+1B,IAAI,CAACsd,SAAS,CAACp1C,MAAM,GAAG,CAAC,EAAE;IAC3B20C,aAAa,CAAC3wC,GAAG,CAAC,WAAW,EAAEozB,WAAW,CAACU,IAAI,CAACsd,SAAS,EAAEtd,IAAI,CAACud,oBAAoB,CAAC,CAAC;EAC1F;EACA,IAAIvd,IAAI,CAAC2d,YAAY,CAACz1C,MAAM,GAAG,CAAC,EAAE;IAC9B20C,aAAa,CAAC3wC,GAAG,CAAC,cAAc,EAAEozB,WAAW,CAACU,IAAI,CAAC2d,YAAY,EAAE3d,IAAI,CAACud,oBAAoB,CAAC,CAAC;EAChG;EACA,IAAIvd,IAAI,CAAC+c,OAAO,CAAC70C,MAAM,GAAG,CAAC,EAAE;IACzB20C,aAAa,CAAC3wC,GAAG,CAAC,SAAS,EAAEozB,WAAW,CAACU,IAAI,CAAC+c,OAAO,EAAE/c,IAAI,CAACud,oBAAoB,CAAC,CAAC;EACtF;EACA,IAAIvd,IAAI,CAAC4d,OAAO,CAAC11C,MAAM,GAAG,CAAC,EAAE;IACzB20C,aAAa,CAAC3wC,GAAG,CAAC,SAAS,EAAEozB,WAAW,CAACU,IAAI,CAAC4d,OAAO,EAAE5d,IAAI,CAACud,oBAAoB,CAAC,CAAC;EACtF;EACA,IAAIvd,IAAI,CAACge,OAAO,KAAK,IAAI,IAAIhe,IAAI,CAACge,OAAO,CAAC91C,MAAM,GAAG,CAAC,EAAE;IAClD20C,aAAa,CAAC3wC,GAAG,CAAC,SAAS,EAAEia,UAAU,CAAC6Z,IAAI,CAACge,OAAO,CAAC3xC,GAAG,CAACozB,GAAG,IAAIA,GAAG,CAACx1B,KAAK,CAAC,CAAC,CAAC;EAChF;EACA,IAAI+1B,IAAI,CAAC1vB,EAAE,KAAK,IAAI,EAAE;IAClBusC,aAAa,CAAC3wC,GAAG,CAAC,IAAI,EAAE8zB,IAAI,CAAC1vB,EAAE,CAAC;EACpC;EACA,OAAOusC,aAAa;AACxB;;AAEA;AACA;AACA;AACA;AACA;AACA;AACA;AACA,MAAMmkF,8BAA8B,GAAG,QAAQ;AAC/C;AACA;AACA;AACA,SAASC,8BAA8BA,CAACjhG,IAAI,EAAE;EAC1C,MAAM6c,aAAa,GAAGqkF,uBAAuB,CAAClhG,IAAI,CAAC;EACnD,MAAM9tB,UAAU,GAAG2T,UAAU,CAACqE,WAAW,CAACmJ,WAAW,CAAC,CAACnZ,MAAM,CAAC,CAAC2iC,aAAa,CAACtL,YAAY,CAAC,CAAC,CAAC,CAAC;EAC7F,MAAMp/B,IAAI,GAAGqtC,cAAc,CAACxf,IAAI,CAAC;EACjC,OAAO;IAAE9tB,UAAU;IAAEC,IAAI;IAAEuQ,UAAU,EAAE;EAAG,CAAC;AAC/C;AACA;AACA;AACA;AACA,SAASw+G,uBAAuBA,CAAClhG,IAAI,EAAE;EACnC,MAAM6c,aAAa,GAAG,IAAIvL,aAAa,CAAC,CAAC;EACzCuL,aAAa,CAAC3wC,GAAG,CAAC,YAAY,EAAE2a,OAAO,CAACm6G,8BAA8B,CAAC,CAAC;EACxEnkF,aAAa,CAAC3wC,GAAG,CAAC,SAAS,EAAE2a,OAAO,CAAC,SAAS,CAAC,CAAC;EAChDg2B,aAAa,CAAC3wC,GAAG,CAAC,UAAU,EAAE2Z,UAAU,CAACqE,WAAW,CAAC/b,IAAI,CAAC,CAAC;EAC3D;EACA0uC,aAAa,CAAC3wC,GAAG,CAAC,MAAM,EAAE8zB,IAAI,CAAC7tB,IAAI,CAAClI,KAAK,CAAC;EAC1C,IAAI+1B,IAAI,CAACuf,YAAY,EAAE;IACnB1C,aAAa,CAAC3wC,GAAG,CAAC,cAAc,EAAE2a,OAAO,CAACmZ,IAAI,CAACuf,YAAY,CAAC,CAAC;EACjE;EACA;EACA1C,aAAa,CAAC3wC,GAAG,CAAC,MAAM,EAAE2a,OAAO,CAACmZ,IAAI,CAACsf,QAAQ,CAAC,CAAC;EACjD,IAAItf,IAAI,CAAC5lB,IAAI,KAAK,KAAK,EAAE;IACrB;IACAyiC,aAAa,CAAC3wC,GAAG,CAAC,MAAM,EAAE2a,OAAO,CAACmZ,IAAI,CAAC5lB,IAAI,CAAC,CAAC;EACjD;EACA,OAAOyiC,aAAa;AACxB;;AAEA;AACA;AACA;AACA;AACA4vE,aAAa,CAACt1F,OAAO,CAAC;;AAEtB;AACA;AACA;AACA;AACA;AACA;;AAEA;;AAEA;;AAEA,SAAS8oB,GAAG,EAAEC,WAAW,EAAEwD,aAAa,EAAE1D,kBAAkB,EAAEnoC,SAAS,EAAEssC,6BAA6B,EAAED,cAAc,EAAEqR,SAAS,EAAElT,MAAM,EAAEjpC,cAAc,EAAE0B,kBAAkB,EAAE6mC,WAAW,EAAEolC,KAAK,EAAEF,UAAU,EAAEI,cAAc,EAAEniC,oBAAoB,EAAEvtC,WAAW,EAAED,eAAe,EAAEjK,sBAAsB,EAAEg2C,IAAI,EAAE5C,KAAK,EAAErzC,uBAAuB,EAAE2W,SAAS,EAAE4iE,OAAO,EAAEmmC,cAAc,EAAEnsE,WAAW,EAAEhmC,eAAe,EAAEqN,YAAY,EAAE1gB,WAAW,EAAEssC,4BAA4B,EAAEv7B,YAAY,EAAEuK,mBAAmB,EAAE1E,cAAc,EAAEgqE,wBAAwB,EAAEhmE,iBAAiB,EAAEg5D,GAAG,EAAE/d,OAAO,EAAEqqB,qBAAqB,EAAE7sD,qBAAqB,EAAEylB,WAAW,IAAIkc,SAAS,EAAE2pB,SAAS,EAAEI,aAAa,EAAEzsE,UAAU,EAAEmqC,iBAAiB,EAAE3mC,mBAAmB,EAAE1F,cAAc,EAAEiK,YAAY,EAAEI,iBAAiB,EAAE+d,eAAe,IAAIzN,aAAa,EAAE5P,YAAY,EAAE+2E,UAAU,EAAEtP,iBAAiB,EAAEsvC,cAAc,EAAEr0G,MAAM,EAAEk7B,gBAAgB,EAAE9lC,eAAe,EAAE4nC,eAAe,IAAIoW,aAAa,EAAE9kB,mBAAmB,EAAEp5B,kBAAkB,EAAEgK,YAAY,EAAE82B,YAAY,EAAEkG,SAAS,EAAEI,UAAU,EAAEv9B,cAAc,EAAE20D,KAAK,EAAE92B,YAAY,EAAE1+B,gBAAgB,EAAE/D,WAAW,EAAE2iC,UAAU,EAAEt+B,cAAc,EAAEk+B,gBAAgB,EAAEzhC,eAAe,EAAEpI,OAAO,EAAE8hH,aAAa,EAAE5gH,SAAS,EAAE5L,gBAAgB,EAAE04E,YAAY,EAAE7iC,aAAa,EAAE9gC,OAAO,EAAEm3B,UAAU,EAAED,eAAe,EAAErB,aAAa,EAAEiB,eAAe,EAAEC,eAAe,EAAEyG,SAAS,EAAE61C,eAAe,EAAE9wC,WAAW,EAAEN,cAAc,EAAEE,kBAAkB,EAAEK,cAAc,EAAEu4B,QAAQ,IAAIwY,MAAM,EAAEl2C,WAAW,EAAEuD,SAAS,EAAElC,YAAY,EAAEE,aAAa,EAAEq6E,aAAa,EAAEpxG,WAAW,IAAIi3G,aAAa,EAAEhkF,sBAAsB,EAAED,mBAAmB,EAAEu9E,cAAc,EAAEh7E,wBAAwB,EAAExlC,WAAW,EAAEF,YAAY,EAAEsD,WAAW,EAAEiK,mBAAmB,EAAE8/D,gBAAgB,EAAEkgC,cAAc,EAAEriG,eAAe,EAAElM,WAAW,EAAEyqC,QAAQ,EAAEjC,aAAa,EAAEJ,gBAAgB,EAAEz1C,eAAe,EAAEJ,mBAAmB,EAAEf,eAAe,EAAEm+B,UAAU,EAAEq0C,kBAAkB,EAAEv4D,SAAS,EAAEpG,YAAY,EAAEm2C,cAAc,EAAEx1C,kBAAkB,EAAEk+D,0BAA0B,EAAEz9D,eAAe,EAAEE,sBAAsB,EAAEg+C,IAAI,EAAEnd,YAAY,EAAE9c,cAAc,IAAI29F,qBAAqB,EAAEt8F,oBAAoB,IAAIu8F,2BAA2B,EAAEv9F,UAAU,IAAIw9F,iBAAiB,EAAEn+F,SAAS,IAAIo+F,gBAAgB,EAAEh7F,OAAO,IAAIi7F,cAAc,EAAE17F,aAAa,IAAI27F,oBAAoB,EAAE77F,kBAAkB,IAAI87F,yBAAyB,EAAEj8F,oBAAoB,IAAIk8F,2BAA2B,EAAEr8F,wBAAwB,IAAIs8F,+BAA+B,EAAEh9F,eAAe,IAAIi9F,sBAAsB,EAAEz9F,SAAS,IAAI09F,cAAc,EAAE78F,oBAAoB,IAAI88F,2BAA2B,EAAEl7F,KAAK,IAAIm7F,UAAU,EAAEj9F,mBAAmB,IAAIk9F,0BAA0B,EAAEj9F,wBAAwB,IAAIk9F,+BAA+B,EAAE98F,0BAA0B,IAAI+8F,iCAAiC,EAAEn7F,kBAAkB,IAAIo7F,uBAAuB,EAAEz7F,SAAS,IAAI07F,gBAAgB,EAAEl8F,QAAQ,IAAIm8F,eAAe,EAAEp/F,MAAM,IAAIq/F,WAAW,EAAEl/F,aAAa,IAAIm/F,oBAAoB,EAAEt9F,oBAAoB,IAAIu9F,2BAA2B,EAAEh8F,QAAQ,IAAIi8F,eAAe,EAAEr9F,uBAAuB,IAAIs9F,8BAA8B,EAAExpD,KAAK,EAAER,SAAS,EAAExgE,gBAAgB,EAAEs9E,SAAS,EAAElnF,IAAI,EAAE0I,YAAY,EAAEyG,UAAU,EAAEglC,KAAK,EAAEvpC,aAAa,EAAE2J,iBAAiB,EAAE+pG,OAAO,EAAE/oE,eAAe,EAAEltB,OAAO,EAAEzpB,iBAAiB,EAAE0Q,eAAe,EAAES,YAAY,EAAEG,aAAa,EAAEhB,YAAY,EAAEy1G,KAAK,EAAE4C,MAAM,EAAE1qF,GAAG,EAAEgnF,SAAS,EAAEqF,GAAG,EAAE75C,SAAS,EAAEqgD,oBAAoB,EAAEjc,4BAA4B,EAAEsc,2BAA2B,EAAEgB,mCAAmC,EAAER,mCAAmC,EAAEwB,6BAA6B,EAAEE,oCAAoC,EAAEG,kCAAkC,EAAEG,kCAAkC,EAAEG,8BAA8B,EAAEnf,4BAA4B,EAAE/hF,sBAAsB,EAAEsS,iBAAiB,EAAEuK,eAAe,EAAEQ,eAAe,EAAE+B,uBAAuB,EAAEhuC,YAAY,EAAEhD,IAAI,EAAE6kC,oBAAoB,EAAEtT,+BAA+B,EAAEX,wBAAwB,EAAE7xB,mCAAmC,EAAE+9E,oBAAoB,EAAEp2B,WAAW,EAAEp2B,2BAA2B,EAAEyb,cAAc,EAAE0/B,YAAY,EAAEllB,aAAa,EAAEC,WAAW,EAAEC,YAAY,EAAEjvC,YAAY,EAAEhB,cAAc,EAAE0B,UAAU,EAAEq5F,iBAAiB,EAAE3qD,cAAc,EAAE1tC,UAAU,IAAIsxF,SAAS,EAAEiO,iBAAiB,EAAEpH,aAAa,EAAE2N,0BAA0B,EAAEV,aAAa,EAAE7yE,mBAAmB,EAAEQ,kBAAkB,EAAEoa,WAAW,EAAEqyD,kBAAkB,EAAE7iE,QAAQ","ignoreList":[]},"metadata":{},"sourceType":"module","externalDependencies":[]} |