teddit-reddit-frontend-alte.../node_modules/@babel/parser/lib/index.js.map

1 line
958 KiB
Plaintext

{"version":3,"file":"index.js","sources":["../src/tokenizer/types.js","../src/util/scopeflags.js","../src/util/whitespace.js","../src/util/location.js","../src/parser/base.js","../src/parser/comments.js","../src/parser/error-message.js","../src/parser/error.js","../src/plugins/estree.js","../src/tokenizer/context.js","../../babel-helper-validator-identifier/src/identifier.js","../../babel-helper-validator-identifier/src/keyword.js","../src/util/identifier.js","../src/plugins/flow.js","../src/plugins/jsx/xhtml.js","../src/plugins/jsx/index.js","../src/util/scope.js","../src/plugins/typescript/scope.js","../src/util/production-parameter.js","../src/plugins/typescript/index.js","../src/plugins/placeholders.js","../src/plugins/v8intrinsic.js","../src/plugin-utils.js","../src/options.js","../src/tokenizer/state.js","../src/tokenizer/index.js","../src/parser/util.js","../src/parser/node.js","../src/parser/lval.js","../src/parser/expression.js","../src/parser/statement.js","../src/util/class-scope.js","../src/parser/index.js","../src/index.js"],"sourcesContent":["// @flow\n\n// ## Token types\n\n// The assignment of fine-grained, information-carrying type objects\n// allows the tokenizer to store the information it has about a\n// token in a way that is very cheap for the parser to look up.\n\n// All token type variables start with an underscore, to make them\n// easy to recognize.\n\n// The `beforeExpr` property is used to disambiguate between regular\n// expressions and divisions. It is set on all token types that can\n// be followed by an expression (thus, a slash after them would be a\n// regular expression).\n\n// The `startsExpr` property is used to determine whether an expression\n// may be the “argument” subexpression of a `yield` expression or\n// `yield` statement. It is set on all token types that may be at the\n// start of a subexpression.\n\n// `isLoop` marks a keyword as starting a loop, which is important\n// to know when parsing a label, in order to allow or disallow\n// continue jumps to that label.\n\nconst beforeExpr = true;\nconst startsExpr = true;\nconst isLoop = true;\nconst isAssign = true;\nconst prefix = true;\nconst postfix = true;\n\ntype TokenOptions = {\n keyword?: string,\n beforeExpr?: boolean,\n startsExpr?: boolean,\n rightAssociative?: boolean,\n isLoop?: boolean,\n isAssign?: boolean,\n prefix?: boolean,\n postfix?: boolean,\n binop?: ?number,\n};\n\nexport class TokenType {\n label: string;\n keyword: ?string;\n beforeExpr: boolean;\n startsExpr: boolean;\n rightAssociative: boolean;\n isLoop: boolean;\n isAssign: boolean;\n prefix: boolean;\n postfix: boolean;\n binop: ?number;\n updateContext: ?(prevType: TokenType) => void;\n\n constructor(label: string, conf: TokenOptions = {}) {\n this.label = label;\n this.keyword = conf.keyword;\n this.beforeExpr = !!conf.beforeExpr;\n this.startsExpr = !!conf.startsExpr;\n this.rightAssociative = !!conf.rightAssociative;\n this.isLoop = !!conf.isLoop;\n this.isAssign = !!conf.isAssign;\n this.prefix = !!conf.prefix;\n this.postfix = !!conf.postfix;\n this.binop = conf.binop != null ? conf.binop : null;\n this.updateContext = null;\n }\n}\n\nexport const keywords = new Map<string, TokenType>();\n\nfunction createKeyword(name: string, options: TokenOptions = {}): TokenType {\n options.keyword = name;\n const token = new TokenType(name, options);\n keywords.set(name, token);\n return token;\n}\n\nfunction createBinop(name: string, binop: number) {\n return new TokenType(name, { beforeExpr, binop });\n}\n\nexport const types: { [name: string]: TokenType } = {\n num: new TokenType(\"num\", { startsExpr }),\n bigint: new TokenType(\"bigint\", { startsExpr }),\n decimal: new TokenType(\"decimal\", { startsExpr }),\n regexp: new TokenType(\"regexp\", { startsExpr }),\n string: new TokenType(\"string\", { startsExpr }),\n name: new TokenType(\"name\", { startsExpr }),\n eof: new TokenType(\"eof\"),\n\n // Punctuation token types.\n bracketL: new TokenType(\"[\", { beforeExpr, startsExpr }),\n bracketHashL: new TokenType(\"#[\", { beforeExpr, startsExpr }),\n bracketBarL: new TokenType(\"[|\", { beforeExpr, startsExpr }),\n bracketR: new TokenType(\"]\"),\n bracketBarR: new TokenType(\"|]\"),\n braceL: new TokenType(\"{\", { beforeExpr, startsExpr }),\n braceBarL: new TokenType(\"{|\", { beforeExpr, startsExpr }),\n braceHashL: new TokenType(\"#{\", { beforeExpr, startsExpr }),\n braceR: new TokenType(\"}\"),\n braceBarR: new TokenType(\"|}\"),\n parenL: new TokenType(\"(\", { beforeExpr, startsExpr }),\n parenR: new TokenType(\")\"),\n comma: new TokenType(\",\", { beforeExpr }),\n semi: new TokenType(\";\", { beforeExpr }),\n colon: new TokenType(\":\", { beforeExpr }),\n doubleColon: new TokenType(\"::\", { beforeExpr }),\n dot: new TokenType(\".\"),\n question: new TokenType(\"?\", { beforeExpr }),\n questionDot: new TokenType(\"?.\"),\n arrow: new TokenType(\"=>\", { beforeExpr }),\n template: new TokenType(\"template\"),\n ellipsis: new TokenType(\"...\", { beforeExpr }),\n backQuote: new TokenType(\"`\", { startsExpr }),\n dollarBraceL: new TokenType(\"${\", { beforeExpr, startsExpr }),\n at: new TokenType(\"@\"),\n hash: new TokenType(\"#\", { startsExpr }),\n\n // Special hashbang token.\n interpreterDirective: new TokenType(\"#!...\"),\n\n // Operators. These carry several kinds of properties to help the\n // parser use them properly (the presence of these properties is\n // what categorizes them as operators).\n //\n // `binop`, when present, specifies that this operator is a binary\n // operator, and will refer to its precedence.\n //\n // `prefix` and `postfix` mark the operator as a prefix or postfix\n // unary operator.\n //\n // `isAssign` marks all of `=`, `+=`, `-=` etcetera, which act as\n // binary operators with a very low precedence, that should result\n // in AssignmentExpression nodes.\n\n eq: new TokenType(\"=\", { beforeExpr, isAssign }),\n assign: new TokenType(\"_=\", { beforeExpr, isAssign }),\n incDec: new TokenType(\"++/--\", { prefix, postfix, startsExpr }),\n bang: new TokenType(\"!\", { beforeExpr, prefix, startsExpr }),\n tilde: new TokenType(\"~\", { beforeExpr, prefix, startsExpr }),\n pipeline: createBinop(\"|>\", 0),\n nullishCoalescing: createBinop(\"??\", 1),\n logicalOR: createBinop(\"||\", 1),\n logicalAND: createBinop(\"&&\", 2),\n bitwiseOR: createBinop(\"|\", 3),\n bitwiseXOR: createBinop(\"^\", 4),\n bitwiseAND: createBinop(\"&\", 5),\n equality: createBinop(\"==/!=/===/!==\", 6),\n relational: createBinop(\"</>/<=/>=\", 7),\n bitShift: createBinop(\"<</>>/>>>\", 8),\n plusMin: new TokenType(\"+/-\", { beforeExpr, binop: 9, prefix, startsExpr }),\n // startsExpr: required by v8intrinsic plugin\n modulo: new TokenType(\"%\", { beforeExpr, binop: 10, startsExpr }),\n star: createBinop(\"*\", 10),\n slash: createBinop(\"/\", 10),\n exponent: new TokenType(\"**\", {\n beforeExpr,\n binop: 11,\n rightAssociative: true,\n }),\n\n // Keywords\n // Don't forget to update packages/babel-helper-validator-identifier/src/keyword.js\n // when new keywords are added\n _break: createKeyword(\"break\"),\n _case: createKeyword(\"case\", { beforeExpr }),\n _catch: createKeyword(\"catch\"),\n _continue: createKeyword(\"continue\"),\n _debugger: createKeyword(\"debugger\"),\n _default: createKeyword(\"default\", { beforeExpr }),\n _do: createKeyword(\"do\", { isLoop, beforeExpr }),\n _else: createKeyword(\"else\", { beforeExpr }),\n _finally: createKeyword(\"finally\"),\n _for: createKeyword(\"for\", { isLoop }),\n _function: createKeyword(\"function\", { startsExpr }),\n _if: createKeyword(\"if\"),\n _return: createKeyword(\"return\", { beforeExpr }),\n _switch: createKeyword(\"switch\"),\n _throw: createKeyword(\"throw\", { beforeExpr, prefix, startsExpr }),\n _try: createKeyword(\"try\"),\n _var: createKeyword(\"var\"),\n _const: createKeyword(\"const\"),\n _while: createKeyword(\"while\", { isLoop }),\n _with: createKeyword(\"with\"),\n _new: createKeyword(\"new\", { beforeExpr, startsExpr }),\n _this: createKeyword(\"this\", { startsExpr }),\n _super: createKeyword(\"super\", { startsExpr }),\n _class: createKeyword(\"class\", { startsExpr }),\n _extends: createKeyword(\"extends\", { beforeExpr }),\n _export: createKeyword(\"export\"),\n _import: createKeyword(\"import\", { startsExpr }),\n _null: createKeyword(\"null\", { startsExpr }),\n _true: createKeyword(\"true\", { startsExpr }),\n _false: createKeyword(\"false\", { startsExpr }),\n _in: createKeyword(\"in\", { beforeExpr, binop: 7 }),\n _instanceof: createKeyword(\"instanceof\", { beforeExpr, binop: 7 }),\n _typeof: createKeyword(\"typeof\", { beforeExpr, prefix, startsExpr }),\n _void: createKeyword(\"void\", { beforeExpr, prefix, startsExpr }),\n _delete: createKeyword(\"delete\", { beforeExpr, prefix, startsExpr }),\n};\n","// @flow\n\n// Each scope gets a bitset that may contain these flags\n// prettier-ignore\nexport const SCOPE_OTHER = 0b00000000,\n SCOPE_PROGRAM = 0b00000001,\n SCOPE_FUNCTION = 0b00000010,\n SCOPE_ARROW = 0b00000100,\n SCOPE_SIMPLE_CATCH = 0b00001000,\n SCOPE_SUPER = 0b00010000,\n SCOPE_DIRECT_SUPER = 0b00100000,\n SCOPE_CLASS = 0b01000000,\n SCOPE_TS_MODULE = 0b10000000,\n SCOPE_VAR = SCOPE_PROGRAM | SCOPE_FUNCTION | SCOPE_TS_MODULE;\n\nexport type ScopeFlags =\n | typeof SCOPE_OTHER\n | typeof SCOPE_PROGRAM\n | typeof SCOPE_FUNCTION\n | typeof SCOPE_VAR\n | typeof SCOPE_ARROW\n | typeof SCOPE_SIMPLE_CATCH\n | typeof SCOPE_SUPER\n | typeof SCOPE_DIRECT_SUPER\n | typeof SCOPE_CLASS;\n\n// These flags are meant to be _only_ used inside the Scope class (or subclasses).\n// prettier-ignore\nexport const BIND_KIND_VALUE = 0b00000_0000_01,\n BIND_KIND_TYPE = 0b00000_0000_10,\n // Used in checkLVal and declareName to determine the type of a binding\n BIND_SCOPE_VAR = 0b00000_0001_00, // Var-style binding\n BIND_SCOPE_LEXICAL = 0b00000_0010_00, // Let- or const-style binding\n BIND_SCOPE_FUNCTION = 0b00000_0100_00, // Function declaration\n BIND_SCOPE_OUTSIDE = 0b00000_1000_00, // Special case for function names as\n // bound inside the function\n // Misc flags\n BIND_FLAGS_NONE = 0b00001_0000_00,\n BIND_FLAGS_CLASS = 0b00010_0000_00,\n BIND_FLAGS_TS_ENUM = 0b00100_0000_00,\n BIND_FLAGS_TS_CONST_ENUM = 0b01000_0000_00,\n BIND_FLAGS_TS_EXPORT_ONLY = 0b10000_0000_00;\n\n// These flags are meant to be _only_ used by Scope consumers\n// prettier-ignore\n/* = is value? | is type? | scope | misc flags */\nexport const BIND_CLASS = BIND_KIND_VALUE | BIND_KIND_TYPE | BIND_SCOPE_LEXICAL | BIND_FLAGS_CLASS ,\n BIND_LEXICAL = BIND_KIND_VALUE | 0 | BIND_SCOPE_LEXICAL | 0 ,\n BIND_VAR = BIND_KIND_VALUE | 0 | BIND_SCOPE_VAR | 0 ,\n BIND_FUNCTION = BIND_KIND_VALUE | 0 | BIND_SCOPE_FUNCTION | 0 ,\n BIND_TS_INTERFACE = 0 | BIND_KIND_TYPE | 0 | BIND_FLAGS_CLASS ,\n BIND_TS_TYPE = 0 | BIND_KIND_TYPE | 0 | 0 ,\n BIND_TS_ENUM = BIND_KIND_VALUE | BIND_KIND_TYPE | BIND_SCOPE_LEXICAL | BIND_FLAGS_TS_ENUM,\n BIND_TS_AMBIENT = 0 | 0 | 0 | BIND_FLAGS_TS_EXPORT_ONLY,\n // These bindings don't introduce anything in the scope. They are used for assignments and\n // function expressions IDs.\n BIND_NONE = 0 | 0 | 0 | BIND_FLAGS_NONE ,\n BIND_OUTSIDE = BIND_KIND_VALUE | 0 | 0 | BIND_FLAGS_NONE ,\n\n BIND_TS_CONST_ENUM = BIND_TS_ENUM | BIND_FLAGS_TS_CONST_ENUM,\n BIND_TS_NAMESPACE = 0 | 0 | 0 | BIND_FLAGS_TS_EXPORT_ONLY;\n\nexport type BindingTypes =\n | typeof BIND_NONE\n | typeof BIND_OUTSIDE\n | typeof BIND_VAR\n | typeof BIND_LEXICAL\n | typeof BIND_CLASS\n | typeof BIND_FUNCTION\n | typeof BIND_TS_INTERFACE\n | typeof BIND_TS_TYPE\n | typeof BIND_TS_ENUM\n | typeof BIND_TS_AMBIENT\n | typeof BIND_TS_NAMESPACE;\n\n// prettier-ignore\nexport const CLASS_ELEMENT_FLAG_STATIC = 0b1_00,\n CLASS_ELEMENT_KIND_GETTER = 0b0_10,\n CLASS_ELEMENT_KIND_SETTER = 0b0_01,\n CLASS_ELEMENT_KIND_ACCESSOR = CLASS_ELEMENT_KIND_GETTER | CLASS_ELEMENT_KIND_SETTER;\n\n// prettier-ignore\nexport const CLASS_ELEMENT_STATIC_GETTER = CLASS_ELEMENT_KIND_GETTER | CLASS_ELEMENT_FLAG_STATIC,\n CLASS_ELEMENT_STATIC_SETTER = CLASS_ELEMENT_KIND_SETTER | CLASS_ELEMENT_FLAG_STATIC,\n CLASS_ELEMENT_INSTANCE_GETTER = CLASS_ELEMENT_KIND_GETTER,\n CLASS_ELEMENT_INSTANCE_SETTER = CLASS_ELEMENT_KIND_SETTER,\n CLASS_ELEMENT_OTHER = 0;\n\nexport type ClassElementTypes =\n | typeof CLASS_ELEMENT_STATIC_GETTER\n | typeof CLASS_ELEMENT_STATIC_SETTER\n | typeof CLASS_ELEMENT_INSTANCE_GETTER\n | typeof CLASS_ELEMENT_INSTANCE_SETTER\n | typeof CLASS_ELEMENT_OTHER;\n","// @flow\n\nimport * as charCodes from \"charcodes\";\n\n// Matches a whole line break (where CRLF is considered a single\n// line break). Used to count lines.\nexport const lineBreak = /\\r\\n?|[\\n\\u2028\\u2029]/;\nexport const lineBreakG = new RegExp(lineBreak.source, \"g\");\n\n// https://tc39.github.io/ecma262/#sec-line-terminators\nexport function isNewLine(code: number): boolean {\n switch (code) {\n case charCodes.lineFeed:\n case charCodes.carriageReturn:\n case charCodes.lineSeparator:\n case charCodes.paragraphSeparator:\n return true;\n\n default:\n return false;\n }\n}\n\nexport const skipWhiteSpace = /(?:\\s|\\/\\/.*|\\/\\*[^]*?\\*\\/)*/g;\n\n// https://tc39.github.io/ecma262/#sec-white-space\nexport function isWhitespace(code: number): boolean {\n switch (code) {\n case 0x0009: // CHARACTER TABULATION\n case 0x000b: // LINE TABULATION\n case 0x000c: // FORM FEED\n case charCodes.space:\n case charCodes.nonBreakingSpace:\n case charCodes.oghamSpaceMark:\n case 0x2000: // EN QUAD\n case 0x2001: // EM QUAD\n case 0x2002: // EN SPACE\n case 0x2003: // EM SPACE\n case 0x2004: // THREE-PER-EM SPACE\n case 0x2005: // FOUR-PER-EM SPACE\n case 0x2006: // SIX-PER-EM SPACE\n case 0x2007: // FIGURE SPACE\n case 0x2008: // PUNCTUATION SPACE\n case 0x2009: // THIN SPACE\n case 0x200a: // HAIR SPACE\n case 0x202f: // NARROW NO-BREAK SPACE\n case 0x205f: // MEDIUM MATHEMATICAL SPACE\n case 0x3000: // IDEOGRAPHIC SPACE\n case 0xfeff: // ZERO WIDTH NO-BREAK SPACE\n return true;\n\n default:\n return false;\n }\n}\n","// @flow\n\nimport { lineBreakG } from \"./whitespace\";\n\nexport type Pos = {\n start: number,\n};\n\n// These are used when `options.locations` is on, for the\n// `startLoc` and `endLoc` properties.\n\nexport class Position {\n line: number;\n column: number;\n\n constructor(line: number, col: number) {\n this.line = line;\n this.column = col;\n }\n}\n\nexport class SourceLocation {\n start: Position;\n end: Position;\n filename: string;\n identifierName: ?string;\n\n constructor(start: Position, end?: Position) {\n this.start = start;\n // $FlowIgnore (may start as null, but initialized later)\n this.end = end;\n }\n}\n\n// The `getLineInfo` function is mostly useful when the\n// `locations` option is off (for performance reasons) and you\n// want to find the line/column position for a given character\n// offset. `input` should be the code string that the offset refers\n// into.\n\nexport function getLineInfo(input: string, offset: number): Position {\n let line = 1;\n let lineStart = 0;\n let match;\n lineBreakG.lastIndex = 0;\n while ((match = lineBreakG.exec(input)) && match.index < offset) {\n line++;\n lineStart = lineBreakG.lastIndex;\n }\n\n return new Position(line, offset - lineStart);\n}\n","// @flow\n\nimport type { Options } from \"../options\";\nimport type State from \"../tokenizer/state\";\nimport type { PluginsMap } from \"./index\";\nimport type ScopeHandler from \"../util/scope\";\nimport type ClassScopeHandler from \"../util/class-scope\";\nimport type ProductionParameterHandler from \"../util/production-parameter\";\n\nexport default class BaseParser {\n // Properties set by constructor in index.js\n options: Options;\n inModule: boolean;\n scope: ScopeHandler<*>;\n classScope: ClassScopeHandler;\n prodParam: ProductionParameterHandler;\n plugins: PluginsMap;\n filename: ?string;\n sawUnambiguousESM: boolean = false;\n ambiguousScriptDifferentAst: boolean = false;\n\n // Initialized by Tokenizer\n state: State;\n // input and length are not in state as they are constant and we do\n // not want to ever copy them, which happens if state gets cloned\n input: string;\n length: number;\n\n hasPlugin(name: string): boolean {\n return this.plugins.has(name);\n }\n\n getPluginOption(plugin: string, name: string) {\n // $FlowIssue\n if (this.hasPlugin(plugin)) return this.plugins.get(plugin)[name];\n }\n}\n","// @flow\n\n/**\n * Based on the comment attachment algorithm used in espree and estraverse.\n *\n * Redistribution and use in source and binary forms, with or without\n * modification, are permitted provided that the following conditions are met:\n *\n * * Redistributions of source code must retain the above copyright\n * notice, this list of conditions and the following disclaimer.\n * * Redistributions in binary form must reproduce the above copyright\n * notice, this list of conditions and the following disclaimer in the\n * documentation and/or other materials provided with the distribution.\n *\n * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS \"AS IS\"\n * AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE\n * IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE\n * ARE DISCLAIMED. IN NO EVENT SHALL <COPYRIGHT HOLDER> BE LIABLE FOR ANY\n * DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES\n * (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES;\n * LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND\n * ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT\n * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF\n * THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.\n */\n\nimport BaseParser from \"./base\";\nimport type { Comment, Node } from \"../types\";\n\nfunction last<T>(stack: $ReadOnlyArray<T>): T {\n return stack[stack.length - 1];\n}\n\nexport default class CommentsParser extends BaseParser {\n addComment(comment: Comment): void {\n if (this.filename) comment.loc.filename = this.filename;\n this.state.trailingComments.push(comment);\n this.state.leadingComments.push(comment);\n }\n\n adjustCommentsAfterTrailingComma(\n node: Node,\n elements: (Node | null)[],\n // When the current node is followed by a token which hasn't a respective AST node, we\n // need to take all the trailing comments to prevent them from being attached to an\n // unrelated node. e.g. in\n // var { x } /* cmt */ = { y }\n // we don't want /* cmt */ to be attached to { y }.\n // On the other hand, in\n // fn(x) [new line] /* cmt */ [new line] y\n // /* cmt */ is both a trailing comment of fn(x) and a leading comment of y\n takeAllComments?: boolean,\n ) {\n if (this.state.leadingComments.length === 0) {\n return;\n }\n\n let lastElement = null;\n let i = elements.length;\n while (lastElement === null && i > 0) {\n lastElement = elements[--i];\n }\n if (lastElement === null) {\n return;\n }\n\n for (let j = 0; j < this.state.leadingComments.length; j++) {\n if (\n this.state.leadingComments[j].end < this.state.commentPreviousNode.end\n ) {\n this.state.leadingComments.splice(j, 1);\n j--;\n }\n }\n\n const newTrailingComments = [];\n for (let i = 0; i < this.state.leadingComments.length; i++) {\n const leadingComment = this.state.leadingComments[i];\n if (leadingComment.end < node.end) {\n newTrailingComments.push(leadingComment);\n\n // Perf: we don't need to splice if we are going to reset the array anyway\n if (!takeAllComments) {\n this.state.leadingComments.splice(i, 1);\n i--;\n }\n } else {\n if (node.trailingComments === undefined) {\n node.trailingComments = [];\n }\n node.trailingComments.push(leadingComment);\n }\n }\n if (takeAllComments) this.state.leadingComments = [];\n\n if (newTrailingComments.length > 0) {\n lastElement.trailingComments = newTrailingComments;\n } else if (lastElement.trailingComments !== undefined) {\n lastElement.trailingComments = [];\n }\n }\n\n processComment(node: Node): void {\n if (node.type === \"Program\" && node.body.length > 0) return;\n\n const stack = this.state.commentStack;\n\n let firstChild, lastChild, trailingComments, i, j;\n\n if (this.state.trailingComments.length > 0) {\n // If the first comment in trailingComments comes after the\n // current node, then we're good - all comments in the array will\n // come after the node and so it's safe to add them as official\n // trailingComments.\n if (this.state.trailingComments[0].start >= node.end) {\n trailingComments = this.state.trailingComments;\n this.state.trailingComments = [];\n } else {\n // Otherwise, if the first comment doesn't come after the\n // current node, that means we have a mix of leading and trailing\n // comments in the array and that leadingComments contains the\n // same items as trailingComments. Reset trailingComments to\n // zero items and we'll handle this by evaluating leadingComments\n // later.\n this.state.trailingComments.length = 0;\n }\n } else if (stack.length > 0) {\n const lastInStack = last(stack);\n if (\n lastInStack.trailingComments &&\n lastInStack.trailingComments[0].start >= node.end\n ) {\n trailingComments = lastInStack.trailingComments;\n delete lastInStack.trailingComments;\n }\n }\n\n // Eating the stack.\n if (stack.length > 0 && last(stack).start >= node.start) {\n firstChild = stack.pop();\n }\n\n while (stack.length > 0 && last(stack).start >= node.start) {\n lastChild = stack.pop();\n }\n\n if (!lastChild && firstChild) lastChild = firstChild;\n\n // Adjust comments that follow a trailing comma on the last element in a\n // comma separated list of nodes to be the trailing comments on the last\n // element\n if (firstChild) {\n switch (node.type) {\n case \"ObjectExpression\":\n this.adjustCommentsAfterTrailingComma(node, node.properties);\n break;\n case \"ObjectPattern\":\n this.adjustCommentsAfterTrailingComma(node, node.properties, true);\n break;\n case \"CallExpression\":\n this.adjustCommentsAfterTrailingComma(node, node.arguments);\n break;\n case \"ArrayExpression\":\n this.adjustCommentsAfterTrailingComma(node, node.elements);\n break;\n case \"ArrayPattern\":\n this.adjustCommentsAfterTrailingComma(node, node.elements, true);\n break;\n }\n } else if (\n this.state.commentPreviousNode &&\n ((this.state.commentPreviousNode.type === \"ImportSpecifier\" &&\n node.type !== \"ImportSpecifier\") ||\n (this.state.commentPreviousNode.type === \"ExportSpecifier\" &&\n node.type !== \"ExportSpecifier\"))\n ) {\n this.adjustCommentsAfterTrailingComma(node, [\n this.state.commentPreviousNode,\n ]);\n }\n\n if (lastChild) {\n if (lastChild.leadingComments) {\n if (\n lastChild !== node &&\n lastChild.leadingComments.length > 0 &&\n last(lastChild.leadingComments).end <= node.start\n ) {\n node.leadingComments = lastChild.leadingComments;\n delete lastChild.leadingComments;\n } else {\n // A leading comment for an anonymous class had been stolen by its first ClassMethod,\n // so this takes back the leading comment.\n // See also: https://github.com/eslint/espree/issues/158\n for (i = lastChild.leadingComments.length - 2; i >= 0; --i) {\n if (lastChild.leadingComments[i].end <= node.start) {\n node.leadingComments = lastChild.leadingComments.splice(0, i + 1);\n break;\n }\n }\n }\n }\n } else if (this.state.leadingComments.length > 0) {\n if (last(this.state.leadingComments).end <= node.start) {\n if (this.state.commentPreviousNode) {\n for (j = 0; j < this.state.leadingComments.length; j++) {\n if (\n this.state.leadingComments[j].end <\n this.state.commentPreviousNode.end\n ) {\n this.state.leadingComments.splice(j, 1);\n j--;\n }\n }\n }\n if (this.state.leadingComments.length > 0) {\n node.leadingComments = this.state.leadingComments;\n this.state.leadingComments = [];\n }\n } else {\n // https://github.com/eslint/espree/issues/2\n //\n // In special cases, such as return (without a value) and\n // debugger, all comments will end up as leadingComments and\n // will otherwise be eliminated. This step runs when the\n // commentStack is empty and there are comments left\n // in leadingComments.\n //\n // This loop figures out the stopping point between the actual\n // leading and trailing comments by finding the location of the\n // first comment that comes after the given node.\n for (i = 0; i < this.state.leadingComments.length; i++) {\n if (this.state.leadingComments[i].end > node.start) {\n break;\n }\n }\n\n // Split the array based on the location of the first comment\n // that comes after the node. Keep in mind that this could\n // result in an empty array, and if so, the array must be\n // deleted.\n const leadingComments = this.state.leadingComments.slice(0, i);\n\n if (leadingComments.length) {\n node.leadingComments = leadingComments;\n }\n\n // Similarly, trailing comments are attached later. The variable\n // must be reset to null if there are no trailing comments.\n trailingComments = this.state.leadingComments.slice(i);\n if (trailingComments.length === 0) {\n trailingComments = null;\n }\n }\n }\n\n this.state.commentPreviousNode = node;\n\n if (trailingComments) {\n if (\n trailingComments.length &&\n trailingComments[0].start >= node.start &&\n last(trailingComments).end <= node.end\n ) {\n node.innerComments = trailingComments;\n } else {\n // TrailingComments maybe contain innerComments\n const firstTrailingCommentIndex = trailingComments.findIndex(\n comment => comment.end >= node.end,\n );\n\n if (firstTrailingCommentIndex > 0) {\n node.innerComments = trailingComments.slice(\n 0,\n firstTrailingCommentIndex,\n );\n node.trailingComments = trailingComments.slice(\n firstTrailingCommentIndex,\n );\n } else {\n node.trailingComments = trailingComments;\n }\n }\n }\n\n stack.push(node);\n }\n}\n","// @flow\n/* eslint sort-keys: \"error\" */\n\n// The Errors key follows https://cs.chromium.org/chromium/src/v8/src/common/message-template.h unless it does not exist\nexport const ErrorMessages = Object.freeze({\n AccessorIsGenerator: \"A %0ter cannot be a generator\",\n ArgumentsDisallowedInInitializer:\n \"'arguments' is not allowed in class field initializer\",\n AsyncFunctionInSingleStatementContext:\n \"Async functions can only be declared at the top level or inside a block\",\n AwaitBindingIdentifier:\n \"Can not use 'await' as identifier inside an async function\",\n AwaitExpressionFormalParameter:\n \"await is not allowed in async function parameters\",\n AwaitNotInAsyncFunction:\n \"Can not use keyword 'await' outside an async function\",\n BadGetterArity: \"getter must not have any formal parameters\",\n BadSetterArity: \"setter must have exactly one formal parameter\",\n BadSetterRestParameter:\n \"setter function argument must not be a rest parameter\",\n ConstructorClassField: \"Classes may not have a field named 'constructor'\",\n ConstructorClassPrivateField:\n \"Classes may not have a private field named '#constructor'\",\n ConstructorIsAccessor: \"Class constructor may not be an accessor\",\n ConstructorIsAsync: \"Constructor can't be an async function\",\n ConstructorIsGenerator: \"Constructor can't be a generator\",\n DeclarationMissingInitializer: \"%0 require an initialization value\",\n DecoratorBeforeExport:\n \"Decorators must be placed *before* the 'export' keyword. You can set the 'decoratorsBeforeExport' option to false to use the 'export @decorator class {}' syntax\",\n DecoratorConstructor:\n \"Decorators can't be used with a constructor. Did you mean '@dec class { ... }'?\",\n DecoratorExportClass:\n \"Using the export keyword between a decorator and a class is not allowed. Please use `export @dec class` instead.\",\n DecoratorSemicolon: \"Decorators must not be followed by a semicolon\",\n DeletePrivateField: \"Deleting a private field is not allowed\",\n DestructureNamedImport:\n \"ES2015 named imports do not destructure. Use another statement for destructuring after the import.\",\n DuplicateConstructor: \"Duplicate constructor in the same class\",\n DuplicateDefaultExport: \"Only one default export allowed per module.\",\n DuplicateExport:\n \"`%0` has already been exported. Exported identifiers must be unique.\",\n DuplicateProto: \"Redefinition of __proto__ property\",\n DuplicateRegExpFlags: \"Duplicate regular expression flag\",\n ElementAfterRest: \"Rest element must be last element\",\n EscapedCharNotAnIdentifier: \"Invalid Unicode escape\",\n ExportDefaultFromAsIdentifier:\n \"'from' is not allowed as an identifier after 'export default'\",\n ForInOfLoopInitializer:\n \"%0 loop variable declaration may not have an initializer\",\n GeneratorInSingleStatementContext:\n \"Generators can only be declared at the top level or inside a block\",\n IllegalBreakContinue: \"Unsyntactic %0\",\n IllegalLanguageModeDirective:\n \"Illegal 'use strict' directive in function with non-simple parameter list\",\n IllegalReturn: \"'return' outside of function\",\n ImportCallArgumentTrailingComma:\n \"Trailing comma is disallowed inside import(...) arguments\",\n ImportCallArity: \"import() requires exactly %0\",\n ImportCallNotNewExpression: \"Cannot use new with import(...)\",\n ImportCallSpreadArgument: \"... is not allowed in import()\",\n ImportMetaOutsideModule: `import.meta may appear only with 'sourceType: \"module\"'`,\n ImportOutsideModule: `'import' and 'export' may appear only with 'sourceType: \"module\"'`,\n InvalidBigIntLiteral: \"Invalid BigIntLiteral\",\n InvalidCodePoint: \"Code point out of bounds\",\n InvalidDecimal: \"Invalid decimal\",\n InvalidDigit: \"Expected number in radix %0\",\n InvalidEscapeSequence: \"Bad character escape sequence\",\n InvalidEscapeSequenceTemplate: \"Invalid escape sequence in template\",\n InvalidEscapedReservedWord: \"Escape sequence in keyword %0\",\n InvalidIdentifier: \"Invalid identifier %0\",\n InvalidLhs: \"Invalid left-hand side in %0\",\n InvalidLhsBinding: \"Binding invalid left-hand side in %0\",\n InvalidNumber: \"Invalid number\",\n InvalidOrUnexpectedToken: \"Unexpected character '%0'\",\n InvalidParenthesizedAssignment: \"Invalid parenthesized assignment pattern\",\n InvalidPrivateFieldResolution: \"Private name #%0 is not defined\",\n InvalidPropertyBindingPattern: \"Binding member expression\",\n InvalidRecordProperty:\n \"Only properties and spread elements are allowed in record definitions\",\n InvalidRestAssignmentPattern: \"Invalid rest operator's argument\",\n LabelRedeclaration: \"Label '%0' is already declared\",\n LetInLexicalBinding:\n \"'let' is not allowed to be used as a name in 'let' or 'const' declarations.\",\n LineTerminatorBeforeArrow: \"No line break is allowed before '=>'\",\n MalformedRegExpFlags: \"Invalid regular expression flag\",\n MissingClassName: \"A class name is required\",\n MissingEqInAssignment:\n \"Only '=' operator can be used for specifying default value.\",\n MissingUnicodeEscape: \"Expecting Unicode escape sequence \\\\uXXXX\",\n MixingCoalesceWithLogical:\n \"Nullish coalescing operator(??) requires parens when mixing with logical operators\",\n ModuleAttributeDifferentFromType:\n \"The only accepted module attribute is `type`\",\n ModuleAttributeInvalidValue:\n \"Only string literals are allowed as module attribute values\",\n ModuleAttributesWithDuplicateKeys:\n 'Duplicate key \"%0\" is not allowed in module attributes',\n ModuleExportUndefined: \"Export '%0' is not defined\",\n MultipleDefaultsInSwitch: \"Multiple default clauses\",\n NewlineAfterThrow: \"Illegal newline after throw\",\n NoCatchOrFinally: \"Missing catch or finally clause\",\n NumberIdentifier: \"Identifier directly after number\",\n NumericSeparatorInEscapeSequence:\n \"Numeric separators are not allowed inside unicode escape sequences or hex escape sequences\",\n ObsoleteAwaitStar:\n \"await* has been removed from the async functions proposal. Use Promise.all() instead.\",\n OptionalChainingNoNew:\n \"constructors in/after an Optional Chain are not allowed\",\n OptionalChainingNoTemplate:\n \"Tagged Template Literals are not allowed in optionalChain\",\n ParamDupe: \"Argument name clash\",\n PatternHasAccessor: \"Object pattern can't contain getter or setter\",\n PatternHasMethod: \"Object pattern can't contain methods\",\n PipelineBodyNoArrow:\n 'Unexpected arrow \"=>\" after pipeline body; arrow function in pipeline body must be parenthesized',\n PipelineBodySequenceExpression:\n \"Pipeline body may not be a comma-separated sequence expression\",\n PipelineHeadSequenceExpression:\n \"Pipeline head should not be a comma-separated sequence expression\",\n PipelineTopicUnused:\n \"Pipeline is in topic style but does not use topic reference\",\n PrimaryTopicNotAllowed:\n \"Topic reference was used in a lexical context without topic binding\",\n PrimaryTopicRequiresSmartPipeline:\n \"Primary Topic Reference found but pipelineOperator not passed 'smart' for 'proposal' option.\",\n PrivateInExpectedIn:\n \"Private names are only allowed in property accesses (`obj.#%0`) or in `in` expressions (`#%0 in obj`)\",\n PrivateNameRedeclaration: \"Duplicate private name #%0\",\n RecordExpressionBarIncorrectEndSyntaxType:\n \"Record expressions ending with '|}' are only allowed when the 'syntaxType' option of the 'recordAndTuple' plugin is set to 'bar'\",\n RecordExpressionBarIncorrectStartSyntaxType:\n \"Record expressions starting with '{|' are only allowed when the 'syntaxType' option of the 'recordAndTuple' plugin is set to 'bar'\",\n RecordExpressionHashIncorrectStartSyntaxType:\n \"Record expressions starting with '#{' are only allowed when the 'syntaxType' option of the 'recordAndTuple' plugin is set to 'hash'\",\n RecordNoProto: \"'__proto__' is not allowed in Record expressions\",\n RestTrailingComma: \"Unexpected trailing comma after rest element\",\n SloppyFunction:\n \"In non-strict mode code, functions can only be declared at top level, inside a block, or as the body of an if statement\",\n StaticPrototype: \"Classes may not have static property named prototype\",\n StrictDelete: \"Deleting local variable in strict mode\",\n StrictEvalArguments: \"Assigning to '%0' in strict mode\",\n StrictEvalArgumentsBinding: \"Binding '%0' in strict mode\",\n StrictFunction:\n \"In strict mode code, functions can only be declared at top level or inside a block\",\n StrictNumericEscape: \"The only valid numeric escape in strict mode is '\\\\0'\",\n StrictOctalLiteral: \"Legacy octal literals are not allowed in strict mode\",\n StrictWith: \"'with' in strict mode\",\n SuperNotAllowed:\n \"super() is only valid inside a class constructor of a subclass. Maybe a typo in the method name ('constructor') or not extending another class?\",\n SuperPrivateField: \"Private fields can't be accessed on super\",\n TrailingDecorator: \"Decorators must be attached to a class element\",\n TupleExpressionBarIncorrectEndSyntaxType:\n \"Tuple expressions ending with '|]' are only allowed when the 'syntaxType' option of the 'recordAndTuple' plugin is set to 'bar'\",\n TupleExpressionBarIncorrectStartSyntaxType:\n \"Tuple expressions starting with '[|' are only allowed when the 'syntaxType' option of the 'recordAndTuple' plugin is set to 'bar'\",\n TupleExpressionHashIncorrectStartSyntaxType:\n \"Tuple expressions starting with '#[' are only allowed when the 'syntaxType' option of the 'recordAndTuple' plugin is set to 'hash'\",\n UnexpectedArgumentPlaceholder: \"Unexpected argument placeholder\",\n UnexpectedAwaitAfterPipelineBody:\n 'Unexpected \"await\" after pipeline body; await must have parentheses in minimal proposal',\n UnexpectedDigitAfterHash: \"Unexpected digit after hash token\",\n UnexpectedImportExport:\n \"'import' and 'export' may only appear at the top level\",\n UnexpectedKeyword: \"Unexpected keyword '%0'\",\n UnexpectedLeadingDecorator:\n \"Leading decorators must be attached to a class declaration\",\n UnexpectedLexicalDeclaration:\n \"Lexical declaration cannot appear in a single-statement context\",\n UnexpectedNewTarget: \"new.target can only be used in functions\",\n UnexpectedNumericSeparator:\n \"A numeric separator is only allowed between two digits\",\n UnexpectedPrivateField:\n \"Private names can only be used as the name of a class element (i.e. class C { #p = 42; #m() {} } )\\n or a property of member expression (i.e. this.#p).\",\n UnexpectedReservedWord: \"Unexpected reserved word '%0'\",\n UnexpectedSuper: \"super is only allowed in object methods and classes\",\n UnexpectedToken: \"Unexpected token '%0'\",\n UnexpectedTokenUnaryExponentiation:\n \"Illegal expression. Wrap left hand side or entire exponentiation in parentheses.\",\n UnsupportedBind: \"Binding should be performed on object property.\",\n UnsupportedDecoratorExport:\n \"A decorated export must export a class declaration\",\n UnsupportedDefaultExport:\n \"Only expressions, functions or classes are allowed as the `default` export.\",\n UnsupportedImport: \"import can only be used in import() or import.meta\",\n UnsupportedMetaProperty: \"The only valid meta property for %0 is %0.%1\",\n UnsupportedParameterDecorator:\n \"Decorators cannot be used to decorate parameters\",\n UnsupportedPropertyDecorator:\n \"Decorators cannot be used to decorate object literal properties\",\n UnsupportedSuper:\n \"super can only be used with function calls (i.e. super()) or in property accesses (i.e. super.prop or super[prop])\",\n UnterminatedComment: \"Unterminated comment\",\n UnterminatedRegExp: \"Unterminated regular expression\",\n UnterminatedString: \"Unterminated string constant\",\n UnterminatedTemplate: \"Unterminated template\",\n VarRedeclaration: \"Identifier '%0' has already been declared\",\n YieldBindingIdentifier:\n \"Can not use 'yield' as identifier inside a generator\",\n YieldInParameter: \"yield is not allowed in generator parameters\",\n ZeroDigitNumericSeparator:\n \"Numeric separator can not be used after leading 0\",\n});\n","// @flow\n/* eslint sort-keys: \"error\" */\nimport { getLineInfo, type Position } from \"../util/location\";\nimport CommentsParser from \"./comments\";\n\n// This function is used to raise exceptions on parse errors. It\n// takes an offset integer (into the current `input`) to indicate\n// the location of the error, attaches the position to the end\n// of the error message, and then raises a `SyntaxError` with that\n// message.\n\ntype ErrorContext = {\n pos: number,\n loc: Position,\n missingPlugin?: Array<string>,\n code?: string,\n};\n\nexport { ErrorMessages as Errors } from \"./error-message.js\";\n\nexport default class ParserError extends CommentsParser {\n // Forward-declaration: defined in tokenizer/index.js\n /*::\n +isLookahead: boolean;\n */\n\n getLocationForPosition(pos: number): Position {\n let loc;\n if (pos === this.state.start) loc = this.state.startLoc;\n else if (pos === this.state.lastTokStart) loc = this.state.lastTokStartLoc;\n else if (pos === this.state.end) loc = this.state.endLoc;\n else if (pos === this.state.lastTokEnd) loc = this.state.lastTokEndLoc;\n else loc = getLineInfo(this.input, pos);\n\n return loc;\n }\n\n raise(pos: number, errorTemplate: string, ...params: any): Error | empty {\n return this.raiseWithData(pos, undefined, errorTemplate, ...params);\n }\n\n raiseWithData(\n pos: number,\n data?: {\n missingPlugin?: Array<string>,\n code?: string,\n },\n errorTemplate: string,\n ...params: any\n ): Error | empty {\n const loc = this.getLocationForPosition(pos);\n const message =\n errorTemplate.replace(/%(\\d+)/g, (_, i: number) => params[i]) +\n ` (${loc.line}:${loc.column})`;\n return this._raise(Object.assign(({ loc, pos }: Object), data), message);\n }\n\n _raise(errorContext: ErrorContext, message: string): Error | empty {\n // $FlowIgnore\n const err: SyntaxError & ErrorContext = new SyntaxError(message);\n Object.assign(err, errorContext);\n if (this.options.errorRecovery) {\n if (!this.isLookahead) this.state.errors.push(err);\n return err;\n } else {\n throw err;\n }\n }\n}\n","// @flow\n\nimport { types as tt, TokenType } from \"../tokenizer/types\";\nimport type Parser from \"../parser\";\nimport type { ExpressionErrors } from \"../parser/util\";\nimport * as N from \"../types\";\nimport type { Position } from \"../util/location\";\nimport { type BindingTypes, BIND_NONE } from \"../util/scopeflags\";\nimport { Errors } from \"../parser/error\";\n\nfunction isSimpleProperty(node: N.Node): boolean {\n return (\n node != null &&\n node.type === \"Property\" &&\n node.kind === \"init\" &&\n node.method === false\n );\n}\n\nexport default (superClass: Class<Parser>): Class<Parser> =>\n class extends superClass {\n estreeParseRegExpLiteral({ pattern, flags }: N.RegExpLiteral): N.Node {\n let regex = null;\n try {\n regex = new RegExp(pattern, flags);\n } catch (e) {\n // In environments that don't support these flags value will\n // be null as the regex can't be represented natively.\n }\n const node = this.estreeParseLiteral(regex);\n node.regex = { pattern, flags };\n\n return node;\n }\n\n estreeParseBigIntLiteral(value: any): N.Node {\n // https://github.com/estree/estree/blob/master/es2020.md#bigintliteral\n // $FlowIgnore\n const bigInt = typeof BigInt !== \"undefined\" ? BigInt(value) : null;\n const node = this.estreeParseLiteral(bigInt);\n node.bigint = String(node.value || value);\n\n return node;\n }\n\n estreeParseDecimalLiteral(value: any): N.Node {\n // https://github.com/estree/estree/blob/master/experimental/decimal.md\n // $FlowIgnore\n // todo: use BigDecimal when node supports it.\n const decimal = null;\n const node = this.estreeParseLiteral(decimal);\n node.decimal = String(node.value || value);\n\n return node;\n }\n\n estreeParseLiteral(value: any): N.Node {\n return this.parseLiteral(value, \"Literal\");\n }\n\n directiveToStmt(directive: N.Directive): N.ExpressionStatement {\n const directiveLiteral = directive.value;\n\n const stmt = this.startNodeAt(directive.start, directive.loc.start);\n const expression = this.startNodeAt(\n directiveLiteral.start,\n directiveLiteral.loc.start,\n );\n\n expression.value = directiveLiteral.value;\n expression.raw = directiveLiteral.extra.raw;\n\n stmt.expression = this.finishNodeAt(\n expression,\n \"Literal\",\n directiveLiteral.end,\n directiveLiteral.loc.end,\n );\n stmt.directive = directiveLiteral.extra.raw.slice(1, -1);\n\n return this.finishNodeAt(\n stmt,\n \"ExpressionStatement\",\n directive.end,\n directive.loc.end,\n );\n }\n\n // ==================================\n // Overrides\n // ==================================\n\n initFunction(\n node: N.BodilessFunctionOrMethodBase,\n isAsync: ?boolean,\n ): void {\n super.initFunction(node, isAsync);\n node.expression = false;\n }\n\n checkDeclaration(node: N.Pattern | N.ObjectProperty): void {\n if (isSimpleProperty(node)) {\n this.checkDeclaration(((node: any): N.EstreeProperty).value);\n } else {\n super.checkDeclaration(node);\n }\n }\n\n checkGetterSetterParams(method: N.ObjectMethod | N.ClassMethod): void {\n const prop = ((method: any): N.EstreeProperty | N.EstreeMethodDefinition);\n const paramCount = prop.kind === \"get\" ? 0 : 1;\n const start = prop.start;\n if (prop.value.params.length !== paramCount) {\n if (method.kind === \"get\") {\n this.raise(start, Errors.BadGetterArity);\n } else {\n this.raise(start, Errors.BadSetterArity);\n }\n } else if (\n prop.kind === \"set\" &&\n prop.value.params[0].type === \"RestElement\"\n ) {\n this.raise(start, Errors.BadSetterRestParameter);\n }\n }\n\n checkLVal(\n expr: N.Expression,\n bindingType: BindingTypes = BIND_NONE,\n checkClashes: ?{ [key: string]: boolean },\n contextDescription: string,\n disallowLetBinding?: boolean,\n ): void {\n switch (expr.type) {\n case \"ObjectPattern\":\n expr.properties.forEach(prop => {\n this.checkLVal(\n prop.type === \"Property\" ? prop.value : prop,\n bindingType,\n checkClashes,\n \"object destructuring pattern\",\n disallowLetBinding,\n );\n });\n break;\n default:\n super.checkLVal(\n expr,\n bindingType,\n checkClashes,\n contextDescription,\n disallowLetBinding,\n );\n }\n }\n\n checkProto(\n prop: N.ObjectMember | N.SpreadElement,\n isRecord: boolean,\n protoRef: { used: boolean },\n refExpressionErrors: ?ExpressionErrors,\n ): void {\n // $FlowIgnore: check prop.method and fallback to super method\n if (prop.method) {\n return;\n }\n super.checkProto(prop, isRecord, protoRef, refExpressionErrors);\n }\n\n isValidDirective(stmt: N.Statement): boolean {\n return (\n stmt.type === \"ExpressionStatement\" &&\n stmt.expression.type === \"Literal\" &&\n typeof stmt.expression.value === \"string\" &&\n !stmt.expression.extra?.parenthesized\n );\n }\n\n stmtToDirective(stmt: N.Statement): N.Directive {\n const directive = super.stmtToDirective(stmt);\n const value = stmt.expression.value;\n\n // Reset value to the actual value as in estree mode we want\n // the stmt to have the real value and not the raw value\n directive.value.value = value;\n\n return directive;\n }\n\n parseBlockBody(\n node: N.BlockStatementLike,\n allowDirectives: ?boolean,\n topLevel: boolean,\n end: TokenType,\n ): void {\n super.parseBlockBody(node, allowDirectives, topLevel, end);\n\n const directiveStatements = node.directives.map(d =>\n this.directiveToStmt(d),\n );\n node.body = directiveStatements.concat(node.body);\n // $FlowIgnore - directives isn't optional in the type definition\n delete node.directives;\n }\n\n pushClassMethod(\n classBody: N.ClassBody,\n method: N.ClassMethod,\n isGenerator: boolean,\n isAsync: boolean,\n isConstructor: boolean,\n allowsDirectSuper: boolean,\n ): void {\n this.parseMethod(\n method,\n isGenerator,\n isAsync,\n isConstructor,\n allowsDirectSuper,\n \"ClassMethod\",\n true,\n );\n if (method.typeParameters) {\n // $FlowIgnore\n method.value.typeParameters = method.typeParameters;\n delete method.typeParameters;\n }\n classBody.body.push(method);\n }\n\n parseExprAtom(refExpressionErrors?: ?ExpressionErrors): N.Expression {\n switch (this.state.type) {\n case tt.num:\n case tt.string:\n return this.estreeParseLiteral(this.state.value);\n\n case tt.regexp:\n return this.estreeParseRegExpLiteral(this.state.value);\n\n case tt.bigint:\n return this.estreeParseBigIntLiteral(this.state.value);\n\n case tt.decimal:\n return this.estreeParseDecimalLiteral(this.state.value);\n\n case tt._null:\n return this.estreeParseLiteral(null);\n\n case tt._true:\n return this.estreeParseLiteral(true);\n\n case tt._false:\n return this.estreeParseLiteral(false);\n\n default:\n return super.parseExprAtom(refExpressionErrors);\n }\n }\n\n parseLiteral<T: N.Literal>(\n value: any,\n type: /*T[\"kind\"]*/ string,\n startPos?: number,\n startLoc?: Position,\n ): T {\n const node = super.parseLiteral(value, type, startPos, startLoc);\n node.raw = node.extra.raw;\n delete node.extra;\n\n return node;\n }\n\n parseFunctionBody(\n node: N.Function,\n allowExpression: ?boolean,\n isMethod?: boolean = false,\n ): void {\n super.parseFunctionBody(node, allowExpression, isMethod);\n node.expression = node.body.type !== \"BlockStatement\";\n }\n\n parseMethod<T: N.MethodLike>(\n node: T,\n isGenerator: boolean,\n isAsync: boolean,\n isConstructor: boolean,\n allowDirectSuper: boolean,\n type: string,\n inClassScope: boolean = false,\n ): T {\n let funcNode = this.startNode();\n funcNode.kind = node.kind; // provide kind, so super method correctly sets state\n funcNode = super.parseMethod(\n funcNode,\n isGenerator,\n isAsync,\n isConstructor,\n allowDirectSuper,\n type,\n inClassScope,\n );\n funcNode.type = \"FunctionExpression\";\n delete funcNode.kind;\n // $FlowIgnore\n node.value = funcNode;\n\n type = type === \"ClassMethod\" ? \"MethodDefinition\" : type;\n return this.finishNode(node, type);\n }\n\n parseObjectMethod(\n prop: N.ObjectMethod,\n isGenerator: boolean,\n isAsync: boolean,\n isPattern: boolean,\n isAccessor: boolean,\n ): ?N.ObjectMethod {\n const node: N.EstreeProperty = (super.parseObjectMethod(\n prop,\n isGenerator,\n isAsync,\n isPattern,\n isAccessor,\n ): any);\n\n if (node) {\n node.type = \"Property\";\n if (((node: any): N.ClassMethod).kind === \"method\") node.kind = \"init\";\n node.shorthand = false;\n }\n\n return (node: any);\n }\n\n parseObjectProperty(\n prop: N.ObjectProperty,\n startPos: ?number,\n startLoc: ?Position,\n isPattern: boolean,\n refExpressionErrors: ?ExpressionErrors,\n ): ?N.ObjectProperty {\n const node: N.EstreeProperty = (super.parseObjectProperty(\n prop,\n startPos,\n startLoc,\n isPattern,\n refExpressionErrors,\n ): any);\n\n if (node) {\n node.kind = \"init\";\n node.type = \"Property\";\n }\n\n return (node: any);\n }\n\n toAssignable(node: N.Node): N.Node {\n if (isSimpleProperty(node)) {\n this.toAssignable(node.value);\n\n return node;\n }\n\n return super.toAssignable(node);\n }\n\n toAssignableObjectExpressionProp(prop: N.Node, isLast: boolean) {\n if (prop.kind === \"get\" || prop.kind === \"set\") {\n throw this.raise(prop.key.start, Errors.PatternHasAccessor);\n } else if (prop.method) {\n throw this.raise(prop.key.start, Errors.PatternHasMethod);\n } else {\n super.toAssignableObjectExpressionProp(prop, isLast);\n }\n }\n\n finishCallExpression<T: N.CallExpression | N.OptionalCallExpression>(\n node: T,\n optional: boolean,\n ): N.Expression {\n super.finishCallExpression(node, optional);\n\n if (node.callee.type === \"Import\") {\n ((node: N.Node): N.EstreeImportExpression).type = \"ImportExpression\";\n ((node: N.Node): N.EstreeImportExpression).source = node.arguments[0];\n // $FlowIgnore - arguments isn't optional in the type definition\n delete node.arguments;\n // $FlowIgnore - callee isn't optional in the type definition\n delete node.callee;\n }\n\n return node;\n }\n\n toReferencedListDeep(\n exprList: $ReadOnlyArray<?N.Expression>,\n isParenthesizedExpr?: boolean,\n ): void {\n // ImportExpressions do not have an arguments array.\n if (!exprList) {\n return;\n }\n\n super.toReferencedListDeep(exprList, isParenthesizedExpr);\n }\n\n parseExport(node: N.Node) {\n super.parseExport(node);\n\n switch (node.type) {\n case \"ExportAllDeclaration\":\n node.exported = null;\n break;\n\n case \"ExportNamedDeclaration\":\n if (\n node.specifiers.length === 1 &&\n node.specifiers[0].type === \"ExportNamespaceSpecifier\"\n ) {\n node.type = \"ExportAllDeclaration\";\n node.exported = node.specifiers[0].exported;\n delete node.specifiers;\n }\n\n break;\n }\n\n return node;\n }\n\n parseSubscript(\n base: N.Expression,\n startPos: number,\n startLoc: Position,\n noCalls: ?boolean,\n state: N.ParseSubscriptState,\n ) {\n const node = super.parseSubscript(\n base,\n startPos,\n startLoc,\n noCalls,\n state,\n );\n\n if (state.optionalChainMember) {\n // https://github.com/estree/estree/blob/master/es2020.md#chainexpression\n if (\n node.type === \"OptionalMemberExpression\" ||\n node.type === \"OptionalCallExpression\"\n ) {\n node.type = node.type.substring(8); // strip Optional prefix\n }\n if (state.stop) {\n const chain = this.startNodeAtNode(node);\n chain.expression = node;\n return this.finishNode(chain, \"ChainExpression\");\n }\n } else if (\n node.type === \"MemberExpression\" ||\n node.type === \"CallExpression\"\n ) {\n node.optional = false;\n }\n\n return node;\n }\n };\n","// @flow\n\n// The algorithm used to determine whether a regexp can appear at a\n// given point in the program is loosely based on sweet.js' approach.\n// See https://github.com/mozilla/sweet.js/wiki/design\n\nimport { types as tt } from \"./types\";\nimport { lineBreak } from \"../util/whitespace\";\n\nexport class TokContext {\n constructor(\n token: string,\n isExpr?: boolean,\n preserveSpace?: boolean,\n override?: ?Function, // Takes a Tokenizer as a this-parameter, and returns void.\n ) {\n this.token = token;\n this.isExpr = !!isExpr;\n this.preserveSpace = !!preserveSpace;\n this.override = override;\n }\n\n token: string;\n isExpr: boolean;\n preserveSpace: boolean;\n override: ?Function;\n}\n\nexport const types: {\n [key: string]: TokContext,\n} = {\n braceStatement: new TokContext(\"{\", false),\n braceExpression: new TokContext(\"{\", true),\n templateQuasi: new TokContext(\"${\", false),\n parenStatement: new TokContext(\"(\", false),\n parenExpression: new TokContext(\"(\", true),\n template: new TokContext(\"`\", true, true, p => p.readTmplToken()),\n functionExpression: new TokContext(\"function\", true),\n functionStatement: new TokContext(\"function\", false),\n};\n\n// Token-specific context update code\n\ntt.parenR.updateContext = tt.braceR.updateContext = function () {\n if (this.state.context.length === 1) {\n this.state.exprAllowed = true;\n return;\n }\n\n let out = this.state.context.pop();\n if (out === types.braceStatement && this.curContext().token === \"function\") {\n out = this.state.context.pop();\n }\n\n this.state.exprAllowed = !out.isExpr;\n};\n\ntt.name.updateContext = function (prevType) {\n let allowed = false;\n if (prevType !== tt.dot) {\n if (\n (this.state.value === \"of\" &&\n !this.state.exprAllowed &&\n prevType !== tt._function &&\n prevType !== tt._class) ||\n (this.state.value === \"yield\" && this.prodParam.hasYield)\n ) {\n allowed = true;\n }\n }\n this.state.exprAllowed = allowed;\n\n if (this.state.isIterator) {\n this.state.isIterator = false;\n }\n};\n\ntt.braceL.updateContext = function (prevType) {\n this.state.context.push(\n this.braceIsBlock(prevType) ? types.braceStatement : types.braceExpression,\n );\n this.state.exprAllowed = true;\n};\n\ntt.dollarBraceL.updateContext = function () {\n this.state.context.push(types.templateQuasi);\n this.state.exprAllowed = true;\n};\n\ntt.parenL.updateContext = function (prevType) {\n const statementParens =\n prevType === tt._if ||\n prevType === tt._for ||\n prevType === tt._with ||\n prevType === tt._while;\n this.state.context.push(\n statementParens ? types.parenStatement : types.parenExpression,\n );\n this.state.exprAllowed = true;\n};\n\ntt.incDec.updateContext = function () {\n // tokExprAllowed stays unchanged\n};\n\ntt._function.updateContext = tt._class.updateContext = function (prevType) {\n if (prevType === tt.dot || prevType === tt.questionDot) {\n // when function/class follows dot/questionDot, it is part of\n // (optional)MemberExpression, then we don't need to push new token context\n } else if (\n prevType.beforeExpr &&\n prevType !== tt.semi &&\n prevType !== tt._else &&\n !(\n prevType === tt._return &&\n lineBreak.test(this.input.slice(this.state.lastTokEnd, this.state.start))\n ) &&\n !(\n (prevType === tt.colon || prevType === tt.braceL) &&\n this.curContext() === types.b_stat\n )\n ) {\n this.state.context.push(types.functionExpression);\n } else {\n this.state.context.push(types.functionStatement);\n }\n\n this.state.exprAllowed = false;\n};\n\ntt.backQuote.updateContext = function () {\n if (this.curContext() === types.template) {\n this.state.context.pop();\n } else {\n this.state.context.push(types.template);\n }\n this.state.exprAllowed = false;\n};\n\ntt.star.updateContext = function () {\n this.state.exprAllowed = false;\n};\n","// @flow\n\nimport * as charCodes from \"charcodes\";\n\n// ## Character categories\n\n// Big ugly regular expressions that match characters in the\n// whitespace, identifier, and identifier-start categories. These\n// are only applied when a character is found to actually have a\n// code point between 0x80 and 0xffff.\n// Generated by `scripts/generate-identifier-regex.js`.\n\n/* prettier-ignore */\nlet nonASCIIidentifierStartChars = \"\\xaa\\xb5\\xba\\xc0-\\xd6\\xd8-\\xf6\\xf8-\\u02c1\\u02c6-\\u02d1\\u02e0-\\u02e4\\u02ec\\u02ee\\u0370-\\u0374\\u0376\\u0377\\u037a-\\u037d\\u037f\\u0386\\u0388-\\u038a\\u038c\\u038e-\\u03a1\\u03a3-\\u03f5\\u03f7-\\u0481\\u048a-\\u052f\\u0531-\\u0556\\u0559\\u0560-\\u0588\\u05d0-\\u05ea\\u05ef-\\u05f2\\u0620-\\u064a\\u066e\\u066f\\u0671-\\u06d3\\u06d5\\u06e5\\u06e6\\u06ee\\u06ef\\u06fa-\\u06fc\\u06ff\\u0710\\u0712-\\u072f\\u074d-\\u07a5\\u07b1\\u07ca-\\u07ea\\u07f4\\u07f5\\u07fa\\u0800-\\u0815\\u081a\\u0824\\u0828\\u0840-\\u0858\\u0860-\\u086a\\u08a0-\\u08b4\\u08b6-\\u08c7\\u0904-\\u0939\\u093d\\u0950\\u0958-\\u0961\\u0971-\\u0980\\u0985-\\u098c\\u098f\\u0990\\u0993-\\u09a8\\u09aa-\\u09b0\\u09b2\\u09b6-\\u09b9\\u09bd\\u09ce\\u09dc\\u09dd\\u09df-\\u09e1\\u09f0\\u09f1\\u09fc\\u0a05-\\u0a0a\\u0a0f\\u0a10\\u0a13-\\u0a28\\u0a2a-\\u0a30\\u0a32\\u0a33\\u0a35\\u0a36\\u0a38\\u0a39\\u0a59-\\u0a5c\\u0a5e\\u0a72-\\u0a74\\u0a85-\\u0a8d\\u0a8f-\\u0a91\\u0a93-\\u0aa8\\u0aaa-\\u0ab0\\u0ab2\\u0ab3\\u0ab5-\\u0ab9\\u0abd\\u0ad0\\u0ae0\\u0ae1\\u0af9\\u0b05-\\u0b0c\\u0b0f\\u0b10\\u0b13-\\u0b28\\u0b2a-\\u0b30\\u0b32\\u0b33\\u0b35-\\u0b39\\u0b3d\\u0b5c\\u0b5d\\u0b5f-\\u0b61\\u0b71\\u0b83\\u0b85-\\u0b8a\\u0b8e-\\u0b90\\u0b92-\\u0b95\\u0b99\\u0b9a\\u0b9c\\u0b9e\\u0b9f\\u0ba3\\u0ba4\\u0ba8-\\u0baa\\u0bae-\\u0bb9\\u0bd0\\u0c05-\\u0c0c\\u0c0e-\\u0c10\\u0c12-\\u0c28\\u0c2a-\\u0c39\\u0c3d\\u0c58-\\u0c5a\\u0c60\\u0c61\\u0c80\\u0c85-\\u0c8c\\u0c8e-\\u0c90\\u0c92-\\u0ca8\\u0caa-\\u0cb3\\u0cb5-\\u0cb9\\u0cbd\\u0cde\\u0ce0\\u0ce1\\u0cf1\\u0cf2\\u0d04-\\u0d0c\\u0d0e-\\u0d10\\u0d12-\\u0d3a\\u0d3d\\u0d4e\\u0d54-\\u0d56\\u0d5f-\\u0d61\\u0d7a-\\u0d7f\\u0d85-\\u0d96\\u0d9a-\\u0db1\\u0db3-\\u0dbb\\u0dbd\\u0dc0-\\u0dc6\\u0e01-\\u0e30\\u0e32\\u0e33\\u0e40-\\u0e46\\u0e81\\u0e82\\u0e84\\u0e86-\\u0e8a\\u0e8c-\\u0ea3\\u0ea5\\u0ea7-\\u0eb0\\u0eb2\\u0eb3\\u0ebd\\u0ec0-\\u0ec4\\u0ec6\\u0edc-\\u0edf\\u0f00\\u0f40-\\u0f47\\u0f49-\\u0f6c\\u0f88-\\u0f8c\\u1000-\\u102a\\u103f\\u1050-\\u1055\\u105a-\\u105d\\u1061\\u1065\\u1066\\u106e-\\u1070\\u1075-\\u1081\\u108e\\u10a0-\\u10c5\\u10c7\\u10cd\\u10d0-\\u10fa\\u10fc-\\u1248\\u124a-\\u124d\\u1250-\\u1256\\u1258\\u125a-\\u125d\\u1260-\\u1288\\u128a-\\u128d\\u1290-\\u12b0\\u12b2-\\u12b5\\u12b8-\\u12be\\u12c0\\u12c2-\\u12c5\\u12c8-\\u12d6\\u12d8-\\u1310\\u1312-\\u1315\\u1318-\\u135a\\u1380-\\u138f\\u13a0-\\u13f5\\u13f8-\\u13fd\\u1401-\\u166c\\u166f-\\u167f\\u1681-\\u169a\\u16a0-\\u16ea\\u16ee-\\u16f8\\u1700-\\u170c\\u170e-\\u1711\\u1720-\\u1731\\u1740-\\u1751\\u1760-\\u176c\\u176e-\\u1770\\u1780-\\u17b3\\u17d7\\u17dc\\u1820-\\u1878\\u1880-\\u18a8\\u18aa\\u18b0-\\u18f5\\u1900-\\u191e\\u1950-\\u196d\\u1970-\\u1974\\u1980-\\u19ab\\u19b0-\\u19c9\\u1a00-\\u1a16\\u1a20-\\u1a54\\u1aa7\\u1b05-\\u1b33\\u1b45-\\u1b4b\\u1b83-\\u1ba0\\u1bae\\u1baf\\u1bba-\\u1be5\\u1c00-\\u1c23\\u1c4d-\\u1c4f\\u1c5a-\\u1c7d\\u1c80-\\u1c88\\u1c90-\\u1cba\\u1cbd-\\u1cbf\\u1ce9-\\u1cec\\u1cee-\\u1cf3\\u1cf5\\u1cf6\\u1cfa\\u1d00-\\u1dbf\\u1e00-\\u1f15\\u1f18-\\u1f1d\\u1f20-\\u1f45\\u1f48-\\u1f4d\\u1f50-\\u1f57\\u1f59\\u1f5b\\u1f5d\\u1f5f-\\u1f7d\\u1f80-\\u1fb4\\u1fb6-\\u1fbc\\u1fbe\\u1fc2-\\u1fc4\\u1fc6-\\u1fcc\\u1fd0-\\u1fd3\\u1fd6-\\u1fdb\\u1fe0-\\u1fec\\u1ff2-\\u1ff4\\u1ff6-\\u1ffc\\u2071\\u207f\\u2090-\\u209c\\u2102\\u2107\\u210a-\\u2113\\u2115\\u2118-\\u211d\\u2124\\u2126\\u2128\\u212a-\\u2139\\u213c-\\u213f\\u2145-\\u2149\\u214e\\u2160-\\u2188\\u2c00-\\u2c2e\\u2c30-\\u2c5e\\u2c60-\\u2ce4\\u2ceb-\\u2cee\\u2cf2\\u2cf3\\u2d00-\\u2d25\\u2d27\\u2d2d\\u2d30-\\u2d67\\u2d6f\\u2d80-\\u2d96\\u2da0-\\u2da6\\u2da8-\\u2dae\\u2db0-\\u2db6\\u2db8-\\u2dbe\\u2dc0-\\u2dc6\\u2dc8-\\u2dce\\u2dd0-\\u2dd6\\u2dd8-\\u2dde\\u3005-\\u3007\\u3021-\\u3029\\u3031-\\u3035\\u3038-\\u303c\\u3041-\\u3096\\u309b-\\u309f\\u30a1-\\u30fa\\u30fc-\\u30ff\\u3105-\\u312f\\u3131-\\u318e\\u31a0-\\u31bf\\u31f0-\\u31ff\\u3400-\\u4dbf\\u4e00-\\u9ffc\\ua000-\\ua48c\\ua4d0-\\ua4fd\\ua500-\\ua60c\\ua610-\\ua61f\\ua62a\\ua62b\\ua640-\\ua66e\\ua67f-\\ua69d\\ua6a0-\\ua6ef\\ua717-\\ua71f\\ua722-\\ua788\\ua78b-\\ua7bf\\ua7c2-\\ua7ca\\ua7f5-\\ua801\\ua803-\\ua805\\ua807-\\ua80a\\ua80c-\\ua822\\ua840-\\ua873\\ua882-\\ua8b3\\ua8f2-\\ua8f7\\ua8fb\\ua8fd\\ua8fe\\ua90a-\\ua925\\ua930-\\ua946\\ua960-\\ua97c\\ua984-\\ua9b2\\ua9cf\\ua9e0-\\ua9e4\\ua9e6-\\ua9ef\\ua9fa-\\ua9fe\\uaa00-\\uaa28\\uaa40-\\uaa42\\uaa44-\\uaa4b\\uaa60-\\uaa76\\uaa7a\\uaa7e-\\uaaaf\\uaab1\\uaab5\\uaab6\\uaab9-\\uaabd\\uaac0\\uaac2\\uaadb-\\uaadd\\uaae0-\\uaaea\\uaaf2-\\uaaf4\\uab01-\\uab06\\uab09-\\uab0e\\uab11-\\uab16\\uab20-\\uab26\\uab28-\\uab2e\\uab30-\\uab5a\\uab5c-\\uab69\\uab70-\\uabe2\\uac00-\\ud7a3\\ud7b0-\\ud7c6\\ud7cb-\\ud7fb\\uf900-\\ufa6d\\ufa70-\\ufad9\\ufb00-\\ufb06\\ufb13-\\ufb17\\ufb1d\\ufb1f-\\ufb28\\ufb2a-\\ufb36\\ufb38-\\ufb3c\\ufb3e\\ufb40\\ufb41\\ufb43\\ufb44\\ufb46-\\ufbb1\\ufbd3-\\ufd3d\\ufd50-\\ufd8f\\ufd92-\\ufdc7\\ufdf0-\\ufdfb\\ufe70-\\ufe74\\ufe76-\\ufefc\\uff21-\\uff3a\\uff41-\\uff5a\\uff66-\\uffbe\\uffc2-\\uffc7\\uffca-\\uffcf\\uffd2-\\uffd7\\uffda-\\uffdc\";\n/* prettier-ignore */\nlet nonASCIIidentifierChars = \"\\u200c\\u200d\\xb7\\u0300-\\u036f\\u0387\\u0483-\\u0487\\u0591-\\u05bd\\u05bf\\u05c1\\u05c2\\u05c4\\u05c5\\u05c7\\u0610-\\u061a\\u064b-\\u0669\\u0670\\u06d6-\\u06dc\\u06df-\\u06e4\\u06e7\\u06e8\\u06ea-\\u06ed\\u06f0-\\u06f9\\u0711\\u0730-\\u074a\\u07a6-\\u07b0\\u07c0-\\u07c9\\u07eb-\\u07f3\\u07fd\\u0816-\\u0819\\u081b-\\u0823\\u0825-\\u0827\\u0829-\\u082d\\u0859-\\u085b\\u08d3-\\u08e1\\u08e3-\\u0903\\u093a-\\u093c\\u093e-\\u094f\\u0951-\\u0957\\u0962\\u0963\\u0966-\\u096f\\u0981-\\u0983\\u09bc\\u09be-\\u09c4\\u09c7\\u09c8\\u09cb-\\u09cd\\u09d7\\u09e2\\u09e3\\u09e6-\\u09ef\\u09fe\\u0a01-\\u0a03\\u0a3c\\u0a3e-\\u0a42\\u0a47\\u0a48\\u0a4b-\\u0a4d\\u0a51\\u0a66-\\u0a71\\u0a75\\u0a81-\\u0a83\\u0abc\\u0abe-\\u0ac5\\u0ac7-\\u0ac9\\u0acb-\\u0acd\\u0ae2\\u0ae3\\u0ae6-\\u0aef\\u0afa-\\u0aff\\u0b01-\\u0b03\\u0b3c\\u0b3e-\\u0b44\\u0b47\\u0b48\\u0b4b-\\u0b4d\\u0b55-\\u0b57\\u0b62\\u0b63\\u0b66-\\u0b6f\\u0b82\\u0bbe-\\u0bc2\\u0bc6-\\u0bc8\\u0bca-\\u0bcd\\u0bd7\\u0be6-\\u0bef\\u0c00-\\u0c04\\u0c3e-\\u0c44\\u0c46-\\u0c48\\u0c4a-\\u0c4d\\u0c55\\u0c56\\u0c62\\u0c63\\u0c66-\\u0c6f\\u0c81-\\u0c83\\u0cbc\\u0cbe-\\u0cc4\\u0cc6-\\u0cc8\\u0cca-\\u0ccd\\u0cd5\\u0cd6\\u0ce2\\u0ce3\\u0ce6-\\u0cef\\u0d00-\\u0d03\\u0d3b\\u0d3c\\u0d3e-\\u0d44\\u0d46-\\u0d48\\u0d4a-\\u0d4d\\u0d57\\u0d62\\u0d63\\u0d66-\\u0d6f\\u0d81-\\u0d83\\u0dca\\u0dcf-\\u0dd4\\u0dd6\\u0dd8-\\u0ddf\\u0de6-\\u0def\\u0df2\\u0df3\\u0e31\\u0e34-\\u0e3a\\u0e47-\\u0e4e\\u0e50-\\u0e59\\u0eb1\\u0eb4-\\u0ebc\\u0ec8-\\u0ecd\\u0ed0-\\u0ed9\\u0f18\\u0f19\\u0f20-\\u0f29\\u0f35\\u0f37\\u0f39\\u0f3e\\u0f3f\\u0f71-\\u0f84\\u0f86\\u0f87\\u0f8d-\\u0f97\\u0f99-\\u0fbc\\u0fc6\\u102b-\\u103e\\u1040-\\u1049\\u1056-\\u1059\\u105e-\\u1060\\u1062-\\u1064\\u1067-\\u106d\\u1071-\\u1074\\u1082-\\u108d\\u108f-\\u109d\\u135d-\\u135f\\u1369-\\u1371\\u1712-\\u1714\\u1732-\\u1734\\u1752\\u1753\\u1772\\u1773\\u17b4-\\u17d3\\u17dd\\u17e0-\\u17e9\\u180b-\\u180d\\u1810-\\u1819\\u18a9\\u1920-\\u192b\\u1930-\\u193b\\u1946-\\u194f\\u19d0-\\u19da\\u1a17-\\u1a1b\\u1a55-\\u1a5e\\u1a60-\\u1a7c\\u1a7f-\\u1a89\\u1a90-\\u1a99\\u1ab0-\\u1abd\\u1abf\\u1ac0\\u1b00-\\u1b04\\u1b34-\\u1b44\\u1b50-\\u1b59\\u1b6b-\\u1b73\\u1b80-\\u1b82\\u1ba1-\\u1bad\\u1bb0-\\u1bb9\\u1be6-\\u1bf3\\u1c24-\\u1c37\\u1c40-\\u1c49\\u1c50-\\u1c59\\u1cd0-\\u1cd2\\u1cd4-\\u1ce8\\u1ced\\u1cf4\\u1cf7-\\u1cf9\\u1dc0-\\u1df9\\u1dfb-\\u1dff\\u203f\\u2040\\u2054\\u20d0-\\u20dc\\u20e1\\u20e5-\\u20f0\\u2cef-\\u2cf1\\u2d7f\\u2de0-\\u2dff\\u302a-\\u302f\\u3099\\u309a\\ua620-\\ua629\\ua66f\\ua674-\\ua67d\\ua69e\\ua69f\\ua6f0\\ua6f1\\ua802\\ua806\\ua80b\\ua823-\\ua827\\ua82c\\ua880\\ua881\\ua8b4-\\ua8c5\\ua8d0-\\ua8d9\\ua8e0-\\ua8f1\\ua8ff-\\ua909\\ua926-\\ua92d\\ua947-\\ua953\\ua980-\\ua983\\ua9b3-\\ua9c0\\ua9d0-\\ua9d9\\ua9e5\\ua9f0-\\ua9f9\\uaa29-\\uaa36\\uaa43\\uaa4c\\uaa4d\\uaa50-\\uaa59\\uaa7b-\\uaa7d\\uaab0\\uaab2-\\uaab4\\uaab7\\uaab8\\uaabe\\uaabf\\uaac1\\uaaeb-\\uaaef\\uaaf5\\uaaf6\\uabe3-\\uabea\\uabec\\uabed\\uabf0-\\uabf9\\ufb1e\\ufe00-\\ufe0f\\ufe20-\\ufe2f\\ufe33\\ufe34\\ufe4d-\\ufe4f\\uff10-\\uff19\\uff3f\";\n\nconst nonASCIIidentifierStart = new RegExp(\n \"[\" + nonASCIIidentifierStartChars + \"]\",\n);\nconst nonASCIIidentifier = new RegExp(\n \"[\" + nonASCIIidentifierStartChars + nonASCIIidentifierChars + \"]\",\n);\n\nnonASCIIidentifierStartChars = nonASCIIidentifierChars = null;\n\n// These are a run-length and offset-encoded representation of the\n// >0xffff code points that are a valid part of identifiers. The\n// offset starts at 0x10000, and each pair of numbers represents an\n// offset to the next range, and then a size of the range. They were\n// generated by `scripts/generate-identifier-regex.js`.\n/* prettier-ignore */\n/* prettier-ignore */\nconst astralIdentifierStartCodes = [0,11,2,25,2,18,2,1,2,14,3,13,35,122,70,52,268,28,4,48,48,31,14,29,6,37,11,29,3,35,5,7,2,4,43,157,19,35,5,35,5,39,9,51,157,310,10,21,11,7,153,5,3,0,2,43,2,1,4,0,3,22,11,22,10,30,66,18,2,1,11,21,11,25,71,55,7,1,65,0,16,3,2,2,2,28,43,28,4,28,36,7,2,27,28,53,11,21,11,18,14,17,111,72,56,50,14,50,14,35,349,41,7,1,79,28,11,0,9,21,107,20,28,22,13,52,76,44,33,24,27,35,30,0,3,0,9,34,4,0,13,47,15,3,22,0,2,0,36,17,2,24,85,6,2,0,2,3,2,14,2,9,8,46,39,7,3,1,3,21,2,6,2,1,2,4,4,0,19,0,13,4,159,52,19,3,21,2,31,47,21,1,2,0,185,46,42,3,37,47,21,0,60,42,14,0,72,26,230,43,117,63,32,7,3,0,3,7,2,1,2,23,16,0,2,0,95,7,3,38,17,0,2,0,29,0,11,39,8,0,22,0,12,45,20,0,35,56,264,8,2,36,18,0,50,29,113,6,2,1,2,37,22,0,26,5,2,1,2,31,15,0,328,18,190,0,80,921,103,110,18,195,2749,1070,4050,582,8634,568,8,30,114,29,19,47,17,3,32,20,6,18,689,63,129,74,6,0,67,12,65,1,2,0,29,6135,9,1237,43,8,8952,286,50,2,18,3,9,395,2309,106,6,12,4,8,8,9,5991,84,2,70,2,1,3,0,3,1,3,3,2,11,2,0,2,6,2,64,2,3,3,7,2,6,2,27,2,3,2,4,2,0,4,6,2,339,3,24,2,24,2,30,2,24,2,30,2,24,2,30,2,24,2,30,2,24,2,7,2357,44,11,6,17,0,370,43,1301,196,60,67,8,0,1205,3,2,26,2,1,2,0,3,0,2,9,2,3,2,0,2,0,7,0,5,0,2,0,2,0,2,2,2,1,2,0,3,0,2,0,2,0,2,0,2,0,2,1,2,0,3,3,2,6,2,3,2,3,2,0,2,9,2,16,6,2,2,4,2,16,4421,42717,35,4148,12,221,3,5761,15,7472,3104,541,1507,4938];\n/* prettier-ignore */\nconst astralIdentifierCodes = [509,0,227,0,150,4,294,9,1368,2,2,1,6,3,41,2,5,0,166,1,574,3,9,9,370,1,154,10,176,2,54,14,32,9,16,3,46,10,54,9,7,2,37,13,2,9,6,1,45,0,13,2,49,13,9,3,2,11,83,11,7,0,161,11,6,9,7,3,56,1,2,6,3,1,3,2,10,0,11,1,3,6,4,4,193,17,10,9,5,0,82,19,13,9,214,6,3,8,28,1,83,16,16,9,82,12,9,9,84,14,5,9,243,14,166,9,71,5,2,1,3,3,2,0,2,1,13,9,120,6,3,6,4,0,29,9,41,6,2,3,9,0,10,10,47,15,406,7,2,7,17,9,57,21,2,13,123,5,4,0,2,1,2,6,2,0,9,9,49,4,2,1,2,4,9,9,330,3,19306,9,135,4,60,6,26,9,1014,0,2,54,8,3,82,0,12,1,19628,1,5319,4,4,5,9,7,3,6,31,3,149,2,1418,49,513,54,5,49,9,0,15,0,23,4,2,14,1361,6,2,16,3,6,2,1,2,4,262,6,10,9,419,13,1495,6,110,6,6,9,4759,9,787719,239];\n\n// This has a complexity linear to the value of the code. The\n// assumption is that looking up astral identifier characters is\n// rare.\nfunction isInAstralSet(code: number, set: $ReadOnlyArray<number>): boolean {\n let pos = 0x10000;\n for (let i = 0, length = set.length; i < length; i += 2) {\n pos += set[i];\n if (pos > code) return false;\n\n pos += set[i + 1];\n if (pos >= code) return true;\n }\n return false;\n}\n\n// Test whether a given character code starts an identifier.\n\nexport function isIdentifierStart(code: number): boolean {\n if (code < charCodes.uppercaseA) return code === charCodes.dollarSign;\n if (code <= charCodes.uppercaseZ) return true;\n if (code < charCodes.lowercaseA) return code === charCodes.underscore;\n if (code <= charCodes.lowercaseZ) return true;\n if (code <= 0xffff) {\n return (\n code >= 0xaa && nonASCIIidentifierStart.test(String.fromCharCode(code))\n );\n }\n return isInAstralSet(code, astralIdentifierStartCodes);\n}\n\n// Test whether a given character is part of an identifier.\n\nexport function isIdentifierChar(code: number): boolean {\n if (code < charCodes.digit0) return code === charCodes.dollarSign;\n if (code < charCodes.colon) return true;\n if (code < charCodes.uppercaseA) return false;\n if (code <= charCodes.uppercaseZ) return true;\n if (code < charCodes.lowercaseA) return code === charCodes.underscore;\n if (code <= charCodes.lowercaseZ) return true;\n if (code <= 0xffff) {\n return code >= 0xaa && nonASCIIidentifier.test(String.fromCharCode(code));\n }\n return (\n isInAstralSet(code, astralIdentifierStartCodes) ||\n isInAstralSet(code, astralIdentifierCodes)\n );\n}\n\n// Test whether a given string is a valid identifier name\n\nexport function isIdentifierName(name: string): boolean {\n let isFirst = true;\n for (const char of Array.from(name)) {\n const cp = char.codePointAt(0);\n if (isFirst) {\n if (!isIdentifierStart(cp)) {\n return false;\n }\n isFirst = false;\n } else if (!isIdentifierChar(cp)) {\n return false;\n }\n }\n return !isFirst;\n}\n","// @flow\n\nconst reservedWords = {\n keyword: [\n \"break\",\n \"case\",\n \"catch\",\n \"continue\",\n \"debugger\",\n \"default\",\n \"do\",\n \"else\",\n \"finally\",\n \"for\",\n \"function\",\n \"if\",\n \"return\",\n \"switch\",\n \"throw\",\n \"try\",\n \"var\",\n \"const\",\n \"while\",\n \"with\",\n \"new\",\n \"this\",\n \"super\",\n \"class\",\n \"extends\",\n \"export\",\n \"import\",\n \"null\",\n \"true\",\n \"false\",\n \"in\",\n \"instanceof\",\n \"typeof\",\n \"void\",\n \"delete\",\n ],\n strict: [\n \"implements\",\n \"interface\",\n \"let\",\n \"package\",\n \"private\",\n \"protected\",\n \"public\",\n \"static\",\n \"yield\",\n ],\n strictBind: [\"eval\", \"arguments\"],\n};\nconst keywords = new Set(reservedWords.keyword);\nconst reservedWordsStrictSet = new Set(reservedWords.strict);\nconst reservedWordsStrictBindSet = new Set(reservedWords.strictBind);\n\n/**\n * Checks if word is a reserved word in non-strict mode\n */\nexport function isReservedWord(word: string, inModule: boolean): boolean {\n return (inModule && word === \"await\") || word === \"enum\";\n}\n\n/**\n * Checks if word is a reserved word in non-binding strict mode\n *\n * Includes non-strict reserved words\n */\nexport function isStrictReservedWord(word: string, inModule: boolean): boolean {\n return isReservedWord(word, inModule) || reservedWordsStrictSet.has(word);\n}\n\n/**\n * Checks if word is a reserved word in binding strict mode, but it is allowed as\n * a normal identifier.\n */\nexport function isStrictBindOnlyReservedWord(word: string): boolean {\n return reservedWordsStrictBindSet.has(word);\n}\n\n/**\n * Checks if word is a reserved word in binding strict mode\n *\n * Includes non-strict reserved words and non-binding strict reserved words\n */\nexport function isStrictBindReservedWord(\n word: string,\n inModule: boolean,\n): boolean {\n return (\n isStrictReservedWord(word, inModule) || isStrictBindOnlyReservedWord(word)\n );\n}\n\nexport function isKeyword(word: string): boolean {\n return keywords.has(word);\n}\n","/* eslint max-len: 0 */\n\n// @flow\n\nimport * as charCodes from \"charcodes\";\n\nexport {\n isIdentifierStart,\n isIdentifierChar,\n isReservedWord,\n isStrictBindOnlyReservedWord,\n isStrictBindReservedWord,\n isStrictReservedWord,\n isKeyword,\n} from \"@babel/helper-validator-identifier\";\n\nexport const keywordRelationalOperator = /^in(stanceof)?$/;\n\n// Test whether a current state character code and next character code is @\n\nexport function isIteratorStart(current: number, next: number): boolean {\n return current === charCodes.atSign && next === charCodes.atSign;\n}\n","// @flow\n\n/*:: declare var invariant; */\n\n// Error messages are colocated with the plugin.\n/* eslint-disable @babel/development-internal/dry-error-messages */\n\nimport type Parser from \"../parser\";\nimport { types as tt, type TokenType } from \"../tokenizer/types\";\nimport * as N from \"../types\";\nimport type { Options } from \"../options\";\nimport type { Pos, Position } from \"../util/location\";\nimport type State from \"../tokenizer/state\";\nimport { types as tc } from \"../tokenizer/context\";\nimport * as charCodes from \"charcodes\";\nimport { isIteratorStart } from \"../util/identifier\";\nimport {\n type BindingTypes,\n BIND_NONE,\n BIND_LEXICAL,\n BIND_VAR,\n BIND_FUNCTION,\n SCOPE_ARROW,\n SCOPE_FUNCTION,\n SCOPE_OTHER,\n} from \"../util/scopeflags\";\nimport type { ExpressionErrors } from \"../parser/util\";\nimport { Errors } from \"../parser/error\";\n\nconst reservedTypes = new Set([\n \"_\",\n \"any\",\n \"bool\",\n \"boolean\",\n \"empty\",\n \"extends\",\n \"false\",\n \"interface\",\n \"mixed\",\n \"null\",\n \"number\",\n \"static\",\n \"string\",\n \"true\",\n \"typeof\",\n \"void\",\n]);\n\n/* eslint sort-keys: \"error\" */\n// The Errors key follows https://github.com/facebook/flow/blob/master/src/parser/parse_error.ml unless it does not exist\nconst FlowErrors = Object.freeze({\n AmbiguousConditionalArrow:\n \"Ambiguous expression: wrap the arrow functions in parentheses to disambiguate.\",\n AmbiguousDeclareModuleKind:\n \"Found both `declare module.exports` and `declare export` in the same module. Modules can only have 1 since they are either an ES module or they are a CommonJS module\",\n AssignReservedType: \"Cannot overwrite reserved type %0\",\n DeclareClassElement:\n \"The `declare` modifier can only appear on class fields.\",\n DeclareClassFieldInitializer:\n \"Initializers are not allowed in fields with the `declare` modifier.\",\n DuplicateDeclareModuleExports: \"Duplicate `declare module.exports` statement\",\n EnumBooleanMemberNotInitialized:\n \"Boolean enum members need to be initialized. Use either `%0 = true,` or `%0 = false,` in enum `%1`.\",\n EnumDuplicateMemberName:\n \"Enum member names need to be unique, but the name `%0` has already been used before in enum `%1`.\",\n EnumInconsistentMemberValues:\n \"Enum `%0` has inconsistent member initializers. Either use no initializers, or consistently use literals (either booleans, numbers, or strings) for all member initializers.\",\n EnumInvalidExplicitType:\n \"Enum type `%1` is not valid. Use one of `boolean`, `number`, `string`, or `symbol` in enum `%0`.\",\n EnumInvalidExplicitTypeUnknownSupplied:\n \"Supplied enum type is not valid. Use one of `boolean`, `number`, `string`, or `symbol` in enum `%0`.\",\n EnumInvalidMemberInitializerPrimaryType:\n \"Enum `%0` has type `%2`, so the initializer of `%1` needs to be a %2 literal.\",\n EnumInvalidMemberInitializerSymbolType:\n \"Symbol enum members cannot be initialized. Use `%1,` in enum `%0`.\",\n EnumInvalidMemberInitializerUnknownType:\n \"The enum member initializer for `%1` needs to be a literal (either a boolean, number, or string) in enum `%0`.\",\n EnumInvalidMemberName:\n \"Enum member names cannot start with lowercase 'a' through 'z'. Instead of using `%0`, consider using `%1`, in enum `%2`.\",\n EnumNumberMemberNotInitialized:\n \"Number enum members need to be initialized, e.g. `%1 = 1` in enum `%0`.\",\n EnumStringMemberInconsistentlyInitailized:\n \"String enum members need to consistently either all use initializers, or use no initializers, in enum `%0`.\",\n ImportTypeShorthandOnlyInPureImport:\n \"The `type` and `typeof` keywords on named imports can only be used on regular `import` statements. It cannot be used with `import type` or `import typeof` statements\",\n InexactInsideExact:\n \"Explicit inexact syntax cannot appear inside an explicit exact object type\",\n InexactInsideNonObject:\n \"Explicit inexact syntax cannot appear in class or interface definitions\",\n InexactVariance: \"Explicit inexact syntax cannot have variance\",\n InvalidNonTypeImportInDeclareModule:\n \"Imports within a `declare module` body must always be `import type` or `import typeof`\",\n MissingTypeParamDefault:\n \"Type parameter declaration needs a default, since a preceding type parameter declaration has a default.\",\n NestedDeclareModule:\n \"`declare module` cannot be used inside another `declare module`\",\n NestedFlowComment: \"Cannot have a flow comment inside another flow comment\",\n OptionalBindingPattern:\n \"A binding pattern parameter cannot be optional in an implementation signature.\",\n SpreadVariance: \"Spread properties cannot have variance\",\n TypeBeforeInitializer:\n \"Type annotations must come before default assignments, e.g. instead of `age = 25: number` use `age: number = 25`\",\n TypeCastInPattern:\n \"The type cast expression is expected to be wrapped with parenthesis\",\n UnexpectedExplicitInexactInObject:\n \"Explicit inexact syntax must appear at the end of an inexact object\",\n UnexpectedReservedType: \"Unexpected reserved type %0\",\n UnexpectedReservedUnderscore:\n \"`_` is only allowed as a type argument to call or new\",\n UnexpectedSpaceBetweenModuloChecks:\n \"Spaces between `%` and `checks` are not allowed here.\",\n UnexpectedSpreadType:\n \"Spread operator cannot appear in class or interface definitions\",\n UnexpectedSubtractionOperand:\n 'Unexpected token, expected \"number\" or \"bigint\"',\n UnexpectedTokenAfterTypeParameter:\n \"Expected an arrow function after this type parameter declaration\",\n UnsupportedDeclareExportKind:\n \"`declare export %0` is not supported. Use `%1` instead\",\n UnsupportedStatementInDeclareModule:\n \"Only declares and type imports are allowed inside declare module\",\n UnterminatedFlowComment: \"Unterminated flow-comment\",\n});\n/* eslint-disable sort-keys */\n\nfunction isEsModuleType(bodyElement: N.Node): boolean {\n return (\n bodyElement.type === \"DeclareExportAllDeclaration\" ||\n (bodyElement.type === \"DeclareExportDeclaration\" &&\n (!bodyElement.declaration ||\n (bodyElement.declaration.type !== \"TypeAlias\" &&\n bodyElement.declaration.type !== \"InterfaceDeclaration\")))\n );\n}\n\nfunction hasTypeImportKind(node: N.Node): boolean {\n return node.importKind === \"type\" || node.importKind === \"typeof\";\n}\n\nfunction isMaybeDefaultImport(state: State): boolean {\n return (\n (state.type === tt.name || !!state.type.keyword) && state.value !== \"from\"\n );\n}\n\nconst exportSuggestions = {\n const: \"declare export var\",\n let: \"declare export var\",\n type: \"export type\",\n interface: \"export interface\",\n};\n\n// Like Array#filter, but returns a tuple [ acceptedElements, discardedElements ]\nfunction partition<T>(\n list: T[],\n test: (T, number, T[]) => ?boolean,\n): [T[], T[]] {\n const list1 = [];\n const list2 = [];\n for (let i = 0; i < list.length; i++) {\n (test(list[i], i, list) ? list1 : list2).push(list[i]);\n }\n return [list1, list2];\n}\n\nconst FLOW_PRAGMA_REGEX = /\\*?\\s*@((?:no)?flow)\\b/;\n\n// Flow enums types\ntype EnumExplicitType = null | \"boolean\" | \"number\" | \"string\" | \"symbol\";\ntype EnumContext = {|\n enumName: string,\n explicitType: EnumExplicitType,\n memberName: string,\n|};\ntype EnumMemberInit =\n | {| type: \"number\", pos: number, value: N.Node |}\n | {| type: \"string\", pos: number, value: N.Node |}\n | {| type: \"boolean\", pos: number, value: N.Node |}\n | {| type: \"invalid\", pos: number |}\n | {| type: \"none\", pos: number |};\n\nexport default (superClass: Class<Parser>): Class<Parser> =>\n class extends superClass {\n // The value of the @flow/@noflow pragma. Initially undefined, transitions\n // to \"@flow\" or \"@noflow\" if we see a pragma. Transitions to null if we are\n // past the initial comment.\n flowPragma: void | null | \"flow\" | \"noflow\";\n\n constructor(options: ?Options, input: string) {\n super(options, input);\n this.flowPragma = undefined;\n }\n\n shouldParseTypes(): boolean {\n return this.getPluginOption(\"flow\", \"all\") || this.flowPragma === \"flow\";\n }\n\n shouldParseEnums(): boolean {\n return !!this.getPluginOption(\"flow\", \"enums\");\n }\n\n finishToken(type: TokenType, val: any): void {\n if (\n type !== tt.string &&\n type !== tt.semi &&\n type !== tt.interpreterDirective\n ) {\n if (this.flowPragma === undefined) {\n this.flowPragma = null;\n }\n }\n return super.finishToken(type, val);\n }\n\n addComment(comment: N.Comment): void {\n if (this.flowPragma === undefined) {\n // Try to parse a flow pragma.\n const matches = FLOW_PRAGMA_REGEX.exec(comment.value);\n if (!matches) {\n // do nothing\n } else if (matches[1] === \"flow\") {\n this.flowPragma = \"flow\";\n } else if (matches[1] === \"noflow\") {\n this.flowPragma = \"noflow\";\n } else {\n throw new Error(\"Unexpected flow pragma\");\n }\n }\n return super.addComment(comment);\n }\n\n flowParseTypeInitialiser(tok?: TokenType): N.FlowType {\n const oldInType = this.state.inType;\n this.state.inType = true;\n this.expect(tok || tt.colon);\n\n const type = this.flowParseType();\n this.state.inType = oldInType;\n return type;\n }\n\n flowParsePredicate(): N.FlowType {\n const node = this.startNode();\n const moduloLoc = this.state.startLoc;\n const moduloPos = this.state.start;\n this.expect(tt.modulo);\n const checksLoc = this.state.startLoc;\n this.expectContextual(\"checks\");\n // Force '%' and 'checks' to be adjacent\n if (\n moduloLoc.line !== checksLoc.line ||\n moduloLoc.column !== checksLoc.column - 1\n ) {\n this.raise(moduloPos, FlowErrors.UnexpectedSpaceBetweenModuloChecks);\n }\n if (this.eat(tt.parenL)) {\n node.value = this.parseExpression();\n this.expect(tt.parenR);\n return this.finishNode(node, \"DeclaredPredicate\");\n } else {\n return this.finishNode(node, \"InferredPredicate\");\n }\n }\n\n flowParseTypeAndPredicateInitialiser(): [?N.FlowType, ?N.FlowPredicate] {\n const oldInType = this.state.inType;\n this.state.inType = true;\n this.expect(tt.colon);\n let type = null;\n let predicate = null;\n if (this.match(tt.modulo)) {\n this.state.inType = oldInType;\n predicate = this.flowParsePredicate();\n } else {\n type = this.flowParseType();\n this.state.inType = oldInType;\n if (this.match(tt.modulo)) {\n predicate = this.flowParsePredicate();\n }\n }\n return [type, predicate];\n }\n\n flowParseDeclareClass(node: N.FlowDeclareClass): N.FlowDeclareClass {\n this.next();\n this.flowParseInterfaceish(node, /*isClass*/ true);\n return this.finishNode(node, \"DeclareClass\");\n }\n\n flowParseDeclareFunction(\n node: N.FlowDeclareFunction,\n ): N.FlowDeclareFunction {\n this.next();\n\n const id = (node.id = this.parseIdentifier());\n\n const typeNode = this.startNode();\n const typeContainer = this.startNode();\n\n if (this.isRelational(\"<\")) {\n typeNode.typeParameters = this.flowParseTypeParameterDeclaration();\n } else {\n typeNode.typeParameters = null;\n }\n\n this.expect(tt.parenL);\n const tmp = this.flowParseFunctionTypeParams();\n typeNode.params = tmp.params;\n typeNode.rest = tmp.rest;\n this.expect(tt.parenR);\n\n [\n // $FlowFixMe (destructuring not supported yet)\n typeNode.returnType,\n // $FlowFixMe (destructuring not supported yet)\n node.predicate,\n ] = this.flowParseTypeAndPredicateInitialiser();\n\n typeContainer.typeAnnotation = this.finishNode(\n typeNode,\n \"FunctionTypeAnnotation\",\n );\n\n id.typeAnnotation = this.finishNode(typeContainer, \"TypeAnnotation\");\n\n this.resetEndLocation(id);\n this.semicolon();\n\n return this.finishNode(node, \"DeclareFunction\");\n }\n\n flowParseDeclare(\n node: N.FlowDeclare,\n insideModule?: boolean,\n ): N.FlowDeclare {\n if (this.match(tt._class)) {\n return this.flowParseDeclareClass(node);\n } else if (this.match(tt._function)) {\n return this.flowParseDeclareFunction(node);\n } else if (this.match(tt._var)) {\n return this.flowParseDeclareVariable(node);\n } else if (this.eatContextual(\"module\")) {\n if (this.match(tt.dot)) {\n return this.flowParseDeclareModuleExports(node);\n } else {\n if (insideModule) {\n this.raise(this.state.lastTokStart, FlowErrors.NestedDeclareModule);\n }\n return this.flowParseDeclareModule(node);\n }\n } else if (this.isContextual(\"type\")) {\n return this.flowParseDeclareTypeAlias(node);\n } else if (this.isContextual(\"opaque\")) {\n return this.flowParseDeclareOpaqueType(node);\n } else if (this.isContextual(\"interface\")) {\n return this.flowParseDeclareInterface(node);\n } else if (this.match(tt._export)) {\n return this.flowParseDeclareExportDeclaration(node, insideModule);\n } else {\n throw this.unexpected();\n }\n }\n\n flowParseDeclareVariable(\n node: N.FlowDeclareVariable,\n ): N.FlowDeclareVariable {\n this.next();\n node.id = this.flowParseTypeAnnotatableIdentifier(\n /*allowPrimitiveOverride*/ true,\n );\n this.scope.declareName(node.id.name, BIND_VAR, node.id.start);\n this.semicolon();\n return this.finishNode(node, \"DeclareVariable\");\n }\n\n flowParseDeclareModule(node: N.FlowDeclareModule): N.FlowDeclareModule {\n this.scope.enter(SCOPE_OTHER);\n\n if (this.match(tt.string)) {\n node.id = this.parseExprAtom();\n } else {\n node.id = this.parseIdentifier();\n }\n\n const bodyNode = (node.body = this.startNode());\n const body = (bodyNode.body = []);\n this.expect(tt.braceL);\n while (!this.match(tt.braceR)) {\n let bodyNode = this.startNode();\n\n if (this.match(tt._import)) {\n this.next();\n if (!this.isContextual(\"type\") && !this.match(tt._typeof)) {\n this.raise(\n this.state.lastTokStart,\n FlowErrors.InvalidNonTypeImportInDeclareModule,\n );\n }\n this.parseImport(bodyNode);\n } else {\n this.expectContextual(\n \"declare\",\n FlowErrors.UnsupportedStatementInDeclareModule,\n );\n\n bodyNode = this.flowParseDeclare(bodyNode, true);\n }\n\n body.push(bodyNode);\n }\n\n this.scope.exit();\n\n this.expect(tt.braceR);\n\n this.finishNode(bodyNode, \"BlockStatement\");\n\n let kind = null;\n let hasModuleExport = false;\n body.forEach(bodyElement => {\n if (isEsModuleType(bodyElement)) {\n if (kind === \"CommonJS\") {\n this.raise(\n bodyElement.start,\n FlowErrors.AmbiguousDeclareModuleKind,\n );\n }\n kind = \"ES\";\n } else if (bodyElement.type === \"DeclareModuleExports\") {\n if (hasModuleExport) {\n this.raise(\n bodyElement.start,\n FlowErrors.DuplicateDeclareModuleExports,\n );\n }\n if (kind === \"ES\") {\n this.raise(\n bodyElement.start,\n FlowErrors.AmbiguousDeclareModuleKind,\n );\n }\n kind = \"CommonJS\";\n hasModuleExport = true;\n }\n });\n\n node.kind = kind || \"CommonJS\";\n return this.finishNode(node, \"DeclareModule\");\n }\n\n flowParseDeclareExportDeclaration(\n node: N.FlowDeclareExportDeclaration,\n insideModule: ?boolean,\n ): N.FlowDeclareExportDeclaration {\n this.expect(tt._export);\n\n if (this.eat(tt._default)) {\n if (this.match(tt._function) || this.match(tt._class)) {\n // declare export default class ...\n // declare export default function ...\n node.declaration = this.flowParseDeclare(this.startNode());\n } else {\n // declare export default [type];\n node.declaration = this.flowParseType();\n this.semicolon();\n }\n node.default = true;\n\n return this.finishNode(node, \"DeclareExportDeclaration\");\n } else {\n if (\n this.match(tt._const) ||\n this.isLet() ||\n ((this.isContextual(\"type\") || this.isContextual(\"interface\")) &&\n !insideModule)\n ) {\n const label = this.state.value;\n const suggestion = exportSuggestions[label];\n\n throw this.raise(\n this.state.start,\n FlowErrors.UnsupportedDeclareExportKind,\n label,\n suggestion,\n );\n }\n\n if (\n this.match(tt._var) || // declare export var ...\n this.match(tt._function) || // declare export function ...\n this.match(tt._class) || // declare export class ...\n this.isContextual(\"opaque\") // declare export opaque ..\n ) {\n node.declaration = this.flowParseDeclare(this.startNode());\n node.default = false;\n\n return this.finishNode(node, \"DeclareExportDeclaration\");\n } else if (\n this.match(tt.star) || // declare export * from ''\n this.match(tt.braceL) || // declare export {} ...\n this.isContextual(\"interface\") || // declare export interface ...\n this.isContextual(\"type\") || // declare export type ...\n this.isContextual(\"opaque\") // declare export opaque type ...\n ) {\n node = this.parseExport(node);\n if (node.type === \"ExportNamedDeclaration\") {\n // flow does not support the ExportNamedDeclaration\n // $FlowIgnore\n node.type = \"ExportDeclaration\";\n // $FlowFixMe\n node.default = false;\n delete node.exportKind;\n }\n\n // $FlowIgnore\n node.type = \"Declare\" + node.type;\n\n return node;\n }\n }\n\n throw this.unexpected();\n }\n\n flowParseDeclareModuleExports(\n node: N.FlowDeclareModuleExports,\n ): N.FlowDeclareModuleExports {\n this.next();\n this.expectContextual(\"exports\");\n node.typeAnnotation = this.flowParseTypeAnnotation();\n this.semicolon();\n\n return this.finishNode(node, \"DeclareModuleExports\");\n }\n\n flowParseDeclareTypeAlias(\n node: N.FlowDeclareTypeAlias,\n ): N.FlowDeclareTypeAlias {\n this.next();\n this.flowParseTypeAlias(node);\n // Don't do finishNode as we don't want to process comments twice\n node.type = \"DeclareTypeAlias\";\n return node;\n }\n\n flowParseDeclareOpaqueType(\n node: N.FlowDeclareOpaqueType,\n ): N.FlowDeclareOpaqueType {\n this.next();\n this.flowParseOpaqueType(node, true);\n // Don't do finishNode as we don't want to process comments twice\n node.type = \"DeclareOpaqueType\";\n return node;\n }\n\n flowParseDeclareInterface(\n node: N.FlowDeclareInterface,\n ): N.FlowDeclareInterface {\n this.next();\n this.flowParseInterfaceish(node);\n return this.finishNode(node, \"DeclareInterface\");\n }\n\n // Interfaces\n\n flowParseInterfaceish(\n node: N.FlowDeclare,\n isClass?: boolean = false,\n ): void {\n node.id = this.flowParseRestrictedIdentifier(\n /* liberal */ !isClass,\n /* declaration */ true,\n );\n\n this.scope.declareName(\n node.id.name,\n isClass ? BIND_FUNCTION : BIND_LEXICAL,\n node.id.start,\n );\n\n if (this.isRelational(\"<\")) {\n node.typeParameters = this.flowParseTypeParameterDeclaration();\n } else {\n node.typeParameters = null;\n }\n\n node.extends = [];\n node.implements = [];\n node.mixins = [];\n\n if (this.eat(tt._extends)) {\n do {\n node.extends.push(this.flowParseInterfaceExtends());\n } while (!isClass && this.eat(tt.comma));\n }\n\n if (this.isContextual(\"mixins\")) {\n this.next();\n do {\n node.mixins.push(this.flowParseInterfaceExtends());\n } while (this.eat(tt.comma));\n }\n\n if (this.isContextual(\"implements\")) {\n this.next();\n do {\n node.implements.push(this.flowParseInterfaceExtends());\n } while (this.eat(tt.comma));\n }\n\n node.body = this.flowParseObjectType({\n allowStatic: isClass,\n allowExact: false,\n allowSpread: false,\n allowProto: isClass,\n allowInexact: false,\n });\n }\n\n flowParseInterfaceExtends(): N.FlowInterfaceExtends {\n const node = this.startNode();\n\n node.id = this.flowParseQualifiedTypeIdentifier();\n if (this.isRelational(\"<\")) {\n node.typeParameters = this.flowParseTypeParameterInstantiation();\n } else {\n node.typeParameters = null;\n }\n\n return this.finishNode(node, \"InterfaceExtends\");\n }\n\n flowParseInterface(node: N.FlowInterface): N.FlowInterface {\n this.flowParseInterfaceish(node);\n return this.finishNode(node, \"InterfaceDeclaration\");\n }\n\n checkNotUnderscore(word: string) {\n if (word === \"_\") {\n this.raise(this.state.start, FlowErrors.UnexpectedReservedUnderscore);\n }\n }\n\n checkReservedType(word: string, startLoc: number, declaration?: boolean) {\n if (!reservedTypes.has(word)) return;\n\n this.raise(\n startLoc,\n declaration\n ? FlowErrors.AssignReservedType\n : FlowErrors.UnexpectedReservedType,\n word,\n );\n }\n\n flowParseRestrictedIdentifier(\n liberal?: boolean,\n declaration?: boolean,\n ): N.Identifier {\n this.checkReservedType(this.state.value, this.state.start, declaration);\n return this.parseIdentifier(liberal);\n }\n\n // Type aliases\n\n flowParseTypeAlias(node: N.FlowTypeAlias): N.FlowTypeAlias {\n node.id = this.flowParseRestrictedIdentifier(\n /* liberal */ false,\n /* declaration */ true,\n );\n this.scope.declareName(node.id.name, BIND_LEXICAL, node.id.start);\n\n if (this.isRelational(\"<\")) {\n node.typeParameters = this.flowParseTypeParameterDeclaration();\n } else {\n node.typeParameters = null;\n }\n\n node.right = this.flowParseTypeInitialiser(tt.eq);\n this.semicolon();\n\n return this.finishNode(node, \"TypeAlias\");\n }\n\n flowParseOpaqueType(\n node: N.FlowOpaqueType,\n declare: boolean,\n ): N.FlowOpaqueType {\n this.expectContextual(\"type\");\n node.id = this.flowParseRestrictedIdentifier(\n /* liberal */ true,\n /* declaration */ true,\n );\n this.scope.declareName(node.id.name, BIND_LEXICAL, node.id.start);\n\n if (this.isRelational(\"<\")) {\n node.typeParameters = this.flowParseTypeParameterDeclaration();\n } else {\n node.typeParameters = null;\n }\n\n // Parse the supertype\n node.supertype = null;\n if (this.match(tt.colon)) {\n node.supertype = this.flowParseTypeInitialiser(tt.colon);\n }\n\n node.impltype = null;\n if (!declare) {\n node.impltype = this.flowParseTypeInitialiser(tt.eq);\n }\n this.semicolon();\n\n return this.finishNode(node, \"OpaqueType\");\n }\n\n // Type annotations\n\n flowParseTypeParameter(requireDefault?: boolean = false): N.TypeParameter {\n const nodeStart = this.state.start;\n\n const node = this.startNode();\n\n const variance = this.flowParseVariance();\n\n const ident = this.flowParseTypeAnnotatableIdentifier();\n node.name = ident.name;\n node.variance = variance;\n node.bound = ident.typeAnnotation;\n\n if (this.match(tt.eq)) {\n this.eat(tt.eq);\n node.default = this.flowParseType();\n } else {\n if (requireDefault) {\n this.raise(nodeStart, FlowErrors.MissingTypeParamDefault);\n }\n }\n\n return this.finishNode(node, \"TypeParameter\");\n }\n\n flowParseTypeParameterDeclaration(): N.TypeParameterDeclaration {\n const oldInType = this.state.inType;\n const node = this.startNode();\n node.params = [];\n\n this.state.inType = true;\n\n // istanbul ignore else: this condition is already checked at all call sites\n if (this.isRelational(\"<\") || this.match(tt.jsxTagStart)) {\n this.next();\n } else {\n this.unexpected();\n }\n\n let defaultRequired = false;\n\n do {\n const typeParameter = this.flowParseTypeParameter(defaultRequired);\n\n node.params.push(typeParameter);\n\n if (typeParameter.default) {\n defaultRequired = true;\n }\n\n if (!this.isRelational(\">\")) {\n this.expect(tt.comma);\n }\n } while (!this.isRelational(\">\"));\n this.expectRelational(\">\");\n\n this.state.inType = oldInType;\n\n return this.finishNode(node, \"TypeParameterDeclaration\");\n }\n\n flowParseTypeParameterInstantiation(): N.TypeParameterInstantiation {\n const node = this.startNode();\n const oldInType = this.state.inType;\n node.params = [];\n\n this.state.inType = true;\n\n this.expectRelational(\"<\");\n const oldNoAnonFunctionType = this.state.noAnonFunctionType;\n this.state.noAnonFunctionType = false;\n while (!this.isRelational(\">\")) {\n node.params.push(this.flowParseType());\n if (!this.isRelational(\">\")) {\n this.expect(tt.comma);\n }\n }\n this.state.noAnonFunctionType = oldNoAnonFunctionType;\n this.expectRelational(\">\");\n\n this.state.inType = oldInType;\n\n return this.finishNode(node, \"TypeParameterInstantiation\");\n }\n\n flowParseTypeParameterInstantiationCallOrNew(): N.TypeParameterInstantiation {\n const node = this.startNode();\n const oldInType = this.state.inType;\n node.params = [];\n\n this.state.inType = true;\n\n this.expectRelational(\"<\");\n while (!this.isRelational(\">\")) {\n node.params.push(this.flowParseTypeOrImplicitInstantiation());\n if (!this.isRelational(\">\")) {\n this.expect(tt.comma);\n }\n }\n this.expectRelational(\">\");\n\n this.state.inType = oldInType;\n\n return this.finishNode(node, \"TypeParameterInstantiation\");\n }\n\n flowParseInterfaceType(): N.FlowInterfaceType {\n const node = this.startNode();\n this.expectContextual(\"interface\");\n\n node.extends = [];\n if (this.eat(tt._extends)) {\n do {\n node.extends.push(this.flowParseInterfaceExtends());\n } while (this.eat(tt.comma));\n }\n\n node.body = this.flowParseObjectType({\n allowStatic: false,\n allowExact: false,\n allowSpread: false,\n allowProto: false,\n allowInexact: false,\n });\n\n return this.finishNode(node, \"InterfaceTypeAnnotation\");\n }\n\n flowParseObjectPropertyKey(): N.Expression {\n return this.match(tt.num) || this.match(tt.string)\n ? this.parseExprAtom()\n : this.parseIdentifier(true);\n }\n\n flowParseObjectTypeIndexer(\n node: N.FlowObjectTypeIndexer,\n isStatic: boolean,\n variance: ?N.FlowVariance,\n ): N.FlowObjectTypeIndexer {\n node.static = isStatic;\n\n // Note: bracketL has already been consumed\n if (this.lookahead().type === tt.colon) {\n node.id = this.flowParseObjectPropertyKey();\n node.key = this.flowParseTypeInitialiser();\n } else {\n node.id = null;\n node.key = this.flowParseType();\n }\n this.expect(tt.bracketR);\n node.value = this.flowParseTypeInitialiser();\n node.variance = variance;\n\n return this.finishNode(node, \"ObjectTypeIndexer\");\n }\n\n flowParseObjectTypeInternalSlot(\n node: N.FlowObjectTypeInternalSlot,\n isStatic: boolean,\n ): N.FlowObjectTypeInternalSlot {\n node.static = isStatic;\n // Note: both bracketL have already been consumed\n node.id = this.flowParseObjectPropertyKey();\n this.expect(tt.bracketR);\n this.expect(tt.bracketR);\n if (this.isRelational(\"<\") || this.match(tt.parenL)) {\n node.method = true;\n node.optional = false;\n node.value = this.flowParseObjectTypeMethodish(\n this.startNodeAt(node.start, node.loc.start),\n );\n } else {\n node.method = false;\n if (this.eat(tt.question)) {\n node.optional = true;\n }\n node.value = this.flowParseTypeInitialiser();\n }\n return this.finishNode(node, \"ObjectTypeInternalSlot\");\n }\n\n flowParseObjectTypeMethodish(\n node: N.FlowFunctionTypeAnnotation,\n ): N.FlowFunctionTypeAnnotation {\n node.params = [];\n node.rest = null;\n node.typeParameters = null;\n\n if (this.isRelational(\"<\")) {\n node.typeParameters = this.flowParseTypeParameterDeclaration();\n }\n\n this.expect(tt.parenL);\n while (!this.match(tt.parenR) && !this.match(tt.ellipsis)) {\n node.params.push(this.flowParseFunctionTypeParam());\n if (!this.match(tt.parenR)) {\n this.expect(tt.comma);\n }\n }\n\n if (this.eat(tt.ellipsis)) {\n node.rest = this.flowParseFunctionTypeParam();\n }\n this.expect(tt.parenR);\n node.returnType = this.flowParseTypeInitialiser();\n\n return this.finishNode(node, \"FunctionTypeAnnotation\");\n }\n\n flowParseObjectTypeCallProperty(\n node: N.FlowObjectTypeCallProperty,\n isStatic: boolean,\n ): N.FlowObjectTypeCallProperty {\n const valueNode = this.startNode();\n node.static = isStatic;\n node.value = this.flowParseObjectTypeMethodish(valueNode);\n return this.finishNode(node, \"ObjectTypeCallProperty\");\n }\n\n flowParseObjectType({\n allowStatic,\n allowExact,\n allowSpread,\n allowProto,\n allowInexact,\n }: {\n allowStatic: boolean,\n allowExact: boolean,\n allowSpread: boolean,\n allowProto: boolean,\n allowInexact: boolean,\n }): N.FlowObjectTypeAnnotation {\n const oldInType = this.state.inType;\n this.state.inType = true;\n\n const nodeStart = this.startNode();\n\n nodeStart.callProperties = [];\n nodeStart.properties = [];\n nodeStart.indexers = [];\n nodeStart.internalSlots = [];\n\n let endDelim;\n let exact;\n let inexact = false;\n if (allowExact && this.match(tt.braceBarL)) {\n this.expect(tt.braceBarL);\n endDelim = tt.braceBarR;\n exact = true;\n } else {\n this.expect(tt.braceL);\n endDelim = tt.braceR;\n exact = false;\n }\n\n nodeStart.exact = exact;\n\n while (!this.match(endDelim)) {\n let isStatic = false;\n let protoStart: ?number = null;\n let inexactStart: ?number = null;\n const node = this.startNode();\n\n if (allowProto && this.isContextual(\"proto\")) {\n const lookahead = this.lookahead();\n\n if (lookahead.type !== tt.colon && lookahead.type !== tt.question) {\n this.next();\n protoStart = this.state.start;\n allowStatic = false;\n }\n }\n\n if (allowStatic && this.isContextual(\"static\")) {\n const lookahead = this.lookahead();\n\n // static is a valid identifier name\n if (lookahead.type !== tt.colon && lookahead.type !== tt.question) {\n this.next();\n isStatic = true;\n }\n }\n\n const variance = this.flowParseVariance();\n\n if (this.eat(tt.bracketL)) {\n if (protoStart != null) {\n this.unexpected(protoStart);\n }\n if (this.eat(tt.bracketL)) {\n if (variance) {\n this.unexpected(variance.start);\n }\n nodeStart.internalSlots.push(\n this.flowParseObjectTypeInternalSlot(node, isStatic),\n );\n } else {\n nodeStart.indexers.push(\n this.flowParseObjectTypeIndexer(node, isStatic, variance),\n );\n }\n } else if (this.match(tt.parenL) || this.isRelational(\"<\")) {\n if (protoStart != null) {\n this.unexpected(protoStart);\n }\n if (variance) {\n this.unexpected(variance.start);\n }\n nodeStart.callProperties.push(\n this.flowParseObjectTypeCallProperty(node, isStatic),\n );\n } else {\n let kind = \"init\";\n\n if (this.isContextual(\"get\") || this.isContextual(\"set\")) {\n const lookahead = this.lookahead();\n if (\n lookahead.type === tt.name ||\n lookahead.type === tt.string ||\n lookahead.type === tt.num\n ) {\n kind = this.state.value;\n this.next();\n }\n }\n\n const propOrInexact = this.flowParseObjectTypeProperty(\n node,\n isStatic,\n protoStart,\n variance,\n kind,\n allowSpread,\n allowInexact ?? !exact,\n );\n\n if (propOrInexact === null) {\n inexact = true;\n inexactStart = this.state.lastTokStart;\n } else {\n nodeStart.properties.push(propOrInexact);\n }\n }\n\n this.flowObjectTypeSemicolon();\n\n if (\n inexactStart &&\n !this.match(tt.braceR) &&\n !this.match(tt.braceBarR)\n ) {\n this.raise(\n inexactStart,\n FlowErrors.UnexpectedExplicitInexactInObject,\n );\n }\n }\n\n this.expect(endDelim);\n\n /* The inexact flag should only be added on ObjectTypeAnnotations that\n * are not the body of an interface, declare interface, or declare class.\n * Since spreads are only allowed in object types, checking that is\n * sufficient here.\n */\n if (allowSpread) {\n nodeStart.inexact = inexact;\n }\n\n const out = this.finishNode(nodeStart, \"ObjectTypeAnnotation\");\n\n this.state.inType = oldInType;\n\n return out;\n }\n\n flowParseObjectTypeProperty(\n node: N.FlowObjectTypeProperty | N.FlowObjectTypeSpreadProperty,\n isStatic: boolean,\n protoStart: ?number,\n variance: ?N.FlowVariance,\n kind: string,\n allowSpread: boolean,\n allowInexact: boolean,\n ): (N.FlowObjectTypeProperty | N.FlowObjectTypeSpreadProperty) | null {\n if (this.eat(tt.ellipsis)) {\n const isInexactToken =\n this.match(tt.comma) ||\n this.match(tt.semi) ||\n this.match(tt.braceR) ||\n this.match(tt.braceBarR);\n\n if (isInexactToken) {\n if (!allowSpread) {\n this.raise(\n this.state.lastTokStart,\n FlowErrors.InexactInsideNonObject,\n );\n } else if (!allowInexact) {\n this.raise(this.state.lastTokStart, FlowErrors.InexactInsideExact);\n }\n if (variance) {\n this.raise(variance.start, FlowErrors.InexactVariance);\n }\n\n return null;\n }\n\n if (!allowSpread) {\n this.raise(this.state.lastTokStart, FlowErrors.UnexpectedSpreadType);\n }\n if (protoStart != null) {\n this.unexpected(protoStart);\n }\n if (variance) {\n this.raise(variance.start, FlowErrors.SpreadVariance);\n }\n\n node.argument = this.flowParseType();\n return this.finishNode(node, \"ObjectTypeSpreadProperty\");\n } else {\n node.key = this.flowParseObjectPropertyKey();\n node.static = isStatic;\n node.proto = protoStart != null;\n node.kind = kind;\n\n let optional = false;\n if (this.isRelational(\"<\") || this.match(tt.parenL)) {\n // This is a method property\n node.method = true;\n\n if (protoStart != null) {\n this.unexpected(protoStart);\n }\n if (variance) {\n this.unexpected(variance.start);\n }\n\n node.value = this.flowParseObjectTypeMethodish(\n this.startNodeAt(node.start, node.loc.start),\n );\n if (kind === \"get\" || kind === \"set\") {\n this.flowCheckGetterSetterParams(node);\n }\n } else {\n if (kind !== \"init\") this.unexpected();\n\n node.method = false;\n\n if (this.eat(tt.question)) {\n optional = true;\n }\n node.value = this.flowParseTypeInitialiser();\n node.variance = variance;\n }\n\n node.optional = optional;\n\n return this.finishNode(node, \"ObjectTypeProperty\");\n }\n }\n\n // This is similar to checkGetterSetterParams, but as\n // @babel/parser uses non estree properties we cannot reuse it here\n flowCheckGetterSetterParams(\n property: N.FlowObjectTypeProperty | N.FlowObjectTypeSpreadProperty,\n ): void {\n const paramCount = property.kind === \"get\" ? 0 : 1;\n const start = property.start;\n const length =\n property.value.params.length + (property.value.rest ? 1 : 0);\n if (length !== paramCount) {\n if (property.kind === \"get\") {\n this.raise(start, Errors.BadGetterArity);\n } else {\n this.raise(start, Errors.BadSetterArity);\n }\n }\n\n if (property.kind === \"set\" && property.value.rest) {\n this.raise(start, Errors.BadSetterRestParameter);\n }\n }\n\n flowObjectTypeSemicolon(): void {\n if (\n !this.eat(tt.semi) &&\n !this.eat(tt.comma) &&\n !this.match(tt.braceR) &&\n !this.match(tt.braceBarR)\n ) {\n this.unexpected();\n }\n }\n\n flowParseQualifiedTypeIdentifier(\n startPos?: number,\n startLoc?: Position,\n id?: N.Identifier,\n ): N.FlowQualifiedTypeIdentifier {\n startPos = startPos || this.state.start;\n startLoc = startLoc || this.state.startLoc;\n let node = id || this.flowParseRestrictedIdentifier(true);\n\n while (this.eat(tt.dot)) {\n const node2 = this.startNodeAt(startPos, startLoc);\n node2.qualification = node;\n node2.id = this.flowParseRestrictedIdentifier(true);\n node = this.finishNode(node2, \"QualifiedTypeIdentifier\");\n }\n\n return node;\n }\n\n flowParseGenericType(\n startPos: number,\n startLoc: Position,\n id: N.Identifier,\n ): N.FlowGenericTypeAnnotation {\n const node = this.startNodeAt(startPos, startLoc);\n\n node.typeParameters = null;\n node.id = this.flowParseQualifiedTypeIdentifier(startPos, startLoc, id);\n\n if (this.isRelational(\"<\")) {\n node.typeParameters = this.flowParseTypeParameterInstantiation();\n }\n\n return this.finishNode(node, \"GenericTypeAnnotation\");\n }\n\n flowParseTypeofType(): N.FlowTypeofTypeAnnotation {\n const node = this.startNode();\n this.expect(tt._typeof);\n node.argument = this.flowParsePrimaryType();\n return this.finishNode(node, \"TypeofTypeAnnotation\");\n }\n\n flowParseTupleType(): N.FlowTupleTypeAnnotation {\n const node = this.startNode();\n node.types = [];\n this.expect(tt.bracketL);\n // We allow trailing commas\n while (this.state.pos < this.length && !this.match(tt.bracketR)) {\n node.types.push(this.flowParseType());\n if (this.match(tt.bracketR)) break;\n this.expect(tt.comma);\n }\n this.expect(tt.bracketR);\n return this.finishNode(node, \"TupleTypeAnnotation\");\n }\n\n flowParseFunctionTypeParam(): N.FlowFunctionTypeParam {\n let name = null;\n let optional = false;\n let typeAnnotation = null;\n const node = this.startNode();\n const lh = this.lookahead();\n if (lh.type === tt.colon || lh.type === tt.question) {\n name = this.parseIdentifier();\n if (this.eat(tt.question)) {\n optional = true;\n }\n typeAnnotation = this.flowParseTypeInitialiser();\n } else {\n typeAnnotation = this.flowParseType();\n }\n node.name = name;\n node.optional = optional;\n node.typeAnnotation = typeAnnotation;\n return this.finishNode(node, \"FunctionTypeParam\");\n }\n\n reinterpretTypeAsFunctionTypeParam(\n type: N.FlowType,\n ): N.FlowFunctionTypeParam {\n const node = this.startNodeAt(type.start, type.loc.start);\n node.name = null;\n node.optional = false;\n node.typeAnnotation = type;\n return this.finishNode(node, \"FunctionTypeParam\");\n }\n\n flowParseFunctionTypeParams(\n params: N.FlowFunctionTypeParam[] = [],\n ): { params: N.FlowFunctionTypeParam[], rest: ?N.FlowFunctionTypeParam } {\n let rest: ?N.FlowFunctionTypeParam = null;\n while (!this.match(tt.parenR) && !this.match(tt.ellipsis)) {\n params.push(this.flowParseFunctionTypeParam());\n if (!this.match(tt.parenR)) {\n this.expect(tt.comma);\n }\n }\n if (this.eat(tt.ellipsis)) {\n rest = this.flowParseFunctionTypeParam();\n }\n return { params, rest };\n }\n\n flowIdentToTypeAnnotation(\n startPos: number,\n startLoc: Position,\n node: N.FlowTypeAnnotation,\n id: N.Identifier,\n ): N.FlowTypeAnnotation {\n switch (id.name) {\n case \"any\":\n return this.finishNode(node, \"AnyTypeAnnotation\");\n\n case \"bool\":\n case \"boolean\":\n return this.finishNode(node, \"BooleanTypeAnnotation\");\n\n case \"mixed\":\n return this.finishNode(node, \"MixedTypeAnnotation\");\n\n case \"empty\":\n return this.finishNode(node, \"EmptyTypeAnnotation\");\n\n case \"number\":\n return this.finishNode(node, \"NumberTypeAnnotation\");\n\n case \"string\":\n return this.finishNode(node, \"StringTypeAnnotation\");\n\n case \"symbol\":\n return this.finishNode(node, \"SymbolTypeAnnotation\");\n\n default:\n this.checkNotUnderscore(id.name);\n return this.flowParseGenericType(startPos, startLoc, id);\n }\n }\n\n // The parsing of types roughly parallels the parsing of expressions, and\n // primary types are kind of like primary expressions...they're the\n // primitives with which other types are constructed.\n flowParsePrimaryType(): N.FlowTypeAnnotation {\n const startPos = this.state.start;\n const startLoc = this.state.startLoc;\n const node = this.startNode();\n let tmp;\n let type;\n let isGroupedType = false;\n const oldNoAnonFunctionType = this.state.noAnonFunctionType;\n\n switch (this.state.type) {\n case tt.name:\n if (this.isContextual(\"interface\")) {\n return this.flowParseInterfaceType();\n }\n\n return this.flowIdentToTypeAnnotation(\n startPos,\n startLoc,\n node,\n this.parseIdentifier(),\n );\n\n case tt.braceL:\n return this.flowParseObjectType({\n allowStatic: false,\n allowExact: false,\n allowSpread: true,\n allowProto: false,\n allowInexact: true,\n });\n\n case tt.braceBarL:\n return this.flowParseObjectType({\n allowStatic: false,\n allowExact: true,\n allowSpread: true,\n allowProto: false,\n allowInexact: false,\n });\n\n case tt.bracketL:\n this.state.noAnonFunctionType = false;\n type = this.flowParseTupleType();\n this.state.noAnonFunctionType = oldNoAnonFunctionType;\n return type;\n\n case tt.relational:\n if (this.state.value === \"<\") {\n node.typeParameters = this.flowParseTypeParameterDeclaration();\n this.expect(tt.parenL);\n tmp = this.flowParseFunctionTypeParams();\n node.params = tmp.params;\n node.rest = tmp.rest;\n this.expect(tt.parenR);\n\n this.expect(tt.arrow);\n\n node.returnType = this.flowParseType();\n\n return this.finishNode(node, \"FunctionTypeAnnotation\");\n }\n break;\n\n case tt.parenL:\n this.next();\n\n // Check to see if this is actually a grouped type\n if (!this.match(tt.parenR) && !this.match(tt.ellipsis)) {\n if (this.match(tt.name)) {\n const token = this.lookahead().type;\n isGroupedType = token !== tt.question && token !== tt.colon;\n } else {\n isGroupedType = true;\n }\n }\n\n if (isGroupedType) {\n this.state.noAnonFunctionType = false;\n type = this.flowParseType();\n this.state.noAnonFunctionType = oldNoAnonFunctionType;\n\n // A `,` or a `) =>` means this is an anonymous function type\n if (\n this.state.noAnonFunctionType ||\n !(\n this.match(tt.comma) ||\n (this.match(tt.parenR) && this.lookahead().type === tt.arrow)\n )\n ) {\n this.expect(tt.parenR);\n return type;\n } else {\n // Eat a comma if there is one\n this.eat(tt.comma);\n }\n }\n\n if (type) {\n tmp = this.flowParseFunctionTypeParams([\n this.reinterpretTypeAsFunctionTypeParam(type),\n ]);\n } else {\n tmp = this.flowParseFunctionTypeParams();\n }\n\n node.params = tmp.params;\n node.rest = tmp.rest;\n\n this.expect(tt.parenR);\n\n this.expect(tt.arrow);\n\n node.returnType = this.flowParseType();\n\n node.typeParameters = null;\n\n return this.finishNode(node, \"FunctionTypeAnnotation\");\n\n case tt.string:\n return this.parseLiteral(\n this.state.value,\n \"StringLiteralTypeAnnotation\",\n );\n\n case tt._true:\n case tt._false:\n node.value = this.match(tt._true);\n this.next();\n return this.finishNode(node, \"BooleanLiteralTypeAnnotation\");\n\n case tt.plusMin:\n if (this.state.value === \"-\") {\n this.next();\n if (this.match(tt.num)) {\n return this.parseLiteral(\n -this.state.value,\n \"NumberLiteralTypeAnnotation\",\n node.start,\n node.loc.start,\n );\n }\n\n if (this.match(tt.bigint)) {\n return this.parseLiteral(\n -this.state.value,\n \"BigIntLiteralTypeAnnotation\",\n node.start,\n node.loc.start,\n );\n }\n\n throw this.raise(\n this.state.start,\n FlowErrors.UnexpectedSubtractionOperand,\n );\n }\n\n throw this.unexpected();\n case tt.num:\n return this.parseLiteral(\n this.state.value,\n \"NumberLiteralTypeAnnotation\",\n );\n\n case tt.bigint:\n return this.parseLiteral(\n this.state.value,\n \"BigIntLiteralTypeAnnotation\",\n );\n\n case tt._void:\n this.next();\n return this.finishNode(node, \"VoidTypeAnnotation\");\n\n case tt._null:\n this.next();\n return this.finishNode(node, \"NullLiteralTypeAnnotation\");\n\n case tt._this:\n this.next();\n return this.finishNode(node, \"ThisTypeAnnotation\");\n\n case tt.star:\n this.next();\n return this.finishNode(node, \"ExistsTypeAnnotation\");\n\n default:\n if (this.state.type.keyword === \"typeof\") {\n return this.flowParseTypeofType();\n } else if (this.state.type.keyword) {\n const label = this.state.type.label;\n this.next();\n return super.createIdentifier(node, label);\n }\n }\n\n throw this.unexpected();\n }\n\n flowParsePostfixType(): N.FlowTypeAnnotation {\n const startPos = this.state.start,\n startLoc = this.state.startLoc;\n let type = this.flowParsePrimaryType();\n while (this.match(tt.bracketL) && !this.canInsertSemicolon()) {\n const node = this.startNodeAt(startPos, startLoc);\n node.elementType = type;\n this.expect(tt.bracketL);\n this.expect(tt.bracketR);\n type = this.finishNode(node, \"ArrayTypeAnnotation\");\n }\n return type;\n }\n\n flowParsePrefixType(): N.FlowTypeAnnotation {\n const node = this.startNode();\n if (this.eat(tt.question)) {\n node.typeAnnotation = this.flowParsePrefixType();\n return this.finishNode(node, \"NullableTypeAnnotation\");\n } else {\n return this.flowParsePostfixType();\n }\n }\n\n flowParseAnonFunctionWithoutParens(): N.FlowTypeAnnotation {\n const param = this.flowParsePrefixType();\n if (!this.state.noAnonFunctionType && this.eat(tt.arrow)) {\n // TODO: This should be a type error. Passing in a SourceLocation, and it expects a Position.\n const node = this.startNodeAt(param.start, param.loc.start);\n node.params = [this.reinterpretTypeAsFunctionTypeParam(param)];\n node.rest = null;\n node.returnType = this.flowParseType();\n node.typeParameters = null;\n return this.finishNode(node, \"FunctionTypeAnnotation\");\n }\n return param;\n }\n\n flowParseIntersectionType(): N.FlowTypeAnnotation {\n const node = this.startNode();\n this.eat(tt.bitwiseAND);\n const type = this.flowParseAnonFunctionWithoutParens();\n node.types = [type];\n while (this.eat(tt.bitwiseAND)) {\n node.types.push(this.flowParseAnonFunctionWithoutParens());\n }\n return node.types.length === 1\n ? type\n : this.finishNode(node, \"IntersectionTypeAnnotation\");\n }\n\n flowParseUnionType(): N.FlowTypeAnnotation {\n const node = this.startNode();\n this.eat(tt.bitwiseOR);\n const type = this.flowParseIntersectionType();\n node.types = [type];\n while (this.eat(tt.bitwiseOR)) {\n node.types.push(this.flowParseIntersectionType());\n }\n return node.types.length === 1\n ? type\n : this.finishNode(node, \"UnionTypeAnnotation\");\n }\n\n flowParseType(): N.FlowTypeAnnotation {\n const oldInType = this.state.inType;\n this.state.inType = true;\n const type = this.flowParseUnionType();\n this.state.inType = oldInType;\n // Ensure that a brace after a function generic type annotation is a\n // statement, except in arrow functions (noAnonFunctionType)\n this.state.exprAllowed =\n this.state.exprAllowed || this.state.noAnonFunctionType;\n return type;\n }\n\n flowParseTypeOrImplicitInstantiation(): N.FlowTypeAnnotation {\n if (this.state.type === tt.name && this.state.value === \"_\") {\n const startPos = this.state.start;\n const startLoc = this.state.startLoc;\n const node = this.parseIdentifier();\n return this.flowParseGenericType(startPos, startLoc, node);\n } else {\n return this.flowParseType();\n }\n }\n\n flowParseTypeAnnotation(): N.FlowTypeAnnotation {\n const node = this.startNode();\n node.typeAnnotation = this.flowParseTypeInitialiser();\n return this.finishNode(node, \"TypeAnnotation\");\n }\n\n flowParseTypeAnnotatableIdentifier(\n allowPrimitiveOverride?: boolean,\n ): N.Identifier {\n const ident = allowPrimitiveOverride\n ? this.parseIdentifier()\n : this.flowParseRestrictedIdentifier();\n if (this.match(tt.colon)) {\n ident.typeAnnotation = this.flowParseTypeAnnotation();\n this.resetEndLocation(ident);\n }\n return ident;\n }\n\n typeCastToParameter(node: N.Node): N.Node {\n node.expression.typeAnnotation = node.typeAnnotation;\n\n this.resetEndLocation(\n node.expression,\n node.typeAnnotation.end,\n node.typeAnnotation.loc.end,\n );\n\n return node.expression;\n }\n\n flowParseVariance(): ?N.FlowVariance {\n let variance = null;\n if (this.match(tt.plusMin)) {\n variance = this.startNode();\n if (this.state.value === \"+\") {\n variance.kind = \"plus\";\n } else {\n variance.kind = \"minus\";\n }\n this.next();\n this.finishNode(variance, \"Variance\");\n }\n return variance;\n }\n\n // ==================================\n // Overrides\n // ==================================\n\n parseFunctionBody(\n node: N.Function,\n allowExpressionBody: ?boolean,\n isMethod?: boolean = false,\n ): void {\n if (allowExpressionBody) {\n return this.forwardNoArrowParamsConversionAt(node, () =>\n super.parseFunctionBody(node, true, isMethod),\n );\n }\n\n return super.parseFunctionBody(node, false, isMethod);\n }\n\n parseFunctionBodyAndFinish(\n node: N.BodilessFunctionOrMethodBase,\n type: string,\n isMethod?: boolean = false,\n ): void {\n if (this.match(tt.colon)) {\n const typeNode = this.startNode();\n\n [\n // $FlowFixMe (destructuring not supported yet)\n typeNode.typeAnnotation,\n // $FlowFixMe (destructuring not supported yet)\n node.predicate,\n ] = this.flowParseTypeAndPredicateInitialiser();\n\n node.returnType = typeNode.typeAnnotation\n ? this.finishNode(typeNode, \"TypeAnnotation\")\n : null;\n }\n\n super.parseFunctionBodyAndFinish(node, type, isMethod);\n }\n\n // interfaces and enums\n parseStatement(context: ?string, topLevel?: boolean): N.Statement {\n // strict mode handling of `interface` since it's a reserved word\n if (\n this.state.strict &&\n this.match(tt.name) &&\n this.state.value === \"interface\"\n ) {\n const node = this.startNode();\n this.next();\n return this.flowParseInterface(node);\n } else if (this.shouldParseEnums() && this.isContextual(\"enum\")) {\n const node = this.startNode();\n this.next();\n return this.flowParseEnumDeclaration(node);\n } else {\n const stmt = super.parseStatement(context, topLevel);\n // We will parse a flow pragma in any comment before the first statement.\n if (this.flowPragma === undefined && !this.isValidDirective(stmt)) {\n this.flowPragma = null;\n }\n return stmt;\n }\n }\n\n // declares, interfaces and type aliases\n parseExpressionStatement(\n node: N.ExpressionStatement,\n expr: N.Expression,\n ): N.ExpressionStatement {\n if (expr.type === \"Identifier\") {\n if (expr.name === \"declare\") {\n if (\n this.match(tt._class) ||\n this.match(tt.name) ||\n this.match(tt._function) ||\n this.match(tt._var) ||\n this.match(tt._export)\n ) {\n return this.flowParseDeclare(node);\n }\n } else if (this.match(tt.name)) {\n if (expr.name === \"interface\") {\n return this.flowParseInterface(node);\n } else if (expr.name === \"type\") {\n return this.flowParseTypeAlias(node);\n } else if (expr.name === \"opaque\") {\n return this.flowParseOpaqueType(node, false);\n }\n }\n }\n\n return super.parseExpressionStatement(node, expr);\n }\n\n // export type\n shouldParseExportDeclaration(): boolean {\n return (\n this.isContextual(\"type\") ||\n this.isContextual(\"interface\") ||\n this.isContextual(\"opaque\") ||\n (this.shouldParseEnums() && this.isContextual(\"enum\")) ||\n super.shouldParseExportDeclaration()\n );\n }\n\n isExportDefaultSpecifier(): boolean {\n if (\n this.match(tt.name) &&\n (this.state.value === \"type\" ||\n this.state.value === \"interface\" ||\n this.state.value === \"opaque\" ||\n (this.shouldParseEnums() && this.state.value === \"enum\"))\n ) {\n return false;\n }\n\n return super.isExportDefaultSpecifier();\n }\n\n parseExportDefaultExpression(): N.Expression | N.Declaration {\n if (this.shouldParseEnums() && this.isContextual(\"enum\")) {\n const node = this.startNode();\n this.next();\n return this.flowParseEnumDeclaration(node);\n }\n return super.parseExportDefaultExpression();\n }\n\n parseConditional(\n expr: N.Expression,\n noIn: ?boolean,\n startPos: number,\n startLoc: Position,\n refNeedsArrowPos?: ?Pos,\n ): N.Expression {\n if (!this.match(tt.question)) return expr;\n\n // only use the expensive \"tryParse\" method if there is a question mark\n // and if we come from inside parens\n if (refNeedsArrowPos) {\n const result = this.tryParse(() =>\n super.parseConditional(expr, noIn, startPos, startLoc),\n );\n\n if (!result.node) {\n // $FlowIgnore\n refNeedsArrowPos.start = result.error.pos || this.state.start;\n return expr;\n }\n\n if (result.error) this.state = result.failState;\n return result.node;\n }\n\n this.expect(tt.question);\n const state = this.state.clone();\n const originalNoArrowAt = this.state.noArrowAt;\n const node = this.startNodeAt(startPos, startLoc);\n let { consequent, failed } = this.tryParseConditionalConsequent();\n let [valid, invalid] = this.getArrowLikeExpressions(consequent);\n\n if (failed || invalid.length > 0) {\n const noArrowAt = [...originalNoArrowAt];\n\n if (invalid.length > 0) {\n this.state = state;\n this.state.noArrowAt = noArrowAt;\n\n for (let i = 0; i < invalid.length; i++) {\n noArrowAt.push(invalid[i].start);\n }\n\n ({ consequent, failed } = this.tryParseConditionalConsequent());\n [valid, invalid] = this.getArrowLikeExpressions(consequent);\n }\n\n if (failed && valid.length > 1) {\n // if there are two or more possible correct ways of parsing, throw an\n // error.\n // e.g. Source: a ? (b): c => (d): e => f\n // Result 1: a ? b : (c => ((d): e => f))\n // Result 2: a ? ((b): c => d) : (e => f)\n this.raise(state.start, FlowErrors.AmbiguousConditionalArrow);\n }\n\n if (failed && valid.length === 1) {\n this.state = state;\n this.state.noArrowAt = noArrowAt.concat(valid[0].start);\n ({ consequent, failed } = this.tryParseConditionalConsequent());\n }\n }\n\n this.getArrowLikeExpressions(consequent, true);\n\n this.state.noArrowAt = originalNoArrowAt;\n this.expect(tt.colon);\n\n node.test = expr;\n node.consequent = consequent;\n node.alternate = this.forwardNoArrowParamsConversionAt(node, () =>\n this.parseMaybeAssign(noIn, undefined, undefined, undefined),\n );\n\n return this.finishNode(node, \"ConditionalExpression\");\n }\n\n tryParseConditionalConsequent(): {\n consequent: N.Expression,\n failed: boolean,\n } {\n this.state.noArrowParamsConversionAt.push(this.state.start);\n\n const consequent = this.parseMaybeAssign();\n const failed = !this.match(tt.colon);\n\n this.state.noArrowParamsConversionAt.pop();\n\n return { consequent, failed };\n }\n\n // Given an expression, walks through out its arrow functions whose body is\n // an expression and through out conditional expressions. It returns every\n // function which has been parsed with a return type but could have been\n // parenthesized expressions.\n // These functions are separated into two arrays: one containing the ones\n // whose parameters can be converted to assignable lists, one containing the\n // others.\n getArrowLikeExpressions(\n node: N.Expression,\n disallowInvalid?: boolean,\n ): [N.ArrowFunctionExpression[], N.ArrowFunctionExpression[]] {\n const stack = [node];\n const arrows: N.ArrowFunctionExpression[] = [];\n\n while (stack.length !== 0) {\n const node = stack.pop();\n if (node.type === \"ArrowFunctionExpression\") {\n if (node.typeParameters || !node.returnType) {\n // This is an arrow expression without ambiguity, so check its parameters\n this.finishArrowValidation(node);\n } else {\n arrows.push(node);\n }\n stack.push(node.body);\n } else if (node.type === \"ConditionalExpression\") {\n stack.push(node.consequent);\n stack.push(node.alternate);\n }\n }\n\n if (disallowInvalid) {\n arrows.forEach(node => this.finishArrowValidation(node));\n return [arrows, []];\n }\n\n return partition(arrows, node =>\n node.params.every(param => this.isAssignable(param, true)),\n );\n }\n\n finishArrowValidation(node: N.ArrowFunctionExpression) {\n this.toAssignableList(\n // node.params is Expression[] instead of $ReadOnlyArray<Pattern> because it\n // has not been converted yet.\n ((node.params: any): N.Expression[]),\n node.extra?.trailingComma,\n );\n // Enter scope, as checkParams defines bindings\n this.scope.enter(SCOPE_FUNCTION | SCOPE_ARROW);\n // Use super's method to force the parameters to be checked\n super.checkParams(node, false, true);\n this.scope.exit();\n }\n\n forwardNoArrowParamsConversionAt<T>(node: N.Node, parse: () => T): T {\n let result: T;\n if (this.state.noArrowParamsConversionAt.indexOf(node.start) !== -1) {\n this.state.noArrowParamsConversionAt.push(this.state.start);\n result = parse();\n this.state.noArrowParamsConversionAt.pop();\n } else {\n result = parse();\n }\n\n return result;\n }\n\n parseParenItem(\n node: N.Expression,\n startPos: number,\n startLoc: Position,\n ): N.Expression {\n node = super.parseParenItem(node, startPos, startLoc);\n if (this.eat(tt.question)) {\n node.optional = true;\n // Include questionmark in location of node\n // Don't use this.finishNode() as otherwise we might process comments twice and\n // include already consumed parens\n this.resetEndLocation(node);\n }\n\n if (this.match(tt.colon)) {\n const typeCastNode = this.startNodeAt(startPos, startLoc);\n typeCastNode.expression = node;\n typeCastNode.typeAnnotation = this.flowParseTypeAnnotation();\n\n return this.finishNode(typeCastNode, \"TypeCastExpression\");\n }\n\n return node;\n }\n\n assertModuleNodeAllowed(node: N.Node) {\n if (\n (node.type === \"ImportDeclaration\" &&\n (node.importKind === \"type\" || node.importKind === \"typeof\")) ||\n (node.type === \"ExportNamedDeclaration\" &&\n node.exportKind === \"type\") ||\n (node.type === \"ExportAllDeclaration\" && node.exportKind === \"type\")\n ) {\n // Allow Flowtype imports and exports in all conditions because\n // Flow itself does not care about 'sourceType'.\n return;\n }\n\n super.assertModuleNodeAllowed(node);\n }\n\n parseExport(node: N.Node): N.AnyExport {\n const decl = super.parseExport(node);\n if (\n decl.type === \"ExportNamedDeclaration\" ||\n decl.type === \"ExportAllDeclaration\"\n ) {\n decl.exportKind = decl.exportKind || \"value\";\n }\n return decl;\n }\n\n parseExportDeclaration(node: N.ExportNamedDeclaration): ?N.Declaration {\n if (this.isContextual(\"type\")) {\n node.exportKind = \"type\";\n\n const declarationNode = this.startNode();\n this.next();\n\n if (this.match(tt.braceL)) {\n // export type { foo, bar };\n node.specifiers = this.parseExportSpecifiers();\n this.parseExportFrom(node);\n return null;\n } else {\n // export type Foo = Bar;\n return this.flowParseTypeAlias(declarationNode);\n }\n } else if (this.isContextual(\"opaque\")) {\n node.exportKind = \"type\";\n\n const declarationNode = this.startNode();\n this.next();\n // export opaque type Foo = Bar;\n return this.flowParseOpaqueType(declarationNode, false);\n } else if (this.isContextual(\"interface\")) {\n node.exportKind = \"type\";\n const declarationNode = this.startNode();\n this.next();\n return this.flowParseInterface(declarationNode);\n } else if (this.shouldParseEnums() && this.isContextual(\"enum\")) {\n node.exportKind = \"value\";\n const declarationNode = this.startNode();\n this.next();\n return this.flowParseEnumDeclaration(declarationNode);\n } else {\n return super.parseExportDeclaration(node);\n }\n }\n\n eatExportStar(node: N.Node): boolean {\n if (super.eatExportStar(...arguments)) return true;\n\n if (this.isContextual(\"type\") && this.lookahead().type === tt.star) {\n node.exportKind = \"type\";\n this.next();\n this.next();\n return true;\n }\n\n return false;\n }\n\n maybeParseExportNamespaceSpecifier(node: N.Node): boolean {\n const pos = this.state.start;\n const hasNamespace = super.maybeParseExportNamespaceSpecifier(node);\n if (hasNamespace && node.exportKind === \"type\") {\n this.unexpected(pos);\n }\n return hasNamespace;\n }\n\n parseClassId(node: N.Class, isStatement: boolean, optionalId: ?boolean) {\n super.parseClassId(node, isStatement, optionalId);\n if (this.isRelational(\"<\")) {\n node.typeParameters = this.flowParseTypeParameterDeclaration();\n }\n }\n\n parseClassMember(\n classBody: N.ClassBody,\n member: any,\n state: { hadConstructor: boolean },\n constructorAllowsSuper: boolean,\n ): void {\n const pos = this.state.start;\n if (this.isContextual(\"declare\")) {\n if (this.parseClassMemberFromModifier(classBody, member)) {\n // 'declare' is a class element name\n return;\n }\n\n member.declare = true;\n }\n\n super.parseClassMember(classBody, member, state, constructorAllowsSuper);\n\n if (member.declare) {\n if (\n member.type !== \"ClassProperty\" &&\n member.type !== \"ClassPrivateProperty\"\n ) {\n this.raise(pos, FlowErrors.DeclareClassElement);\n } else if (member.value) {\n this.raise(\n member.value.start,\n FlowErrors.DeclareClassFieldInitializer,\n );\n }\n }\n }\n\n // ensure that inside flow types, we bypass the jsx parser plugin\n getTokenFromCode(code: number): void {\n const next = this.input.charCodeAt(this.state.pos + 1);\n if (code === charCodes.leftCurlyBrace && next === charCodes.verticalBar) {\n return this.finishOp(tt.braceBarL, 2);\n } else if (\n this.state.inType &&\n (code === charCodes.greaterThan || code === charCodes.lessThan)\n ) {\n return this.finishOp(tt.relational, 1);\n } else if (this.state.inType && code === charCodes.questionMark) {\n // allow double nullable types in Flow: ??string\n return this.finishOp(tt.question, 1);\n } else if (isIteratorStart(code, next)) {\n this.state.isIterator = true;\n return super.readWord();\n } else {\n return super.getTokenFromCode(code);\n }\n }\n\n isAssignable(node: N.Node, isBinding?: boolean): boolean {\n switch (node.type) {\n case \"Identifier\":\n case \"ObjectPattern\":\n case \"ArrayPattern\":\n case \"AssignmentPattern\":\n return true;\n\n case \"ObjectExpression\": {\n const last = node.properties.length - 1;\n return node.properties.every((prop, i) => {\n return (\n prop.type !== \"ObjectMethod\" &&\n (i === last || prop.type === \"SpreadElement\") &&\n this.isAssignable(prop)\n );\n });\n }\n\n case \"ObjectProperty\":\n return this.isAssignable(node.value);\n\n case \"SpreadElement\":\n return this.isAssignable(node.argument);\n\n case \"ArrayExpression\":\n return node.elements.every(element => this.isAssignable(element));\n\n case \"AssignmentExpression\":\n return node.operator === \"=\";\n\n case \"ParenthesizedExpression\":\n case \"TypeCastExpression\":\n return this.isAssignable(node.expression);\n\n case \"MemberExpression\":\n case \"OptionalMemberExpression\":\n return !isBinding;\n\n default:\n return false;\n }\n }\n\n toAssignable(node: N.Node): N.Node {\n if (node.type === \"TypeCastExpression\") {\n return super.toAssignable(this.typeCastToParameter(node));\n } else {\n return super.toAssignable(node);\n }\n }\n\n // turn type casts that we found in function parameter head into type annotated params\n toAssignableList(\n exprList: N.Expression[],\n trailingCommaPos?: ?number,\n ): $ReadOnlyArray<N.Pattern> {\n for (let i = 0; i < exprList.length; i++) {\n const expr = exprList[i];\n if (expr?.type === \"TypeCastExpression\") {\n exprList[i] = this.typeCastToParameter(expr);\n }\n }\n return super.toAssignableList(exprList, trailingCommaPos);\n }\n\n // this is a list of nodes, from something like a call expression, we need to filter the\n // type casts that we've found that are illegal in this context\n toReferencedList(\n exprList: $ReadOnlyArray<?N.Expression>,\n isParenthesizedExpr?: boolean,\n ): $ReadOnlyArray<?N.Expression> {\n for (let i = 0; i < exprList.length; i++) {\n const expr = exprList[i];\n if (\n expr &&\n expr.type === \"TypeCastExpression\" &&\n !expr.extra?.parenthesized &&\n (exprList.length > 1 || !isParenthesizedExpr)\n ) {\n this.raise(expr.typeAnnotation.start, FlowErrors.TypeCastInPattern);\n }\n }\n\n return exprList;\n }\n\n checkLVal(\n expr: N.Expression,\n bindingType: BindingTypes = BIND_NONE,\n checkClashes: ?{ [key: string]: boolean },\n contextDescription: string,\n ): void {\n if (expr.type !== \"TypeCastExpression\") {\n return super.checkLVal(\n expr,\n bindingType,\n checkClashes,\n contextDescription,\n );\n }\n }\n\n // parse class property type annotations\n parseClassProperty(node: N.ClassProperty): N.ClassProperty {\n if (this.match(tt.colon)) {\n node.typeAnnotation = this.flowParseTypeAnnotation();\n }\n return super.parseClassProperty(node);\n }\n\n parseClassPrivateProperty(\n node: N.ClassPrivateProperty,\n ): N.ClassPrivateProperty {\n if (this.match(tt.colon)) {\n node.typeAnnotation = this.flowParseTypeAnnotation();\n }\n return super.parseClassPrivateProperty(node);\n }\n\n // determine whether or not we're currently in the position where a class method would appear\n isClassMethod(): boolean {\n return this.isRelational(\"<\") || super.isClassMethod();\n }\n\n // determine whether or not we're currently in the position where a class property would appear\n isClassProperty(): boolean {\n return this.match(tt.colon) || super.isClassProperty();\n }\n\n isNonstaticConstructor(method: N.ClassMethod | N.ClassProperty): boolean {\n return !this.match(tt.colon) && super.isNonstaticConstructor(method);\n }\n\n // parse type parameters for class methods\n pushClassMethod(\n classBody: N.ClassBody,\n method: N.ClassMethod,\n isGenerator: boolean,\n isAsync: boolean,\n isConstructor: boolean,\n allowsDirectSuper: boolean,\n ): void {\n if ((method: $FlowFixMe).variance) {\n this.unexpected((method: $FlowFixMe).variance.start);\n }\n delete (method: $FlowFixMe).variance;\n if (this.isRelational(\"<\")) {\n method.typeParameters = this.flowParseTypeParameterDeclaration();\n }\n\n super.pushClassMethod(\n classBody,\n method,\n isGenerator,\n isAsync,\n isConstructor,\n allowsDirectSuper,\n );\n }\n\n pushClassPrivateMethod(\n classBody: N.ClassBody,\n method: N.ClassPrivateMethod,\n isGenerator: boolean,\n isAsync: boolean,\n ): void {\n if ((method: $FlowFixMe).variance) {\n this.unexpected((method: $FlowFixMe).variance.start);\n }\n delete (method: $FlowFixMe).variance;\n if (this.isRelational(\"<\")) {\n method.typeParameters = this.flowParseTypeParameterDeclaration();\n }\n\n super.pushClassPrivateMethod(classBody, method, isGenerator, isAsync);\n }\n\n // parse a the super class type parameters and implements\n parseClassSuper(node: N.Class): void {\n super.parseClassSuper(node);\n if (node.superClass && this.isRelational(\"<\")) {\n node.superTypeParameters = this.flowParseTypeParameterInstantiation();\n }\n if (this.isContextual(\"implements\")) {\n this.next();\n const implemented: N.FlowClassImplements[] = (node.implements = []);\n do {\n const node = this.startNode();\n node.id = this.flowParseRestrictedIdentifier(/*liberal*/ true);\n if (this.isRelational(\"<\")) {\n node.typeParameters = this.flowParseTypeParameterInstantiation();\n } else {\n node.typeParameters = null;\n }\n implemented.push(this.finishNode(node, \"ClassImplements\"));\n } while (this.eat(tt.comma));\n }\n }\n\n parsePropertyName(\n node: N.ObjectOrClassMember | N.ClassMember | N.TsNamedTypeElementBase,\n isPrivateNameAllowed: boolean,\n ): N.Identifier {\n const variance = this.flowParseVariance();\n const key = super.parsePropertyName(node, isPrivateNameAllowed);\n // $FlowIgnore (\"variance\" not defined on TsNamedTypeElementBase)\n node.variance = variance;\n return key;\n }\n\n // parse type parameters for object method shorthand\n parseObjPropValue(\n prop: N.ObjectMember,\n startPos: ?number,\n startLoc: ?Position,\n isGenerator: boolean,\n isAsync: boolean,\n isPattern: boolean,\n isAccessor: boolean,\n refExpressionErrors: ?ExpressionErrors,\n ): void {\n if ((prop: $FlowFixMe).variance) {\n this.unexpected((prop: $FlowFixMe).variance.start);\n }\n delete (prop: $FlowFixMe).variance;\n\n let typeParameters;\n\n // method shorthand\n if (this.isRelational(\"<\") && !isAccessor) {\n typeParameters = this.flowParseTypeParameterDeclaration();\n if (!this.match(tt.parenL)) this.unexpected();\n }\n\n super.parseObjPropValue(\n prop,\n startPos,\n startLoc,\n isGenerator,\n isAsync,\n isPattern,\n isAccessor,\n refExpressionErrors,\n );\n\n // add typeParameters if we found them\n if (typeParameters) {\n (prop.value || prop).typeParameters = typeParameters;\n }\n }\n\n parseAssignableListItemTypes(param: N.Pattern): N.Pattern {\n if (this.eat(tt.question)) {\n if (param.type !== \"Identifier\") {\n this.raise(param.start, FlowErrors.OptionalBindingPattern);\n }\n\n ((param: any): N.Identifier).optional = true;\n }\n if (this.match(tt.colon)) {\n param.typeAnnotation = this.flowParseTypeAnnotation();\n }\n this.resetEndLocation(param);\n return param;\n }\n\n parseMaybeDefault(\n startPos?: ?number,\n startLoc?: ?Position,\n left?: ?N.Pattern,\n ): N.Pattern {\n const node = super.parseMaybeDefault(startPos, startLoc, left);\n\n if (\n node.type === \"AssignmentPattern\" &&\n node.typeAnnotation &&\n node.right.start < node.typeAnnotation.start\n ) {\n this.raise(node.typeAnnotation.start, FlowErrors.TypeBeforeInitializer);\n }\n\n return node;\n }\n\n shouldParseDefaultImport(node: N.ImportDeclaration): boolean {\n if (!hasTypeImportKind(node)) {\n return super.shouldParseDefaultImport(node);\n }\n\n return isMaybeDefaultImport(this.state);\n }\n\n parseImportSpecifierLocal(\n node: N.ImportDeclaration,\n specifier: N.Node,\n type: string,\n contextDescription: string,\n ): void {\n specifier.local = hasTypeImportKind(node)\n ? this.flowParseRestrictedIdentifier(\n /* liberal */ true,\n /* declaration */ true,\n )\n : this.parseIdentifier();\n\n this.checkLVal(\n specifier.local,\n BIND_LEXICAL,\n undefined,\n contextDescription,\n );\n node.specifiers.push(this.finishNode(specifier, type));\n }\n\n // parse typeof and type imports\n maybeParseDefaultImportSpecifier(node: N.ImportDeclaration): boolean {\n node.importKind = \"value\";\n\n let kind = null;\n if (this.match(tt._typeof)) {\n kind = \"typeof\";\n } else if (this.isContextual(\"type\")) {\n kind = \"type\";\n }\n if (kind) {\n const lh = this.lookahead();\n\n // import type * is not allowed\n if (kind === \"type\" && lh.type === tt.star) {\n this.unexpected(lh.start);\n }\n\n if (\n isMaybeDefaultImport(lh) ||\n lh.type === tt.braceL ||\n lh.type === tt.star\n ) {\n this.next();\n node.importKind = kind;\n }\n }\n\n return super.maybeParseDefaultImportSpecifier(node);\n }\n\n // parse import-type/typeof shorthand\n parseImportSpecifier(node: N.ImportDeclaration): void {\n const specifier = this.startNode();\n const firstIdentLoc = this.state.start;\n const firstIdent = this.parseIdentifier(true);\n\n let specifierTypeKind = null;\n if (firstIdent.name === \"type\") {\n specifierTypeKind = \"type\";\n } else if (firstIdent.name === \"typeof\") {\n specifierTypeKind = \"typeof\";\n }\n\n let isBinding = false;\n if (this.isContextual(\"as\") && !this.isLookaheadContextual(\"as\")) {\n const as_ident = this.parseIdentifier(true);\n if (\n specifierTypeKind !== null &&\n !this.match(tt.name) &&\n !this.state.type.keyword\n ) {\n // `import {type as ,` or `import {type as }`\n specifier.imported = as_ident;\n specifier.importKind = specifierTypeKind;\n specifier.local = as_ident.__clone();\n } else {\n // `import {type as foo`\n specifier.imported = firstIdent;\n specifier.importKind = null;\n specifier.local = this.parseIdentifier();\n }\n } else if (\n specifierTypeKind !== null &&\n (this.match(tt.name) || this.state.type.keyword)\n ) {\n // `import {type foo`\n specifier.imported = this.parseIdentifier(true);\n specifier.importKind = specifierTypeKind;\n if (this.eatContextual(\"as\")) {\n specifier.local = this.parseIdentifier();\n } else {\n isBinding = true;\n specifier.local = specifier.imported.__clone();\n }\n } else {\n isBinding = true;\n specifier.imported = firstIdent;\n specifier.importKind = null;\n specifier.local = specifier.imported.__clone();\n }\n\n const nodeIsTypeImport = hasTypeImportKind(node);\n const specifierIsTypeImport = hasTypeImportKind(specifier);\n\n if (nodeIsTypeImport && specifierIsTypeImport) {\n this.raise(\n firstIdentLoc,\n FlowErrors.ImportTypeShorthandOnlyInPureImport,\n );\n }\n\n if (nodeIsTypeImport || specifierIsTypeImport) {\n this.checkReservedType(\n specifier.local.name,\n specifier.local.start,\n /* declaration */ true,\n );\n }\n\n if (isBinding && !nodeIsTypeImport && !specifierIsTypeImport) {\n this.checkReservedWord(\n specifier.local.name,\n specifier.start,\n true,\n true,\n );\n }\n\n this.checkLVal(\n specifier.local,\n BIND_LEXICAL,\n undefined,\n \"import specifier\",\n );\n node.specifiers.push(this.finishNode(specifier, \"ImportSpecifier\"));\n }\n\n // parse function type parameters - function foo<T>() {}\n parseFunctionParams(node: N.Function, allowModifiers?: boolean): void {\n // $FlowFixMe\n const kind = node.kind;\n if (kind !== \"get\" && kind !== \"set\" && this.isRelational(\"<\")) {\n node.typeParameters = this.flowParseTypeParameterDeclaration();\n }\n super.parseFunctionParams(node, allowModifiers);\n }\n\n // parse flow type annotations on variable declarator heads - let foo: string = bar\n parseVarId(\n decl: N.VariableDeclarator,\n kind: \"var\" | \"let\" | \"const\",\n ): void {\n super.parseVarId(decl, kind);\n if (this.match(tt.colon)) {\n decl.id.typeAnnotation = this.flowParseTypeAnnotation();\n this.resetEndLocation(decl.id); // set end position to end of type\n }\n }\n\n // parse the return type of an async arrow function - let foo = (async (): number => {});\n parseAsyncArrowFromCallExpression(\n node: N.ArrowFunctionExpression,\n call: N.CallExpression,\n ): N.ArrowFunctionExpression {\n if (this.match(tt.colon)) {\n const oldNoAnonFunctionType = this.state.noAnonFunctionType;\n this.state.noAnonFunctionType = true;\n node.returnType = this.flowParseTypeAnnotation();\n this.state.noAnonFunctionType = oldNoAnonFunctionType;\n }\n\n return super.parseAsyncArrowFromCallExpression(node, call);\n }\n\n // todo description\n shouldParseAsyncArrow(): boolean {\n return this.match(tt.colon) || super.shouldParseAsyncArrow();\n }\n\n // We need to support type parameter declarations for arrow functions. This\n // is tricky. There are three situations we need to handle\n //\n // 1. This is either JSX or an arrow function. We'll try JSX first. If that\n // fails, we'll try an arrow function. If that fails, we'll throw the JSX\n // error.\n // 2. This is an arrow function. We'll parse the type parameter declaration,\n // parse the rest, make sure the rest is an arrow function, and go from\n // there\n // 3. This is neither. Just call the super method\n parseMaybeAssign(\n noIn?: ?boolean,\n refExpressionErrors?: ?ExpressionErrors,\n afterLeftParse?: Function,\n refNeedsArrowPos?: ?Pos,\n ): N.Expression {\n let state = null;\n\n let jsx;\n\n if (\n this.hasPlugin(\"jsx\") &&\n (this.match(tt.jsxTagStart) || this.isRelational(\"<\"))\n ) {\n state = this.state.clone();\n\n jsx = this.tryParse(\n () =>\n super.parseMaybeAssign(\n noIn,\n refExpressionErrors,\n afterLeftParse,\n refNeedsArrowPos,\n ),\n state,\n );\n /*:: invariant(!jsx.aborted) */\n\n if (!jsx.error) return jsx.node;\n\n // Remove `tc.j_expr` and `tc.j_oTag` from context added\n // by parsing `jsxTagStart` to stop the JSX plugin from\n // messing with the tokens\n const { context } = this.state;\n if (context[context.length - 1] === tc.j_oTag) {\n context.length -= 2;\n } else if (context[context.length - 1] === tc.j_expr) {\n context.length -= 1;\n }\n }\n\n if (jsx?.error || this.isRelational(\"<\")) {\n state = state || this.state.clone();\n\n let typeParameters;\n\n const arrow = this.tryParse(() => {\n typeParameters = this.flowParseTypeParameterDeclaration();\n\n const arrowExpression = this.forwardNoArrowParamsConversionAt(\n typeParameters,\n () =>\n super.parseMaybeAssign(\n noIn,\n refExpressionErrors,\n afterLeftParse,\n refNeedsArrowPos,\n ),\n );\n arrowExpression.typeParameters = typeParameters;\n this.resetStartLocationFromNode(arrowExpression, typeParameters);\n\n return arrowExpression;\n }, state);\n\n const arrowExpression: ?N.ArrowFunctionExpression =\n arrow.node?.type === \"ArrowFunctionExpression\" ? arrow.node : null;\n\n if (!arrow.error && arrowExpression) return arrowExpression;\n\n // If we are here, both JSX and Flow parsing attempts failed.\n // Give the precedence to the JSX error, except if JSX had an\n // unrecoverable error while Flow didn't.\n // If the error is recoverable, we can only re-report it if there is\n // a node we can return.\n\n if (jsx?.node) {\n /*:: invariant(jsx.failState) */\n this.state = jsx.failState;\n return jsx.node;\n }\n\n if (arrowExpression) {\n /*:: invariant(arrow.failState) */\n this.state = arrow.failState;\n return arrowExpression;\n }\n\n if (jsx?.thrown) throw jsx.error;\n if (arrow.thrown) throw arrow.error;\n\n /*:: invariant(typeParameters) */\n throw this.raise(\n typeParameters.start,\n FlowErrors.UnexpectedTokenAfterTypeParameter,\n );\n }\n\n return super.parseMaybeAssign(\n noIn,\n refExpressionErrors,\n afterLeftParse,\n refNeedsArrowPos,\n );\n }\n\n // handle return types for arrow functions\n parseArrow(node: N.ArrowFunctionExpression): ?N.ArrowFunctionExpression {\n if (this.match(tt.colon)) {\n const result = this.tryParse(() => {\n const oldNoAnonFunctionType = this.state.noAnonFunctionType;\n this.state.noAnonFunctionType = true;\n\n const typeNode = this.startNode();\n\n [\n // $FlowFixMe (destructuring not supported yet)\n typeNode.typeAnnotation,\n // $FlowFixMe (destructuring not supported yet)\n node.predicate,\n ] = this.flowParseTypeAndPredicateInitialiser();\n\n this.state.noAnonFunctionType = oldNoAnonFunctionType;\n\n if (this.canInsertSemicolon()) this.unexpected();\n if (!this.match(tt.arrow)) this.unexpected();\n\n return typeNode;\n });\n\n if (result.thrown) return null;\n /*:: invariant(result.node) */\n\n if (result.error) this.state = result.failState;\n\n // assign after it is clear it is an arrow\n node.returnType = result.node.typeAnnotation\n ? this.finishNode(result.node, \"TypeAnnotation\")\n : null;\n }\n\n return super.parseArrow(node);\n }\n\n shouldParseArrow(): boolean {\n return this.match(tt.colon) || super.shouldParseArrow();\n }\n\n setArrowFunctionParameters(\n node: N.ArrowFunctionExpression,\n params: N.Expression[],\n ): void {\n if (this.state.noArrowParamsConversionAt.indexOf(node.start) !== -1) {\n node.params = params;\n } else {\n super.setArrowFunctionParameters(node, params);\n }\n }\n\n checkParams(\n node: N.Function,\n allowDuplicates: boolean,\n isArrowFunction: ?boolean,\n ): void {\n if (\n isArrowFunction &&\n this.state.noArrowParamsConversionAt.indexOf(node.start) !== -1\n ) {\n return;\n }\n\n return super.checkParams(...arguments);\n }\n\n parseParenAndDistinguishExpression(canBeArrow: boolean): N.Expression {\n return super.parseParenAndDistinguishExpression(\n canBeArrow && this.state.noArrowAt.indexOf(this.state.start) === -1,\n );\n }\n\n parseSubscripts(\n base: N.Expression,\n startPos: number,\n startLoc: Position,\n noCalls?: ?boolean,\n ): N.Expression {\n if (\n base.type === \"Identifier\" &&\n base.name === \"async\" &&\n this.state.noArrowAt.indexOf(startPos) !== -1\n ) {\n this.next();\n\n const node = this.startNodeAt(startPos, startLoc);\n node.callee = base;\n node.arguments = this.parseCallExpressionArguments(tt.parenR, false);\n base = this.finishNode(node, \"CallExpression\");\n } else if (\n base.type === \"Identifier\" &&\n base.name === \"async\" &&\n this.isRelational(\"<\")\n ) {\n const state = this.state.clone();\n const arrow = this.tryParse(\n abort =>\n this.parseAsyncArrowWithTypeParameters(startPos, startLoc) ||\n abort(),\n state,\n );\n\n if (!arrow.error && !arrow.aborted) return arrow.node;\n\n const result = this.tryParse(\n () => super.parseSubscripts(base, startPos, startLoc, noCalls),\n state,\n );\n\n if (result.node && !result.error) return result.node;\n\n if (arrow.node) {\n this.state = arrow.failState;\n return arrow.node;\n }\n\n if (result.node) {\n this.state = result.failState;\n return result.node;\n }\n\n throw arrow.error || result.error;\n }\n\n return super.parseSubscripts(base, startPos, startLoc, noCalls);\n }\n\n parseSubscript(\n base: N.Expression,\n startPos: number,\n startLoc: Position,\n noCalls: ?boolean,\n subscriptState: N.ParseSubscriptState,\n ): N.Expression {\n if (this.match(tt.questionDot) && this.isLookaheadToken_lt()) {\n subscriptState.optionalChainMember = true;\n if (noCalls) {\n subscriptState.stop = true;\n return base;\n }\n this.next();\n const node: N.OptionalCallExpression = this.startNodeAt(\n startPos,\n startLoc,\n );\n node.callee = base;\n node.typeArguments = this.flowParseTypeParameterInstantiation();\n this.expect(tt.parenL);\n // $FlowFixMe\n node.arguments = this.parseCallExpressionArguments(tt.parenR, false);\n node.optional = true;\n return this.finishCallExpression(node, /* optional */ true);\n } else if (\n !noCalls &&\n this.shouldParseTypes() &&\n this.isRelational(\"<\")\n ) {\n const node = this.startNodeAt(startPos, startLoc);\n node.callee = base;\n\n const result = this.tryParse(() => {\n node.typeArguments = this.flowParseTypeParameterInstantiationCallOrNew();\n this.expect(tt.parenL);\n node.arguments = this.parseCallExpressionArguments(tt.parenR, false);\n if (subscriptState.optionalChainMember) node.optional = false;\n return this.finishCallExpression(\n node,\n subscriptState.optionalChainMember,\n );\n });\n\n if (result.node) {\n if (result.error) this.state = result.failState;\n return result.node;\n }\n }\n\n return super.parseSubscript(\n base,\n startPos,\n startLoc,\n noCalls,\n subscriptState,\n );\n }\n\n parseNewArguments(node: N.NewExpression): void {\n let targs = null;\n if (this.shouldParseTypes() && this.isRelational(\"<\")) {\n targs = this.tryParse(() =>\n this.flowParseTypeParameterInstantiationCallOrNew(),\n ).node;\n }\n node.typeArguments = targs;\n\n super.parseNewArguments(node);\n }\n\n parseAsyncArrowWithTypeParameters(\n startPos: number,\n startLoc: Position,\n ): ?N.ArrowFunctionExpression {\n const node = this.startNodeAt(startPos, startLoc);\n this.parseFunctionParams(node);\n if (!this.parseArrow(node)) return;\n return this.parseArrowExpression(\n node,\n /* params */ undefined,\n /* isAsync */ true,\n );\n }\n\n readToken_mult_modulo(code: number): void {\n const next = this.input.charCodeAt(this.state.pos + 1);\n if (\n code === charCodes.asterisk &&\n next === charCodes.slash &&\n this.state.hasFlowComment\n ) {\n this.state.hasFlowComment = false;\n this.state.pos += 2;\n this.nextToken();\n return;\n }\n\n super.readToken_mult_modulo(code);\n }\n\n readToken_pipe_amp(code: number): void {\n const next = this.input.charCodeAt(this.state.pos + 1);\n if (\n code === charCodes.verticalBar &&\n next === charCodes.rightCurlyBrace\n ) {\n // '|}'\n this.finishOp(tt.braceBarR, 2);\n return;\n }\n\n super.readToken_pipe_amp(code);\n }\n\n parseTopLevel(file: N.File, program: N.Program): N.File {\n const fileNode = super.parseTopLevel(file, program);\n if (this.state.hasFlowComment) {\n this.raise(this.state.pos, FlowErrors.UnterminatedFlowComment);\n }\n return fileNode;\n }\n\n skipBlockComment(): void {\n if (this.hasPlugin(\"flowComments\") && this.skipFlowComment()) {\n if (this.state.hasFlowComment) {\n this.unexpected(null, FlowErrors.NestedFlowComment);\n }\n this.hasFlowCommentCompletion();\n this.state.pos += this.skipFlowComment();\n this.state.hasFlowComment = true;\n return;\n }\n\n if (this.state.hasFlowComment) {\n const end = this.input.indexOf(\"*-/\", (this.state.pos += 2));\n if (end === -1) {\n throw this.raise(this.state.pos - 2, Errors.UnterminatedComment);\n }\n this.state.pos = end + 3;\n return;\n }\n\n super.skipBlockComment();\n }\n\n skipFlowComment(): number | boolean {\n const { pos } = this.state;\n let shiftToFirstNonWhiteSpace = 2;\n while (\n [charCodes.space, charCodes.tab].includes(\n this.input.charCodeAt(pos + shiftToFirstNonWhiteSpace),\n )\n ) {\n shiftToFirstNonWhiteSpace++;\n }\n\n const ch2 = this.input.charCodeAt(shiftToFirstNonWhiteSpace + pos);\n const ch3 = this.input.charCodeAt(shiftToFirstNonWhiteSpace + pos + 1);\n\n if (ch2 === charCodes.colon && ch3 === charCodes.colon) {\n return shiftToFirstNonWhiteSpace + 2; // check for /*::\n }\n if (\n this.input.slice(\n shiftToFirstNonWhiteSpace + pos,\n shiftToFirstNonWhiteSpace + pos + 12,\n ) === \"flow-include\"\n ) {\n return shiftToFirstNonWhiteSpace + 12; // check for /*flow-include\n }\n if (ch2 === charCodes.colon && ch3 !== charCodes.colon) {\n return shiftToFirstNonWhiteSpace; // check for /*:, advance up to :\n }\n return false;\n }\n\n hasFlowCommentCompletion(): void {\n const end = this.input.indexOf(\"*/\", this.state.pos);\n if (end === -1) {\n throw this.raise(this.state.pos, Errors.UnterminatedComment);\n }\n }\n\n // Flow enum parsing\n\n flowEnumErrorBooleanMemberNotInitialized(\n pos: number,\n { enumName, memberName }: { enumName: string, memberName: string },\n ): void {\n this.raise(\n pos,\n FlowErrors.EnumBooleanMemberNotInitialized,\n memberName,\n enumName,\n );\n }\n\n flowEnumErrorInvalidMemberName(\n pos: number,\n { enumName, memberName }: { enumName: string, memberName: string },\n ): void {\n const suggestion = memberName[0].toUpperCase() + memberName.slice(1);\n this.raise(\n pos,\n FlowErrors.EnumInvalidMemberName,\n memberName,\n suggestion,\n enumName,\n );\n }\n\n flowEnumErrorDuplicateMemberName(\n pos: number,\n { enumName, memberName }: { enumName: string, memberName: string },\n ): void {\n this.raise(pos, FlowErrors.EnumDuplicateMemberName, memberName, enumName);\n }\n\n flowEnumErrorInconsistentMemberValues(\n pos: number,\n { enumName }: { enumName: string },\n ): void {\n this.raise(pos, FlowErrors.EnumInconsistentMemberValues, enumName);\n }\n\n flowEnumErrorInvalidExplicitType(\n pos: number,\n {\n enumName,\n suppliedType,\n }: { enumName: string, suppliedType: null | string },\n ) {\n return this.raise(\n pos,\n suppliedType === null\n ? FlowErrors.EnumInvalidExplicitTypeUnknownSupplied\n : FlowErrors.EnumInvalidExplicitType,\n enumName,\n suppliedType,\n );\n }\n\n flowEnumErrorInvalidMemberInitializer(\n pos: number,\n { enumName, explicitType, memberName }: EnumContext,\n ) {\n let message = null;\n switch (explicitType) {\n case \"boolean\":\n case \"number\":\n case \"string\":\n message = FlowErrors.EnumInvalidMemberInitializerPrimaryType;\n break;\n case \"symbol\":\n message = FlowErrors.EnumInvalidMemberInitializerSymbolType;\n break;\n default:\n // null\n message = FlowErrors.EnumInvalidMemberInitializerUnknownType;\n }\n return this.raise(pos, message, enumName, memberName, explicitType);\n }\n\n flowEnumErrorNumberMemberNotInitialized(\n pos: number,\n { enumName, memberName }: { enumName: string, memberName: string },\n ): void {\n this.raise(\n pos,\n FlowErrors.EnumNumberMemberNotInitialized,\n enumName,\n memberName,\n );\n }\n\n flowEnumErrorStringMemberInconsistentlyInitailized(\n pos: number,\n { enumName }: { enumName: string },\n ): void {\n this.raise(\n pos,\n FlowErrors.EnumStringMemberInconsistentlyInitailized,\n enumName,\n );\n }\n\n flowEnumMemberInit(): EnumMemberInit {\n const startPos = this.state.start;\n const endOfInit = () => this.match(tt.comma) || this.match(tt.braceR);\n switch (this.state.type) {\n case tt.num: {\n const literal = this.parseLiteral(this.state.value, \"NumericLiteral\");\n if (endOfInit()) {\n return { type: \"number\", pos: literal.start, value: literal };\n }\n return { type: \"invalid\", pos: startPos };\n }\n case tt.string: {\n const literal = this.parseLiteral(this.state.value, \"StringLiteral\");\n if (endOfInit()) {\n return { type: \"string\", pos: literal.start, value: literal };\n }\n return { type: \"invalid\", pos: startPos };\n }\n case tt._true:\n case tt._false: {\n const literal = this.parseBooleanLiteral();\n if (endOfInit()) {\n return {\n type: \"boolean\",\n pos: literal.start,\n value: literal,\n };\n }\n return { type: \"invalid\", pos: startPos };\n }\n default:\n return { type: \"invalid\", pos: startPos };\n }\n }\n\n flowEnumMemberRaw(): { id: N.Node, init: EnumMemberInit } {\n const pos = this.state.start;\n const id = this.parseIdentifier(true);\n const init = this.eat(tt.eq)\n ? this.flowEnumMemberInit()\n : { type: \"none\", pos };\n return { id, init };\n }\n\n flowEnumCheckExplicitTypeMismatch(\n pos: number,\n context: EnumContext,\n expectedType: EnumExplicitType,\n ): void {\n const { explicitType } = context;\n if (explicitType === null) {\n return;\n }\n if (explicitType !== expectedType) {\n this.flowEnumErrorInvalidMemberInitializer(pos, context);\n }\n }\n\n flowEnumMembers({\n enumName,\n explicitType,\n }: {\n enumName: string,\n explicitType: EnumExplicitType,\n }): {|\n booleanMembers: Array<N.Node>,\n numberMembers: Array<N.Node>,\n stringMembers: Array<N.Node>,\n defaultedMembers: Array<N.Node>,\n |} {\n const seenNames = new Set();\n const members = {\n booleanMembers: [],\n numberMembers: [],\n stringMembers: [],\n defaultedMembers: [],\n };\n while (!this.match(tt.braceR)) {\n const memberNode = this.startNode();\n const { id, init } = this.flowEnumMemberRaw();\n const memberName = id.name;\n if (memberName === \"\") {\n continue;\n }\n if (/^[a-z]/.test(memberName)) {\n this.flowEnumErrorInvalidMemberName(id.start, {\n enumName,\n memberName,\n });\n }\n if (seenNames.has(memberName)) {\n this.flowEnumErrorDuplicateMemberName(id.start, {\n enumName,\n memberName,\n });\n }\n seenNames.add(memberName);\n const context = { enumName, explicitType, memberName };\n memberNode.id = id;\n switch (init.type) {\n case \"boolean\": {\n this.flowEnumCheckExplicitTypeMismatch(\n init.pos,\n context,\n \"boolean\",\n );\n memberNode.init = init.value;\n members.booleanMembers.push(\n this.finishNode(memberNode, \"EnumBooleanMember\"),\n );\n break;\n }\n case \"number\": {\n this.flowEnumCheckExplicitTypeMismatch(init.pos, context, \"number\");\n memberNode.init = init.value;\n members.numberMembers.push(\n this.finishNode(memberNode, \"EnumNumberMember\"),\n );\n break;\n }\n case \"string\": {\n this.flowEnumCheckExplicitTypeMismatch(init.pos, context, \"string\");\n memberNode.init = init.value;\n members.stringMembers.push(\n this.finishNode(memberNode, \"EnumStringMember\"),\n );\n break;\n }\n case \"invalid\": {\n throw this.flowEnumErrorInvalidMemberInitializer(init.pos, context);\n }\n case \"none\": {\n switch (explicitType) {\n case \"boolean\":\n this.flowEnumErrorBooleanMemberNotInitialized(\n init.pos,\n context,\n );\n break;\n case \"number\":\n this.flowEnumErrorNumberMemberNotInitialized(init.pos, context);\n break;\n default:\n members.defaultedMembers.push(\n this.finishNode(memberNode, \"EnumDefaultedMember\"),\n );\n }\n }\n }\n\n if (!this.match(tt.braceR)) {\n this.expect(tt.comma);\n }\n }\n return members;\n }\n\n flowEnumStringMembers(\n initializedMembers: Array<N.Node>,\n defaultedMembers: Array<N.Node>,\n { enumName }: { enumName: string },\n ): Array<N.Node> {\n if (initializedMembers.length === 0) {\n return defaultedMembers;\n } else if (defaultedMembers.length === 0) {\n return initializedMembers;\n } else if (defaultedMembers.length > initializedMembers.length) {\n for (const member of initializedMembers) {\n this.flowEnumErrorStringMemberInconsistentlyInitailized(\n member.start,\n { enumName },\n );\n }\n return defaultedMembers;\n } else {\n for (const member of defaultedMembers) {\n this.flowEnumErrorStringMemberInconsistentlyInitailized(\n member.start,\n { enumName },\n );\n }\n return initializedMembers;\n }\n }\n\n flowEnumParseExplicitType({\n enumName,\n }: {\n enumName: string,\n }): EnumExplicitType {\n if (this.eatContextual(\"of\")) {\n if (!this.match(tt.name)) {\n throw this.flowEnumErrorInvalidExplicitType(this.state.start, {\n enumName,\n suppliedType: null,\n });\n }\n\n const { value } = this.state;\n this.next();\n\n if (\n value !== \"boolean\" &&\n value !== \"number\" &&\n value !== \"string\" &&\n value !== \"symbol\"\n ) {\n this.flowEnumErrorInvalidExplicitType(this.state.start, {\n enumName,\n suppliedType: value,\n });\n }\n\n return value;\n }\n return null;\n }\n\n flowEnumBody(node: N.Node, { enumName, nameLoc }): N.Node {\n const explicitType = this.flowEnumParseExplicitType({ enumName });\n this.expect(tt.braceL);\n const members = this.flowEnumMembers({ enumName, explicitType });\n\n switch (explicitType) {\n case \"boolean\":\n node.explicitType = true;\n node.members = members.booleanMembers;\n this.expect(tt.braceR);\n return this.finishNode(node, \"EnumBooleanBody\");\n case \"number\":\n node.explicitType = true;\n node.members = members.numberMembers;\n this.expect(tt.braceR);\n return this.finishNode(node, \"EnumNumberBody\");\n case \"string\":\n node.explicitType = true;\n node.members = this.flowEnumStringMembers(\n members.stringMembers,\n members.defaultedMembers,\n { enumName },\n );\n this.expect(tt.braceR);\n return this.finishNode(node, \"EnumStringBody\");\n case \"symbol\":\n node.members = members.defaultedMembers;\n this.expect(tt.braceR);\n return this.finishNode(node, \"EnumSymbolBody\");\n default: {\n // `explicitType` is `null`\n const empty = () => {\n node.members = [];\n this.expect(tt.braceR);\n return this.finishNode(node, \"EnumStringBody\");\n };\n node.explicitType = false;\n\n const boolsLen = members.booleanMembers.length;\n const numsLen = members.numberMembers.length;\n const strsLen = members.stringMembers.length;\n const defaultedLen = members.defaultedMembers.length;\n\n if (!boolsLen && !numsLen && !strsLen && !defaultedLen) {\n return empty();\n } else if (!boolsLen && !numsLen) {\n node.members = this.flowEnumStringMembers(\n members.stringMembers,\n members.defaultedMembers,\n { enumName },\n );\n this.expect(tt.braceR);\n return this.finishNode(node, \"EnumStringBody\");\n } else if (!numsLen && !strsLen && boolsLen >= defaultedLen) {\n for (const member of members.defaultedMembers) {\n this.flowEnumErrorBooleanMemberNotInitialized(member.start, {\n enumName,\n memberName: member.id.name,\n });\n }\n node.members = members.booleanMembers;\n this.expect(tt.braceR);\n return this.finishNode(node, \"EnumBooleanBody\");\n } else if (!boolsLen && !strsLen && numsLen >= defaultedLen) {\n for (const member of members.defaultedMembers) {\n this.flowEnumErrorNumberMemberNotInitialized(member.start, {\n enumName,\n memberName: member.id.name,\n });\n }\n node.members = members.numberMembers;\n this.expect(tt.braceR);\n return this.finishNode(node, \"EnumNumberBody\");\n } else {\n this.flowEnumErrorInconsistentMemberValues(nameLoc, { enumName });\n return empty();\n }\n }\n }\n }\n\n flowParseEnumDeclaration(node: N.Node): N.Node {\n const id = this.parseIdentifier();\n node.id = id;\n node.body = this.flowEnumBody(this.startNode(), {\n enumName: id.name,\n nameLoc: id.start,\n });\n return this.finishNode(node, \"EnumDeclaration\");\n }\n\n updateContext(prevType: TokenType): void {\n if (\n this.match(tt.name) &&\n this.state.value === \"of\" &&\n prevType === tt.name &&\n this.input.slice(this.state.lastTokStart, this.state.lastTokEnd) ===\n \"interface\"\n ) {\n this.state.exprAllowed = false;\n } else {\n super.updateContext(prevType);\n }\n }\n\n // check if the next token is a tt.relation(\"<\")\n isLookaheadToken_lt(): boolean {\n const next = this.nextTokenStart();\n if (this.input.charCodeAt(next) === charCodes.lessThan) {\n const afterNext = this.input.charCodeAt(next + 1);\n return (\n afterNext !== charCodes.lessThan && afterNext !== charCodes.equalsTo\n );\n }\n return false;\n }\n };\n","// @flow\n\nconst entities: { [name: string]: string } = {\n quot: \"\\u0022\",\n amp: \"&\",\n apos: \"\\u0027\",\n lt: \"<\",\n gt: \">\",\n nbsp: \"\\u00A0\",\n iexcl: \"\\u00A1\",\n cent: \"\\u00A2\",\n pound: \"\\u00A3\",\n curren: \"\\u00A4\",\n yen: \"\\u00A5\",\n brvbar: \"\\u00A6\",\n sect: \"\\u00A7\",\n uml: \"\\u00A8\",\n copy: \"\\u00A9\",\n ordf: \"\\u00AA\",\n laquo: \"\\u00AB\",\n not: \"\\u00AC\",\n shy: \"\\u00AD\",\n reg: \"\\u00AE\",\n macr: \"\\u00AF\",\n deg: \"\\u00B0\",\n plusmn: \"\\u00B1\",\n sup2: \"\\u00B2\",\n sup3: \"\\u00B3\",\n acute: \"\\u00B4\",\n micro: \"\\u00B5\",\n para: \"\\u00B6\",\n middot: \"\\u00B7\",\n cedil: \"\\u00B8\",\n sup1: \"\\u00B9\",\n ordm: \"\\u00BA\",\n raquo: \"\\u00BB\",\n frac14: \"\\u00BC\",\n frac12: \"\\u00BD\",\n frac34: \"\\u00BE\",\n iquest: \"\\u00BF\",\n Agrave: \"\\u00C0\",\n Aacute: \"\\u00C1\",\n Acirc: \"\\u00C2\",\n Atilde: \"\\u00C3\",\n Auml: \"\\u00C4\",\n Aring: \"\\u00C5\",\n AElig: \"\\u00C6\",\n Ccedil: \"\\u00C7\",\n Egrave: \"\\u00C8\",\n Eacute: \"\\u00C9\",\n Ecirc: \"\\u00CA\",\n Euml: \"\\u00CB\",\n Igrave: \"\\u00CC\",\n Iacute: \"\\u00CD\",\n Icirc: \"\\u00CE\",\n Iuml: \"\\u00CF\",\n ETH: \"\\u00D0\",\n Ntilde: \"\\u00D1\",\n Ograve: \"\\u00D2\",\n Oacute: \"\\u00D3\",\n Ocirc: \"\\u00D4\",\n Otilde: \"\\u00D5\",\n Ouml: \"\\u00D6\",\n times: \"\\u00D7\",\n Oslash: \"\\u00D8\",\n Ugrave: \"\\u00D9\",\n Uacute: \"\\u00DA\",\n Ucirc: \"\\u00DB\",\n Uuml: \"\\u00DC\",\n Yacute: \"\\u00DD\",\n THORN: \"\\u00DE\",\n szlig: \"\\u00DF\",\n agrave: \"\\u00E0\",\n aacute: \"\\u00E1\",\n acirc: \"\\u00E2\",\n atilde: \"\\u00E3\",\n auml: \"\\u00E4\",\n aring: \"\\u00E5\",\n aelig: \"\\u00E6\",\n ccedil: \"\\u00E7\",\n egrave: \"\\u00E8\",\n eacute: \"\\u00E9\",\n ecirc: \"\\u00EA\",\n euml: \"\\u00EB\",\n igrave: \"\\u00EC\",\n iacute: \"\\u00ED\",\n icirc: \"\\u00EE\",\n iuml: \"\\u00EF\",\n eth: \"\\u00F0\",\n ntilde: \"\\u00F1\",\n ograve: \"\\u00F2\",\n oacute: \"\\u00F3\",\n ocirc: \"\\u00F4\",\n otilde: \"\\u00F5\",\n ouml: \"\\u00F6\",\n divide: \"\\u00F7\",\n oslash: \"\\u00F8\",\n ugrave: \"\\u00F9\",\n uacute: \"\\u00FA\",\n ucirc: \"\\u00FB\",\n uuml: \"\\u00FC\",\n yacute: \"\\u00FD\",\n thorn: \"\\u00FE\",\n yuml: \"\\u00FF\",\n OElig: \"\\u0152\",\n oelig: \"\\u0153\",\n Scaron: \"\\u0160\",\n scaron: \"\\u0161\",\n Yuml: \"\\u0178\",\n fnof: \"\\u0192\",\n circ: \"\\u02C6\",\n tilde: \"\\u02DC\",\n Alpha: \"\\u0391\",\n Beta: \"\\u0392\",\n Gamma: \"\\u0393\",\n Delta: \"\\u0394\",\n Epsilon: \"\\u0395\",\n Zeta: \"\\u0396\",\n Eta: \"\\u0397\",\n Theta: \"\\u0398\",\n Iota: \"\\u0399\",\n Kappa: \"\\u039A\",\n Lambda: \"\\u039B\",\n Mu: \"\\u039C\",\n Nu: \"\\u039D\",\n Xi: \"\\u039E\",\n Omicron: \"\\u039F\",\n Pi: \"\\u03A0\",\n Rho: \"\\u03A1\",\n Sigma: \"\\u03A3\",\n Tau: \"\\u03A4\",\n Upsilon: \"\\u03A5\",\n Phi: \"\\u03A6\",\n Chi: \"\\u03A7\",\n Psi: \"\\u03A8\",\n Omega: \"\\u03A9\",\n alpha: \"\\u03B1\",\n beta: \"\\u03B2\",\n gamma: \"\\u03B3\",\n delta: \"\\u03B4\",\n epsilon: \"\\u03B5\",\n zeta: \"\\u03B6\",\n eta: \"\\u03B7\",\n theta: \"\\u03B8\",\n iota: \"\\u03B9\",\n kappa: \"\\u03BA\",\n lambda: \"\\u03BB\",\n mu: \"\\u03BC\",\n nu: \"\\u03BD\",\n xi: \"\\u03BE\",\n omicron: \"\\u03BF\",\n pi: \"\\u03C0\",\n rho: \"\\u03C1\",\n sigmaf: \"\\u03C2\",\n sigma: \"\\u03C3\",\n tau: \"\\u03C4\",\n upsilon: \"\\u03C5\",\n phi: \"\\u03C6\",\n chi: \"\\u03C7\",\n psi: \"\\u03C8\",\n omega: \"\\u03C9\",\n thetasym: \"\\u03D1\",\n upsih: \"\\u03D2\",\n piv: \"\\u03D6\",\n ensp: \"\\u2002\",\n emsp: \"\\u2003\",\n thinsp: \"\\u2009\",\n zwnj: \"\\u200C\",\n zwj: \"\\u200D\",\n lrm: \"\\u200E\",\n rlm: \"\\u200F\",\n ndash: \"\\u2013\",\n mdash: \"\\u2014\",\n lsquo: \"\\u2018\",\n rsquo: \"\\u2019\",\n sbquo: \"\\u201A\",\n ldquo: \"\\u201C\",\n rdquo: \"\\u201D\",\n bdquo: \"\\u201E\",\n dagger: \"\\u2020\",\n Dagger: \"\\u2021\",\n bull: \"\\u2022\",\n hellip: \"\\u2026\",\n permil: \"\\u2030\",\n prime: \"\\u2032\",\n Prime: \"\\u2033\",\n lsaquo: \"\\u2039\",\n rsaquo: \"\\u203A\",\n oline: \"\\u203E\",\n frasl: \"\\u2044\",\n euro: \"\\u20AC\",\n image: \"\\u2111\",\n weierp: \"\\u2118\",\n real: \"\\u211C\",\n trade: \"\\u2122\",\n alefsym: \"\\u2135\",\n larr: \"\\u2190\",\n uarr: \"\\u2191\",\n rarr: \"\\u2192\",\n darr: \"\\u2193\",\n harr: \"\\u2194\",\n crarr: \"\\u21B5\",\n lArr: \"\\u21D0\",\n uArr: \"\\u21D1\",\n rArr: \"\\u21D2\",\n dArr: \"\\u21D3\",\n hArr: \"\\u21D4\",\n forall: \"\\u2200\",\n part: \"\\u2202\",\n exist: \"\\u2203\",\n empty: \"\\u2205\",\n nabla: \"\\u2207\",\n isin: \"\\u2208\",\n notin: \"\\u2209\",\n ni: \"\\u220B\",\n prod: \"\\u220F\",\n sum: \"\\u2211\",\n minus: \"\\u2212\",\n lowast: \"\\u2217\",\n radic: \"\\u221A\",\n prop: \"\\u221D\",\n infin: \"\\u221E\",\n ang: \"\\u2220\",\n and: \"\\u2227\",\n or: \"\\u2228\",\n cap: \"\\u2229\",\n cup: \"\\u222A\",\n int: \"\\u222B\",\n there4: \"\\u2234\",\n sim: \"\\u223C\",\n cong: \"\\u2245\",\n asymp: \"\\u2248\",\n ne: \"\\u2260\",\n equiv: \"\\u2261\",\n le: \"\\u2264\",\n ge: \"\\u2265\",\n sub: \"\\u2282\",\n sup: \"\\u2283\",\n nsub: \"\\u2284\",\n sube: \"\\u2286\",\n supe: \"\\u2287\",\n oplus: \"\\u2295\",\n otimes: \"\\u2297\",\n perp: \"\\u22A5\",\n sdot: \"\\u22C5\",\n lceil: \"\\u2308\",\n rceil: \"\\u2309\",\n lfloor: \"\\u230A\",\n rfloor: \"\\u230B\",\n lang: \"\\u2329\",\n rang: \"\\u232A\",\n loz: \"\\u25CA\",\n spades: \"\\u2660\",\n clubs: \"\\u2663\",\n hearts: \"\\u2665\",\n diams: \"\\u2666\",\n};\nexport default entities;\n","// @flow\n\n// Error messages are colocated with the plugin.\n/* eslint-disable @babel/development-internal/dry-error-messages */\n\nimport * as charCodes from \"charcodes\";\n\nimport XHTMLEntities from \"./xhtml\";\nimport type Parser from \"../../parser\";\nimport type { ExpressionErrors } from \"../../parser/util\";\nimport { TokenType, types as tt } from \"../../tokenizer/types\";\nimport { TokContext, types as tc } from \"../../tokenizer/context\";\nimport * as N from \"../../types\";\nimport { isIdentifierChar, isIdentifierStart } from \"../../util/identifier\";\nimport type { Position } from \"../../util/location\";\nimport { isNewLine } from \"../../util/whitespace\";\nimport { Errors } from \"../../parser/error\";\n\nconst HEX_NUMBER = /^[\\da-fA-F]+$/;\nconst DECIMAL_NUMBER = /^\\d+$/;\n\nconst JsxErrors = Object.freeze({\n AttributeIsEmpty:\n \"JSX attributes must only be assigned a non-empty expression\",\n MissingClosingTagFragment: \"Expected corresponding JSX closing tag for <>\",\n MissingClosingTagElement: \"Expected corresponding JSX closing tag for <%0>\",\n UnsupportedJsxValue:\n \"JSX value should be either an expression or a quoted JSX text\",\n UnterminatedJsxContent: \"Unterminated JSX contents\",\n UnwrappedAdjacentJSXElements:\n \"Adjacent JSX elements must be wrapped in an enclosing tag. Did you want a JSX fragment <>...</>?\",\n});\n\n// Be aware that this file is always executed and not only when the plugin is enabled.\n// Therefore this contexts and tokens do always exist.\ntc.j_oTag = new TokContext(\"<tag\", false);\ntc.j_cTag = new TokContext(\"</tag\", false);\ntc.j_expr = new TokContext(\"<tag>...</tag>\", true, true);\n\ntt.jsxName = new TokenType(\"jsxName\");\ntt.jsxText = new TokenType(\"jsxText\", { beforeExpr: true });\ntt.jsxTagStart = new TokenType(\"jsxTagStart\", { startsExpr: true });\ntt.jsxTagEnd = new TokenType(\"jsxTagEnd\");\n\ntt.jsxTagStart.updateContext = function () {\n this.state.context.push(tc.j_expr); // treat as beginning of JSX expression\n this.state.context.push(tc.j_oTag); // start opening tag context\n this.state.exprAllowed = false;\n};\n\ntt.jsxTagEnd.updateContext = function (prevType) {\n const out = this.state.context.pop();\n if ((out === tc.j_oTag && prevType === tt.slash) || out === tc.j_cTag) {\n this.state.context.pop();\n this.state.exprAllowed = this.curContext() === tc.j_expr;\n } else {\n this.state.exprAllowed = true;\n }\n};\n\nfunction isFragment(object: ?N.JSXElement): boolean {\n return object\n ? object.type === \"JSXOpeningFragment\" ||\n object.type === \"JSXClosingFragment\"\n : false;\n}\n\n// Transforms JSX element name to string.\n\nfunction getQualifiedJSXName(\n object: N.JSXIdentifier | N.JSXNamespacedName | N.JSXMemberExpression,\n): string {\n if (object.type === \"JSXIdentifier\") {\n return object.name;\n }\n\n if (object.type === \"JSXNamespacedName\") {\n return object.namespace.name + \":\" + object.name.name;\n }\n\n if (object.type === \"JSXMemberExpression\") {\n return (\n getQualifiedJSXName(object.object) +\n \".\" +\n getQualifiedJSXName(object.property)\n );\n }\n\n // istanbul ignore next\n throw new Error(\"Node had unexpected type: \" + object.type);\n}\n\nexport default (superClass: Class<Parser>): Class<Parser> =>\n class extends superClass {\n // Reads inline JSX contents token.\n\n jsxReadToken(): void {\n let out = \"\";\n let chunkStart = this.state.pos;\n for (;;) {\n if (this.state.pos >= this.length) {\n throw this.raise(this.state.start, JsxErrors.UnterminatedJsxContent);\n }\n\n const ch = this.input.charCodeAt(this.state.pos);\n\n switch (ch) {\n case charCodes.lessThan:\n case charCodes.leftCurlyBrace:\n if (this.state.pos === this.state.start) {\n if (ch === charCodes.lessThan && this.state.exprAllowed) {\n ++this.state.pos;\n return this.finishToken(tt.jsxTagStart);\n }\n return super.getTokenFromCode(ch);\n }\n out += this.input.slice(chunkStart, this.state.pos);\n return this.finishToken(tt.jsxText, out);\n\n case charCodes.ampersand:\n out += this.input.slice(chunkStart, this.state.pos);\n out += this.jsxReadEntity();\n chunkStart = this.state.pos;\n break;\n\n default:\n if (isNewLine(ch)) {\n out += this.input.slice(chunkStart, this.state.pos);\n out += this.jsxReadNewLine(true);\n chunkStart = this.state.pos;\n } else {\n ++this.state.pos;\n }\n }\n }\n }\n\n jsxReadNewLine(normalizeCRLF: boolean): string {\n const ch = this.input.charCodeAt(this.state.pos);\n let out;\n ++this.state.pos;\n if (\n ch === charCodes.carriageReturn &&\n this.input.charCodeAt(this.state.pos) === charCodes.lineFeed\n ) {\n ++this.state.pos;\n out = normalizeCRLF ? \"\\n\" : \"\\r\\n\";\n } else {\n out = String.fromCharCode(ch);\n }\n ++this.state.curLine;\n this.state.lineStart = this.state.pos;\n\n return out;\n }\n\n jsxReadString(quote: number): void {\n let out = \"\";\n let chunkStart = ++this.state.pos;\n for (;;) {\n if (this.state.pos >= this.length) {\n throw this.raise(this.state.start, Errors.UnterminatedString);\n }\n\n const ch = this.input.charCodeAt(this.state.pos);\n if (ch === quote) break;\n if (ch === charCodes.ampersand) {\n out += this.input.slice(chunkStart, this.state.pos);\n out += this.jsxReadEntity();\n chunkStart = this.state.pos;\n } else if (isNewLine(ch)) {\n out += this.input.slice(chunkStart, this.state.pos);\n out += this.jsxReadNewLine(false);\n chunkStart = this.state.pos;\n } else {\n ++this.state.pos;\n }\n }\n out += this.input.slice(chunkStart, this.state.pos++);\n return this.finishToken(tt.string, out);\n }\n\n jsxReadEntity(): string {\n let str = \"\";\n let count = 0;\n let entity;\n let ch = this.input[this.state.pos];\n\n const startPos = ++this.state.pos;\n while (this.state.pos < this.length && count++ < 10) {\n ch = this.input[this.state.pos++];\n if (ch === \";\") {\n if (str[0] === \"#\") {\n if (str[1] === \"x\") {\n str = str.substr(2);\n if (HEX_NUMBER.test(str)) {\n entity = String.fromCodePoint(parseInt(str, 16));\n }\n } else {\n str = str.substr(1);\n if (DECIMAL_NUMBER.test(str)) {\n entity = String.fromCodePoint(parseInt(str, 10));\n }\n }\n } else {\n entity = XHTMLEntities[str];\n }\n break;\n }\n str += ch;\n }\n if (!entity) {\n this.state.pos = startPos;\n return \"&\";\n }\n return entity;\n }\n\n // Read a JSX identifier (valid tag or attribute name).\n //\n // Optimized version since JSX identifiers can\"t contain\n // escape characters and so can be read as single slice.\n // Also assumes that first character was already checked\n // by isIdentifierStart in readToken.\n\n jsxReadWord(): void {\n let ch;\n const start = this.state.pos;\n do {\n ch = this.input.charCodeAt(++this.state.pos);\n } while (isIdentifierChar(ch) || ch === charCodes.dash);\n return this.finishToken(\n tt.jsxName,\n this.input.slice(start, this.state.pos),\n );\n }\n\n // Parse next token as JSX identifier\n\n jsxParseIdentifier(): N.JSXIdentifier {\n const node = this.startNode();\n if (this.match(tt.jsxName)) {\n node.name = this.state.value;\n } else if (this.state.type.keyword) {\n node.name = this.state.type.keyword;\n } else {\n this.unexpected();\n }\n this.next();\n return this.finishNode(node, \"JSXIdentifier\");\n }\n\n // Parse namespaced identifier.\n\n jsxParseNamespacedName(): N.JSXNamespacedName {\n const startPos = this.state.start;\n const startLoc = this.state.startLoc;\n const name = this.jsxParseIdentifier();\n if (!this.eat(tt.colon)) return name;\n\n const node = this.startNodeAt(startPos, startLoc);\n node.namespace = name;\n node.name = this.jsxParseIdentifier();\n return this.finishNode(node, \"JSXNamespacedName\");\n }\n\n // Parses element name in any form - namespaced, member\n // or single identifier.\n\n jsxParseElementName():\n | N.JSXIdentifier\n | N.JSXNamespacedName\n | N.JSXMemberExpression {\n const startPos = this.state.start;\n const startLoc = this.state.startLoc;\n let node = this.jsxParseNamespacedName();\n if (node.type === \"JSXNamespacedName\") {\n return node;\n }\n while (this.eat(tt.dot)) {\n const newNode = this.startNodeAt(startPos, startLoc);\n newNode.object = node;\n newNode.property = this.jsxParseIdentifier();\n node = this.finishNode(newNode, \"JSXMemberExpression\");\n }\n return node;\n }\n\n // Parses any type of JSX attribute value.\n\n jsxParseAttributeValue(): N.Expression {\n let node;\n switch (this.state.type) {\n case tt.braceL:\n node = this.startNode();\n this.next();\n node = this.jsxParseExpressionContainer(node);\n if (node.expression.type === \"JSXEmptyExpression\") {\n this.raise(node.start, JsxErrors.AttributeIsEmpty);\n }\n return node;\n\n case tt.jsxTagStart:\n case tt.string:\n return this.parseExprAtom();\n\n default:\n throw this.raise(this.state.start, JsxErrors.UnsupportedJsxValue);\n }\n }\n\n // JSXEmptyExpression is unique type since it doesn't actually parse anything,\n // and so it should start at the end of last read token (left brace) and finish\n // at the beginning of the next one (right brace).\n\n jsxParseEmptyExpression(): N.JSXEmptyExpression {\n const node = this.startNodeAt(\n this.state.lastTokEnd,\n this.state.lastTokEndLoc,\n );\n return this.finishNodeAt(\n node,\n \"JSXEmptyExpression\",\n this.state.start,\n this.state.startLoc,\n );\n }\n\n // Parse JSX spread child\n\n jsxParseSpreadChild(node: N.JSXSpreadChild): N.JSXSpreadChild {\n this.next(); // ellipsis\n node.expression = this.parseExpression();\n this.expect(tt.braceR);\n\n return this.finishNode(node, \"JSXSpreadChild\");\n }\n\n // Parses JSX expression enclosed into curly brackets.\n\n jsxParseExpressionContainer(\n node: N.JSXExpressionContainer,\n ): N.JSXExpressionContainer {\n if (this.match(tt.braceR)) {\n node.expression = this.jsxParseEmptyExpression();\n } else {\n node.expression = this.parseExpression();\n }\n this.expect(tt.braceR);\n return this.finishNode(node, \"JSXExpressionContainer\");\n }\n\n // Parses following JSX attribute name-value pair.\n\n jsxParseAttribute(): N.JSXAttribute {\n const node = this.startNode();\n if (this.eat(tt.braceL)) {\n this.expect(tt.ellipsis);\n node.argument = this.parseMaybeAssign();\n this.expect(tt.braceR);\n return this.finishNode(node, \"JSXSpreadAttribute\");\n }\n node.name = this.jsxParseNamespacedName();\n node.value = this.eat(tt.eq) ? this.jsxParseAttributeValue() : null;\n return this.finishNode(node, \"JSXAttribute\");\n }\n\n // Parses JSX opening tag starting after \"<\".\n\n jsxParseOpeningElementAt(\n startPos: number,\n startLoc: Position,\n ): N.JSXOpeningElement {\n const node = this.startNodeAt(startPos, startLoc);\n if (this.match(tt.jsxTagEnd)) {\n this.expect(tt.jsxTagEnd);\n return this.finishNode(node, \"JSXOpeningFragment\");\n }\n node.name = this.jsxParseElementName();\n return this.jsxParseOpeningElementAfterName(node);\n }\n\n jsxParseOpeningElementAfterName(\n node: N.JSXOpeningElement,\n ): N.JSXOpeningElement {\n const attributes: N.JSXAttribute[] = [];\n while (!this.match(tt.slash) && !this.match(tt.jsxTagEnd)) {\n attributes.push(this.jsxParseAttribute());\n }\n node.attributes = attributes;\n node.selfClosing = this.eat(tt.slash);\n this.expect(tt.jsxTagEnd);\n return this.finishNode(node, \"JSXOpeningElement\");\n }\n\n // Parses JSX closing tag starting after \"</\".\n\n jsxParseClosingElementAt(\n startPos: number,\n startLoc: Position,\n ): N.JSXClosingElement {\n const node = this.startNodeAt(startPos, startLoc);\n if (this.match(tt.jsxTagEnd)) {\n this.expect(tt.jsxTagEnd);\n return this.finishNode(node, \"JSXClosingFragment\");\n }\n node.name = this.jsxParseElementName();\n this.expect(tt.jsxTagEnd);\n return this.finishNode(node, \"JSXClosingElement\");\n }\n\n // Parses entire JSX element, including it\"s opening tag\n // (starting after \"<\"), attributes, contents and closing tag.\n\n jsxParseElementAt(startPos: number, startLoc: Position): N.JSXElement {\n const node = this.startNodeAt(startPos, startLoc);\n const children = [];\n const openingElement = this.jsxParseOpeningElementAt(startPos, startLoc);\n let closingElement = null;\n\n if (!openingElement.selfClosing) {\n contents: for (;;) {\n switch (this.state.type) {\n case tt.jsxTagStart:\n startPos = this.state.start;\n startLoc = this.state.startLoc;\n this.next();\n if (this.eat(tt.slash)) {\n closingElement = this.jsxParseClosingElementAt(\n startPos,\n startLoc,\n );\n break contents;\n }\n children.push(this.jsxParseElementAt(startPos, startLoc));\n break;\n\n case tt.jsxText:\n children.push(this.parseExprAtom());\n break;\n\n case tt.braceL: {\n const node = this.startNode();\n this.next();\n if (this.match(tt.ellipsis)) {\n children.push(this.jsxParseSpreadChild(node));\n } else {\n children.push(this.jsxParseExpressionContainer(node));\n }\n\n break;\n }\n // istanbul ignore next - should never happen\n default:\n throw this.unexpected();\n }\n }\n\n if (isFragment(openingElement) && !isFragment(closingElement)) {\n this.raise(\n // $FlowIgnore\n closingElement.start,\n JsxErrors.MissingClosingTagFragment,\n );\n } else if (!isFragment(openingElement) && isFragment(closingElement)) {\n this.raise(\n // $FlowIgnore\n closingElement.start,\n JsxErrors.MissingClosingTagElement,\n getQualifiedJSXName(openingElement.name),\n );\n } else if (!isFragment(openingElement) && !isFragment(closingElement)) {\n if (\n // $FlowIgnore\n getQualifiedJSXName(closingElement.name) !==\n getQualifiedJSXName(openingElement.name)\n ) {\n this.raise(\n // $FlowIgnore\n closingElement.start,\n JsxErrors.MissingClosingTagElement,\n getQualifiedJSXName(openingElement.name),\n );\n }\n }\n }\n\n if (isFragment(openingElement)) {\n node.openingFragment = openingElement;\n node.closingFragment = closingElement;\n } else {\n node.openingElement = openingElement;\n node.closingElement = closingElement;\n }\n node.children = children;\n if (this.isRelational(\"<\")) {\n throw this.raise(\n this.state.start,\n JsxErrors.UnwrappedAdjacentJSXElements,\n );\n }\n\n return isFragment(openingElement)\n ? this.finishNode(node, \"JSXFragment\")\n : this.finishNode(node, \"JSXElement\");\n }\n\n // Parses entire JSX element from current position.\n\n jsxParseElement(): N.JSXElement {\n const startPos = this.state.start;\n const startLoc = this.state.startLoc;\n this.next();\n return this.jsxParseElementAt(startPos, startLoc);\n }\n\n // ==================================\n // Overrides\n // ==================================\n\n parseExprAtom(refExpressionErrors: ?ExpressionErrors): N.Expression {\n if (this.match(tt.jsxText)) {\n return this.parseLiteral(this.state.value, \"JSXText\");\n } else if (this.match(tt.jsxTagStart)) {\n return this.jsxParseElement();\n } else if (\n this.isRelational(\"<\") &&\n this.input.charCodeAt(this.state.pos) !== charCodes.exclamationMark\n ) {\n // In case we encounter an lt token here it will always be the start of\n // jsx as the lt sign is not allowed in places that expect an expression\n this.finishToken(tt.jsxTagStart);\n return this.jsxParseElement();\n } else {\n return super.parseExprAtom(refExpressionErrors);\n }\n }\n\n getTokenFromCode(code: number): void {\n if (this.state.inPropertyName) return super.getTokenFromCode(code);\n\n const context = this.curContext();\n\n if (context === tc.j_expr) {\n return this.jsxReadToken();\n }\n\n if (context === tc.j_oTag || context === tc.j_cTag) {\n if (isIdentifierStart(code)) {\n return this.jsxReadWord();\n }\n\n if (code === charCodes.greaterThan) {\n ++this.state.pos;\n return this.finishToken(tt.jsxTagEnd);\n }\n\n if (\n (code === charCodes.quotationMark || code === charCodes.apostrophe) &&\n context === tc.j_oTag\n ) {\n return this.jsxReadString(code);\n }\n }\n\n if (\n code === charCodes.lessThan &&\n this.state.exprAllowed &&\n this.input.charCodeAt(this.state.pos + 1) !== charCodes.exclamationMark\n ) {\n ++this.state.pos;\n return this.finishToken(tt.jsxTagStart);\n }\n\n return super.getTokenFromCode(code);\n }\n\n updateContext(prevType: TokenType): void {\n if (this.match(tt.braceL)) {\n const curContext = this.curContext();\n if (curContext === tc.j_oTag) {\n this.state.context.push(tc.braceExpression);\n } else if (curContext === tc.j_expr) {\n this.state.context.push(tc.templateQuasi);\n } else {\n super.updateContext(prevType);\n }\n this.state.exprAllowed = true;\n } else if (this.match(tt.slash) && prevType === tt.jsxTagStart) {\n this.state.context.length -= 2; // do not consider JSX expr -> JSX open tag -> ... anymore\n this.state.context.push(tc.j_cTag); // reconsider as closing tag context\n this.state.exprAllowed = false;\n } else {\n return super.updateContext(prevType);\n }\n }\n };\n","// @flow\nimport {\n SCOPE_ARROW,\n SCOPE_DIRECT_SUPER,\n SCOPE_FUNCTION,\n SCOPE_SIMPLE_CATCH,\n SCOPE_SUPER,\n SCOPE_PROGRAM,\n SCOPE_VAR,\n SCOPE_CLASS,\n BIND_SCOPE_FUNCTION,\n BIND_SCOPE_VAR,\n BIND_SCOPE_LEXICAL,\n BIND_KIND_VALUE,\n type ScopeFlags,\n type BindingTypes,\n} from \"./scopeflags\";\nimport * as N from \"../types\";\nimport { Errors } from \"../parser/error\";\n\n// Start an AST node, attaching a start offset.\nexport class Scope {\n flags: ScopeFlags;\n // A list of var-declared names in the current lexical scope\n var: string[] = [];\n // A list of lexically-declared names in the current lexical scope\n lexical: string[] = [];\n // A list of lexically-declared FunctionDeclaration names in the current lexical scope\n functions: string[] = [];\n\n constructor(flags: ScopeFlags) {\n this.flags = flags;\n }\n}\n\ntype raiseFunction = (number, string, ...any) => void;\n\n// The functions in this module keep track of declared variables in the\n// current scope in order to detect duplicate variable names.\nexport default class ScopeHandler<IScope: Scope = Scope> {\n scopeStack: Array<IScope> = [];\n raise: raiseFunction;\n inModule: boolean;\n undefinedExports: Map<string, number> = new Map();\n undefinedPrivateNames: Map<string, number> = new Map();\n\n constructor(raise: raiseFunction, inModule: boolean) {\n this.raise = raise;\n this.inModule = inModule;\n }\n\n get inFunction() {\n return (this.currentVarScope().flags & SCOPE_FUNCTION) > 0;\n }\n get allowSuper() {\n return (this.currentThisScope().flags & SCOPE_SUPER) > 0;\n }\n get allowDirectSuper() {\n return (this.currentThisScope().flags & SCOPE_DIRECT_SUPER) > 0;\n }\n get inClass() {\n return (this.currentThisScope().flags & SCOPE_CLASS) > 0;\n }\n get inNonArrowFunction() {\n return (this.currentThisScope().flags & SCOPE_FUNCTION) > 0;\n }\n get treatFunctionsAsVar() {\n return this.treatFunctionsAsVarInScope(this.currentScope());\n }\n\n createScope(flags: ScopeFlags): Scope {\n return new Scope(flags);\n }\n // This method will be overwritten by subclasses\n /*:: +createScope: (flags: ScopeFlags) => IScope; */\n\n enter(flags: ScopeFlags) {\n this.scopeStack.push(this.createScope(flags));\n }\n\n exit() {\n this.scopeStack.pop();\n }\n\n // The spec says:\n // > At the top level of a function, or script, function declarations are\n // > treated like var declarations rather than like lexical declarations.\n treatFunctionsAsVarInScope(scope: IScope): boolean {\n return !!(\n scope.flags & SCOPE_FUNCTION ||\n (!this.inModule && scope.flags & SCOPE_PROGRAM)\n );\n }\n\n declareName(name: string, bindingType: BindingTypes, pos: number) {\n let scope = this.currentScope();\n if (bindingType & BIND_SCOPE_LEXICAL || bindingType & BIND_SCOPE_FUNCTION) {\n this.checkRedeclarationInScope(scope, name, bindingType, pos);\n\n if (bindingType & BIND_SCOPE_FUNCTION) {\n scope.functions.push(name);\n } else {\n scope.lexical.push(name);\n }\n\n if (bindingType & BIND_SCOPE_LEXICAL) {\n this.maybeExportDefined(scope, name);\n }\n } else if (bindingType & BIND_SCOPE_VAR) {\n for (let i = this.scopeStack.length - 1; i >= 0; --i) {\n scope = this.scopeStack[i];\n this.checkRedeclarationInScope(scope, name, bindingType, pos);\n scope.var.push(name);\n this.maybeExportDefined(scope, name);\n\n if (scope.flags & SCOPE_VAR) break;\n }\n }\n if (this.inModule && scope.flags & SCOPE_PROGRAM) {\n this.undefinedExports.delete(name);\n }\n }\n\n maybeExportDefined(scope: IScope, name: string) {\n if (this.inModule && scope.flags & SCOPE_PROGRAM) {\n this.undefinedExports.delete(name);\n }\n }\n\n checkRedeclarationInScope(\n scope: IScope,\n name: string,\n bindingType: BindingTypes,\n pos: number,\n ) {\n if (this.isRedeclaredInScope(scope, name, bindingType)) {\n this.raise(pos, Errors.VarRedeclaration, name);\n }\n }\n\n isRedeclaredInScope(\n scope: IScope,\n name: string,\n bindingType: BindingTypes,\n ): boolean {\n if (!(bindingType & BIND_KIND_VALUE)) return false;\n\n if (bindingType & BIND_SCOPE_LEXICAL) {\n return (\n scope.lexical.indexOf(name) > -1 ||\n scope.functions.indexOf(name) > -1 ||\n scope.var.indexOf(name) > -1\n );\n }\n\n if (bindingType & BIND_SCOPE_FUNCTION) {\n return (\n scope.lexical.indexOf(name) > -1 ||\n (!this.treatFunctionsAsVarInScope(scope) &&\n scope.var.indexOf(name) > -1)\n );\n }\n\n return (\n (scope.lexical.indexOf(name) > -1 &&\n !(scope.flags & SCOPE_SIMPLE_CATCH && scope.lexical[0] === name)) ||\n (!this.treatFunctionsAsVarInScope(scope) &&\n scope.functions.indexOf(name) > -1)\n );\n }\n\n checkLocalExport(id: N.Identifier) {\n if (\n this.scopeStack[0].lexical.indexOf(id.name) === -1 &&\n this.scopeStack[0].var.indexOf(id.name) === -1 &&\n // In strict mode, scope.functions will always be empty.\n // Modules are strict by default, but the `scriptMode` option\n // can overwrite this behavior.\n this.scopeStack[0].functions.indexOf(id.name) === -1\n ) {\n this.undefinedExports.set(id.name, id.start);\n }\n }\n\n currentScope(): IScope {\n return this.scopeStack[this.scopeStack.length - 1];\n }\n\n // $FlowIgnore\n currentVarScope(): IScope {\n for (let i = this.scopeStack.length - 1; ; i--) {\n const scope = this.scopeStack[i];\n if (scope.flags & SCOPE_VAR) {\n return scope;\n }\n }\n }\n\n // Could be useful for `arguments`, `this`, `new.target`, `super()`, `super.property`, and `super[property]`.\n // $FlowIgnore\n currentThisScope(): IScope {\n for (let i = this.scopeStack.length - 1; ; i--) {\n const scope = this.scopeStack[i];\n if (\n (scope.flags & SCOPE_VAR || scope.flags & SCOPE_CLASS) &&\n !(scope.flags & SCOPE_ARROW)\n ) {\n return scope;\n }\n }\n }\n}\n","// @flow\n\nimport ScopeHandler, { Scope } from \"../../util/scope\";\nimport {\n BIND_KIND_TYPE,\n BIND_FLAGS_TS_ENUM,\n BIND_FLAGS_TS_CONST_ENUM,\n BIND_FLAGS_TS_EXPORT_ONLY,\n BIND_KIND_VALUE,\n BIND_FLAGS_CLASS,\n type ScopeFlags,\n type BindingTypes,\n} from \"../../util/scopeflags\";\nimport * as N from \"../../types\";\n\nclass TypeScriptScope extends Scope {\n types: string[] = [];\n\n // enums (which are also in .types)\n enums: string[] = [];\n\n // const enums (which are also in .enums and .types)\n constEnums: string[] = [];\n\n // classes (which are also in .lexical) and interface (which are also in .types)\n classes: string[] = [];\n\n // namespaces and ambient functions (or classes) are too difficult to track,\n // especially without type analysis.\n // We need to track them anyway, to avoid \"X is not defined\" errors\n // when exporting them.\n exportOnlyBindings: string[] = [];\n}\n\n// See https://github.com/babel/babel/pull/9766#discussion_r268920730 for an\n// explanation of how typescript handles scope.\n\nexport default class TypeScriptScopeHandler extends ScopeHandler<TypeScriptScope> {\n createScope(flags: ScopeFlags): TypeScriptScope {\n return new TypeScriptScope(flags);\n }\n\n declareName(name: string, bindingType: BindingTypes, pos: number) {\n const scope = this.currentScope();\n if (bindingType & BIND_FLAGS_TS_EXPORT_ONLY) {\n this.maybeExportDefined(scope, name);\n scope.exportOnlyBindings.push(name);\n return;\n }\n\n super.declareName(...arguments);\n\n if (bindingType & BIND_KIND_TYPE) {\n if (!(bindingType & BIND_KIND_VALUE)) {\n // \"Value\" bindings have already been registered by the superclass.\n this.checkRedeclarationInScope(scope, name, bindingType, pos);\n this.maybeExportDefined(scope, name);\n }\n scope.types.push(name);\n }\n if (bindingType & BIND_FLAGS_TS_ENUM) scope.enums.push(name);\n if (bindingType & BIND_FLAGS_TS_CONST_ENUM) scope.constEnums.push(name);\n if (bindingType & BIND_FLAGS_CLASS) scope.classes.push(name);\n }\n\n isRedeclaredInScope(\n scope: TypeScriptScope,\n name: string,\n bindingType: BindingTypes,\n ): boolean {\n if (scope.enums.indexOf(name) > -1) {\n if (bindingType & BIND_FLAGS_TS_ENUM) {\n // Enums can be merged with other enums if they are both\n // const or both non-const.\n const isConst = !!(bindingType & BIND_FLAGS_TS_CONST_ENUM);\n const wasConst = scope.constEnums.indexOf(name) > -1;\n return isConst !== wasConst;\n }\n return true;\n }\n if (bindingType & BIND_FLAGS_CLASS && scope.classes.indexOf(name) > -1) {\n if (scope.lexical.indexOf(name) > -1) {\n // Classes can be merged with interfaces\n return !!(bindingType & BIND_KIND_VALUE);\n } else {\n // Interface can be merged with other classes or interfaces\n return false;\n }\n }\n if (bindingType & BIND_KIND_TYPE && scope.types.indexOf(name) > -1) {\n return true;\n }\n\n return super.isRedeclaredInScope(...arguments);\n }\n\n checkLocalExport(id: N.Identifier) {\n if (\n this.scopeStack[0].types.indexOf(id.name) === -1 &&\n this.scopeStack[0].exportOnlyBindings.indexOf(id.name) === -1\n ) {\n super.checkLocalExport(id);\n }\n }\n}\n","// @flow\nexport const PARAM = 0b000, // Initial Parameter flags\n PARAM_YIELD = 0b001, // track [Yield] production parameter\n PARAM_AWAIT = 0b010, // track [Await] production parameter\n PARAM_RETURN = 0b100; // track [Return] production parameter\n\n// ProductionParameterHandler is a stack fashioned production parameter tracker\n// https://tc39.es/ecma262/#sec-grammar-notation\n// The tracked parameters are defined above. Note that the [In] parameter is\n// tracked in `noIn` argument of `parseExpression`.\n//\n// Whenever [+Await]/[+Yield] appears in the right-hand sides of a production,\n// we must enter a new tracking stack. For example when parsing\n//\n// AsyncFunctionDeclaration [Yield, Await]:\n// async [no LineTerminator here] function BindingIdentifier[?Yield, ?Await]\n// ( FormalParameters[~Yield, +Await] ) { AsyncFunctionBody }\n//\n// we must follow such process:\n//\n// 1. parse async keyword\n// 2. parse function keyword\n// 3. parse bindingIdentifier <= inherit current parameters: [?Await]\n// 4. enter new stack with (PARAM_AWAIT)\n// 5. parse formal parameters <= must have [Await] parameter [+Await]\n// 6. parse function body\n// 7. exit current stack\n\nexport type ParamKind = typeof PARAM | typeof PARAM_AWAIT | typeof PARAM_YIELD;\n\nexport default class ProductionParameterHandler {\n stacks: Array<ParamKind> = [];\n enter(flags: ParamKind) {\n this.stacks.push(flags);\n }\n\n exit() {\n this.stacks.pop();\n }\n\n currentFlags(): ParamKind {\n return this.stacks[this.stacks.length - 1];\n }\n\n get hasAwait(): boolean {\n return (this.currentFlags() & PARAM_AWAIT) > 0;\n }\n\n get hasYield(): boolean {\n return (this.currentFlags() & PARAM_YIELD) > 0;\n }\n\n get hasReturn(): boolean {\n return (this.currentFlags() & PARAM_RETURN) > 0;\n }\n}\n\nexport function functionFlags(\n isAsync: boolean,\n isGenerator: boolean,\n): ParamKind {\n return (isAsync ? PARAM_AWAIT : 0) | (isGenerator ? PARAM_YIELD : 0);\n}\n","// @flow\n\n/*:: declare var invariant; */\n\n// Error messages are colocated with the plugin.\n/* eslint-disable @babel/development-internal/dry-error-messages */\n\nimport type { TokenType } from \"../../tokenizer/types\";\nimport type State from \"../../tokenizer/state\";\nimport { types as tt } from \"../../tokenizer/types\";\nimport { types as ct } from \"../../tokenizer/context\";\nimport * as N from \"../../types\";\nimport type { Pos, Position } from \"../../util/location\";\nimport type Parser from \"../../parser\";\nimport {\n type BindingTypes,\n BIND_NONE,\n SCOPE_TS_MODULE,\n SCOPE_OTHER,\n BIND_TS_ENUM,\n BIND_TS_CONST_ENUM,\n BIND_TS_TYPE,\n BIND_TS_INTERFACE,\n BIND_TS_AMBIENT,\n BIND_TS_NAMESPACE,\n BIND_CLASS,\n BIND_LEXICAL,\n} from \"../../util/scopeflags\";\nimport TypeScriptScopeHandler from \"./scope\";\nimport * as charCodes from \"charcodes\";\nimport type { ExpressionErrors } from \"../../parser/util\";\nimport { PARAM } from \"../../util/production-parameter\";\nimport { Errors } from \"../../parser/error\";\n\ntype TsModifier =\n | \"readonly\"\n | \"abstract\"\n | \"declare\"\n | \"static\"\n | \"public\"\n | \"private\"\n | \"protected\";\n\nfunction nonNull<T>(x: ?T): T {\n if (x == null) {\n // $FlowIgnore\n throw new Error(`Unexpected ${x} value.`);\n }\n return x;\n}\n\nfunction assert(x: boolean): void {\n if (!x) {\n throw new Error(\"Assert fail\");\n }\n}\n\ntype ParsingContext =\n | \"EnumMembers\"\n | \"HeritageClauseElement\"\n | \"TupleElementTypes\"\n | \"TypeMembers\"\n | \"TypeParametersOrArguments\";\n\nconst TSErrors = Object.freeze({\n ClassMethodHasDeclare: \"Class methods cannot have the 'declare' modifier\",\n ClassMethodHasReadonly: \"Class methods cannot have the 'readonly' modifier\",\n DeclareClassFieldHasInitializer:\n \"'declare' class fields cannot have an initializer\",\n DuplicateModifier: \"Duplicate modifier: '%0'\",\n EmptyHeritageClauseType: \"'%0' list cannot be empty.\",\n IndexSignatureHasAbstract:\n \"Index signatures cannot have the 'abstract' modifier\",\n IndexSignatureHasAccessibility:\n \"Index signatures cannot have an accessibility modifier ('%0')\",\n IndexSignatureHasStatic: \"Index signatures cannot have the 'static' modifier\",\n InvalidTupleMemberLabel:\n \"Tuple members must be labeled with a simple identifier.\",\n MixedLabeledAndUnlabeledElements:\n \"Tuple members must all have names or all not have names.\",\n OptionalTypeBeforeRequired:\n \"A required element cannot follow an optional element.\",\n PatternIsOptional:\n \"A binding pattern parameter cannot be optional in an implementation signature.\",\n PrivateElementHasAbstract:\n \"Private elements cannot have the 'abstract' modifier.\",\n PrivateElementHasAccessibility:\n \"Private elements cannot have an accessibility modifier ('%0')\",\n TemplateTypeHasSubstitution:\n \"Template literal types cannot have any substitution\",\n TypeAnnotationAfterAssign:\n \"Type annotations must come before default assignments, e.g. instead of `age = 25: number` use `age: number = 25`\",\n UnexpectedReadonly:\n \"'readonly' type modifier is only permitted on array and tuple literal types.\",\n UnexpectedTypeAnnotation: \"Did not expect a type annotation here.\",\n UnexpectedTypeCastInParameter: \"Unexpected type cast in parameter position.\",\n UnsupportedImportTypeArgument:\n \"Argument in a type import must be a string literal\",\n UnsupportedParameterPropertyKind:\n \"A parameter property may not be declared using a binding pattern.\",\n UnsupportedSignatureParameterKind:\n \"Name in a signature must be an Identifier, ObjectPattern or ArrayPattern, instead got %0\",\n});\n\n// Doesn't handle \"void\" or \"null\" because those are keywords, not identifiers.\nfunction keywordTypeFromName(\n value: string,\n): N.TsKeywordTypeType | typeof undefined {\n switch (value) {\n case \"any\":\n return \"TSAnyKeyword\";\n case \"boolean\":\n return \"TSBooleanKeyword\";\n case \"bigint\":\n return \"TSBigIntKeyword\";\n case \"never\":\n return \"TSNeverKeyword\";\n case \"number\":\n return \"TSNumberKeyword\";\n case \"object\":\n return \"TSObjectKeyword\";\n case \"string\":\n return \"TSStringKeyword\";\n case \"symbol\":\n return \"TSSymbolKeyword\";\n case \"undefined\":\n return \"TSUndefinedKeyword\";\n case \"unknown\":\n return \"TSUnknownKeyword\";\n default:\n return undefined;\n }\n}\n\nexport default (superClass: Class<Parser>): Class<Parser> =>\n class extends superClass {\n getScopeHandler(): Class<TypeScriptScopeHandler> {\n return TypeScriptScopeHandler;\n }\n\n tsIsIdentifier(): boolean {\n // TODO: actually a bit more complex in TypeScript, but shouldn't matter.\n // See https://github.com/Microsoft/TypeScript/issues/15008\n return this.match(tt.name);\n }\n\n tsNextTokenCanFollowModifier() {\n // Note: TypeScript's implementation is much more complicated because\n // more things are considered modifiers there.\n // This implementation only handles modifiers not handled by @babel/parser itself. And \"static\".\n // TODO: Would be nice to avoid lookahead. Want a hasLineBreakUpNext() method...\n this.next();\n return (\n !this.hasPrecedingLineBreak() &&\n !this.match(tt.parenL) &&\n !this.match(tt.parenR) &&\n !this.match(tt.colon) &&\n !this.match(tt.eq) &&\n !this.match(tt.question) &&\n !this.match(tt.bang)\n );\n }\n\n /** Parses a modifier matching one the given modifier names. */\n tsParseModifier<T: TsModifier>(allowedModifiers: T[]): ?T {\n if (!this.match(tt.name)) {\n return undefined;\n }\n\n const modifier = this.state.value;\n if (\n allowedModifiers.indexOf(modifier) !== -1 &&\n this.tsTryParse(this.tsNextTokenCanFollowModifier.bind(this))\n ) {\n return modifier;\n }\n return undefined;\n }\n\n /** Parses a list of modifiers, in any order.\n * If you need a specific order, you must call this function multiple times:\n * this.tsParseModifiers(node, [\"public\"]);\n * this.tsParseModifiers(node, [\"abstract\", \"readonly\"]);\n */\n tsParseModifiers<T: TsModifier>(\n modified: { [key: TsModifier]: ?true },\n allowedModifiers: T[],\n ): void {\n for (;;) {\n const startPos = this.state.start;\n const modifier: ?T = this.tsParseModifier(allowedModifiers);\n\n if (!modifier) break;\n\n if (Object.hasOwnProperty.call(modified, modifier)) {\n this.raise(startPos, TSErrors.DuplicateModifier, modifier);\n }\n modified[modifier] = true;\n }\n }\n\n tsIsListTerminator(kind: ParsingContext): boolean {\n switch (kind) {\n case \"EnumMembers\":\n case \"TypeMembers\":\n return this.match(tt.braceR);\n case \"HeritageClauseElement\":\n return this.match(tt.braceL);\n case \"TupleElementTypes\":\n return this.match(tt.bracketR);\n case \"TypeParametersOrArguments\":\n return this.isRelational(\">\");\n }\n\n throw new Error(\"Unreachable\");\n }\n\n tsParseList<T: N.Node>(kind: ParsingContext, parseElement: () => T): T[] {\n const result: T[] = [];\n while (!this.tsIsListTerminator(kind)) {\n // Skipping \"parseListElement\" from the TS source since that's just for error handling.\n result.push(parseElement());\n }\n return result;\n }\n\n tsParseDelimitedList<T: N.Node>(\n kind: ParsingContext,\n parseElement: () => T,\n ): T[] {\n return nonNull(\n this.tsParseDelimitedListWorker(\n kind,\n parseElement,\n /* expectSuccess */ true,\n ),\n );\n }\n\n /**\n * If !expectSuccess, returns undefined instead of failing to parse.\n * If expectSuccess, parseElement should always return a defined value.\n */\n tsParseDelimitedListWorker<T: N.Node>(\n kind: ParsingContext,\n parseElement: () => ?T,\n expectSuccess: boolean,\n ): ?(T[]) {\n const result = [];\n\n for (;;) {\n if (this.tsIsListTerminator(kind)) {\n break;\n }\n\n const element = parseElement();\n if (element == null) {\n return undefined;\n }\n result.push(element);\n\n if (this.eat(tt.comma)) {\n continue;\n }\n\n if (this.tsIsListTerminator(kind)) {\n break;\n }\n\n if (expectSuccess) {\n // This will fail with an error about a missing comma\n this.expect(tt.comma);\n }\n return undefined;\n }\n\n return result;\n }\n\n tsParseBracketedList<T: N.Node>(\n kind: ParsingContext,\n parseElement: () => T,\n bracket: boolean,\n skipFirstToken: boolean,\n ): T[] {\n if (!skipFirstToken) {\n if (bracket) {\n this.expect(tt.bracketL);\n } else {\n this.expectRelational(\"<\");\n }\n }\n\n const result = this.tsParseDelimitedList(kind, parseElement);\n\n if (bracket) {\n this.expect(tt.bracketR);\n } else {\n this.expectRelational(\">\");\n }\n\n return result;\n }\n\n tsParseImportType(): N.TsImportType {\n const node: N.TsImportType = this.startNode();\n this.expect(tt._import);\n this.expect(tt.parenL);\n if (!this.match(tt.string)) {\n this.raise(this.state.start, TSErrors.UnsupportedImportTypeArgument);\n }\n\n // For compatibility to estree we cannot call parseLiteral directly here\n node.argument = this.parseExprAtom();\n this.expect(tt.parenR);\n\n if (this.eat(tt.dot)) {\n node.qualifier = this.tsParseEntityName(/* allowReservedWords */ true);\n }\n if (this.isRelational(\"<\")) {\n node.typeParameters = this.tsParseTypeArguments();\n }\n return this.finishNode(node, \"TSImportType\");\n }\n\n tsParseEntityName(allowReservedWords: boolean): N.TsEntityName {\n let entity: N.TsEntityName = this.parseIdentifier();\n while (this.eat(tt.dot)) {\n const node: N.TsQualifiedName = this.startNodeAtNode(entity);\n node.left = entity;\n node.right = this.parseIdentifier(allowReservedWords);\n entity = this.finishNode(node, \"TSQualifiedName\");\n }\n return entity;\n }\n\n tsParseTypeReference(): N.TsTypeReference {\n const node: N.TsTypeReference = this.startNode();\n node.typeName = this.tsParseEntityName(/* allowReservedWords */ false);\n if (!this.hasPrecedingLineBreak() && this.isRelational(\"<\")) {\n node.typeParameters = this.tsParseTypeArguments();\n }\n return this.finishNode(node, \"TSTypeReference\");\n }\n\n tsParseThisTypePredicate(lhs: N.TsThisType): N.TsTypePredicate {\n this.next();\n const node: N.TsTypePredicate = this.startNodeAtNode(lhs);\n node.parameterName = lhs;\n node.typeAnnotation = this.tsParseTypeAnnotation(/* eatColon */ false);\n return this.finishNode(node, \"TSTypePredicate\");\n }\n\n tsParseThisTypeNode(): N.TsThisType {\n const node: N.TsThisType = this.startNode();\n this.next();\n return this.finishNode(node, \"TSThisType\");\n }\n\n tsParseTypeQuery(): N.TsTypeQuery {\n const node: N.TsTypeQuery = this.startNode();\n this.expect(tt._typeof);\n if (this.match(tt._import)) {\n node.exprName = this.tsParseImportType();\n } else {\n node.exprName = this.tsParseEntityName(/* allowReservedWords */ true);\n }\n return this.finishNode(node, \"TSTypeQuery\");\n }\n\n tsParseTypeParameter(): N.TsTypeParameter {\n const node: N.TsTypeParameter = this.startNode();\n node.name = this.parseIdentifierName(node.start);\n node.constraint = this.tsEatThenParseType(tt._extends);\n node.default = this.tsEatThenParseType(tt.eq);\n return this.finishNode(node, \"TSTypeParameter\");\n }\n\n tsTryParseTypeParameters(): ?N.TsTypeParameterDeclaration {\n if (this.isRelational(\"<\")) {\n return this.tsParseTypeParameters();\n }\n }\n\n tsParseTypeParameters() {\n const node: N.TsTypeParameterDeclaration = this.startNode();\n\n if (this.isRelational(\"<\") || this.match(tt.jsxTagStart)) {\n this.next();\n } else {\n this.unexpected();\n }\n\n node.params = this.tsParseBracketedList(\n \"TypeParametersOrArguments\",\n this.tsParseTypeParameter.bind(this),\n /* bracket */ false,\n /* skipFirstToken */ true,\n );\n return this.finishNode(node, \"TSTypeParameterDeclaration\");\n }\n\n tsTryNextParseConstantContext(): ?N.TsTypeReference {\n if (this.lookahead().type === tt._const) {\n this.next();\n return this.tsParseTypeReference();\n }\n return null;\n }\n\n // Note: In TypeScript implementation we must provide `yieldContext` and `awaitContext`,\n // but here it's always false, because this is only used for types.\n tsFillSignature(\n returnToken: TokenType,\n signature: N.TsSignatureDeclaration,\n ): void {\n // Arrow fns *must* have return token (`=>`). Normal functions can omit it.\n const returnTokenRequired = returnToken === tt.arrow;\n signature.typeParameters = this.tsTryParseTypeParameters();\n this.expect(tt.parenL);\n signature.parameters = this.tsParseBindingListForSignature();\n if (returnTokenRequired) {\n signature.typeAnnotation = this.tsParseTypeOrTypePredicateAnnotation(\n returnToken,\n );\n } else if (this.match(returnToken)) {\n signature.typeAnnotation = this.tsParseTypeOrTypePredicateAnnotation(\n returnToken,\n );\n }\n }\n\n tsParseBindingListForSignature(): $ReadOnlyArray<\n N.Identifier | N.RestElement | N.ObjectPattern | N.ArrayPattern,\n > {\n return this.parseBindingList(tt.parenR, charCodes.rightParenthesis).map(\n pattern => {\n if (\n pattern.type !== \"Identifier\" &&\n pattern.type !== \"RestElement\" &&\n pattern.type !== \"ObjectPattern\" &&\n pattern.type !== \"ArrayPattern\"\n ) {\n this.raise(\n pattern.start,\n TSErrors.UnsupportedSignatureParameterKind,\n pattern.type,\n );\n }\n return (pattern: any);\n },\n );\n }\n\n tsParseTypeMemberSemicolon(): void {\n if (!this.eat(tt.comma)) {\n this.semicolon();\n }\n }\n\n tsParseSignatureMember(\n kind: \"TSCallSignatureDeclaration\" | \"TSConstructSignatureDeclaration\",\n node: N.TsCallSignatureDeclaration | N.TsConstructSignatureDeclaration,\n ): N.TsCallSignatureDeclaration | N.TsConstructSignatureDeclaration {\n this.tsFillSignature(tt.colon, node);\n this.tsParseTypeMemberSemicolon();\n return this.finishNode(node, kind);\n }\n\n tsIsUnambiguouslyIndexSignature() {\n this.next(); // Skip '{'\n return this.eat(tt.name) && this.match(tt.colon);\n }\n\n tsTryParseIndexSignature(node: N.Node): ?N.TsIndexSignature {\n if (\n !(\n this.match(tt.bracketL) &&\n this.tsLookAhead(this.tsIsUnambiguouslyIndexSignature.bind(this))\n )\n ) {\n return undefined;\n }\n\n this.expect(tt.bracketL);\n const id = this.parseIdentifier();\n id.typeAnnotation = this.tsParseTypeAnnotation();\n this.resetEndLocation(id); // set end position to end of type\n\n this.expect(tt.bracketR);\n node.parameters = [id];\n\n const type = this.tsTryParseTypeAnnotation();\n if (type) node.typeAnnotation = type;\n this.tsParseTypeMemberSemicolon();\n return this.finishNode(node, \"TSIndexSignature\");\n }\n\n tsParsePropertyOrMethodSignature(\n node: N.TsPropertySignature | N.TsMethodSignature,\n readonly: boolean,\n ): N.TsPropertySignature | N.TsMethodSignature {\n if (this.eat(tt.question)) node.optional = true;\n const nodeAny: any = node;\n\n if (!readonly && (this.match(tt.parenL) || this.isRelational(\"<\"))) {\n const method: N.TsMethodSignature = nodeAny;\n this.tsFillSignature(tt.colon, method);\n this.tsParseTypeMemberSemicolon();\n return this.finishNode(method, \"TSMethodSignature\");\n } else {\n const property: N.TsPropertySignature = nodeAny;\n if (readonly) property.readonly = true;\n const type = this.tsTryParseTypeAnnotation();\n if (type) property.typeAnnotation = type;\n this.tsParseTypeMemberSemicolon();\n return this.finishNode(property, \"TSPropertySignature\");\n }\n }\n\n tsParseTypeMember(): N.TsTypeElement {\n const node: any = this.startNode();\n\n if (this.match(tt.parenL) || this.isRelational(\"<\")) {\n return this.tsParseSignatureMember(\"TSCallSignatureDeclaration\", node);\n }\n\n if (this.match(tt._new)) {\n const id: N.Identifier = this.startNode();\n this.next();\n if (this.match(tt.parenL) || this.isRelational(\"<\")) {\n return this.tsParseSignatureMember(\n \"TSConstructSignatureDeclaration\",\n node,\n );\n } else {\n node.key = this.createIdentifier(id, \"new\");\n return this.tsParsePropertyOrMethodSignature(node, false);\n }\n }\n\n const readonly = !!this.tsParseModifier([\"readonly\"]);\n\n const idx = this.tsTryParseIndexSignature(node);\n if (idx) {\n if (readonly) node.readonly = true;\n return idx;\n }\n\n this.parsePropertyName(node, /* isPrivateNameAllowed */ false);\n return this.tsParsePropertyOrMethodSignature(node, readonly);\n }\n\n tsParseTypeLiteral(): N.TsTypeLiteral {\n const node: N.TsTypeLiteral = this.startNode();\n node.members = this.tsParseObjectTypeMembers();\n return this.finishNode(node, \"TSTypeLiteral\");\n }\n\n tsParseObjectTypeMembers(): $ReadOnlyArray<N.TsTypeElement> {\n this.expect(tt.braceL);\n const members = this.tsParseList(\n \"TypeMembers\",\n this.tsParseTypeMember.bind(this),\n );\n this.expect(tt.braceR);\n return members;\n }\n\n tsIsStartOfMappedType(): boolean {\n this.next();\n if (this.eat(tt.plusMin)) {\n return this.isContextual(\"readonly\");\n }\n if (this.isContextual(\"readonly\")) {\n this.next();\n }\n if (!this.match(tt.bracketL)) {\n return false;\n }\n this.next();\n if (!this.tsIsIdentifier()) {\n return false;\n }\n this.next();\n return this.match(tt._in);\n }\n\n tsParseMappedTypeParameter(): N.TsTypeParameter {\n const node: N.TsTypeParameter = this.startNode();\n node.name = this.parseIdentifierName(node.start);\n node.constraint = this.tsExpectThenParseType(tt._in);\n return this.finishNode(node, \"TSTypeParameter\");\n }\n\n tsParseMappedType(): N.TsMappedType {\n const node: N.TsMappedType = this.startNode();\n\n this.expect(tt.braceL);\n\n if (this.match(tt.plusMin)) {\n node.readonly = this.state.value;\n this.next();\n this.expectContextual(\"readonly\");\n } else if (this.eatContextual(\"readonly\")) {\n node.readonly = true;\n }\n\n this.expect(tt.bracketL);\n node.typeParameter = this.tsParseMappedTypeParameter();\n this.expect(tt.bracketR);\n\n if (this.match(tt.plusMin)) {\n node.optional = this.state.value;\n this.next();\n this.expect(tt.question);\n } else if (this.eat(tt.question)) {\n node.optional = true;\n }\n\n node.typeAnnotation = this.tsTryParseType();\n this.semicolon();\n this.expect(tt.braceR);\n\n return this.finishNode(node, \"TSMappedType\");\n }\n\n tsParseTupleType(): N.TsTupleType {\n const node: N.TsTupleType = this.startNode();\n node.elementTypes = this.tsParseBracketedList(\n \"TupleElementTypes\",\n this.tsParseTupleElementType.bind(this),\n /* bracket */ true,\n /* skipFirstToken */ false,\n );\n\n // Validate the elementTypes to ensure that no mandatory elements\n // follow optional elements\n let seenOptionalElement = false;\n let labeledElements = null;\n node.elementTypes.forEach(elementNode => {\n let { type } = elementNode;\n\n if (\n seenOptionalElement &&\n type !== \"TSRestType\" &&\n type !== \"TSOptionalType\" &&\n !(type === \"TSNamedTupleMember\" && elementNode.optional)\n ) {\n this.raise(elementNode.start, TSErrors.OptionalTypeBeforeRequired);\n }\n\n // Flow doesn't support ||=\n seenOptionalElement =\n seenOptionalElement ||\n (type === \"TSNamedTupleMember\" && elementNode.optional) ||\n type === \"TSOptionalType\";\n\n // When checking labels, check the argument of the spread operator\n if (type === \"TSRestType\") {\n elementNode = elementNode.typeAnnotation;\n type = elementNode.type;\n }\n\n const isLabeled = type === \"TSNamedTupleMember\";\n // Flow doesn't support ??=\n labeledElements = labeledElements ?? isLabeled;\n if (labeledElements !== isLabeled) {\n this.raise(\n elementNode.start,\n TSErrors.MixedLabeledAndUnlabeledElements,\n );\n }\n });\n\n return this.finishNode(node, \"TSTupleType\");\n }\n\n tsParseTupleElementType(): N.TsType | N.TsNamedTupleMember {\n // parses `...TsType[]`\n\n const { start: startPos, startLoc } = this.state;\n\n const rest = this.eat(tt.ellipsis);\n let type = this.tsParseType();\n const optional = this.eat(tt.question);\n const labeled = this.eat(tt.colon);\n\n if (labeled) {\n const labeledNode: N.TsNamedTupleMember = this.startNodeAtNode(type);\n labeledNode.optional = optional;\n\n if (\n type.type === \"TSTypeReference\" &&\n !type.typeParameters &&\n type.typeName.type === \"Identifier\"\n ) {\n labeledNode.label = (type.typeName: N.Identifier);\n } else {\n this.raise(type.start, TSErrors.InvalidTupleMemberLabel);\n // This produces an invalid AST, but at least we don't drop\n // nodes representing the invalid source.\n // $FlowIgnore\n labeledNode.label = type;\n }\n\n labeledNode.elementType = this.tsParseType();\n type = this.finishNode(labeledNode, \"TSNamedTupleMember\");\n } else if (optional) {\n const optionalTypeNode: N.TsOptionalType = this.startNodeAtNode(type);\n optionalTypeNode.typeAnnotation = type;\n type = this.finishNode(optionalTypeNode, \"TSOptionalType\");\n }\n\n if (rest) {\n const restNode: N.TsRestType = this.startNodeAt(startPos, startLoc);\n restNode.typeAnnotation = type;\n type = this.finishNode(restNode, \"TSRestType\");\n }\n\n return type;\n }\n\n tsParseParenthesizedType(): N.TsParenthesizedType {\n const node = this.startNode();\n this.expect(tt.parenL);\n node.typeAnnotation = this.tsParseType();\n this.expect(tt.parenR);\n return this.finishNode(node, \"TSParenthesizedType\");\n }\n\n tsParseFunctionOrConstructorType(\n type: \"TSFunctionType\" | \"TSConstructorType\",\n ): N.TsFunctionOrConstructorType {\n const node: N.TsFunctionOrConstructorType = this.startNode();\n if (type === \"TSConstructorType\") {\n this.expect(tt._new);\n }\n this.tsFillSignature(tt.arrow, node);\n return this.finishNode(node, type);\n }\n\n tsParseLiteralTypeNode(): N.TsLiteralType {\n const node: N.TsLiteralType = this.startNode();\n node.literal = (() => {\n switch (this.state.type) {\n case tt.num:\n case tt.bigint:\n case tt.string:\n case tt._true:\n case tt._false:\n // For compatibility to estree we cannot call parseLiteral directly here\n return this.parseExprAtom();\n default:\n throw this.unexpected();\n }\n })();\n return this.finishNode(node, \"TSLiteralType\");\n }\n\n tsParseTemplateLiteralType(): N.TsType {\n const node: N.TsLiteralType = this.startNode();\n const templateNode = this.parseTemplate(false);\n if (templateNode.expressions.length > 0) {\n this.raise(\n templateNode.expressions[0].start,\n TSErrors.TemplateTypeHasSubstitution,\n );\n }\n node.literal = templateNode;\n return this.finishNode(node, \"TSLiteralType\");\n }\n\n tsParseThisTypeOrThisTypePredicate(): N.TsThisType | N.TsTypePredicate {\n const thisKeyword = this.tsParseThisTypeNode();\n if (this.isContextual(\"is\") && !this.hasPrecedingLineBreak()) {\n return this.tsParseThisTypePredicate(thisKeyword);\n } else {\n return thisKeyword;\n }\n }\n\n tsParseNonArrayType(): N.TsType {\n switch (this.state.type) {\n case tt.name:\n case tt._void:\n case tt._null: {\n const type = this.match(tt._void)\n ? \"TSVoidKeyword\"\n : this.match(tt._null)\n ? \"TSNullKeyword\"\n : keywordTypeFromName(this.state.value);\n if (\n type !== undefined &&\n this.lookaheadCharCode() !== charCodes.dot\n ) {\n const node: N.TsKeywordType = this.startNode();\n this.next();\n return this.finishNode(node, type);\n }\n return this.tsParseTypeReference();\n }\n case tt.string:\n case tt.num:\n case tt.bigint:\n case tt._true:\n case tt._false:\n return this.tsParseLiteralTypeNode();\n case tt.plusMin:\n if (this.state.value === \"-\") {\n const node: N.TsLiteralType = this.startNode();\n const nextToken = this.lookahead();\n if (nextToken.type !== tt.num && nextToken.type !== tt.bigint) {\n throw this.unexpected();\n }\n node.literal = this.parseMaybeUnary();\n return this.finishNode(node, \"TSLiteralType\");\n }\n break;\n case tt._this:\n return this.tsParseThisTypeOrThisTypePredicate();\n case tt._typeof:\n return this.tsParseTypeQuery();\n case tt._import:\n return this.tsParseImportType();\n case tt.braceL:\n return this.tsLookAhead(this.tsIsStartOfMappedType.bind(this))\n ? this.tsParseMappedType()\n : this.tsParseTypeLiteral();\n case tt.bracketL:\n return this.tsParseTupleType();\n case tt.parenL:\n return this.tsParseParenthesizedType();\n case tt.backQuote:\n return this.tsParseTemplateLiteralType();\n }\n\n throw this.unexpected();\n }\n\n tsParseArrayTypeOrHigher(): N.TsType {\n let type = this.tsParseNonArrayType();\n while (!this.hasPrecedingLineBreak() && this.eat(tt.bracketL)) {\n if (this.match(tt.bracketR)) {\n const node: N.TsArrayType = this.startNodeAtNode(type);\n node.elementType = type;\n this.expect(tt.bracketR);\n type = this.finishNode(node, \"TSArrayType\");\n } else {\n const node: N.TsIndexedAccessType = this.startNodeAtNode(type);\n node.objectType = type;\n node.indexType = this.tsParseType();\n this.expect(tt.bracketR);\n type = this.finishNode(node, \"TSIndexedAccessType\");\n }\n }\n return type;\n }\n\n tsParseTypeOperator(\n operator: \"keyof\" | \"unique\" | \"readonly\",\n ): N.TsTypeOperator {\n const node: N.TsTypeOperator = this.startNode();\n this.expectContextual(operator);\n node.operator = operator;\n node.typeAnnotation = this.tsParseTypeOperatorOrHigher();\n\n if (operator === \"readonly\") {\n this.tsCheckTypeAnnotationForReadOnly(node);\n }\n\n return this.finishNode(node, \"TSTypeOperator\");\n }\n\n tsCheckTypeAnnotationForReadOnly(node: N.Node) {\n switch (node.typeAnnotation.type) {\n case \"TSTupleType\":\n case \"TSArrayType\":\n return;\n default:\n this.raise(node.start, TSErrors.UnexpectedReadonly);\n }\n }\n\n tsParseInferType(): N.TsInferType {\n const node = this.startNode();\n this.expectContextual(\"infer\");\n const typeParameter = this.startNode();\n typeParameter.name = this.parseIdentifierName(typeParameter.start);\n node.typeParameter = this.finishNode(typeParameter, \"TSTypeParameter\");\n return this.finishNode(node, \"TSInferType\");\n }\n\n tsParseTypeOperatorOrHigher(): N.TsType {\n const operator = [\"keyof\", \"unique\", \"readonly\"].find(kw =>\n this.isContextual(kw),\n );\n return operator\n ? this.tsParseTypeOperator(operator)\n : this.isContextual(\"infer\")\n ? this.tsParseInferType()\n : this.tsParseArrayTypeOrHigher();\n }\n\n tsParseUnionOrIntersectionType(\n kind: \"TSUnionType\" | \"TSIntersectionType\",\n parseConstituentType: () => N.TsType,\n operator: TokenType,\n ): N.TsType {\n this.eat(operator);\n let type = parseConstituentType();\n if (this.match(operator)) {\n const types = [type];\n while (this.eat(operator)) {\n types.push(parseConstituentType());\n }\n const node: N.TsUnionType | N.TsIntersectionType = this.startNodeAtNode(\n type,\n );\n node.types = types;\n type = this.finishNode(node, kind);\n }\n return type;\n }\n\n tsParseIntersectionTypeOrHigher(): N.TsType {\n return this.tsParseUnionOrIntersectionType(\n \"TSIntersectionType\",\n this.tsParseTypeOperatorOrHigher.bind(this),\n tt.bitwiseAND,\n );\n }\n\n tsParseUnionTypeOrHigher() {\n return this.tsParseUnionOrIntersectionType(\n \"TSUnionType\",\n this.tsParseIntersectionTypeOrHigher.bind(this),\n tt.bitwiseOR,\n );\n }\n\n tsIsStartOfFunctionType() {\n if (this.isRelational(\"<\")) {\n return true;\n }\n return (\n this.match(tt.parenL) &&\n this.tsLookAhead(this.tsIsUnambiguouslyStartOfFunctionType.bind(this))\n );\n }\n\n tsSkipParameterStart(): boolean {\n if (this.match(tt.name) || this.match(tt._this)) {\n this.next();\n return true;\n }\n\n if (this.match(tt.braceL)) {\n let braceStackCounter = 1;\n this.next();\n\n while (braceStackCounter > 0) {\n if (this.match(tt.braceL)) {\n ++braceStackCounter;\n } else if (this.match(tt.braceR)) {\n --braceStackCounter;\n }\n this.next();\n }\n return true;\n }\n\n if (this.match(tt.bracketL)) {\n let braceStackCounter = 1;\n this.next();\n\n while (braceStackCounter > 0) {\n if (this.match(tt.bracketL)) {\n ++braceStackCounter;\n } else if (this.match(tt.bracketR)) {\n --braceStackCounter;\n }\n this.next();\n }\n return true;\n }\n\n return false;\n }\n\n tsIsUnambiguouslyStartOfFunctionType(): boolean {\n this.next();\n if (this.match(tt.parenR) || this.match(tt.ellipsis)) {\n // ( )\n // ( ...\n return true;\n }\n if (this.tsSkipParameterStart()) {\n if (\n this.match(tt.colon) ||\n this.match(tt.comma) ||\n this.match(tt.question) ||\n this.match(tt.eq)\n ) {\n // ( xxx :\n // ( xxx ,\n // ( xxx ?\n // ( xxx =\n return true;\n }\n if (this.match(tt.parenR)) {\n this.next();\n if (this.match(tt.arrow)) {\n // ( xxx ) =>\n return true;\n }\n }\n }\n return false;\n }\n\n tsParseTypeOrTypePredicateAnnotation(\n returnToken: TokenType,\n ): N.TsTypeAnnotation {\n return this.tsInType(() => {\n const t: N.TsTypeAnnotation = this.startNode();\n this.expect(returnToken);\n\n const asserts = this.tsTryParse(\n this.tsParseTypePredicateAsserts.bind(this),\n );\n\n if (asserts && this.match(tt._this)) {\n // When asserts is false, thisKeyword is handled by tsParseNonArrayType\n // : asserts this is type\n let thisTypePredicate = this.tsParseThisTypeOrThisTypePredicate();\n // if it turns out to be a `TSThisType`, wrap it with `TSTypePredicate`\n // : asserts this\n if (thisTypePredicate.type === \"TSThisType\") {\n const node: N.TsTypePredicate = this.startNodeAtNode(t);\n node.parameterName = (thisTypePredicate: N.TsThisType);\n node.asserts = true;\n thisTypePredicate = this.finishNode(node, \"TSTypePredicate\");\n } else {\n (thisTypePredicate: N.TsTypePredicate).asserts = true;\n }\n t.typeAnnotation = thisTypePredicate;\n return this.finishNode(t, \"TSTypeAnnotation\");\n }\n\n const typePredicateVariable =\n this.tsIsIdentifier() &&\n this.tsTryParse(this.tsParseTypePredicatePrefix.bind(this));\n\n if (!typePredicateVariable) {\n if (!asserts) {\n // : type\n return this.tsParseTypeAnnotation(/* eatColon */ false, t);\n }\n\n const node: N.TsTypePredicate = this.startNodeAtNode(t);\n // : asserts foo\n node.parameterName = this.parseIdentifier();\n node.asserts = asserts;\n t.typeAnnotation = this.finishNode(node, \"TSTypePredicate\");\n return this.finishNode(t, \"TSTypeAnnotation\");\n }\n\n // : asserts foo is type\n const type = this.tsParseTypeAnnotation(/* eatColon */ false);\n const node = this.startNodeAtNode(t);\n node.parameterName = typePredicateVariable;\n node.typeAnnotation = type;\n node.asserts = asserts;\n t.typeAnnotation = this.finishNode(node, \"TSTypePredicate\");\n return this.finishNode(t, \"TSTypeAnnotation\");\n });\n }\n\n tsTryParseTypeOrTypePredicateAnnotation(): ?N.TsTypeAnnotation {\n return this.match(tt.colon)\n ? this.tsParseTypeOrTypePredicateAnnotation(tt.colon)\n : undefined;\n }\n\n tsTryParseTypeAnnotation(): ?N.TsTypeAnnotation {\n return this.match(tt.colon) ? this.tsParseTypeAnnotation() : undefined;\n }\n\n tsTryParseType(): ?N.TsType {\n return this.tsEatThenParseType(tt.colon);\n }\n\n tsParseTypePredicatePrefix(): ?N.Identifier {\n const id = this.parseIdentifier();\n if (this.isContextual(\"is\") && !this.hasPrecedingLineBreak()) {\n this.next();\n return id;\n }\n }\n\n tsParseTypePredicateAsserts(): boolean {\n if (\n !this.match(tt.name) ||\n this.state.value !== \"asserts\" ||\n this.hasPrecedingLineBreak()\n ) {\n return false;\n }\n const containsEsc = this.state.containsEsc;\n this.next();\n if (!this.match(tt.name) && !this.match(tt._this)) {\n return false;\n }\n\n if (containsEsc) {\n this.raise(\n this.state.lastTokStart,\n Errors.InvalidEscapedReservedWord,\n \"asserts\",\n );\n }\n\n return true;\n }\n\n tsParseTypeAnnotation(\n eatColon = true,\n t: N.TsTypeAnnotation = this.startNode(),\n ): N.TsTypeAnnotation {\n this.tsInType(() => {\n if (eatColon) this.expect(tt.colon);\n t.typeAnnotation = this.tsParseType();\n });\n return this.finishNode(t, \"TSTypeAnnotation\");\n }\n\n /** Be sure to be in a type context before calling this, using `tsInType`. */\n tsParseType(): N.TsType {\n // Need to set `state.inType` so that we don't parse JSX in a type context.\n assert(this.state.inType);\n const type = this.tsParseNonConditionalType();\n if (this.hasPrecedingLineBreak() || !this.eat(tt._extends)) {\n return type;\n }\n const node: N.TsConditionalType = this.startNodeAtNode(type);\n node.checkType = type;\n node.extendsType = this.tsParseNonConditionalType();\n this.expect(tt.question);\n node.trueType = this.tsParseType();\n this.expect(tt.colon);\n node.falseType = this.tsParseType();\n return this.finishNode(node, \"TSConditionalType\");\n }\n\n tsParseNonConditionalType(): N.TsType {\n if (this.tsIsStartOfFunctionType()) {\n return this.tsParseFunctionOrConstructorType(\"TSFunctionType\");\n }\n if (this.match(tt._new)) {\n // As in `new () => Date`\n return this.tsParseFunctionOrConstructorType(\"TSConstructorType\");\n }\n return this.tsParseUnionTypeOrHigher();\n }\n\n tsParseTypeAssertion(): N.TsTypeAssertion {\n const node: N.TsTypeAssertion = this.startNode();\n const _const = this.tsTryNextParseConstantContext();\n node.typeAnnotation = _const || this.tsNextThenParseType();\n this.expectRelational(\">\");\n node.expression = this.parseMaybeUnary();\n return this.finishNode(node, \"TSTypeAssertion\");\n }\n\n tsParseHeritageClause(\n descriptor: string,\n ): $ReadOnlyArray<N.TsExpressionWithTypeArguments> {\n const originalStart = this.state.start;\n\n const delimitedList = this.tsParseDelimitedList(\n \"HeritageClauseElement\",\n this.tsParseExpressionWithTypeArguments.bind(this),\n );\n\n if (!delimitedList.length) {\n this.raise(originalStart, TSErrors.EmptyHeritageClauseType, descriptor);\n }\n\n return delimitedList;\n }\n\n tsParseExpressionWithTypeArguments(): N.TsExpressionWithTypeArguments {\n const node: N.TsExpressionWithTypeArguments = this.startNode();\n // Note: TS uses parseLeftHandSideExpressionOrHigher,\n // then has grammar errors later if it's not an EntityName.\n node.expression = this.tsParseEntityName(/* allowReservedWords */ false);\n if (this.isRelational(\"<\")) {\n node.typeParameters = this.tsParseTypeArguments();\n }\n\n return this.finishNode(node, \"TSExpressionWithTypeArguments\");\n }\n\n tsParseInterfaceDeclaration(\n node: N.TsInterfaceDeclaration,\n ): N.TsInterfaceDeclaration {\n node.id = this.parseIdentifier();\n this.checkLVal(\n node.id,\n BIND_TS_INTERFACE,\n undefined,\n \"typescript interface declaration\",\n );\n node.typeParameters = this.tsTryParseTypeParameters();\n if (this.eat(tt._extends)) {\n node.extends = this.tsParseHeritageClause(\"extends\");\n }\n const body: N.TSInterfaceBody = this.startNode();\n body.body = this.tsInType(this.tsParseObjectTypeMembers.bind(this));\n node.body = this.finishNode(body, \"TSInterfaceBody\");\n return this.finishNode(node, \"TSInterfaceDeclaration\");\n }\n\n tsParseTypeAliasDeclaration(\n node: N.TsTypeAliasDeclaration,\n ): N.TsTypeAliasDeclaration {\n node.id = this.parseIdentifier();\n this.checkLVal(node.id, BIND_TS_TYPE, undefined, \"typescript type alias\");\n\n node.typeParameters = this.tsTryParseTypeParameters();\n node.typeAnnotation = this.tsExpectThenParseType(tt.eq);\n this.semicolon();\n return this.finishNode(node, \"TSTypeAliasDeclaration\");\n }\n\n tsInNoContext<T>(cb: () => T): T {\n const oldContext = this.state.context;\n this.state.context = [oldContext[0]];\n try {\n return cb();\n } finally {\n this.state.context = oldContext;\n }\n }\n\n /**\n * Runs `cb` in a type context.\n * This should be called one token *before* the first type token,\n * so that the call to `next()` is run in type context.\n */\n tsInType<T>(cb: () => T): T {\n const oldInType = this.state.inType;\n this.state.inType = true;\n try {\n return cb();\n } finally {\n this.state.inType = oldInType;\n }\n }\n\n tsEatThenParseType(token: TokenType): N.TsType | typeof undefined {\n return !this.match(token) ? undefined : this.tsNextThenParseType();\n }\n\n tsExpectThenParseType(token: TokenType): N.TsType {\n return this.tsDoThenParseType(() => this.expect(token));\n }\n\n tsNextThenParseType(): N.TsType {\n return this.tsDoThenParseType(() => this.next());\n }\n\n tsDoThenParseType(cb: () => void): N.TsType {\n return this.tsInType(() => {\n cb();\n return this.tsParseType();\n });\n }\n\n tsParseEnumMember(): N.TsEnumMember {\n const node: N.TsEnumMember = this.startNode();\n // Computed property names are grammar errors in an enum, so accept just string literal or identifier.\n node.id = this.match(tt.string)\n ? this.parseExprAtom()\n : this.parseIdentifier(/* liberal */ true);\n if (this.eat(tt.eq)) {\n node.initializer = this.parseMaybeAssign();\n }\n return this.finishNode(node, \"TSEnumMember\");\n }\n\n tsParseEnumDeclaration(\n node: N.TsEnumDeclaration,\n isConst: boolean,\n ): N.TsEnumDeclaration {\n if (isConst) node.const = true;\n node.id = this.parseIdentifier();\n this.checkLVal(\n node.id,\n isConst ? BIND_TS_CONST_ENUM : BIND_TS_ENUM,\n undefined,\n \"typescript enum declaration\",\n );\n\n this.expect(tt.braceL);\n node.members = this.tsParseDelimitedList(\n \"EnumMembers\",\n this.tsParseEnumMember.bind(this),\n );\n this.expect(tt.braceR);\n return this.finishNode(node, \"TSEnumDeclaration\");\n }\n\n tsParseModuleBlock(): N.TsModuleBlock {\n const node: N.TsModuleBlock = this.startNode();\n this.scope.enter(SCOPE_OTHER);\n\n this.expect(tt.braceL);\n // Inside of a module block is considered \"top-level\", meaning it can have imports and exports.\n this.parseBlockOrModuleBlockBody(\n (node.body = []),\n /* directives */ undefined,\n /* topLevel */ true,\n /* end */ tt.braceR,\n );\n this.scope.exit();\n return this.finishNode(node, \"TSModuleBlock\");\n }\n\n tsParseModuleOrNamespaceDeclaration(\n node: N.TsModuleDeclaration,\n nested?: boolean = false,\n ): N.TsModuleDeclaration {\n node.id = this.parseIdentifier();\n\n if (!nested) {\n this.checkLVal(\n node.id,\n BIND_TS_NAMESPACE,\n null,\n \"module or namespace declaration\",\n );\n }\n\n if (this.eat(tt.dot)) {\n const inner = this.startNode();\n this.tsParseModuleOrNamespaceDeclaration(inner, true);\n node.body = inner;\n } else {\n this.scope.enter(SCOPE_TS_MODULE);\n this.prodParam.enter(PARAM);\n node.body = this.tsParseModuleBlock();\n this.prodParam.exit();\n this.scope.exit();\n }\n return this.finishNode(node, \"TSModuleDeclaration\");\n }\n\n tsParseAmbientExternalModuleDeclaration(\n node: N.TsModuleDeclaration,\n ): N.TsModuleDeclaration {\n if (this.isContextual(\"global\")) {\n node.global = true;\n node.id = this.parseIdentifier();\n } else if (this.match(tt.string)) {\n node.id = this.parseExprAtom();\n } else {\n this.unexpected();\n }\n if (this.match(tt.braceL)) {\n this.scope.enter(SCOPE_TS_MODULE);\n this.prodParam.enter(PARAM);\n node.body = this.tsParseModuleBlock();\n this.prodParam.exit();\n this.scope.exit();\n } else {\n this.semicolon();\n }\n\n return this.finishNode(node, \"TSModuleDeclaration\");\n }\n\n tsParseImportEqualsDeclaration(\n node: N.TsImportEqualsDeclaration,\n isExport?: boolean,\n ): N.TsImportEqualsDeclaration {\n node.isExport = isExport || false;\n node.id = this.parseIdentifier();\n this.checkLVal(\n node.id,\n BIND_LEXICAL,\n undefined,\n \"import equals declaration\",\n );\n this.expect(tt.eq);\n node.moduleReference = this.tsParseModuleReference();\n this.semicolon();\n return this.finishNode(node, \"TSImportEqualsDeclaration\");\n }\n\n tsIsExternalModuleReference(): boolean {\n return (\n this.isContextual(\"require\") &&\n this.lookaheadCharCode() === charCodes.leftParenthesis\n );\n }\n\n tsParseModuleReference(): N.TsModuleReference {\n return this.tsIsExternalModuleReference()\n ? this.tsParseExternalModuleReference()\n : this.tsParseEntityName(/* allowReservedWords */ false);\n }\n\n tsParseExternalModuleReference(): N.TsExternalModuleReference {\n const node: N.TsExternalModuleReference = this.startNode();\n this.expectContextual(\"require\");\n this.expect(tt.parenL);\n if (!this.match(tt.string)) {\n throw this.unexpected();\n }\n // For compatibility to estree we cannot call parseLiteral directly here\n node.expression = this.parseExprAtom();\n this.expect(tt.parenR);\n return this.finishNode(node, \"TSExternalModuleReference\");\n }\n\n // Utilities\n\n tsLookAhead<T>(f: () => T): T {\n const state = this.state.clone();\n const res = f();\n this.state = state;\n return res;\n }\n\n tsTryParseAndCatch<T: ?N.NodeBase>(f: () => T): ?T {\n const result = this.tryParse(abort => f() || abort());\n\n if (result.aborted || !result.node) return undefined;\n if (result.error) this.state = result.failState;\n return result.node;\n }\n\n tsTryParse<T>(f: () => ?T): ?T {\n const state = this.state.clone();\n const result = f();\n if (result !== undefined && result !== false) {\n return result;\n } else {\n this.state = state;\n return undefined;\n }\n }\n\n tsTryParseDeclare(nany: any): ?N.Declaration {\n if (this.isLineTerminator()) {\n return;\n }\n let starttype = this.state.type;\n let kind;\n\n if (this.isContextual(\"let\")) {\n starttype = tt._var;\n kind = \"let\";\n }\n\n switch (starttype) {\n case tt._function:\n return this.parseFunctionStatement(\n nany,\n /* async */ false,\n /* declarationPosition */ true,\n );\n case tt._class:\n // While this is also set by tsParseExpressionStatement, we need to set it\n // before parsing the class declaration to now how to register it in the scope.\n nany.declare = true;\n return this.parseClass(\n nany,\n /* isStatement */ true,\n /* optionalId */ false,\n );\n case tt._const:\n if (this.match(tt._const) && this.isLookaheadContextual(\"enum\")) {\n // `const enum = 0;` not allowed because \"enum\" is a strict mode reserved word.\n this.expect(tt._const);\n this.expectContextual(\"enum\");\n return this.tsParseEnumDeclaration(nany, /* isConst */ true);\n }\n // falls through\n case tt._var:\n kind = kind || this.state.value;\n return this.parseVarStatement(nany, kind);\n case tt.name: {\n const value = this.state.value;\n if (value === \"global\") {\n return this.tsParseAmbientExternalModuleDeclaration(nany);\n } else {\n return this.tsParseDeclaration(nany, value, /* next */ true);\n }\n }\n }\n }\n\n // Note: this won't be called unless the keyword is allowed in `shouldParseExportDeclaration`.\n tsTryParseExportDeclaration(): ?N.Declaration {\n return this.tsParseDeclaration(\n this.startNode(),\n this.state.value,\n /* next */ true,\n );\n }\n\n tsParseExpressionStatement(node: any, expr: N.Identifier): ?N.Declaration {\n switch (expr.name) {\n case \"declare\": {\n const declaration = this.tsTryParseDeclare(node);\n if (declaration) {\n declaration.declare = true;\n return declaration;\n }\n break;\n }\n case \"global\":\n // `global { }` (with no `declare`) may appear inside an ambient module declaration.\n // Would like to use tsParseAmbientExternalModuleDeclaration here, but already ran past \"global\".\n if (this.match(tt.braceL)) {\n this.scope.enter(SCOPE_TS_MODULE);\n this.prodParam.enter(PARAM);\n const mod: N.TsModuleDeclaration = node;\n mod.global = true;\n mod.id = expr;\n mod.body = this.tsParseModuleBlock();\n this.scope.exit();\n this.prodParam.exit();\n return this.finishNode(mod, \"TSModuleDeclaration\");\n }\n break;\n\n default:\n return this.tsParseDeclaration(node, expr.name, /* next */ false);\n }\n }\n\n // Common to tsTryParseDeclare, tsTryParseExportDeclaration, and tsParseExpressionStatement.\n tsParseDeclaration(\n node: any,\n value: string,\n next: boolean,\n ): ?N.Declaration {\n switch (value) {\n case \"abstract\":\n if (this.tsCheckLineTerminatorAndMatch(tt._class, next)) {\n const cls: N.ClassDeclaration = node;\n cls.abstract = true;\n if (next) {\n this.next();\n if (!this.match(tt._class)) {\n this.unexpected(null, tt._class);\n }\n }\n return this.parseClass(\n cls,\n /* isStatement */ true,\n /* optionalId */ false,\n );\n }\n break;\n\n case \"enum\":\n if (next || this.match(tt.name)) {\n if (next) this.next();\n return this.tsParseEnumDeclaration(node, /* isConst */ false);\n }\n break;\n\n case \"interface\":\n if (this.tsCheckLineTerminatorAndMatch(tt.name, next)) {\n if (next) this.next();\n return this.tsParseInterfaceDeclaration(node);\n }\n break;\n\n case \"module\":\n if (next) this.next();\n if (this.match(tt.string)) {\n return this.tsParseAmbientExternalModuleDeclaration(node);\n } else if (this.tsCheckLineTerminatorAndMatch(tt.name, next)) {\n return this.tsParseModuleOrNamespaceDeclaration(node);\n }\n break;\n\n case \"namespace\":\n if (this.tsCheckLineTerminatorAndMatch(tt.name, next)) {\n if (next) this.next();\n return this.tsParseModuleOrNamespaceDeclaration(node);\n }\n break;\n\n case \"type\":\n if (this.tsCheckLineTerminatorAndMatch(tt.name, next)) {\n if (next) this.next();\n return this.tsParseTypeAliasDeclaration(node);\n }\n break;\n }\n }\n\n tsCheckLineTerminatorAndMatch(tokenType: TokenType, next: boolean) {\n return (next || this.match(tokenType)) && !this.isLineTerminator();\n }\n\n tsTryParseGenericAsyncArrowFunction(\n startPos: number,\n startLoc: Position,\n ): ?N.ArrowFunctionExpression {\n if (!this.isRelational(\"<\")) {\n return undefined;\n }\n\n const oldMaybeInArrowParameters = this.state.maybeInArrowParameters;\n const oldYieldPos = this.state.yieldPos;\n const oldAwaitPos = this.state.awaitPos;\n this.state.maybeInArrowParameters = true;\n this.state.yieldPos = -1;\n this.state.awaitPos = -1;\n\n const res: ?N.ArrowFunctionExpression = this.tsTryParseAndCatch(() => {\n const node: N.ArrowFunctionExpression = this.startNodeAt(\n startPos,\n startLoc,\n );\n node.typeParameters = this.tsParseTypeParameters();\n // Don't use overloaded parseFunctionParams which would look for \"<\" again.\n super.parseFunctionParams(node);\n node.returnType = this.tsTryParseTypeOrTypePredicateAnnotation();\n this.expect(tt.arrow);\n return node;\n });\n\n this.state.maybeInArrowParameters = oldMaybeInArrowParameters;\n this.state.yieldPos = oldYieldPos;\n this.state.awaitPos = oldAwaitPos;\n\n if (!res) {\n return undefined;\n }\n\n return this.parseArrowExpression(\n res,\n /* params are already set */ null,\n /* async */ true,\n );\n }\n\n tsParseTypeArguments(): N.TsTypeParameterInstantiation {\n const node = this.startNode();\n node.params = this.tsInType(() =>\n // Temporarily remove a JSX parsing context, which makes us scan different tokens.\n this.tsInNoContext(() => {\n this.expectRelational(\"<\");\n return this.tsParseDelimitedList(\n \"TypeParametersOrArguments\",\n this.tsParseType.bind(this),\n );\n }),\n );\n // This reads the next token after the `>` too, so do this in the enclosing context.\n // But be sure not to parse a regex in the jsx expression `<C<number> />`, so set exprAllowed = false\n this.state.exprAllowed = false;\n this.expectRelational(\">\");\n return this.finishNode(node, \"TSTypeParameterInstantiation\");\n }\n\n tsIsDeclarationStart(): boolean {\n if (this.match(tt.name)) {\n switch (this.state.value) {\n case \"abstract\":\n case \"declare\":\n case \"enum\":\n case \"interface\":\n case \"module\":\n case \"namespace\":\n case \"type\":\n return true;\n }\n }\n\n return false;\n }\n\n // ======================================================\n // OVERRIDES\n // ======================================================\n\n isExportDefaultSpecifier(): boolean {\n if (this.tsIsDeclarationStart()) return false;\n return super.isExportDefaultSpecifier();\n }\n\n parseAssignableListItem(\n allowModifiers: ?boolean,\n decorators: N.Decorator[],\n ): N.Pattern | N.TSParameterProperty {\n // Store original location/position to include modifiers in range\n const startPos = this.state.start;\n const startLoc = this.state.startLoc;\n\n let accessibility: ?N.Accessibility;\n let readonly = false;\n if (allowModifiers) {\n accessibility = this.parseAccessModifier();\n readonly = !!this.tsParseModifier([\"readonly\"]);\n }\n\n const left = this.parseMaybeDefault();\n this.parseAssignableListItemTypes(left);\n const elt = this.parseMaybeDefault(left.start, left.loc.start, left);\n if (accessibility || readonly) {\n const pp: N.TSParameterProperty = this.startNodeAt(startPos, startLoc);\n if (decorators.length) {\n pp.decorators = decorators;\n }\n if (accessibility) pp.accessibility = accessibility;\n if (readonly) pp.readonly = readonly;\n if (elt.type !== \"Identifier\" && elt.type !== \"AssignmentPattern\") {\n this.raise(pp.start, TSErrors.UnsupportedParameterPropertyKind);\n }\n pp.parameter = ((elt: any): N.Identifier | N.AssignmentPattern);\n return this.finishNode(pp, \"TSParameterProperty\");\n }\n\n if (decorators.length) {\n left.decorators = decorators;\n }\n\n return elt;\n }\n\n parseFunctionBodyAndFinish(\n node: N.BodilessFunctionOrMethodBase,\n type: string,\n isMethod?: boolean = false,\n ): void {\n if (this.match(tt.colon)) {\n node.returnType = this.tsParseTypeOrTypePredicateAnnotation(tt.colon);\n }\n\n const bodilessType =\n type === \"FunctionDeclaration\"\n ? \"TSDeclareFunction\"\n : type === \"ClassMethod\"\n ? \"TSDeclareMethod\"\n : undefined;\n if (bodilessType && !this.match(tt.braceL) && this.isLineTerminator()) {\n this.finishNode(node, bodilessType);\n return;\n }\n\n super.parseFunctionBodyAndFinish(node, type, isMethod);\n }\n\n registerFunctionStatementId(node: N.Function): void {\n if (!node.body && node.id) {\n // Function ids are validated after parsing their body.\n // For bodyless function, we need to do it here.\n this.checkLVal(node.id, BIND_TS_AMBIENT, null, \"function name\");\n } else {\n super.registerFunctionStatementId(...arguments);\n }\n }\n\n parseSubscript(\n base: N.Expression,\n startPos: number,\n startLoc: Position,\n noCalls: ?boolean,\n state: N.ParseSubscriptState,\n ): N.Expression {\n if (!this.hasPrecedingLineBreak() && this.match(tt.bang)) {\n this.state.exprAllowed = false;\n this.next();\n\n const nonNullExpression: N.TsNonNullExpression = this.startNodeAt(\n startPos,\n startLoc,\n );\n nonNullExpression.expression = base;\n return this.finishNode(nonNullExpression, \"TSNonNullExpression\");\n }\n\n if (this.isRelational(\"<\")) {\n // tsTryParseAndCatch is expensive, so avoid if not necessary.\n // There are number of things we are going to \"maybe\" parse, like type arguments on\n // tagged template expressions. If any of them fail, walk it back and continue.\n const result = this.tsTryParseAndCatch(() => {\n if (!noCalls && this.atPossibleAsyncArrow(base)) {\n // Almost certainly this is a generic async function `async <T>() => ...\n // But it might be a call with a type argument `async<T>();`\n const asyncArrowFn = this.tsTryParseGenericAsyncArrowFunction(\n startPos,\n startLoc,\n );\n if (asyncArrowFn) {\n return asyncArrowFn;\n }\n }\n\n const node: N.CallExpression = this.startNodeAt(startPos, startLoc);\n node.callee = base;\n\n const typeArguments = this.tsParseTypeArguments();\n\n if (typeArguments) {\n if (!noCalls && this.eat(tt.parenL)) {\n // possibleAsync always false here, because we would have handled it above.\n // $FlowIgnore (won't be any undefined arguments)\n node.arguments = this.parseCallExpressionArguments(\n tt.parenR,\n /* possibleAsync */ false,\n );\n node.typeParameters = typeArguments;\n return this.finishCallExpression(node, state.optionalChainMember);\n } else if (this.match(tt.backQuote)) {\n const result = this.parseTaggedTemplateExpression(\n base,\n startPos,\n startLoc,\n state,\n );\n result.typeParameters = typeArguments;\n return result;\n }\n }\n\n this.unexpected();\n });\n\n if (result) return result;\n }\n\n return super.parseSubscript(base, startPos, startLoc, noCalls, state);\n }\n\n parseNewArguments(node: N.NewExpression): void {\n if (this.isRelational(\"<\")) {\n // tsTryParseAndCatch is expensive, so avoid if not necessary.\n // 99% certain this is `new C<T>();`. But may be `new C < T;`, which is also legal.\n const typeParameters = this.tsTryParseAndCatch(() => {\n const args = this.tsParseTypeArguments();\n if (!this.match(tt.parenL)) this.unexpected();\n return args;\n });\n if (typeParameters) {\n node.typeParameters = typeParameters;\n }\n }\n\n super.parseNewArguments(node);\n }\n\n parseExprOp(\n left: N.Expression,\n leftStartPos: number,\n leftStartLoc: Position,\n minPrec: number,\n noIn: ?boolean,\n ) {\n if (\n nonNull(tt._in.binop) > minPrec &&\n !this.hasPrecedingLineBreak() &&\n this.isContextual(\"as\")\n ) {\n const node: N.TsAsExpression = this.startNodeAt(\n leftStartPos,\n leftStartLoc,\n );\n node.expression = left;\n const _const = this.tsTryNextParseConstantContext();\n if (_const) {\n node.typeAnnotation = _const;\n } else {\n node.typeAnnotation = this.tsNextThenParseType();\n }\n this.finishNode(node, \"TSAsExpression\");\n // rescan `<`, `>` because they were scanned when this.state.inType was true\n this.reScan_lt_gt();\n return this.parseExprOp(\n node,\n leftStartPos,\n leftStartLoc,\n minPrec,\n noIn,\n );\n }\n\n return super.parseExprOp(left, leftStartPos, leftStartLoc, minPrec, noIn);\n }\n\n checkReservedWord(\n word: string, // eslint-disable-line no-unused-vars\n startLoc: number, // eslint-disable-line no-unused-vars\n checkKeywords: boolean, // eslint-disable-line no-unused-vars\n // eslint-disable-next-line no-unused-vars\n isBinding: boolean,\n ): void {\n // Don't bother checking for TypeScript code.\n // Strict mode words may be allowed as in `declare namespace N { const static: number; }`.\n // And we have a type checker anyway, so don't bother having the parser do it.\n }\n\n /*\n Don't bother doing this check in TypeScript code because:\n 1. We may have a nested export statement with the same name:\n export const x = 0;\n export namespace N {\n export const x = 1;\n }\n 2. We have a type checker to warn us about this sort of thing.\n */\n checkDuplicateExports() {}\n\n parseImport(node: N.Node): N.AnyImport {\n if (this.match(tt.name) || this.match(tt.star) || this.match(tt.braceL)) {\n const ahead = this.lookahead();\n\n if (this.match(tt.name) && ahead.type === tt.eq) {\n return this.tsParseImportEqualsDeclaration(node);\n }\n\n if (\n this.isContextual(\"type\") &&\n // import type, { a } from \"b\";\n ahead.type !== tt.comma &&\n // import type from \"a\";\n !(ahead.type === tt.name && ahead.value === \"from\")\n ) {\n node.importKind = \"type\";\n this.next();\n } else {\n node.importKind = \"value\";\n }\n }\n\n const importNode = super.parseImport(node);\n /*:: invariant(importNode.type !== \"TSImportEqualsDeclaration\") */\n\n // `import type` can only be used on imports with named imports or with a\n // default import - but not both\n if (\n importNode.importKind === \"type\" &&\n importNode.specifiers.length > 1 &&\n importNode.specifiers[0].type === \"ImportDefaultSpecifier\"\n ) {\n this.raise(\n importNode.start,\n \"A type-only import can specify a default import or named bindings, but not both.\",\n );\n }\n\n return importNode;\n }\n\n parseExport(node: N.Node): N.AnyExport {\n if (this.match(tt._import)) {\n // `export import A = B;`\n this.expect(tt._import);\n return this.tsParseImportEqualsDeclaration(node, /* isExport */ true);\n } else if (this.eat(tt.eq)) {\n // `export = x;`\n const assign: N.TsExportAssignment = node;\n assign.expression = this.parseExpression();\n this.semicolon();\n return this.finishNode(assign, \"TSExportAssignment\");\n } else if (this.eatContextual(\"as\")) {\n // `export as namespace A;`\n const decl: N.TsNamespaceExportDeclaration = node;\n // See `parseNamespaceExportDeclaration` in TypeScript's own parser\n this.expectContextual(\"namespace\");\n decl.id = this.parseIdentifier();\n this.semicolon();\n return this.finishNode(decl, \"TSNamespaceExportDeclaration\");\n } else {\n if (this.isContextual(\"type\") && this.lookahead().type === tt.braceL) {\n this.next();\n node.exportKind = \"type\";\n } else {\n node.exportKind = \"value\";\n }\n\n return super.parseExport(node);\n }\n }\n\n isAbstractClass(): boolean {\n return (\n this.isContextual(\"abstract\") && this.lookahead().type === tt._class\n );\n }\n\n parseExportDefaultExpression(): N.Expression | N.Declaration {\n if (this.isAbstractClass()) {\n const cls = this.startNode();\n this.next(); // Skip \"abstract\"\n this.parseClass(cls, true, true);\n cls.abstract = true;\n return cls;\n }\n\n // export default interface allowed in:\n // https://github.com/Microsoft/TypeScript/pull/16040\n if (this.state.value === \"interface\") {\n const result = this.tsParseDeclaration(\n this.startNode(),\n this.state.value,\n true,\n );\n\n if (result) return result;\n }\n\n return super.parseExportDefaultExpression();\n }\n\n parseStatementContent(context: ?string, topLevel: ?boolean): N.Statement {\n if (this.state.type === tt._const) {\n const ahead = this.lookahead();\n if (ahead.type === tt.name && ahead.value === \"enum\") {\n const node: N.TsEnumDeclaration = this.startNode();\n this.expect(tt._const);\n this.expectContextual(\"enum\");\n return this.tsParseEnumDeclaration(node, /* isConst */ true);\n }\n }\n return super.parseStatementContent(context, topLevel);\n }\n\n parseAccessModifier(): ?N.Accessibility {\n return this.tsParseModifier([\"public\", \"protected\", \"private\"]);\n }\n\n parseClassMember(\n classBody: N.ClassBody,\n member: any,\n state: { hadConstructor: boolean },\n constructorAllowsSuper: boolean,\n ): void {\n this.tsParseModifiers(member, [\"declare\"]);\n const accessibility = this.parseAccessModifier();\n if (accessibility) member.accessibility = accessibility;\n this.tsParseModifiers(member, [\"declare\"]);\n\n super.parseClassMember(classBody, member, state, constructorAllowsSuper);\n }\n\n parseClassMemberWithIsStatic(\n classBody: N.ClassBody,\n member: N.ClassMember | N.TsIndexSignature,\n state: { hadConstructor: boolean },\n isStatic: boolean,\n constructorAllowsSuper: boolean,\n ): void {\n this.tsParseModifiers(member, [\"abstract\", \"readonly\", \"declare\"]);\n\n const idx = this.tsTryParseIndexSignature(member);\n if (idx) {\n classBody.body.push(idx);\n\n if ((member: any).abstract) {\n this.raise(member.start, TSErrors.IndexSignatureHasAbstract);\n }\n if (isStatic) {\n this.raise(member.start, TSErrors.IndexSignatureHasStatic);\n }\n if ((member: any).accessibility) {\n this.raise(\n member.start,\n TSErrors.IndexSignatureHasAccessibility,\n (member: any).accessibility,\n );\n }\n\n return;\n }\n\n /*:: invariant(member.type !== \"TSIndexSignature\") */\n\n super.parseClassMemberWithIsStatic(\n classBody,\n member,\n state,\n isStatic,\n constructorAllowsSuper,\n );\n }\n\n parsePostMemberNameModifiers(\n methodOrProp: N.ClassMethod | N.ClassProperty | N.ClassPrivateProperty,\n ): void {\n const optional = this.eat(tt.question);\n if (optional) methodOrProp.optional = true;\n\n if ((methodOrProp: any).readonly && this.match(tt.parenL)) {\n this.raise(methodOrProp.start, TSErrors.ClassMethodHasReadonly);\n }\n\n if ((methodOrProp: any).declare && this.match(tt.parenL)) {\n this.raise(methodOrProp.start, TSErrors.ClassMethodHasDeclare);\n }\n }\n\n // Note: The reason we do this in `parseExpressionStatement` and not `parseStatement`\n // is that e.g. `type()` is valid JS, so we must try parsing that first.\n // If it's really a type, we will parse `type` as the statement, and can correct it here\n // by parsing the rest.\n parseExpressionStatement(\n node: N.ExpressionStatement,\n expr: N.Expression,\n ): N.Statement {\n const decl =\n expr.type === \"Identifier\"\n ? this.tsParseExpressionStatement(node, expr)\n : undefined;\n return decl || super.parseExpressionStatement(node, expr);\n }\n\n // export type\n // Should be true for anything parsed by `tsTryParseExportDeclaration`.\n shouldParseExportDeclaration(): boolean {\n if (this.tsIsDeclarationStart()) return true;\n return super.shouldParseExportDeclaration();\n }\n\n // An apparent conditional expression could actually be an optional parameter in an arrow function.\n parseConditional(\n expr: N.Expression,\n noIn: ?boolean,\n startPos: number,\n startLoc: Position,\n refNeedsArrowPos?: ?Pos,\n ): N.Expression {\n // only do the expensive clone if there is a question mark\n // and if we come from inside parens\n if (!refNeedsArrowPos || !this.match(tt.question)) {\n return super.parseConditional(\n expr,\n noIn,\n startPos,\n startLoc,\n refNeedsArrowPos,\n );\n }\n\n const result = this.tryParse(() =>\n super.parseConditional(expr, noIn, startPos, startLoc),\n );\n\n if (!result.node) {\n // $FlowIgnore\n refNeedsArrowPos.start = result.error.pos || this.state.start;\n return expr;\n }\n if (result.error) this.state = result.failState;\n return result.node;\n }\n\n // Note: These \"type casts\" are *not* valid TS expressions.\n // But we parse them here and change them when completing the arrow function.\n parseParenItem(\n node: N.Expression,\n startPos: number,\n startLoc: Position,\n ): N.Expression {\n node = super.parseParenItem(node, startPos, startLoc);\n if (this.eat(tt.question)) {\n node.optional = true;\n // Include questionmark in location of node\n // Don't use this.finishNode() as otherwise we might process comments twice and\n // include already consumed parens\n this.resetEndLocation(node);\n }\n\n if (this.match(tt.colon)) {\n const typeCastNode: N.TsTypeCastExpression = this.startNodeAt(\n startPos,\n startLoc,\n );\n typeCastNode.expression = node;\n typeCastNode.typeAnnotation = this.tsParseTypeAnnotation();\n\n return this.finishNode(typeCastNode, \"TSTypeCastExpression\");\n }\n\n return node;\n }\n\n parseExportDeclaration(node: N.ExportNamedDeclaration): ?N.Declaration {\n // Store original location/position\n const startPos = this.state.start;\n const startLoc = this.state.startLoc;\n\n // \"export declare\" is equivalent to just \"export\".\n const isDeclare = this.eatContextual(\"declare\");\n\n let declaration: ?N.Declaration;\n\n if (this.match(tt.name)) {\n declaration = this.tsTryParseExportDeclaration();\n }\n if (!declaration) {\n declaration = super.parseExportDeclaration(node);\n }\n if (\n declaration &&\n (declaration.type === \"TSInterfaceDeclaration\" ||\n declaration.type === \"TSTypeAliasDeclaration\" ||\n isDeclare)\n ) {\n node.exportKind = \"type\";\n }\n\n if (declaration && isDeclare) {\n // Reset location to include `declare` in range\n this.resetStartLocation(declaration, startPos, startLoc);\n\n declaration.declare = true;\n }\n\n return declaration;\n }\n\n parseClassId(\n node: N.Class,\n isStatement: boolean,\n optionalId: ?boolean,\n ): void {\n if ((!isStatement || optionalId) && this.isContextual(\"implements\")) {\n return;\n }\n\n super.parseClassId(\n node,\n isStatement,\n optionalId,\n (node: any).declare ? BIND_TS_AMBIENT : BIND_CLASS,\n );\n const typeParameters = this.tsTryParseTypeParameters();\n if (typeParameters) node.typeParameters = typeParameters;\n }\n\n parseClassPropertyAnnotation(\n node: N.ClassProperty | N.ClassPrivateProperty,\n ): void {\n if (!node.optional && this.eat(tt.bang)) {\n node.definite = true;\n }\n\n const type = this.tsTryParseTypeAnnotation();\n if (type) node.typeAnnotation = type;\n }\n\n parseClassProperty(node: N.ClassProperty): N.ClassProperty {\n this.parseClassPropertyAnnotation(node);\n\n if (node.declare && this.match(tt.equal)) {\n this.raise(this.state.start, TSErrors.DeclareClassFieldHasInitializer);\n }\n\n return super.parseClassProperty(node);\n }\n\n parseClassPrivateProperty(\n node: N.ClassPrivateProperty,\n ): N.ClassPrivateProperty {\n // $FlowIgnore\n if (node.abstract) {\n this.raise(node.start, TSErrors.PrivateElementHasAbstract);\n }\n\n // $FlowIgnore\n if (node.accessibility) {\n this.raise(\n node.start,\n TSErrors.PrivateElementHasAccessibility,\n node.accessibility,\n );\n }\n\n this.parseClassPropertyAnnotation(node);\n return super.parseClassPrivateProperty(node);\n }\n\n pushClassMethod(\n classBody: N.ClassBody,\n method: N.ClassMethod,\n isGenerator: boolean,\n isAsync: boolean,\n isConstructor: boolean,\n allowsDirectSuper: boolean,\n ): void {\n const typeParameters = this.tsTryParseTypeParameters();\n if (typeParameters) method.typeParameters = typeParameters;\n super.pushClassMethod(\n classBody,\n method,\n isGenerator,\n isAsync,\n isConstructor,\n allowsDirectSuper,\n );\n }\n\n pushClassPrivateMethod(\n classBody: N.ClassBody,\n method: N.ClassPrivateMethod,\n isGenerator: boolean,\n isAsync: boolean,\n ): void {\n const typeParameters = this.tsTryParseTypeParameters();\n if (typeParameters) method.typeParameters = typeParameters;\n super.pushClassPrivateMethod(classBody, method, isGenerator, isAsync);\n }\n\n parseClassSuper(node: N.Class): void {\n super.parseClassSuper(node);\n if (node.superClass && this.isRelational(\"<\")) {\n node.superTypeParameters = this.tsParseTypeArguments();\n }\n if (this.eatContextual(\"implements\")) {\n node.implements = this.tsParseHeritageClause(\"implements\");\n }\n }\n\n parseObjPropValue(prop: N.ObjectMember, ...args): void {\n const typeParameters = this.tsTryParseTypeParameters();\n if (typeParameters) prop.typeParameters = typeParameters;\n\n super.parseObjPropValue(prop, ...args);\n }\n\n parseFunctionParams(node: N.Function, allowModifiers?: boolean): void {\n const typeParameters = this.tsTryParseTypeParameters();\n if (typeParameters) node.typeParameters = typeParameters;\n super.parseFunctionParams(node, allowModifiers);\n }\n\n // `let x: number;`\n parseVarId(\n decl: N.VariableDeclarator,\n kind: \"var\" | \"let\" | \"const\",\n ): void {\n super.parseVarId(decl, kind);\n if (decl.id.type === \"Identifier\" && this.eat(tt.bang)) {\n decl.definite = true;\n }\n\n const type = this.tsTryParseTypeAnnotation();\n if (type) {\n decl.id.typeAnnotation = type;\n this.resetEndLocation(decl.id); // set end position to end of type\n }\n }\n\n // parse the return type of an async arrow function - let foo = (async (): number => {});\n parseAsyncArrowFromCallExpression(\n node: N.ArrowFunctionExpression,\n call: N.CallExpression,\n ): N.ArrowFunctionExpression {\n if (this.match(tt.colon)) {\n node.returnType = this.tsParseTypeAnnotation();\n }\n return super.parseAsyncArrowFromCallExpression(node, call);\n }\n\n parseMaybeAssign(...args): N.Expression {\n // Note: When the JSX plugin is on, type assertions (`<T> x`) aren't valid syntax.\n\n let state: ?State;\n let jsx;\n let typeCast;\n\n if (this.match(tt.jsxTagStart)) {\n // Prefer to parse JSX if possible. But may be an arrow fn.\n state = this.state.clone();\n\n jsx = this.tryParse(() => super.parseMaybeAssign(...args), state);\n /*:: invariant(!jsx.aborted) */\n\n if (!jsx.error) return jsx.node;\n\n // Remove `tc.j_expr` and `tc.j_oTag` from context added\n // by parsing `jsxTagStart` to stop the JSX plugin from\n // messing with the tokens\n const { context } = this.state;\n if (context[context.length - 1] === ct.j_oTag) {\n context.length -= 2;\n } else if (context[context.length - 1] === ct.j_expr) {\n context.length -= 1;\n }\n }\n\n if (!jsx?.error && !this.isRelational(\"<\")) {\n return super.parseMaybeAssign(...args);\n }\n\n // Either way, we're looking at a '<': tt.jsxTagStart or relational.\n\n let typeParameters: N.TsTypeParameterDeclaration;\n state = state || this.state.clone();\n\n const arrow = this.tryParse(abort => {\n // This is similar to TypeScript's `tryParseParenthesizedArrowFunctionExpression`.\n typeParameters = this.tsParseTypeParameters();\n const expr = super.parseMaybeAssign(...args);\n\n if (\n expr.type !== \"ArrowFunctionExpression\" ||\n (expr.extra && expr.extra.parenthesized)\n ) {\n abort();\n }\n\n // Correct TypeScript code should have at least 1 type parameter, but don't crash on bad code.\n if (typeParameters?.params.length !== 0) {\n this.resetStartLocationFromNode(expr, typeParameters);\n }\n expr.typeParameters = typeParameters;\n return expr;\n }, state);\n\n if (!arrow.error && !arrow.aborted) return arrow.node;\n\n if (!jsx) {\n // Try parsing a type cast instead of an arrow function.\n // This will never happen outside of JSX.\n // (Because in JSX the '<' should be a jsxTagStart and not a relational.\n assert(!this.hasPlugin(\"jsx\"));\n\n // This will start with a type assertion (via parseMaybeUnary).\n // But don't directly call `this.tsParseTypeAssertion` because we want to handle any binary after it.\n typeCast = this.tryParse(() => super.parseMaybeAssign(...args), state);\n /*:: invariant(!typeCast.aborted) */\n if (!typeCast.error) return typeCast.node;\n }\n\n if (jsx?.node) {\n /*:: invariant(jsx.failState) */\n this.state = jsx.failState;\n return jsx.node;\n }\n\n if (arrow.node) {\n /*:: invariant(arrow.failState) */\n this.state = arrow.failState;\n return arrow.node;\n }\n\n if (typeCast?.node) {\n /*:: invariant(typeCast.failState) */\n this.state = typeCast.failState;\n return typeCast.node;\n }\n\n if (jsx?.thrown) throw jsx.error;\n if (arrow.thrown) throw arrow.error;\n if (typeCast?.thrown) throw typeCast.error;\n\n throw jsx?.error || arrow.error || typeCast?.error;\n }\n\n // Handle type assertions\n parseMaybeUnary(refExpressionErrors?: ?ExpressionErrors): N.Expression {\n if (!this.hasPlugin(\"jsx\") && this.isRelational(\"<\")) {\n return this.tsParseTypeAssertion();\n } else {\n return super.parseMaybeUnary(refExpressionErrors);\n }\n }\n\n parseArrow(node: N.ArrowFunctionExpression): ?N.ArrowFunctionExpression {\n if (this.match(tt.colon)) {\n // This is different from how the TS parser does it.\n // TS uses lookahead. The Babel Parser parses it as a parenthesized expression and converts.\n\n const result = this.tryParse(abort => {\n const returnType = this.tsParseTypeOrTypePredicateAnnotation(\n tt.colon,\n );\n if (this.canInsertSemicolon() || !this.match(tt.arrow)) abort();\n return returnType;\n });\n\n if (result.aborted) return;\n\n if (!result.thrown) {\n if (result.error) this.state = result.failState;\n node.returnType = result.node;\n }\n }\n\n return super.parseArrow(node);\n }\n\n // Allow type annotations inside of a parameter list.\n parseAssignableListItemTypes(param: N.Pattern) {\n if (this.eat(tt.question)) {\n if (param.type !== \"Identifier\") {\n this.raise(param.start, TSErrors.PatternIsOptional);\n }\n\n ((param: any): N.Identifier).optional = true;\n }\n const type = this.tsTryParseTypeAnnotation();\n if (type) param.typeAnnotation = type;\n this.resetEndLocation(param);\n\n return param;\n }\n\n toAssignable(node: N.Node): N.Node {\n switch (node.type) {\n case \"TSTypeCastExpression\":\n return super.toAssignable(this.typeCastToParameter(node));\n case \"TSParameterProperty\":\n return super.toAssignable(node);\n case \"TSAsExpression\":\n case \"TSNonNullExpression\":\n case \"TSTypeAssertion\":\n node.expression = this.toAssignable(node.expression);\n return node;\n default:\n return super.toAssignable(node);\n }\n }\n\n checkLVal(\n expr: N.Expression,\n bindingType: BindingTypes = BIND_NONE,\n checkClashes: ?{ [key: string]: boolean },\n contextDescription: string,\n ): void {\n switch (expr.type) {\n case \"TSTypeCastExpression\":\n // Allow \"typecasts\" to appear on the left of assignment expressions,\n // because it may be in an arrow function.\n // e.g. `const f = (foo: number = 0) => foo;`\n return;\n case \"TSParameterProperty\":\n this.checkLVal(\n expr.parameter,\n bindingType,\n checkClashes,\n \"parameter property\",\n );\n return;\n case \"TSAsExpression\":\n case \"TSNonNullExpression\":\n case \"TSTypeAssertion\":\n this.checkLVal(\n expr.expression,\n bindingType,\n checkClashes,\n contextDescription,\n );\n return;\n default:\n super.checkLVal(expr, bindingType, checkClashes, contextDescription);\n return;\n }\n }\n\n parseBindingAtom(): N.Pattern {\n switch (this.state.type) {\n case tt._this:\n // \"this\" may be the name of a parameter, so allow it.\n return this.parseIdentifier(/* liberal */ true);\n default:\n return super.parseBindingAtom();\n }\n }\n\n parseMaybeDecoratorArguments(expr: N.Expression): N.Expression {\n if (this.isRelational(\"<\")) {\n const typeArguments = this.tsParseTypeArguments();\n\n if (this.match(tt.parenL)) {\n const call = super.parseMaybeDecoratorArguments(expr);\n call.typeParameters = typeArguments;\n return call;\n }\n\n this.unexpected(this.state.start, tt.parenL);\n }\n\n return super.parseMaybeDecoratorArguments(expr);\n }\n\n // === === === === === === === === === === === === === === === ===\n // Note: All below methods are duplicates of something in flow.js.\n // Not sure what the best way to combine these is.\n // === === === === === === === === === === === === === === === ===\n\n isClassMethod(): boolean {\n return this.isRelational(\"<\") || super.isClassMethod();\n }\n\n isClassProperty(): boolean {\n return (\n this.match(tt.bang) || this.match(tt.colon) || super.isClassProperty()\n );\n }\n\n parseMaybeDefault(...args): N.Pattern {\n const node = super.parseMaybeDefault(...args);\n\n if (\n node.type === \"AssignmentPattern\" &&\n node.typeAnnotation &&\n node.right.start < node.typeAnnotation.start\n ) {\n this.raise(\n node.typeAnnotation.start,\n TSErrors.TypeAnnotationAfterAssign,\n );\n }\n\n return node;\n }\n\n // ensure that inside types, we bypass the jsx parser plugin\n getTokenFromCode(code: number): void {\n if (\n this.state.inType &&\n (code === charCodes.greaterThan || code === charCodes.lessThan)\n ) {\n return this.finishOp(tt.relational, 1);\n } else {\n return super.getTokenFromCode(code);\n }\n }\n\n // used after we have finished parsing types\n reScan_lt_gt() {\n if (this.match(tt.relational)) {\n const code = this.input.charCodeAt(this.state.start);\n if (code === charCodes.lessThan || code === charCodes.greaterThan) {\n this.state.pos -= 1;\n this.readToken_lt_gt(code);\n }\n }\n }\n\n toAssignableList(exprList: N.Expression[]): $ReadOnlyArray<N.Pattern> {\n for (let i = 0; i < exprList.length; i++) {\n const expr = exprList[i];\n if (!expr) continue;\n switch (expr.type) {\n case \"TSTypeCastExpression\":\n exprList[i] = this.typeCastToParameter(expr);\n break;\n case \"TSAsExpression\":\n case \"TSTypeAssertion\":\n if (!this.state.maybeInArrowParameters) {\n exprList[i] = this.typeCastToParameter(expr);\n } else {\n this.raise(expr.start, TSErrors.UnexpectedTypeCastInParameter);\n }\n break;\n }\n }\n return super.toAssignableList(...arguments);\n }\n\n typeCastToParameter(node: N.TsTypeCastExpression): N.Node {\n node.expression.typeAnnotation = node.typeAnnotation;\n\n this.resetEndLocation(\n node.expression,\n node.typeAnnotation.end,\n node.typeAnnotation.loc.end,\n );\n\n return node.expression;\n }\n\n toReferencedList(\n exprList: $ReadOnlyArray<?N.Expression>,\n isInParens?: boolean, // eslint-disable-line no-unused-vars\n ): $ReadOnlyArray<?N.Expression> {\n for (let i = 0; i < exprList.length; i++) {\n const expr = exprList[i];\n if (expr?.type === \"TSTypeCastExpression\") {\n this.raise(expr.start, TSErrors.UnexpectedTypeAnnotation);\n }\n }\n\n return exprList;\n }\n\n shouldParseArrow() {\n return this.match(tt.colon) || super.shouldParseArrow();\n }\n\n shouldParseAsyncArrow(): boolean {\n return this.match(tt.colon) || super.shouldParseAsyncArrow();\n }\n\n canHaveLeadingDecorator() {\n // Avoid unnecessary lookahead in checking for abstract class unless needed!\n return super.canHaveLeadingDecorator() || this.isAbstractClass();\n }\n\n jsxParseOpeningElementAfterName(\n node: N.JSXOpeningElement,\n ): N.JSXOpeningElement {\n if (this.isRelational(\"<\")) {\n const typeArguments = this.tsTryParseAndCatch(() =>\n this.tsParseTypeArguments(),\n );\n if (typeArguments) node.typeParameters = typeArguments;\n }\n return super.jsxParseOpeningElementAfterName(node);\n }\n\n getGetterSetterExpectedParamCount(\n method: N.ObjectMethod | N.ClassMethod,\n ): number {\n const baseCount = super.getGetterSetterExpectedParamCount(method);\n const firstParam = method.params[0];\n const hasContextParam =\n firstParam &&\n firstParam.type === \"Identifier\" &&\n firstParam.name === \"this\";\n\n return hasContextParam ? baseCount + 1 : baseCount;\n }\n\n parseCatchClauseParam(): N.Identifier {\n const param = super.parseCatchClauseParam();\n const type = this.tsTryParseTypeAnnotation();\n\n if (type) {\n param.typeAnnotation = type;\n }\n\n return param;\n }\n };\n","// @flow\n\nimport * as charCodes from \"charcodes\";\n\nimport { types as tt, TokenType } from \"../tokenizer/types\";\nimport type Parser from \"../parser\";\nimport * as N from \"../types\";\n\ntt.placeholder = new TokenType(\"%%\", { startsExpr: true });\n\nexport type PlaceholderTypes =\n | \"Identifier\"\n | \"StringLiteral\"\n | \"Expression\"\n | \"Statement\"\n | \"Declaration\"\n | \"BlockStatement\"\n | \"ClassBody\"\n | \"Pattern\";\n\n// $PropertyType doesn't support enums. Use a fake \"switch\" (GetPlaceholderNode)\n//type MaybePlaceholder<T: PlaceholderTypes> = $PropertyType<N, T> | N.Placeholder<T>;\n\ntype _Switch<Value, Cases, Index> = $Call<\n (\n $ElementType<$ElementType<Cases, Index>, 0>,\n ) => $ElementType<$ElementType<Cases, Index>, 1>,\n Value,\n>;\ntype $Switch<Value, Cases> = _Switch<Value, Cases, *>;\n\ntype NodeOf<T: PlaceholderTypes> = $Switch<\n T,\n [\n [\"Identifier\", N.Identifier],\n [\"StringLiteral\", N.StringLiteral],\n [\"Expression\", N.Expression],\n [\"Statement\", N.Statement],\n [\"Declaration\", N.Declaration],\n [\"BlockStatement\", N.BlockStatement],\n [\"ClassBody\", N.ClassBody],\n [\"Pattern\", N.Pattern],\n ],\n>;\n\n// Placeholder<T> breaks everything, because its type is incompatible with\n// the substituted nodes.\ntype MaybePlaceholder<T: PlaceholderTypes> = NodeOf<T>; // | Placeholder<T>\n\nexport default (superClass: Class<Parser>): Class<Parser> =>\n class extends superClass {\n parsePlaceholder<T: PlaceholderTypes>(\n expectedNode: T,\n ): /*?N.Placeholder<T>*/ ?MaybePlaceholder<T> {\n if (this.match(tt.placeholder)) {\n const node = this.startNode();\n this.next();\n this.assertNoSpace(\"Unexpected space in placeholder.\");\n\n // We can't use this.parseIdentifier because\n // we don't want nested placeholders.\n node.name = super.parseIdentifier(/* liberal */ true);\n\n this.assertNoSpace(\"Unexpected space in placeholder.\");\n this.expect(tt.placeholder);\n return this.finishPlaceholder(node, expectedNode);\n }\n }\n\n finishPlaceholder<T: PlaceholderTypes>(\n node: N.Node,\n expectedNode: T,\n ): /*N.Placeholder<T>*/ MaybePlaceholder<T> {\n const isFinished = !!(node.expectedNode && node.type === \"Placeholder\");\n node.expectedNode = expectedNode;\n\n return isFinished ? node : this.finishNode(node, \"Placeholder\");\n }\n\n /* ============================================================ *\n * tokenizer/index.js *\n * ============================================================ */\n\n getTokenFromCode(code: number) {\n if (\n code === charCodes.percentSign &&\n this.input.charCodeAt(this.state.pos + 1) === charCodes.percentSign\n ) {\n return this.finishOp(tt.placeholder, 2);\n }\n\n return super.getTokenFromCode(...arguments);\n }\n\n /* ============================================================ *\n * parser/expression.js *\n * ============================================================ */\n\n parseExprAtom(): MaybePlaceholder<\"Expression\"> {\n return (\n this.parsePlaceholder(\"Expression\") || super.parseExprAtom(...arguments)\n );\n }\n\n parseIdentifier(): MaybePlaceholder<\"Identifier\"> {\n // NOTE: This function only handles identifiers outside of\n // expressions and binding patterns, since they are already\n // handled by the parseExprAtom and parseBindingAtom functions.\n // This is needed, for example, to parse \"class %%NAME%% {}\".\n return (\n this.parsePlaceholder(\"Identifier\") ||\n super.parseIdentifier(...arguments)\n );\n }\n\n checkReservedWord(word: string): void {\n // Sometimes we call #checkReservedWord(node.name), expecting\n // that node is an Identifier. If it is a Placeholder, name\n // will be undefined.\n if (word !== undefined) super.checkReservedWord(...arguments);\n }\n\n /* ============================================================ *\n * parser/lval.js *\n * ============================================================ */\n\n parseBindingAtom(): MaybePlaceholder<\"Pattern\"> {\n return (\n this.parsePlaceholder(\"Pattern\") || super.parseBindingAtom(...arguments)\n );\n }\n\n checkLVal(expr: N.Expression): void {\n if (expr.type !== \"Placeholder\") super.checkLVal(...arguments);\n }\n\n toAssignable(node: N.Node): N.Node {\n if (\n node &&\n node.type === \"Placeholder\" &&\n node.expectedNode === \"Expression\"\n ) {\n node.expectedNode = \"Pattern\";\n return node;\n }\n return super.toAssignable(...arguments);\n }\n\n /* ============================================================ *\n * parser/statement.js *\n * ============================================================ */\n\n verifyBreakContinue(node: N.BreakStatement | N.ContinueStatement) {\n if (node.label && node.label.type === \"Placeholder\") return;\n super.verifyBreakContinue(...arguments);\n }\n\n parseExpressionStatement(\n node: MaybePlaceholder<\"Statement\">,\n expr: N.Expression,\n ): MaybePlaceholder<\"Statement\"> {\n if (\n expr.type !== \"Placeholder\" ||\n (expr.extra && expr.extra.parenthesized)\n ) {\n return super.parseExpressionStatement(...arguments);\n }\n\n if (this.match(tt.colon)) {\n const stmt: N.LabeledStatement = node;\n stmt.label = this.finishPlaceholder(expr, \"Identifier\");\n this.next();\n stmt.body = this.parseStatement(\"label\");\n return this.finishNode(stmt, \"LabeledStatement\");\n }\n\n this.semicolon();\n\n node.name = expr.name;\n return this.finishPlaceholder(node, \"Statement\");\n }\n\n parseBlock(): MaybePlaceholder<\"BlockStatement\"> {\n return (\n this.parsePlaceholder(\"BlockStatement\") ||\n super.parseBlock(...arguments)\n );\n }\n\n parseFunctionId(): ?MaybePlaceholder<\"Identifier\"> {\n return (\n this.parsePlaceholder(\"Identifier\") ||\n super.parseFunctionId(...arguments)\n );\n }\n\n parseClass<T: N.Class>(\n node: T,\n isStatement: /* T === ClassDeclaration */ boolean,\n optionalId?: boolean,\n ): T {\n const type = isStatement ? \"ClassDeclaration\" : \"ClassExpression\";\n\n this.next();\n this.takeDecorators(node);\n\n const placeholder = this.parsePlaceholder(\"Identifier\");\n if (placeholder) {\n if (\n this.match(tt._extends) ||\n this.match(tt.placeholder) ||\n this.match(tt.braceL)\n ) {\n node.id = placeholder;\n } else if (optionalId || !isStatement) {\n node.id = null;\n node.body = this.finishPlaceholder(placeholder, \"ClassBody\");\n return this.finishNode(node, type);\n } else {\n this.unexpected(null, \"A class name is required\");\n }\n } else {\n this.parseClassId(node, isStatement, optionalId);\n }\n\n this.parseClassSuper(node);\n node.body =\n this.parsePlaceholder(\"ClassBody\") ||\n this.parseClassBody(!!node.superClass);\n return this.finishNode(node, type);\n }\n\n parseExport(node: N.Node): N.Node {\n const placeholder = this.parsePlaceholder(\"Identifier\");\n if (!placeholder) return super.parseExport(...arguments);\n\n if (!this.isContextual(\"from\") && !this.match(tt.comma)) {\n // export %%DECL%%;\n node.specifiers = [];\n node.source = null;\n node.declaration = this.finishPlaceholder(placeholder, \"Declaration\");\n return this.finishNode(node, \"ExportNamedDeclaration\");\n }\n\n // export %%NAME%% from \"foo\";\n this.expectPlugin(\"exportDefaultFrom\");\n const specifier = this.startNode();\n specifier.exported = placeholder;\n node.specifiers = [this.finishNode(specifier, \"ExportDefaultSpecifier\")];\n\n return super.parseExport(node);\n }\n\n isExportDefaultSpecifier(): boolean {\n if (this.match(tt._default)) {\n const next = this.nextTokenStart();\n if (this.isUnparsedContextual(next, \"from\")) {\n if (\n this.input.startsWith(\n tt.placeholder.label,\n this.nextTokenStartSince(next + 4),\n )\n ) {\n return true;\n }\n }\n }\n return super.isExportDefaultSpecifier();\n }\n\n maybeParseExportDefaultSpecifier(node: N.Node): boolean {\n if (node.specifiers && node.specifiers.length > 0) {\n // \"export %%NAME%%\" has already been parsed by #parseExport.\n return true;\n }\n return super.maybeParseExportDefaultSpecifier(...arguments);\n }\n\n checkExport(node: N.ExportNamedDeclaration): void {\n const { specifiers } = node;\n if (specifiers?.length) {\n node.specifiers = specifiers.filter(\n node => node.exported.type === \"Placeholder\",\n );\n }\n super.checkExport(node);\n node.specifiers = specifiers;\n }\n\n parseImport(\n node: N.Node,\n ): N.ImportDeclaration | N.TsImportEqualsDeclaration {\n const placeholder = this.parsePlaceholder(\"Identifier\");\n if (!placeholder) return super.parseImport(...arguments);\n\n node.specifiers = [];\n\n if (!this.isContextual(\"from\") && !this.match(tt.comma)) {\n // import %%STRING%%;\n node.source = this.finishPlaceholder(placeholder, \"StringLiteral\");\n this.semicolon();\n return this.finishNode(node, \"ImportDeclaration\");\n }\n\n // import %%DEFAULT%% ...\n const specifier = this.startNodeAtNode(placeholder);\n specifier.local = placeholder;\n this.finishNode(specifier, \"ImportDefaultSpecifier\");\n node.specifiers.push(specifier);\n\n if (this.eat(tt.comma)) {\n // import %%DEFAULT%%, * as ...\n const hasStarImport = this.maybeParseStarImportSpecifier(node);\n\n // import %%DEFAULT%%, { ...\n if (!hasStarImport) this.parseNamedImportSpecifiers(node);\n }\n\n this.expectContextual(\"from\");\n node.source = this.parseImportSource();\n this.semicolon();\n return this.finishNode(node, \"ImportDeclaration\");\n }\n\n parseImportSource(): MaybePlaceholder<\"StringLiteral\"> {\n // import ... from %%STRING%%;\n\n return (\n this.parsePlaceholder(\"StringLiteral\") ||\n super.parseImportSource(...arguments)\n );\n }\n };\n","import type Parser from \"../parser\";\nimport { types as tt } from \"../tokenizer/types\";\nimport * as N from \"../types\";\n\nexport default (superClass: Class<Parser>): Class<Parser> =>\n class extends superClass {\n parseV8Intrinsic(): N.Expression {\n if (this.match(tt.modulo)) {\n const v8IntrinsicStart = this.state.start;\n // let the `loc` of Identifier starts from `%`\n const node = this.startNode();\n this.eat(tt.modulo);\n if (this.match(tt.name)) {\n const name = this.parseIdentifierName(this.state.start);\n const identifier = this.createIdentifier(node, name);\n identifier.type = \"V8IntrinsicIdentifier\";\n if (this.match(tt.parenL)) {\n return identifier;\n }\n }\n this.unexpected(v8IntrinsicStart);\n }\n }\n\n /* ============================================================ *\n * parser/expression.js *\n * ============================================================ */\n\n parseExprAtom(): N.Expression {\n return this.parseV8Intrinsic() || super.parseExprAtom(...arguments);\n }\n };\n","// @flow\n\nimport type Parser from \"./parser\";\n\nexport type Plugin = string | [string, Object];\n\nexport type PluginList = $ReadOnlyArray<Plugin>;\n\nexport type MixinPlugin = (superClass: Class<Parser>) => Class<Parser>;\n\nexport function hasPlugin(plugins: PluginList, name: string): boolean {\n return plugins.some(plugin => {\n if (Array.isArray(plugin)) {\n return plugin[0] === name;\n } else {\n return plugin === name;\n }\n });\n}\n\nexport function getPluginOption(\n plugins: PluginList,\n name: string,\n option: string,\n) {\n const plugin = plugins.find(plugin => {\n if (Array.isArray(plugin)) {\n return plugin[0] === name;\n } else {\n return plugin === name;\n }\n });\n\n if (plugin && Array.isArray(plugin)) {\n return plugin[1][option];\n }\n\n return null;\n}\n\nconst PIPELINE_PROPOSALS = [\"minimal\", \"smart\", \"fsharp\"];\nconst RECORD_AND_TUPLE_SYNTAX_TYPES = [\"hash\", \"bar\"];\n\nexport function validatePlugins(plugins: PluginList) {\n if (hasPlugin(plugins, \"decorators\")) {\n if (hasPlugin(plugins, \"decorators-legacy\")) {\n throw new Error(\n \"Cannot use the decorators and decorators-legacy plugin together\",\n );\n }\n\n const decoratorsBeforeExport = getPluginOption(\n plugins,\n \"decorators\",\n \"decoratorsBeforeExport\",\n );\n if (decoratorsBeforeExport == null) {\n throw new Error(\n \"The 'decorators' plugin requires a 'decoratorsBeforeExport' option,\" +\n \" whose value must be a boolean. If you are migrating from\" +\n \" Babylon/Babel 6 or want to use the old decorators proposal, you\" +\n \" should use the 'decorators-legacy' plugin instead of 'decorators'.\",\n );\n } else if (typeof decoratorsBeforeExport !== \"boolean\") {\n throw new Error(\"'decoratorsBeforeExport' must be a boolean.\");\n }\n }\n\n if (hasPlugin(plugins, \"flow\") && hasPlugin(plugins, \"typescript\")) {\n throw new Error(\"Cannot combine flow and typescript plugins.\");\n }\n\n if (hasPlugin(plugins, \"placeholders\") && hasPlugin(plugins, \"v8intrinsic\")) {\n throw new Error(\"Cannot combine placeholders and v8intrinsic plugins.\");\n }\n\n if (\n hasPlugin(plugins, \"pipelineOperator\") &&\n !PIPELINE_PROPOSALS.includes(\n getPluginOption(plugins, \"pipelineOperator\", \"proposal\"),\n )\n ) {\n throw new Error(\n \"'pipelineOperator' requires 'proposal' option whose value should be one of: \" +\n PIPELINE_PROPOSALS.map(p => `'${p}'`).join(\", \"),\n );\n }\n\n if (hasPlugin(plugins, \"moduleAttributes\")) {\n const moduleAttributesVerionPluginOption = getPluginOption(\n plugins,\n \"moduleAttributes\",\n \"version\",\n );\n if (moduleAttributesVerionPluginOption !== \"may-2020\") {\n throw new Error(\n \"The 'moduleAttributes' plugin requires a 'version' option,\" +\n \" representing the last proposal update. Currently, the\" +\n \" only supported value is 'may-2020'.\",\n );\n }\n }\n if (\n hasPlugin(plugins, \"recordAndTuple\") &&\n !RECORD_AND_TUPLE_SYNTAX_TYPES.includes(\n getPluginOption(plugins, \"recordAndTuple\", \"syntaxType\"),\n )\n ) {\n throw new Error(\n \"'recordAndTuple' requires 'syntaxType' option whose value should be one of: \" +\n RECORD_AND_TUPLE_SYNTAX_TYPES.map(p => `'${p}'`).join(\", \"),\n );\n }\n}\n\n// These plugins are defined using a mixin which extends the parser class.\n\nimport estree from \"./plugins/estree\";\nimport flow from \"./plugins/flow\";\nimport jsx from \"./plugins/jsx\";\nimport typescript from \"./plugins/typescript\";\nimport placeholders from \"./plugins/placeholders\";\nimport v8intrinsic from \"./plugins/v8intrinsic\";\n\n// NOTE: order is important. estree must come first; placeholders must come last.\nexport const mixinPlugins: { [name: string]: MixinPlugin } = {\n estree,\n jsx,\n flow,\n typescript,\n v8intrinsic,\n placeholders,\n};\n\nexport const mixinPluginNames: $ReadOnlyArray<string> = Object.keys(\n mixinPlugins,\n);\n","// @flow\n\nimport type { PluginList } from \"./plugin-utils\";\n\n// A second optional argument can be given to further configure\n// the parser process. These options are recognized:\n\nexport type SourceType = \"script\" | \"module\" | \"unambiguous\";\n\nexport type Options = {\n sourceType: SourceType,\n sourceFilename?: string,\n startLine: number,\n allowAwaitOutsideFunction: boolean,\n allowReturnOutsideFunction: boolean,\n allowImportExportEverywhere: boolean,\n allowSuperOutsideMethod: boolean,\n allowUndeclaredExports: boolean,\n plugins: PluginList,\n strictMode: ?boolean,\n ranges: boolean,\n tokens: boolean,\n createParenthesizedExpressions: boolean,\n errorRecovery: boolean,\n};\n\nexport const defaultOptions: Options = {\n // Source type (\"script\" or \"module\") for different semantics\n sourceType: \"script\",\n // Source filename.\n sourceFilename: undefined,\n // Line from which to start counting source. Useful for\n // integration with other tools.\n startLine: 1,\n // When enabled, await at the top level is not considered an\n // error.\n allowAwaitOutsideFunction: false,\n // When enabled, a return at the top level is not considered an\n // error.\n allowReturnOutsideFunction: false,\n // When enabled, import/export statements are not constrained to\n // appearing at the top of the program.\n allowImportExportEverywhere: false,\n // TODO\n allowSuperOutsideMethod: false,\n // When enabled, export statements can reference undeclared variables.\n allowUndeclaredExports: false,\n // An array of plugins to enable\n plugins: [],\n // TODO\n strictMode: null,\n // Nodes have their start and end characters offsets recorded in\n // `start` and `end` properties (directly on the node, rather than\n // the `loc` object, which holds line/column data. To also add a\n // [semi-standardized][range] `range` property holding a `[start,\n // end]` array with the same numbers, set the `ranges` option to\n // `true`.\n //\n // [range]: https://bugzilla.mozilla.org/show_bug.cgi?id=745678\n ranges: false,\n // Adds all parsed tokens to a `tokens` property on the `File` node\n tokens: false,\n // Whether to create ParenthesizedExpression AST nodes (if false\n // the parser sets extra.parenthesized on the expression nodes instead).\n createParenthesizedExpressions: false,\n // When enabled, errors are attached to the AST instead of being directly thrown.\n // Some errors will still throw, because @babel/parser can't always recover.\n errorRecovery: false,\n};\n\n// Interpret and default an options object\n\nexport function getOptions(opts: ?Options): Options {\n const options: any = {};\n for (const key of Object.keys(defaultOptions)) {\n options[key] = opts && opts[key] != null ? opts[key] : defaultOptions[key];\n }\n return options;\n}\n","// @flow\n\nimport type { Options } from \"../options\";\nimport * as N from \"../types\";\nimport { Position } from \"../util/location\";\n\nimport { types as ct, type TokContext } from \"./context\";\nimport { types as tt, type TokenType } from \"./types\";\n\ntype TopicContextState = {\n // When a topic binding has been currently established,\n // then this is 1. Otherwise, it is 0. This is forwards compatible\n // with a future plugin for multiple lexical topics.\n maxNumOfResolvableTopics: number,\n\n // When a topic binding has been currently established, and if that binding\n // has been used as a topic reference `#`, then this is 0. Otherwise, it is\n // `null`. This is forwards compatible with a future plugin for multiple\n // lexical topics.\n maxTopicIndex: null | 0,\n};\n\nexport default class State {\n strict: boolean;\n curLine: number;\n\n // And, if locations are used, the {line, column} object\n // corresponding to those offsets\n startLoc: Position;\n endLoc: Position;\n\n init(options: Options): void {\n this.strict =\n options.strictMode === false ? false : options.sourceType === \"module\";\n\n this.curLine = options.startLine;\n this.startLoc = this.endLoc = this.curPosition();\n }\n\n errors: SyntaxError[] = [];\n\n // Used to signify the start of a potential arrow function\n potentialArrowAt: number = -1;\n\n // Used to signify the start of an expression which looks like a\n // typed arrow function, but it isn't\n // e.g. a ? (b) : c => d\n // ^\n noArrowAt: number[] = [];\n\n // Used to signify the start of an expression whose params, if it looks like\n // an arrow function, shouldn't be converted to assignable nodes.\n // This is used to defer the validation of typed arrow functions inside\n // conditional expressions.\n // e.g. a ? (b) : c => d\n // ^\n noArrowParamsConversionAt: number[] = [];\n\n // Flags to track\n inParameters: boolean = false;\n maybeInArrowParameters: boolean = false;\n // This flag is used to track async arrow head across function declarations.\n // e.g. async (foo = function (await) {}) => {}\n // When parsing `await` in this expression, `maybeInAsyncArrowHead` is true\n // but `maybeInArrowParameters` is false\n maybeInAsyncArrowHead: boolean = false;\n inPipeline: boolean = false;\n inType: boolean = false;\n noAnonFunctionType: boolean = false;\n inPropertyName: boolean = false;\n hasFlowComment: boolean = false;\n isIterator: boolean = false;\n\n // For the smartPipelines plugin:\n topicContext: TopicContextState = {\n maxNumOfResolvableTopics: 0,\n maxTopicIndex: null,\n };\n\n // For the F# plugin\n soloAwait: boolean = false;\n inFSharpPipelineDirectBody: boolean = false;\n\n // Labels in scope.\n labels: Array<{\n kind: ?(\"loop\" | \"switch\"),\n name?: ?string,\n statementStart?: number,\n }> = [];\n\n // Leading decorators. Last element of the stack represents the decorators in current context.\n // Supports nesting of decorators, e.g. @foo(@bar class inner {}) class outer {}\n // where @foo belongs to the outer class and @bar to the inner\n decoratorStack: Array<Array<N.Decorator>> = [[]];\n\n // Positions to delayed-check that yield/await does not exist in default parameters.\n yieldPos: number = -1;\n awaitPos: number = -1;\n\n // Comment store.\n comments: Array<N.Comment> = [];\n\n // Comment attachment store\n trailingComments: Array<N.Comment> = [];\n leadingComments: Array<N.Comment> = [];\n commentStack: Array<{\n start: number,\n leadingComments: ?Array<N.Comment>,\n trailingComments: ?Array<N.Comment>,\n type: string,\n }> = [];\n // $FlowIgnore this is initialized when the parser starts.\n commentPreviousNode: N.Node = null;\n\n // The current position of the tokenizer in the input.\n pos: number = 0;\n lineStart: number = 0;\n\n // Properties of the current token:\n // Its type\n type: TokenType = tt.eof;\n\n // For tokens that include more information than their type, the value\n value: any = null;\n\n // Its start and end offset\n start: number = 0;\n end: number = 0;\n\n // Position information for the previous token\n // $FlowIgnore this is initialized when generating the second token.\n lastTokEndLoc: Position = null;\n // $FlowIgnore this is initialized when generating the second token.\n lastTokStartLoc: Position = null;\n lastTokStart: number = 0;\n lastTokEnd: number = 0;\n\n // The context stack is used to superficially track syntactic\n // context to predict whether a regular expression is allowed in a\n // given position.\n context: Array<TokContext> = [ct.braceStatement];\n exprAllowed: boolean = true;\n\n // Used to signal to callers of `readWord1` whether the word\n // contained any escape sequences. This is needed because words with\n // escape sequences must not be interpreted as keywords.\n containsEsc: boolean = false;\n\n // This property is used to throw an error for\n // an octal literal in a directive that occurs prior\n // to a \"use strict\" directive.\n octalPositions: number[] = [];\n\n // Names of exports store. `default` is stored as a name for both\n // `export default foo;` and `export { foo as default };`.\n exportedIdentifiers: Array<string> = [];\n\n // Tokens length in token store\n tokensLength: number = 0;\n\n curPosition(): Position {\n return new Position(this.curLine, this.pos - this.lineStart);\n }\n\n clone(skipArrays?: boolean): State {\n const state = new State();\n const keys = Object.keys(this);\n for (let i = 0, length = keys.length; i < length; i++) {\n const key = keys[i];\n // $FlowIgnore\n let val = this[key];\n\n if (!skipArrays && Array.isArray(val)) {\n val = val.slice();\n }\n\n // $FlowIgnore\n state[key] = val;\n }\n\n return state;\n }\n}\n","// @flow\n\n/*:: declare var invariant; */\n\nimport type { Options } from \"../options\";\nimport * as N from \"../types\";\nimport type { Position } from \"../util/location\";\nimport * as charCodes from \"charcodes\";\nimport { isIdentifierStart, isIdentifierChar } from \"../util/identifier\";\nimport { types as tt, keywords as keywordTypes, type TokenType } from \"./types\";\nimport { type TokContext, types as ct } from \"./context\";\nimport ParserErrors, { Errors } from \"../parser/error\";\nimport { SourceLocation } from \"../util/location\";\nimport {\n lineBreak,\n lineBreakG,\n isNewLine,\n isWhitespace,\n skipWhiteSpace,\n} from \"../util/whitespace\";\nimport State from \"./state\";\n\nconst VALID_REGEX_FLAGS = new Set([\"g\", \"m\", \"s\", \"i\", \"y\", \"u\"]);\n\n// The following character codes are forbidden from being\n// an immediate sibling of NumericLiteralSeparator _\n\nconst forbiddenNumericSeparatorSiblings = {\n decBinOct: [\n charCodes.dot,\n charCodes.uppercaseB,\n charCodes.uppercaseE,\n charCodes.uppercaseO,\n charCodes.underscore, // multiple separators are not allowed\n charCodes.lowercaseB,\n charCodes.lowercaseE,\n charCodes.lowercaseO,\n ],\n hex: [\n charCodes.dot,\n charCodes.uppercaseX,\n charCodes.underscore, // multiple separators are not allowed\n charCodes.lowercaseX,\n ],\n};\n\nconst allowedNumericSeparatorSiblings = {};\nallowedNumericSeparatorSiblings.bin = [\n // 0 - 1\n charCodes.digit0,\n charCodes.digit1,\n];\nallowedNumericSeparatorSiblings.oct = [\n // 0 - 7\n ...allowedNumericSeparatorSiblings.bin,\n\n charCodes.digit2,\n charCodes.digit3,\n charCodes.digit4,\n charCodes.digit5,\n charCodes.digit6,\n charCodes.digit7,\n];\nallowedNumericSeparatorSiblings.dec = [\n // 0 - 9\n ...allowedNumericSeparatorSiblings.oct,\n\n charCodes.digit8,\n charCodes.digit9,\n];\n\nallowedNumericSeparatorSiblings.hex = [\n // 0 - 9, A - F, a - f,\n ...allowedNumericSeparatorSiblings.dec,\n\n charCodes.uppercaseA,\n charCodes.uppercaseB,\n charCodes.uppercaseC,\n charCodes.uppercaseD,\n charCodes.uppercaseE,\n charCodes.uppercaseF,\n\n charCodes.lowercaseA,\n charCodes.lowercaseB,\n charCodes.lowercaseC,\n charCodes.lowercaseD,\n charCodes.lowercaseE,\n charCodes.lowercaseF,\n];\n\n// Object type used to represent tokens. Note that normally, tokens\n// simply exist as properties on the parser object. This is only\n// used for the onToken callback and the external tokenizer.\n\nexport class Token {\n constructor(state: State) {\n this.type = state.type;\n this.value = state.value;\n this.start = state.start;\n this.end = state.end;\n this.loc = new SourceLocation(state.startLoc, state.endLoc);\n }\n\n type: TokenType;\n value: any;\n start: number;\n end: number;\n loc: SourceLocation;\n}\n\n// ## Tokenizer\n\nexport default class Tokenizer extends ParserErrors {\n // Forward-declarations\n // parser/util.js\n /*::\n +unexpected: (pos?: ?number, messageOrType?: string | TokenType) => empty;\n +expectPlugin: (name: string, pos?: ?number) => true;\n */\n\n isLookahead: boolean;\n\n // Token store.\n tokens: Array<Token | N.Comment> = [];\n\n constructor(options: Options, input: string) {\n super();\n this.state = new State();\n this.state.init(options);\n this.input = input;\n this.length = input.length;\n this.isLookahead = false;\n }\n\n pushToken(token: Token | N.Comment) {\n // Pop out invalid tokens trapped by try-catch parsing.\n // Those parsing branches are mainly created by typescript and flow plugins.\n this.tokens.length = this.state.tokensLength;\n this.tokens.push(token);\n ++this.state.tokensLength;\n }\n\n // Move to the next token\n\n next(): void {\n if (!this.isLookahead) {\n this.checkKeywordEscapes();\n if (this.options.tokens) {\n this.pushToken(new Token(this.state));\n }\n }\n\n this.state.lastTokEnd = this.state.end;\n this.state.lastTokStart = this.state.start;\n this.state.lastTokEndLoc = this.state.endLoc;\n this.state.lastTokStartLoc = this.state.startLoc;\n this.nextToken();\n }\n\n // TODO\n\n eat(type: TokenType): boolean {\n if (this.match(type)) {\n this.next();\n return true;\n } else {\n return false;\n }\n }\n\n // TODO\n\n match(type: TokenType): boolean {\n return this.state.type === type;\n }\n\n // TODO\n\n lookahead(): State {\n const old = this.state;\n this.state = old.clone(true);\n\n this.isLookahead = true;\n this.next();\n this.isLookahead = false;\n\n const curr = this.state;\n this.state = old;\n return curr;\n }\n\n nextTokenStart(): number {\n return this.nextTokenStartSince(this.state.pos);\n }\n\n nextTokenStartSince(pos: number): number {\n skipWhiteSpace.lastIndex = pos;\n const skip = skipWhiteSpace.exec(this.input);\n // $FlowIgnore: The skipWhiteSpace ensures to match any string\n return pos + skip[0].length;\n }\n\n lookaheadCharCode(): number {\n return this.input.charCodeAt(this.nextTokenStart());\n }\n\n // Toggle strict mode. Re-reads the next number or string to please\n // pedantic tests (`\"use strict\"; 010;` should fail).\n\n setStrict(strict: boolean): void {\n this.state.strict = strict;\n if (!this.match(tt.num) && !this.match(tt.string)) return;\n this.state.pos = this.state.start;\n while (this.state.pos < this.state.lineStart) {\n this.state.lineStart =\n this.input.lastIndexOf(\"\\n\", this.state.lineStart - 2) + 1;\n --this.state.curLine;\n }\n this.nextToken();\n }\n\n curContext(): TokContext {\n return this.state.context[this.state.context.length - 1];\n }\n\n // Read a single token, updating the parser object's token-related\n // properties.\n\n nextToken(): void {\n const curContext = this.curContext();\n if (!curContext?.preserveSpace) this.skipSpace();\n\n this.state.octalPositions = [];\n this.state.start = this.state.pos;\n this.state.startLoc = this.state.curPosition();\n if (this.state.pos >= this.length) {\n this.finishToken(tt.eof);\n return;\n }\n\n const override = curContext?.override;\n if (override) {\n override(this);\n } else {\n this.getTokenFromCode(this.input.codePointAt(this.state.pos));\n }\n }\n\n pushComment(\n block: boolean,\n text: string,\n start: number,\n end: number,\n startLoc: Position,\n endLoc: Position,\n ): void {\n const comment = {\n type: block ? \"CommentBlock\" : \"CommentLine\",\n value: text,\n start: start,\n end: end,\n loc: new SourceLocation(startLoc, endLoc),\n };\n\n if (this.options.tokens) this.pushToken(comment);\n this.state.comments.push(comment);\n this.addComment(comment);\n }\n\n skipBlockComment(): void {\n const startLoc = this.state.curPosition();\n const start = this.state.pos;\n const end = this.input.indexOf(\"*/\", this.state.pos + 2);\n if (end === -1) throw this.raise(start, Errors.UnterminatedComment);\n\n this.state.pos = end + 2;\n lineBreakG.lastIndex = start;\n let match;\n while (\n (match = lineBreakG.exec(this.input)) &&\n match.index < this.state.pos\n ) {\n ++this.state.curLine;\n this.state.lineStart = match.index + match[0].length;\n }\n\n // If we are doing a lookahead right now we need to advance the position (above code)\n // but we do not want to push the comment to the state.\n if (this.isLookahead) return;\n\n this.pushComment(\n true,\n this.input.slice(start + 2, end),\n start,\n this.state.pos,\n startLoc,\n this.state.curPosition(),\n );\n }\n\n skipLineComment(startSkip: number): void {\n const start = this.state.pos;\n const startLoc = this.state.curPosition();\n let ch = this.input.charCodeAt((this.state.pos += startSkip));\n if (this.state.pos < this.length) {\n while (!isNewLine(ch) && ++this.state.pos < this.length) {\n ch = this.input.charCodeAt(this.state.pos);\n }\n }\n\n // If we are doing a lookahead right now we need to advance the position (above code)\n // but we do not want to push the comment to the state.\n if (this.isLookahead) return;\n\n this.pushComment(\n false,\n this.input.slice(start + startSkip, this.state.pos),\n start,\n this.state.pos,\n startLoc,\n this.state.curPosition(),\n );\n }\n\n // Called at the start of the parse and after every token. Skips\n // whitespace and comments, and.\n\n skipSpace(): void {\n loop: while (this.state.pos < this.length) {\n const ch = this.input.charCodeAt(this.state.pos);\n switch (ch) {\n case charCodes.space:\n case charCodes.nonBreakingSpace:\n case charCodes.tab:\n ++this.state.pos;\n break;\n case charCodes.carriageReturn:\n if (\n this.input.charCodeAt(this.state.pos + 1) === charCodes.lineFeed\n ) {\n ++this.state.pos;\n }\n // fall through\n case charCodes.lineFeed:\n case charCodes.lineSeparator:\n case charCodes.paragraphSeparator:\n ++this.state.pos;\n ++this.state.curLine;\n this.state.lineStart = this.state.pos;\n break;\n\n case charCodes.slash:\n switch (this.input.charCodeAt(this.state.pos + 1)) {\n case charCodes.asterisk:\n this.skipBlockComment();\n break;\n\n case charCodes.slash:\n this.skipLineComment(2);\n break;\n\n default:\n break loop;\n }\n break;\n\n default:\n if (isWhitespace(ch)) {\n ++this.state.pos;\n } else {\n break loop;\n }\n }\n }\n }\n\n // Called at the end of every token. Sets `end`, `val`, and\n // maintains `context` and `exprAllowed`, and skips the space after\n // the token, so that the next one's `start` will point at the\n // right position.\n\n finishToken(type: TokenType, val: any): void {\n this.state.end = this.state.pos;\n this.state.endLoc = this.state.curPosition();\n const prevType = this.state.type;\n this.state.type = type;\n this.state.value = val;\n\n if (!this.isLookahead) this.updateContext(prevType);\n }\n\n // ### Token reading\n\n // This is the function that is called to fetch the next token. It\n // is somewhat obscure, because it works in character codes rather\n // than characters, and because operator parsing has been inlined\n // into it.\n //\n // All in the name of speed.\n\n // number sign is \"#\"\n readToken_numberSign(): void {\n if (this.state.pos === 0 && this.readToken_interpreter()) {\n return;\n }\n\n const nextPos = this.state.pos + 1;\n const next = this.input.charCodeAt(nextPos);\n if (next >= charCodes.digit0 && next <= charCodes.digit9) {\n throw this.raise(this.state.pos, Errors.UnexpectedDigitAfterHash);\n }\n\n if (\n next === charCodes.leftCurlyBrace ||\n (next === charCodes.leftSquareBracket && this.hasPlugin(\"recordAndTuple\"))\n ) {\n // When we see `#{`, it is likely to be a hash record.\n // However we don't yell at `#[` since users may intend to use \"computed private fields\",\n // which is not allowed in the spec. Throwing expecting recordAndTuple is\n // misleading\n this.expectPlugin(\"recordAndTuple\");\n if (this.getPluginOption(\"recordAndTuple\", \"syntaxType\") !== \"hash\") {\n throw this.raise(\n this.state.pos,\n next === charCodes.leftCurlyBrace\n ? Errors.RecordExpressionHashIncorrectStartSyntaxType\n : Errors.TupleExpressionHashIncorrectStartSyntaxType,\n );\n }\n\n if (next === charCodes.leftCurlyBrace) {\n // #{\n this.finishToken(tt.braceHashL);\n } else {\n // #[\n this.finishToken(tt.bracketHashL);\n }\n this.state.pos += 2;\n } else {\n this.finishOp(tt.hash, 1);\n }\n }\n\n readToken_dot(): void {\n const next = this.input.charCodeAt(this.state.pos + 1);\n if (next >= charCodes.digit0 && next <= charCodes.digit9) {\n this.readNumber(true);\n return;\n }\n\n if (\n next === charCodes.dot &&\n this.input.charCodeAt(this.state.pos + 2) === charCodes.dot\n ) {\n this.state.pos += 3;\n this.finishToken(tt.ellipsis);\n } else {\n ++this.state.pos;\n this.finishToken(tt.dot);\n }\n }\n\n readToken_slash(): void {\n // '/'\n if (this.state.exprAllowed && !this.state.inType) {\n ++this.state.pos;\n this.readRegexp();\n return;\n }\n\n const next = this.input.charCodeAt(this.state.pos + 1);\n if (next === charCodes.equalsTo) {\n this.finishOp(tt.assign, 2);\n } else {\n this.finishOp(tt.slash, 1);\n }\n }\n\n readToken_interpreter(): boolean {\n if (this.state.pos !== 0 || this.length < 2) return false;\n\n let ch = this.input.charCodeAt(this.state.pos + 1);\n if (ch !== charCodes.exclamationMark) return false;\n\n const start = this.state.pos;\n this.state.pos += 1;\n\n while (!isNewLine(ch) && ++this.state.pos < this.length) {\n ch = this.input.charCodeAt(this.state.pos);\n }\n\n const value = this.input.slice(start + 2, this.state.pos);\n\n this.finishToken(tt.interpreterDirective, value);\n\n return true;\n }\n\n readToken_mult_modulo(code: number): void {\n // '%*'\n let type = code === charCodes.asterisk ? tt.star : tt.modulo;\n let width = 1;\n let next = this.input.charCodeAt(this.state.pos + 1);\n const exprAllowed = this.state.exprAllowed;\n\n // Exponentiation operator **\n if (code === charCodes.asterisk && next === charCodes.asterisk) {\n width++;\n next = this.input.charCodeAt(this.state.pos + 2);\n type = tt.exponent;\n }\n\n if (next === charCodes.equalsTo && !exprAllowed) {\n width++;\n type = tt.assign;\n }\n\n this.finishOp(type, width);\n }\n\n readToken_pipe_amp(code: number): void {\n // '||' '&&' '||=' '&&='\n const next = this.input.charCodeAt(this.state.pos + 1);\n\n if (next === code) {\n if (this.input.charCodeAt(this.state.pos + 2) === charCodes.equalsTo) {\n this.finishOp(tt.assign, 3);\n } else {\n this.finishOp(\n code === charCodes.verticalBar ? tt.logicalOR : tt.logicalAND,\n 2,\n );\n }\n return;\n }\n\n if (code === charCodes.verticalBar) {\n // '|>'\n if (next === charCodes.greaterThan) {\n this.finishOp(tt.pipeline, 2);\n return;\n }\n // '|}'\n if (\n this.hasPlugin(\"recordAndTuple\") &&\n next === charCodes.rightCurlyBrace\n ) {\n if (this.getPluginOption(\"recordAndTuple\", \"syntaxType\") !== \"bar\") {\n throw this.raise(\n this.state.pos,\n Errors.RecordExpressionBarIncorrectEndSyntaxType,\n );\n }\n\n this.finishOp(tt.braceBarR, 2);\n return;\n }\n\n // '|]'\n if (\n this.hasPlugin(\"recordAndTuple\") &&\n next === charCodes.rightSquareBracket\n ) {\n if (this.getPluginOption(\"recordAndTuple\", \"syntaxType\") !== \"bar\") {\n throw this.raise(\n this.state.pos,\n Errors.TupleExpressionBarIncorrectEndSyntaxType,\n );\n }\n\n this.finishOp(tt.bracketBarR, 2);\n return;\n }\n }\n\n if (next === charCodes.equalsTo) {\n this.finishOp(tt.assign, 2);\n return;\n }\n\n this.finishOp(\n code === charCodes.verticalBar ? tt.bitwiseOR : tt.bitwiseAND,\n 1,\n );\n }\n\n readToken_caret(): void {\n // '^'\n const next = this.input.charCodeAt(this.state.pos + 1);\n if (next === charCodes.equalsTo) {\n this.finishOp(tt.assign, 2);\n } else {\n this.finishOp(tt.bitwiseXOR, 1);\n }\n }\n\n readToken_plus_min(code: number): void {\n // '+-'\n const next = this.input.charCodeAt(this.state.pos + 1);\n\n if (next === code) {\n if (\n next === charCodes.dash &&\n !this.inModule &&\n this.input.charCodeAt(this.state.pos + 2) === charCodes.greaterThan &&\n (this.state.lastTokEnd === 0 ||\n lineBreak.test(\n this.input.slice(this.state.lastTokEnd, this.state.pos),\n ))\n ) {\n // A `-->` line comment\n this.skipLineComment(3);\n this.skipSpace();\n this.nextToken();\n return;\n }\n this.finishOp(tt.incDec, 2);\n return;\n }\n\n if (next === charCodes.equalsTo) {\n this.finishOp(tt.assign, 2);\n } else {\n this.finishOp(tt.plusMin, 1);\n }\n }\n\n readToken_lt_gt(code: number): void {\n // '<>'\n const next = this.input.charCodeAt(this.state.pos + 1);\n let size = 1;\n\n if (next === code) {\n size =\n code === charCodes.greaterThan &&\n this.input.charCodeAt(this.state.pos + 2) === charCodes.greaterThan\n ? 3\n : 2;\n if (this.input.charCodeAt(this.state.pos + size) === charCodes.equalsTo) {\n this.finishOp(tt.assign, size + 1);\n return;\n }\n this.finishOp(tt.bitShift, size);\n return;\n }\n\n if (\n next === charCodes.exclamationMark &&\n code === charCodes.lessThan &&\n !this.inModule &&\n this.input.charCodeAt(this.state.pos + 2) === charCodes.dash &&\n this.input.charCodeAt(this.state.pos + 3) === charCodes.dash\n ) {\n // `<!--`, an XML-style comment that should be interpreted as a line comment\n this.skipLineComment(4);\n this.skipSpace();\n this.nextToken();\n return;\n }\n\n if (next === charCodes.equalsTo) {\n // <= | >=\n size = 2;\n }\n\n this.finishOp(tt.relational, size);\n }\n\n readToken_eq_excl(code: number): void {\n // '=!'\n const next = this.input.charCodeAt(this.state.pos + 1);\n if (next === charCodes.equalsTo) {\n this.finishOp(\n tt.equality,\n this.input.charCodeAt(this.state.pos + 2) === charCodes.equalsTo\n ? 3\n : 2,\n );\n return;\n }\n if (code === charCodes.equalsTo && next === charCodes.greaterThan) {\n // '=>'\n this.state.pos += 2;\n this.finishToken(tt.arrow);\n return;\n }\n this.finishOp(code === charCodes.equalsTo ? tt.eq : tt.bang, 1);\n }\n\n readToken_question(): void {\n // '?'\n const next = this.input.charCodeAt(this.state.pos + 1);\n const next2 = this.input.charCodeAt(this.state.pos + 2);\n if (next === charCodes.questionMark) {\n if (next2 === charCodes.equalsTo) {\n // '??='\n this.finishOp(tt.assign, 3);\n } else {\n // '??'\n this.finishOp(tt.nullishCoalescing, 2);\n }\n } else if (\n next === charCodes.dot &&\n !(next2 >= charCodes.digit0 && next2 <= charCodes.digit9)\n ) {\n // '.' not followed by a number\n this.state.pos += 2;\n this.finishToken(tt.questionDot);\n } else {\n ++this.state.pos;\n this.finishToken(tt.question);\n }\n }\n\n getTokenFromCode(code: number): void {\n switch (code) {\n // The interpretation of a dot depends on whether it is followed\n // by a digit or another two dots.\n\n case charCodes.dot:\n this.readToken_dot();\n return;\n\n // Punctuation tokens.\n case charCodes.leftParenthesis:\n ++this.state.pos;\n this.finishToken(tt.parenL);\n return;\n case charCodes.rightParenthesis:\n ++this.state.pos;\n this.finishToken(tt.parenR);\n return;\n case charCodes.semicolon:\n ++this.state.pos;\n this.finishToken(tt.semi);\n return;\n case charCodes.comma:\n ++this.state.pos;\n this.finishToken(tt.comma);\n return;\n case charCodes.leftSquareBracket:\n if (\n this.hasPlugin(\"recordAndTuple\") &&\n this.input.charCodeAt(this.state.pos + 1) === charCodes.verticalBar\n ) {\n if (this.getPluginOption(\"recordAndTuple\", \"syntaxType\") !== \"bar\") {\n throw this.raise(\n this.state.pos,\n Errors.TupleExpressionBarIncorrectStartSyntaxType,\n );\n }\n\n // [|\n this.finishToken(tt.bracketBarL);\n this.state.pos += 2;\n } else {\n ++this.state.pos;\n this.finishToken(tt.bracketL);\n }\n return;\n case charCodes.rightSquareBracket:\n ++this.state.pos;\n this.finishToken(tt.bracketR);\n return;\n case charCodes.leftCurlyBrace:\n if (\n this.hasPlugin(\"recordAndTuple\") &&\n this.input.charCodeAt(this.state.pos + 1) === charCodes.verticalBar\n ) {\n if (this.getPluginOption(\"recordAndTuple\", \"syntaxType\") !== \"bar\") {\n throw this.raise(\n this.state.pos,\n Errors.RecordExpressionBarIncorrectStartSyntaxType,\n );\n }\n\n // {|\n this.finishToken(tt.braceBarL);\n this.state.pos += 2;\n } else {\n ++this.state.pos;\n this.finishToken(tt.braceL);\n }\n return;\n case charCodes.rightCurlyBrace:\n ++this.state.pos;\n this.finishToken(tt.braceR);\n return;\n\n case charCodes.colon:\n if (\n this.hasPlugin(\"functionBind\") &&\n this.input.charCodeAt(this.state.pos + 1) === charCodes.colon\n ) {\n this.finishOp(tt.doubleColon, 2);\n } else {\n ++this.state.pos;\n this.finishToken(tt.colon);\n }\n return;\n\n case charCodes.questionMark:\n this.readToken_question();\n return;\n\n case charCodes.graveAccent:\n ++this.state.pos;\n this.finishToken(tt.backQuote);\n return;\n\n case charCodes.digit0: {\n const next = this.input.charCodeAt(this.state.pos + 1);\n // '0x', '0X' - hex number\n if (next === charCodes.lowercaseX || next === charCodes.uppercaseX) {\n this.readRadixNumber(16);\n return;\n }\n // '0o', '0O' - octal number\n if (next === charCodes.lowercaseO || next === charCodes.uppercaseO) {\n this.readRadixNumber(8);\n return;\n }\n // '0b', '0B' - binary number\n if (next === charCodes.lowercaseB || next === charCodes.uppercaseB) {\n this.readRadixNumber(2);\n return;\n }\n }\n // Anything else beginning with a digit is an integer, octal\n // number, or float. (fall through)\n case charCodes.digit1:\n case charCodes.digit2:\n case charCodes.digit3:\n case charCodes.digit4:\n case charCodes.digit5:\n case charCodes.digit6:\n case charCodes.digit7:\n case charCodes.digit8:\n case charCodes.digit9:\n this.readNumber(false);\n return;\n\n // Quotes produce strings.\n case charCodes.quotationMark:\n case charCodes.apostrophe:\n this.readString(code);\n return;\n\n // Operators are parsed inline in tiny state machines. '=' (charCodes.equalsTo) is\n // often referred to. `finishOp` simply skips the amount of\n // characters it is given as second argument, and returns a token\n // of the type given by its first argument.\n\n case charCodes.slash:\n this.readToken_slash();\n return;\n\n case charCodes.percentSign:\n case charCodes.asterisk:\n this.readToken_mult_modulo(code);\n return;\n\n case charCodes.verticalBar:\n case charCodes.ampersand:\n this.readToken_pipe_amp(code);\n return;\n\n case charCodes.caret:\n this.readToken_caret();\n return;\n\n case charCodes.plusSign:\n case charCodes.dash:\n this.readToken_plus_min(code);\n return;\n\n case charCodes.lessThan:\n case charCodes.greaterThan:\n this.readToken_lt_gt(code);\n return;\n\n case charCodes.equalsTo:\n case charCodes.exclamationMark:\n this.readToken_eq_excl(code);\n return;\n\n case charCodes.tilde:\n this.finishOp(tt.tilde, 1);\n return;\n\n case charCodes.atSign:\n ++this.state.pos;\n this.finishToken(tt.at);\n return;\n\n case charCodes.numberSign:\n this.readToken_numberSign();\n return;\n\n case charCodes.backslash:\n this.readWord();\n return;\n\n default:\n if (isIdentifierStart(code)) {\n this.readWord();\n return;\n }\n }\n\n throw this.raise(\n this.state.pos,\n Errors.InvalidOrUnexpectedToken,\n String.fromCodePoint(code),\n );\n }\n\n finishOp(type: TokenType, size: number): void {\n const str = this.input.slice(this.state.pos, this.state.pos + size);\n this.state.pos += size;\n this.finishToken(type, str);\n }\n\n readRegexp(): void {\n const start = this.state.pos;\n let escaped, inClass;\n for (;;) {\n if (this.state.pos >= this.length) {\n throw this.raise(start, Errors.UnterminatedRegExp);\n }\n const ch = this.input.charAt(this.state.pos);\n if (lineBreak.test(ch)) {\n throw this.raise(start, Errors.UnterminatedRegExp);\n }\n if (escaped) {\n escaped = false;\n } else {\n if (ch === \"[\") {\n inClass = true;\n } else if (ch === \"]\" && inClass) {\n inClass = false;\n } else if (ch === \"/\" && !inClass) {\n break;\n }\n escaped = ch === \"\\\\\";\n }\n ++this.state.pos;\n }\n const content = this.input.slice(start, this.state.pos);\n ++this.state.pos;\n\n let mods = \"\";\n\n while (this.state.pos < this.length) {\n const char = this.input[this.state.pos];\n const charCode = this.input.codePointAt(this.state.pos);\n\n if (VALID_REGEX_FLAGS.has(char)) {\n if (mods.indexOf(char) > -1) {\n this.raise(this.state.pos + 1, Errors.DuplicateRegExpFlags);\n }\n } else if (\n isIdentifierChar(charCode) ||\n charCode === charCodes.backslash\n ) {\n this.raise(this.state.pos + 1, Errors.MalformedRegExpFlags);\n } else {\n break;\n }\n\n ++this.state.pos;\n mods += char;\n }\n\n this.finishToken(tt.regexp, {\n pattern: content,\n flags: mods,\n });\n }\n\n // Read an integer in the given radix. Return null if zero digits\n // were read, the integer value otherwise. When `len` is given, this\n // will return `null` unless the integer has exactly `len` digits.\n // When `forceLen` is `true`, it means that we already know that in case\n // of a malformed number we have to skip `len` characters anyway, instead\n // of bailing out early. For example, in \"\\u{123Z}\" we want to read up to }\n // anyway, while in \"\\u00Z\" we will stop at Z instead of consuming four\n // characters (and thus the closing quote).\n\n readInt(\n radix: number,\n len?: number,\n forceLen?: boolean,\n allowNumSeparator: boolean = true,\n ): number | null {\n const start = this.state.pos;\n const forbiddenSiblings =\n radix === 16\n ? forbiddenNumericSeparatorSiblings.hex\n : forbiddenNumericSeparatorSiblings.decBinOct;\n const allowedSiblings =\n radix === 16\n ? allowedNumericSeparatorSiblings.hex\n : radix === 10\n ? allowedNumericSeparatorSiblings.dec\n : radix === 8\n ? allowedNumericSeparatorSiblings.oct\n : allowedNumericSeparatorSiblings.bin;\n\n let invalid = false;\n let total = 0;\n\n for (let i = 0, e = len == null ? Infinity : len; i < e; ++i) {\n const code = this.input.charCodeAt(this.state.pos);\n let val;\n\n if (code === charCodes.underscore) {\n const prev = this.input.charCodeAt(this.state.pos - 1);\n const next = this.input.charCodeAt(this.state.pos + 1);\n if (allowedSiblings.indexOf(next) === -1) {\n this.raise(this.state.pos, Errors.UnexpectedNumericSeparator);\n } else if (\n forbiddenSiblings.indexOf(prev) > -1 ||\n forbiddenSiblings.indexOf(next) > -1 ||\n Number.isNaN(next)\n ) {\n this.raise(this.state.pos, Errors.UnexpectedNumericSeparator);\n }\n\n if (!allowNumSeparator) {\n this.raise(this.state.pos, Errors.NumericSeparatorInEscapeSequence);\n }\n\n // Ignore this _ character\n ++this.state.pos;\n continue;\n }\n\n if (code >= charCodes.lowercaseA) {\n val = code - charCodes.lowercaseA + charCodes.lineFeed;\n } else if (code >= charCodes.uppercaseA) {\n val = code - charCodes.uppercaseA + charCodes.lineFeed;\n } else if (charCodes.isDigit(code)) {\n val = code - charCodes.digit0; // 0-9\n } else {\n val = Infinity;\n }\n if (val >= radix) {\n // If we are in \"errorRecovery\" mode and we found a digit which is too big,\n // don't break the loop.\n\n if (this.options.errorRecovery && val <= 9) {\n val = 0;\n this.raise(this.state.start + i + 2, Errors.InvalidDigit, radix);\n } else if (forceLen) {\n val = 0;\n invalid = true;\n } else {\n break;\n }\n }\n ++this.state.pos;\n total = total * radix + val;\n }\n if (\n this.state.pos === start ||\n (len != null && this.state.pos - start !== len) ||\n invalid\n ) {\n return null;\n }\n\n return total;\n }\n\n readRadixNumber(radix: number): void {\n const start = this.state.pos;\n let isBigInt = false;\n\n this.state.pos += 2; // 0x\n const val = this.readInt(radix);\n if (val == null) {\n this.raise(this.state.start + 2, Errors.InvalidDigit, radix);\n }\n const next = this.input.charCodeAt(this.state.pos);\n\n if (next === charCodes.lowercaseN) {\n ++this.state.pos;\n isBigInt = true;\n } else if (next === charCodes.lowercaseM) {\n throw this.raise(start, Errors.InvalidDecimal);\n }\n\n if (isIdentifierStart(this.input.codePointAt(this.state.pos))) {\n throw this.raise(this.state.pos, Errors.NumberIdentifier);\n }\n\n if (isBigInt) {\n const str = this.input.slice(start, this.state.pos).replace(/[_n]/g, \"\");\n this.finishToken(tt.bigint, str);\n return;\n }\n\n this.finishToken(tt.num, val);\n }\n\n // Read an integer, octal integer, or floating-point number.\n\n readNumber(startsWithDot: boolean): void {\n const start = this.state.pos;\n let isFloat = false;\n let isBigInt = false;\n let isDecimal = false;\n let hasExponent = false;\n let isOctal = false;\n\n if (!startsWithDot && this.readInt(10) === null) {\n this.raise(start, Errors.InvalidNumber);\n }\n const hasLeadingZero =\n this.state.pos - start >= 2 &&\n this.input.charCodeAt(start) === charCodes.digit0;\n\n if (hasLeadingZero) {\n const integer = this.input.slice(start, this.state.pos);\n if (this.state.strict) {\n this.raise(start, Errors.StrictOctalLiteral);\n } else {\n // disallow numeric separators in non octal decimals and legacy octal likes\n const underscorePos = integer.indexOf(\"_\");\n if (underscorePos > 0) {\n this.raise(underscorePos + start, Errors.ZeroDigitNumericSeparator);\n }\n }\n isOctal = hasLeadingZero && !/[89]/.test(integer);\n }\n\n let next = this.input.charCodeAt(this.state.pos);\n if (next === charCodes.dot && !isOctal) {\n ++this.state.pos;\n this.readInt(10);\n isFloat = true;\n next = this.input.charCodeAt(this.state.pos);\n }\n\n if (\n (next === charCodes.uppercaseE || next === charCodes.lowercaseE) &&\n !isOctal\n ) {\n next = this.input.charCodeAt(++this.state.pos);\n if (next === charCodes.plusSign || next === charCodes.dash) {\n ++this.state.pos;\n }\n if (this.readInt(10) === null) this.raise(start, Errors.InvalidNumber);\n isFloat = true;\n hasExponent = true;\n next = this.input.charCodeAt(this.state.pos);\n }\n\n if (next === charCodes.lowercaseN) {\n // disallow floats, legacy octal syntax and non octal decimals\n // new style octal (\"0o\") is handled in this.readRadixNumber\n if (isFloat || hasLeadingZero) {\n this.raise(start, Errors.InvalidBigIntLiteral);\n }\n ++this.state.pos;\n isBigInt = true;\n }\n\n if (next === charCodes.lowercaseM) {\n this.expectPlugin(\"decimal\", this.state.pos);\n if (hasExponent || hasLeadingZero) {\n this.raise(start, Errors.InvalidDecimal);\n }\n ++this.state.pos;\n isDecimal = true;\n }\n\n if (isIdentifierStart(this.input.codePointAt(this.state.pos))) {\n throw this.raise(this.state.pos, Errors.NumberIdentifier);\n }\n\n // remove \"_\" for numeric literal separator, and trailing `m` or `n`\n const str = this.input.slice(start, this.state.pos).replace(/[_mn]/g, \"\");\n\n if (isBigInt) {\n this.finishToken(tt.bigint, str);\n return;\n }\n\n if (isDecimal) {\n this.finishToken(tt.decimal, str);\n return;\n }\n\n const val = isOctal ? parseInt(str, 8) : parseFloat(str);\n this.finishToken(tt.num, val);\n }\n\n // Read a string value, interpreting backslash-escapes.\n\n readCodePoint(throwOnInvalid: boolean): number | null {\n const ch = this.input.charCodeAt(this.state.pos);\n let code;\n\n if (ch === charCodes.leftCurlyBrace) {\n const codePos = ++this.state.pos;\n code = this.readHexChar(\n this.input.indexOf(\"}\", this.state.pos) - this.state.pos,\n true,\n throwOnInvalid,\n );\n ++this.state.pos;\n if (code !== null && code > 0x10ffff) {\n if (throwOnInvalid) {\n this.raise(codePos, Errors.InvalidCodePoint);\n } else {\n return null;\n }\n }\n } else {\n code = this.readHexChar(4, false, throwOnInvalid);\n }\n return code;\n }\n\n readString(quote: number): void {\n let out = \"\",\n chunkStart = ++this.state.pos;\n for (;;) {\n if (this.state.pos >= this.length) {\n throw this.raise(this.state.start, Errors.UnterminatedString);\n }\n const ch = this.input.charCodeAt(this.state.pos);\n if (ch === quote) break;\n if (ch === charCodes.backslash) {\n out += this.input.slice(chunkStart, this.state.pos);\n // $FlowFixMe\n out += this.readEscapedChar(false);\n chunkStart = this.state.pos;\n } else if (\n ch === charCodes.lineSeparator ||\n ch === charCodes.paragraphSeparator\n ) {\n ++this.state.pos;\n ++this.state.curLine;\n this.state.lineStart = this.state.pos;\n } else if (isNewLine(ch)) {\n throw this.raise(this.state.start, Errors.UnterminatedString);\n } else {\n ++this.state.pos;\n }\n }\n out += this.input.slice(chunkStart, this.state.pos++);\n this.finishToken(tt.string, out);\n }\n\n // Reads template string tokens.\n\n readTmplToken(): void {\n let out = \"\",\n chunkStart = this.state.pos,\n containsInvalid = false;\n for (;;) {\n if (this.state.pos >= this.length) {\n throw this.raise(this.state.start, Errors.UnterminatedTemplate);\n }\n const ch = this.input.charCodeAt(this.state.pos);\n if (\n ch === charCodes.graveAccent ||\n (ch === charCodes.dollarSign &&\n this.input.charCodeAt(this.state.pos + 1) ===\n charCodes.leftCurlyBrace)\n ) {\n if (this.state.pos === this.state.start && this.match(tt.template)) {\n if (ch === charCodes.dollarSign) {\n this.state.pos += 2;\n this.finishToken(tt.dollarBraceL);\n return;\n } else {\n ++this.state.pos;\n this.finishToken(tt.backQuote);\n return;\n }\n }\n out += this.input.slice(chunkStart, this.state.pos);\n this.finishToken(tt.template, containsInvalid ? null : out);\n return;\n }\n if (ch === charCodes.backslash) {\n out += this.input.slice(chunkStart, this.state.pos);\n const escaped = this.readEscapedChar(true);\n if (escaped === null) {\n containsInvalid = true;\n } else {\n out += escaped;\n }\n chunkStart = this.state.pos;\n } else if (isNewLine(ch)) {\n out += this.input.slice(chunkStart, this.state.pos);\n ++this.state.pos;\n switch (ch) {\n case charCodes.carriageReturn:\n if (this.input.charCodeAt(this.state.pos) === charCodes.lineFeed) {\n ++this.state.pos;\n }\n // fall through\n case charCodes.lineFeed:\n out += \"\\n\";\n break;\n default:\n out += String.fromCharCode(ch);\n break;\n }\n ++this.state.curLine;\n this.state.lineStart = this.state.pos;\n chunkStart = this.state.pos;\n } else {\n ++this.state.pos;\n }\n }\n }\n\n // Used to read escaped characters\n\n readEscapedChar(inTemplate: boolean): string | null {\n const throwOnInvalid = !inTemplate;\n const ch = this.input.charCodeAt(++this.state.pos);\n ++this.state.pos;\n switch (ch) {\n case charCodes.lowercaseN:\n return \"\\n\";\n case charCodes.lowercaseR:\n return \"\\r\";\n case charCodes.lowercaseX: {\n const code = this.readHexChar(2, false, throwOnInvalid);\n return code === null ? null : String.fromCharCode(code);\n }\n case charCodes.lowercaseU: {\n const code = this.readCodePoint(throwOnInvalid);\n return code === null ? null : String.fromCodePoint(code);\n }\n case charCodes.lowercaseT:\n return \"\\t\";\n case charCodes.lowercaseB:\n return \"\\b\";\n case charCodes.lowercaseV:\n return \"\\u000b\";\n case charCodes.lowercaseF:\n return \"\\f\";\n case charCodes.carriageReturn:\n if (this.input.charCodeAt(this.state.pos) === charCodes.lineFeed) {\n ++this.state.pos;\n }\n // fall through\n case charCodes.lineFeed:\n this.state.lineStart = this.state.pos;\n ++this.state.curLine;\n // fall through\n case charCodes.lineSeparator:\n case charCodes.paragraphSeparator:\n return \"\";\n case charCodes.digit8:\n case charCodes.digit9:\n if (inTemplate) {\n return null;\n } else if (this.state.strict) {\n this.raise(this.state.pos - 1, Errors.StrictNumericEscape);\n }\n // fall through\n default:\n if (ch >= charCodes.digit0 && ch <= charCodes.digit7) {\n const codePos = this.state.pos - 1;\n const match = this.input\n .substr(this.state.pos - 1, 3)\n .match(/^[0-7]+/);\n\n // This is never null, because of the if condition above.\n /*:: invariant(match !== null) */\n let octalStr = match[0];\n\n let octal = parseInt(octalStr, 8);\n if (octal > 255) {\n octalStr = octalStr.slice(0, -1);\n octal = parseInt(octalStr, 8);\n }\n this.state.pos += octalStr.length - 1;\n const next = this.input.charCodeAt(this.state.pos);\n if (\n octalStr !== \"0\" ||\n next === charCodes.digit8 ||\n next === charCodes.digit9\n ) {\n if (inTemplate) {\n return null;\n } else if (this.state.strict) {\n this.raise(codePos, Errors.StrictNumericEscape);\n } else {\n // This property is used to throw an error for\n // an octal literal in a directive that occurs prior\n // to a \"use strict\" directive.\n this.state.octalPositions.push(codePos);\n }\n }\n\n return String.fromCharCode(octal);\n }\n\n return String.fromCharCode(ch);\n }\n }\n\n // Used to read character escape sequences ('\\x', '\\u').\n\n readHexChar(\n len: number,\n forceLen: boolean,\n throwOnInvalid: boolean,\n ): number | null {\n const codePos = this.state.pos;\n const n = this.readInt(16, len, forceLen, false);\n if (n === null) {\n if (throwOnInvalid) {\n this.raise(codePos, Errors.InvalidEscapeSequence);\n } else {\n this.state.pos = codePos - 1;\n }\n }\n return n;\n }\n\n // Read an identifier, and return it as a string. Sets `this.state.containsEsc`\n // to whether the word contained a '\\u' escape.\n //\n // Incrementally adds only escaped chars, adding other chunks as-is\n // as a micro-optimization.\n\n readWord1(): string {\n let word = \"\";\n this.state.containsEsc = false;\n const start = this.state.pos;\n let chunkStart = this.state.pos;\n\n while (this.state.pos < this.length) {\n const ch = this.input.codePointAt(this.state.pos);\n if (isIdentifierChar(ch)) {\n this.state.pos += ch <= 0xffff ? 1 : 2;\n } else if (this.state.isIterator && ch === charCodes.atSign) {\n ++this.state.pos;\n } else if (ch === charCodes.backslash) {\n this.state.containsEsc = true;\n\n word += this.input.slice(chunkStart, this.state.pos);\n const escStart = this.state.pos;\n const identifierCheck =\n this.state.pos === start ? isIdentifierStart : isIdentifierChar;\n\n if (this.input.charCodeAt(++this.state.pos) !== charCodes.lowercaseU) {\n this.raise(this.state.pos, Errors.MissingUnicodeEscape);\n continue;\n }\n\n ++this.state.pos;\n const esc = this.readCodePoint(true);\n if (esc !== null) {\n if (!identifierCheck(esc)) {\n this.raise(escStart, Errors.EscapedCharNotAnIdentifier);\n }\n\n word += String.fromCodePoint(esc);\n }\n chunkStart = this.state.pos;\n } else {\n break;\n }\n }\n return word + this.input.slice(chunkStart, this.state.pos);\n }\n\n isIterator(word: string): boolean {\n return word === \"@@iterator\" || word === \"@@asyncIterator\";\n }\n\n // Read an identifier or keyword token. Will check for reserved\n // words when necessary.\n\n readWord(): void {\n const word = this.readWord1();\n const type = keywordTypes.get(word) || tt.name;\n\n // Allow @@iterator and @@asyncIterator as a identifier only inside type\n if (\n this.state.isIterator &&\n (!this.isIterator(word) || !this.state.inType)\n ) {\n this.raise(this.state.pos, Errors.InvalidIdentifier, word);\n }\n\n this.finishToken(type, word);\n }\n\n checkKeywordEscapes(): void {\n const kw = this.state.type.keyword;\n if (kw && this.state.containsEsc) {\n this.raise(this.state.start, Errors.InvalidEscapedReservedWord, kw);\n }\n }\n\n braceIsBlock(prevType: TokenType): boolean {\n const parent = this.curContext();\n if (parent === ct.functionExpression || parent === ct.functionStatement) {\n return true;\n }\n if (\n prevType === tt.colon &&\n (parent === ct.braceStatement || parent === ct.braceExpression)\n ) {\n return !parent.isExpr;\n }\n\n // The check for `tt.name && exprAllowed` detects whether we are\n // after a `yield` or `of` construct. See the `updateContext` for\n // `tt.name`.\n if (\n prevType === tt._return ||\n (prevType === tt.name && this.state.exprAllowed)\n ) {\n return lineBreak.test(\n this.input.slice(this.state.lastTokEnd, this.state.start),\n );\n }\n\n if (\n prevType === tt._else ||\n prevType === tt.semi ||\n prevType === tt.eof ||\n prevType === tt.parenR ||\n prevType === tt.arrow\n ) {\n return true;\n }\n\n if (prevType === tt.braceL) {\n return parent === ct.braceStatement;\n }\n\n if (\n prevType === tt._var ||\n prevType === tt._const ||\n prevType === tt.name\n ) {\n return false;\n }\n\n if (prevType === tt.relational) {\n // `class C<T> { ... }`\n return true;\n }\n\n return !this.state.exprAllowed;\n }\n\n updateContext(prevType: TokenType): void {\n const type = this.state.type;\n let update;\n\n if (type.keyword && (prevType === tt.dot || prevType === tt.questionDot)) {\n this.state.exprAllowed = false;\n } else if ((update = type.updateContext)) {\n update.call(this, prevType);\n } else {\n this.state.exprAllowed = type.beforeExpr;\n }\n }\n}\n","// @flow\n\nimport { types as tt, type TokenType } from \"../tokenizer/types\";\nimport Tokenizer from \"../tokenizer\";\nimport State from \"../tokenizer/state\";\nimport type { Node } from \"../types\";\nimport { lineBreak } from \"../util/whitespace\";\nimport { isIdentifierChar } from \"../util/identifier\";\nimport { Errors } from \"./error\";\n\ntype TryParse<Node, Error, Thrown, Aborted, FailState> = {\n node: Node,\n error: Error,\n thrown: Thrown,\n aborted: Aborted,\n failState: FailState,\n};\n\n// ## Parser utilities\n\nexport default class UtilParser extends Tokenizer {\n // TODO\n\n addExtra(node: Node, key: string, val: any): void {\n if (!node) return;\n\n const extra = (node.extra = node.extra || {});\n extra[key] = val;\n }\n\n // TODO\n\n isRelational(op: \"<\" | \">\"): boolean {\n return this.match(tt.relational) && this.state.value === op;\n }\n\n // TODO\n\n expectRelational(op: \"<\" | \">\"): void {\n if (this.isRelational(op)) {\n this.next();\n } else {\n this.unexpected(null, tt.relational);\n }\n }\n\n // Tests whether parsed token is a contextual keyword.\n\n isContextual(name: string): boolean {\n return (\n this.match(tt.name) &&\n this.state.value === name &&\n !this.state.containsEsc\n );\n }\n\n isUnparsedContextual(nameStart: number, name: string): boolean {\n const nameEnd = nameStart + name.length;\n return (\n this.input.slice(nameStart, nameEnd) === name &&\n (nameEnd === this.input.length ||\n !isIdentifierChar(this.input.charCodeAt(nameEnd)))\n );\n }\n\n isLookaheadContextual(name: string): boolean {\n const next = this.nextTokenStart();\n return this.isUnparsedContextual(next, name);\n }\n\n // Consumes contextual keyword if possible.\n\n eatContextual(name: string): boolean {\n return this.isContextual(name) && this.eat(tt.name);\n }\n\n // Asserts that following token is given contextual keyword.\n\n expectContextual(name: string, message?: string): void {\n if (!this.eatContextual(name)) this.unexpected(null, message);\n }\n\n // Test whether a semicolon can be inserted at the current position.\n\n canInsertSemicolon(): boolean {\n return (\n this.match(tt.eof) ||\n this.match(tt.braceR) ||\n this.hasPrecedingLineBreak()\n );\n }\n\n hasPrecedingLineBreak(): boolean {\n return lineBreak.test(\n this.input.slice(this.state.lastTokEnd, this.state.start),\n );\n }\n\n // TODO\n\n isLineTerminator(): boolean {\n return this.eat(tt.semi) || this.canInsertSemicolon();\n }\n\n // Consume a semicolon, or, failing that, see if we are allowed to\n // pretend that there is a semicolon at this position.\n\n semicolon(): void {\n if (!this.isLineTerminator()) this.unexpected(null, tt.semi);\n }\n\n // Expect a token of a given type. If found, consume it, otherwise,\n // raise an unexpected token error at given pos.\n\n expect(type: TokenType, pos?: ?number): void {\n this.eat(type) || this.unexpected(pos, type);\n }\n\n // Throws if the current token and the prev one are separated by a space.\n assertNoSpace(message: string = \"Unexpected space.\"): void {\n if (this.state.start > this.state.lastTokEnd) {\n /* eslint-disable @babel/development-internal/dry-error-messages */\n this.raise(this.state.lastTokEnd, message);\n /* eslint-enable @babel/development-internal/dry-error-messages */\n }\n }\n\n // Raise an unexpected token error. Can take the expected token type\n // instead of a message string.\n\n unexpected(\n pos: ?number,\n messageOrType: string | TokenType = \"Unexpected token\",\n ): empty {\n if (typeof messageOrType !== \"string\") {\n messageOrType = `Unexpected token, expected \"${messageOrType.label}\"`;\n }\n /* eslint-disable @babel/development-internal/dry-error-messages */\n throw this.raise(pos != null ? pos : this.state.start, messageOrType);\n /* eslint-enable @babel/development-internal/dry-error-messages */\n }\n\n expectPlugin(name: string, pos?: ?number): true {\n if (!this.hasPlugin(name)) {\n throw this.raiseWithData(\n pos != null ? pos : this.state.start,\n { missingPlugin: [name] },\n `This experimental syntax requires enabling the parser plugin: '${name}'`,\n );\n }\n\n return true;\n }\n\n expectOnePlugin(names: Array<string>, pos?: ?number): void {\n if (!names.some(n => this.hasPlugin(n))) {\n throw this.raiseWithData(\n pos != null ? pos : this.state.start,\n { missingPlugin: names },\n `This experimental syntax requires enabling one of the following parser plugin(s): '${names.join(\n \", \",\n )}'`,\n );\n }\n }\n\n checkYieldAwaitInDefaultParams() {\n if (\n this.state.yieldPos !== -1 &&\n (this.state.awaitPos === -1 || this.state.yieldPos < this.state.awaitPos)\n ) {\n this.raise(this.state.yieldPos, Errors.YieldBindingIdentifier);\n }\n if (this.state.awaitPos !== -1) {\n this.raise(this.state.awaitPos, Errors.AwaitBindingIdentifier);\n }\n }\n\n // tryParse will clone parser state.\n // It is expensive and should be used with cautions\n tryParse<T: Node | $ReadOnlyArray<Node>>(\n fn: (abort: (node?: T) => empty) => T,\n oldState: State = this.state.clone(),\n ):\n | TryParse<T, null, false, false, null>\n | TryParse<T | null, SyntaxError, boolean, false, State>\n | TryParse<T | null, null, false, true, State> {\n const abortSignal: { node: T | null } = { node: null };\n try {\n const node = fn((node = null) => {\n abortSignal.node = node;\n throw abortSignal;\n });\n if (this.state.errors.length > oldState.errors.length) {\n const failState = this.state;\n this.state = oldState;\n return {\n node,\n error: (failState.errors[oldState.errors.length]: SyntaxError),\n thrown: false,\n aborted: false,\n failState,\n };\n }\n\n return {\n node,\n error: null,\n thrown: false,\n aborted: false,\n failState: null,\n };\n } catch (error) {\n const failState = this.state;\n this.state = oldState;\n if (error instanceof SyntaxError) {\n return { node: null, error, thrown: true, aborted: false, failState };\n }\n if (error === abortSignal) {\n return {\n node: abortSignal.node,\n error: null,\n thrown: false,\n aborted: true,\n failState,\n };\n }\n\n throw error;\n }\n }\n\n checkExpressionErrors(\n refExpressionErrors: ?ExpressionErrors,\n andThrow: boolean,\n ) {\n if (!refExpressionErrors) return false;\n const { shorthandAssign, doubleProto } = refExpressionErrors;\n if (!andThrow) return shorthandAssign >= 0 || doubleProto >= 0;\n if (shorthandAssign >= 0) {\n this.unexpected(shorthandAssign);\n }\n if (doubleProto >= 0) {\n this.raise(doubleProto, Errors.DuplicateProto);\n }\n }\n\n /**\n * Test if current token is a literal property name\n * https://tc39.es/ecma262/#prod-LiteralPropertyName\n * LiteralPropertyName:\n * IdentifierName\n * StringLiteral\n * NumericLiteral\n * BigIntLiteral\n */\n isLiteralPropertyName(): boolean {\n return (\n this.match(tt.name) ||\n !!this.state.type.keyword ||\n this.match(tt.string) ||\n this.match(tt.num) ||\n this.match(tt.bigint) ||\n this.match(tt.decimal)\n );\n }\n}\n\n/**\n * The ExpressionErrors is a context struct used to track\n * - **shorthandAssign**: track initializer `=` position when parsing ambiguous\n * patterns. When we are sure the parsed pattern is a RHS, which means it is\n * not a pattern, we will throw on this position on invalid assign syntax,\n * otherwise it will be reset to -1\n * - **doubleProto**: track the duplicate `__proto__` key position when parsing\n * ambiguous object patterns. When we are sure the parsed pattern is a RHS,\n * which means it is an object literal, we will throw on this position for\n * __proto__ redefinition, otherwise it will be reset to -1\n */\nexport class ExpressionErrors {\n shorthandAssign = -1;\n doubleProto = -1;\n}\n","// @flow\n\nimport type Parser from \"./index\";\nimport UtilParser from \"./util\";\nimport { SourceLocation, type Position } from \"../util/location\";\nimport type { Comment, Node as NodeType, NodeBase } from \"../types\";\n\n// Start an AST node, attaching a start offset.\n\nclass Node implements NodeBase {\n constructor(parser: Parser, pos: number, loc: Position) {\n this.type = \"\";\n this.start = pos;\n this.end = 0;\n this.loc = new SourceLocation(loc);\n if (parser?.options.ranges) this.range = [pos, 0];\n if (parser?.filename) this.loc.filename = parser.filename;\n }\n\n type: string;\n start: number;\n end: number;\n loc: SourceLocation;\n range: [number, number];\n leadingComments: Array<Comment>;\n trailingComments: Array<Comment>;\n innerComments: Array<Comment>;\n extra: { [key: string]: any };\n\n __clone(): this {\n // $FlowIgnore\n const newNode: any = new Node();\n const keys = Object.keys(this);\n for (let i = 0, length = keys.length; i < length; i++) {\n const key = keys[i];\n // Do not clone comments that are already attached to the node\n if (\n key !== \"leadingComments\" &&\n key !== \"trailingComments\" &&\n key !== \"innerComments\"\n ) {\n // $FlowIgnore\n newNode[key] = this[key];\n }\n }\n\n return newNode;\n }\n}\n\nexport class NodeUtils extends UtilParser {\n startNode<T: NodeType>(): T {\n // $FlowIgnore\n return new Node(this, this.state.start, this.state.startLoc);\n }\n\n startNodeAt<T: NodeType>(pos: number, loc: Position): T {\n // $FlowIgnore\n return new Node(this, pos, loc);\n }\n\n /** Start a new node with a previous node's location. */\n startNodeAtNode<T: NodeType>(type: NodeType): T {\n return this.startNodeAt(type.start, type.loc.start);\n }\n\n // Finish an AST node, adding `type` and `end` properties.\n\n finishNode<T: NodeType>(node: T, type: string): T {\n return this.finishNodeAt(\n node,\n type,\n this.state.lastTokEnd,\n this.state.lastTokEndLoc,\n );\n }\n\n // Finish node at given position\n\n finishNodeAt<T: NodeType>(\n node: T,\n type: string,\n pos: number,\n loc: Position,\n ): T {\n if (process.env.NODE_ENV !== \"production\" && node.end > 0) {\n throw new Error(\n \"Do not call finishNode*() twice on the same node.\" +\n \" Instead use resetEndLocation() or change type directly.\",\n );\n }\n node.type = type;\n node.end = pos;\n node.loc.end = loc;\n if (this.options.ranges) node.range[1] = pos;\n this.processComment(node);\n return node;\n }\n\n resetStartLocation(node: NodeBase, start: number, startLoc: Position): void {\n node.start = start;\n node.loc.start = startLoc;\n if (this.options.ranges) node.range[0] = start;\n }\n\n resetEndLocation(\n node: NodeBase,\n end?: number = this.state.lastTokEnd,\n endLoc?: Position = this.state.lastTokEndLoc,\n ): void {\n node.end = end;\n node.loc.end = endLoc;\n if (this.options.ranges) node.range[1] = end;\n }\n\n /**\n * Reset the start location of node to the start location of locationNode\n */\n resetStartLocationFromNode(node: NodeBase, locationNode: NodeBase): void {\n this.resetStartLocation(node, locationNode.start, locationNode.loc.start);\n }\n}\n","// @flow\n\nimport * as charCodes from \"charcodes\";\nimport { types as tt, type TokenType } from \"../tokenizer/types\";\nimport type {\n TSParameterProperty,\n Decorator,\n Expression,\n Node,\n Pattern,\n RestElement,\n SpreadElement,\n /*:: Identifier, */\n /*:: ObjectExpression, */\n /*:: ObjectPattern, */\n} from \"../types\";\nimport type { Pos, Position } from \"../util/location\";\nimport {\n isStrictBindOnlyReservedWord,\n isStrictBindReservedWord,\n} from \"../util/identifier\";\nimport { NodeUtils } from \"./node\";\nimport { type BindingTypes, BIND_NONE } from \"../util/scopeflags\";\nimport { ExpressionErrors } from \"./util\";\nimport { Errors } from \"./error\";\n\nconst unwrapParenthesizedExpression = (node: Node) => {\n return node.type === \"ParenthesizedExpression\"\n ? unwrapParenthesizedExpression(node.expression)\n : node;\n};\n\nexport default class LValParser extends NodeUtils {\n // Forward-declaration: defined in expression.js\n /*::\n +parseIdentifier: (liberal?: boolean) => Identifier;\n +parseMaybeAssign: (\n noIn?: ?boolean,\n refExpressionErrors?: ?ExpressionErrors,\n afterLeftParse?: Function,\n refNeedsArrowPos?: ?Pos,\n ) => Expression;\n +parseObj: <T: ObjectPattern | ObjectExpression>(\n close: TokenType,\n isPattern: boolean,\n isRecord?: ?boolean,\n refExpressionErrors?: ?ExpressionErrors,\n ) => T;\n */\n // Forward-declaration: defined in statement.js\n /*::\n +parseDecorator: () => Decorator;\n */\n\n // Convert existing expression atom to assignable pattern\n // if possible.\n // NOTE: There is a corresponding \"isAssignable\" method in flow.js.\n // When this one is updated, please check if also that one needs to be updated.\n\n toAssignable(node: Node): Node {\n let parenthesized = undefined;\n if (node.type === \"ParenthesizedExpression\" || node.extra?.parenthesized) {\n parenthesized = unwrapParenthesizedExpression(node);\n if (\n parenthesized.type !== \"Identifier\" &&\n parenthesized.type !== \"MemberExpression\"\n ) {\n this.raise(node.start, Errors.InvalidParenthesizedAssignment);\n }\n }\n\n switch (node.type) {\n case \"Identifier\":\n case \"ObjectPattern\":\n case \"ArrayPattern\":\n case \"AssignmentPattern\":\n break;\n\n case \"ObjectExpression\":\n node.type = \"ObjectPattern\";\n for (\n let i = 0, length = node.properties.length, last = length - 1;\n i < length;\n i++\n ) {\n const prop = node.properties[i];\n const isLast = i === last;\n this.toAssignableObjectExpressionProp(prop, isLast);\n\n if (\n isLast &&\n prop.type === \"RestElement\" &&\n node.extra?.trailingComma\n ) {\n this.raiseRestNotLast(node.extra.trailingComma);\n }\n }\n break;\n\n case \"ObjectProperty\":\n this.toAssignable(node.value);\n break;\n\n case \"SpreadElement\": {\n this.checkToRestConversion(node);\n\n node.type = \"RestElement\";\n const arg = node.argument;\n this.toAssignable(arg);\n break;\n }\n\n case \"ArrayExpression\":\n node.type = \"ArrayPattern\";\n this.toAssignableList(node.elements, node.extra?.trailingComma);\n break;\n\n case \"AssignmentExpression\":\n if (node.operator !== \"=\") {\n this.raise(node.left.end, Errors.MissingEqInAssignment);\n }\n\n node.type = \"AssignmentPattern\";\n delete node.operator;\n this.toAssignable(node.left);\n break;\n\n case \"ParenthesizedExpression\":\n this.toAssignable(((parenthesized: any): Expression));\n break;\n\n default:\n // We don't know how to deal with this node. It will\n // be reported by a later call to checkLVal\n }\n return node;\n }\n\n toAssignableObjectExpressionProp(prop: Node, isLast: boolean) {\n if (prop.type === \"ObjectMethod\") {\n const error =\n prop.kind === \"get\" || prop.kind === \"set\"\n ? Errors.PatternHasAccessor\n : Errors.PatternHasMethod;\n\n /* eslint-disable @babel/development-internal/dry-error-messages */\n this.raise(prop.key.start, error);\n /* eslint-enable @babel/development-internal/dry-error-messages */\n } else if (prop.type === \"SpreadElement\" && !isLast) {\n this.raiseRestNotLast(prop.start);\n } else {\n this.toAssignable(prop);\n }\n }\n\n // Convert list of expression atoms to binding list.\n\n toAssignableList(\n exprList: Expression[],\n trailingCommaPos?: ?number,\n ): $ReadOnlyArray<Pattern> {\n let end = exprList.length;\n if (end) {\n const last = exprList[end - 1];\n if (last?.type === \"RestElement\") {\n --end;\n } else if (last?.type === \"SpreadElement\") {\n last.type = \"RestElement\";\n const arg = last.argument;\n this.toAssignable(arg);\n if (\n arg.type !== \"Identifier\" &&\n arg.type !== \"MemberExpression\" &&\n arg.type !== \"ArrayPattern\" &&\n arg.type !== \"ObjectPattern\"\n ) {\n this.unexpected(arg.start);\n }\n\n if (trailingCommaPos) {\n this.raiseTrailingCommaAfterRest(trailingCommaPos);\n }\n\n --end;\n }\n }\n for (let i = 0; i < end; i++) {\n const elt = exprList[i];\n if (elt) {\n this.toAssignable(elt);\n if (elt.type === \"RestElement\") {\n this.raiseRestNotLast(elt.start);\n }\n }\n }\n return exprList;\n }\n\n // Convert list of expression atoms to a list of\n\n toReferencedList(\n exprList: $ReadOnlyArray<?Expression>,\n isParenthesizedExpr?: boolean, // eslint-disable-line no-unused-vars\n ): $ReadOnlyArray<?Expression> {\n return exprList;\n }\n\n toReferencedListDeep(\n exprList: $ReadOnlyArray<?Expression>,\n isParenthesizedExpr?: boolean,\n ): void {\n this.toReferencedList(exprList, isParenthesizedExpr);\n\n for (const expr of exprList) {\n if (expr?.type === \"ArrayExpression\") {\n this.toReferencedListDeep(expr.elements);\n }\n }\n }\n\n // Parses spread element.\n\n parseSpread(\n refExpressionErrors: ?ExpressionErrors,\n refNeedsArrowPos?: ?Pos,\n ): SpreadElement {\n const node = this.startNode();\n this.next();\n node.argument = this.parseMaybeAssign(\n false,\n refExpressionErrors,\n undefined,\n refNeedsArrowPos,\n );\n return this.finishNode(node, \"SpreadElement\");\n }\n\n // https://tc39.es/ecma262/#prod-BindingRestProperty\n // https://tc39.es/ecma262/#prod-BindingRestElement\n parseRestBinding(): RestElement {\n const node = this.startNode();\n this.next(); // eat `...`\n node.argument = this.parseBindingAtom();\n return this.finishNode(node, \"RestElement\");\n }\n\n // Parses lvalue (assignable) atom.\n parseBindingAtom(): Pattern {\n // https://tc39.es/ecma262/#prod-BindingPattern\n switch (this.state.type) {\n case tt.bracketL: {\n const node = this.startNode();\n this.next();\n node.elements = this.parseBindingList(\n tt.bracketR,\n charCodes.rightSquareBracket,\n true,\n );\n return this.finishNode(node, \"ArrayPattern\");\n }\n\n case tt.braceL:\n return this.parseObjectLike(tt.braceR, true);\n }\n\n // https://tc39.es/ecma262/#prod-BindingIdentifier\n return this.parseIdentifier();\n }\n\n // https://tc39.es/ecma262/#prod-BindingElementList\n parseBindingList(\n close: TokenType,\n closeCharCode: $Values<typeof charCodes>,\n allowEmpty?: boolean,\n allowModifiers?: boolean,\n ): $ReadOnlyArray<Pattern | TSParameterProperty> {\n const elts: Array<Pattern | TSParameterProperty> = [];\n let first = true;\n while (!this.eat(close)) {\n if (first) {\n first = false;\n } else {\n this.expect(tt.comma);\n }\n if (allowEmpty && this.match(tt.comma)) {\n // $FlowFixMe This method returns `$ReadOnlyArray<?Pattern>` if `allowEmpty` is set.\n elts.push(null);\n } else if (this.eat(close)) {\n break;\n } else if (this.match(tt.ellipsis)) {\n elts.push(this.parseAssignableListItemTypes(this.parseRestBinding()));\n this.checkCommaAfterRest(closeCharCode);\n this.expect(close);\n break;\n } else {\n const decorators = [];\n if (this.match(tt.at) && this.hasPlugin(\"decorators\")) {\n this.raise(this.state.start, Errors.UnsupportedParameterDecorator);\n }\n // invariant: hasPlugin(\"decorators-legacy\")\n while (this.match(tt.at)) {\n decorators.push(this.parseDecorator());\n }\n elts.push(this.parseAssignableListItem(allowModifiers, decorators));\n }\n }\n return elts;\n }\n\n parseAssignableListItem(\n allowModifiers: ?boolean,\n decorators: Decorator[],\n ): Pattern | TSParameterProperty {\n const left = this.parseMaybeDefault();\n this.parseAssignableListItemTypes(left);\n const elt = this.parseMaybeDefault(left.start, left.loc.start, left);\n if (decorators.length) {\n left.decorators = decorators;\n }\n return elt;\n }\n\n // Used by flow/typescript plugin to add type annotations to binding elements\n parseAssignableListItemTypes(param: Pattern): Pattern {\n return param;\n }\n\n // Parses assignment pattern around given atom if possible.\n // https://tc39.es/ecma262/#prod-BindingElement\n parseMaybeDefault(\n startPos?: ?number,\n startLoc?: ?Position,\n left?: ?Pattern,\n ): Pattern {\n startLoc = startLoc ?? this.state.startLoc;\n startPos = startPos ?? this.state.start;\n // $FlowIgnore\n left = left ?? this.parseBindingAtom();\n if (!this.eat(tt.eq)) return left;\n\n const node = this.startNodeAt(startPos, startLoc);\n node.left = left;\n node.right = this.parseMaybeAssign();\n return this.finishNode(node, \"AssignmentPattern\");\n }\n\n // Verify that a node is an lval — something that can be assigned\n // to.\n\n checkLVal(\n expr: Expression,\n bindingType: BindingTypes = BIND_NONE,\n checkClashes: ?{ [key: string]: boolean },\n contextDescription: string,\n disallowLetBinding?: boolean,\n strictModeChanged?: boolean = false,\n ): void {\n switch (expr.type) {\n case \"Identifier\":\n if (\n this.state.strict &&\n // \"Global\" reserved words have already been checked by parseIdentifier,\n // unless they have been found in the id or parameters of a strict-mode\n // function in a sloppy context.\n (strictModeChanged\n ? isStrictBindReservedWord(expr.name, this.inModule)\n : isStrictBindOnlyReservedWord(expr.name))\n ) {\n this.raise(\n expr.start,\n bindingType === BIND_NONE\n ? Errors.StrictEvalArguments\n : Errors.StrictEvalArgumentsBinding,\n expr.name,\n );\n }\n\n if (checkClashes) {\n // we need to prefix this with an underscore for the cases where we have a key of\n // `__proto__`. there's a bug in old V8 where the following wouldn't work:\n //\n // > var obj = Object.create(null);\n // undefined\n // > obj.__proto__\n // null\n // > obj.__proto__ = true;\n // true\n // > obj.__proto__\n // null\n const key = `_${expr.name}`;\n\n if (checkClashes[key]) {\n this.raise(expr.start, Errors.ParamDupe);\n } else {\n checkClashes[key] = true;\n }\n }\n if (disallowLetBinding && expr.name === \"let\") {\n this.raise(expr.start, Errors.LetInLexicalBinding);\n }\n if (!(bindingType & BIND_NONE)) {\n this.scope.declareName(expr.name, bindingType, expr.start);\n }\n break;\n\n case \"MemberExpression\":\n if (bindingType !== BIND_NONE) {\n this.raise(expr.start, Errors.InvalidPropertyBindingPattern);\n }\n break;\n\n case \"ObjectPattern\":\n for (let prop of expr.properties) {\n if (prop.type === \"ObjectProperty\") prop = prop.value;\n // If we find here an ObjectMethod, it's because this was originally\n // an ObjectExpression which has then been converted.\n // toAssignable already reported this error with a nicer message.\n else if (prop.type === \"ObjectMethod\") continue;\n\n this.checkLVal(\n prop,\n bindingType,\n checkClashes,\n \"object destructuring pattern\",\n disallowLetBinding,\n );\n }\n break;\n\n case \"ArrayPattern\":\n for (const elem of expr.elements) {\n if (elem) {\n this.checkLVal(\n elem,\n bindingType,\n checkClashes,\n \"array destructuring pattern\",\n disallowLetBinding,\n );\n }\n }\n break;\n\n case \"AssignmentPattern\":\n this.checkLVal(\n expr.left,\n bindingType,\n checkClashes,\n \"assignment pattern\",\n );\n break;\n\n case \"RestElement\":\n this.checkLVal(\n expr.argument,\n bindingType,\n checkClashes,\n \"rest element\",\n );\n break;\n\n case \"ParenthesizedExpression\":\n this.checkLVal(\n expr.expression,\n bindingType,\n checkClashes,\n \"parenthesized expression\",\n );\n break;\n\n default: {\n this.raise(\n expr.start,\n bindingType === BIND_NONE\n ? Errors.InvalidLhs\n : Errors.InvalidLhsBinding,\n contextDescription,\n );\n }\n }\n }\n\n checkToRestConversion(node: SpreadElement): void {\n if (\n node.argument.type !== \"Identifier\" &&\n node.argument.type !== \"MemberExpression\"\n ) {\n this.raise(node.argument.start, Errors.InvalidRestAssignmentPattern);\n }\n }\n\n checkCommaAfterRest(close: $Values<typeof charCodes>): void {\n if (this.match(tt.comma)) {\n if (this.lookaheadCharCode() === close) {\n this.raiseTrailingCommaAfterRest(this.state.start);\n } else {\n this.raiseRestNotLast(this.state.start);\n }\n }\n }\n\n raiseRestNotLast(pos: number) {\n throw this.raise(pos, Errors.ElementAfterRest);\n }\n\n raiseTrailingCommaAfterRest(pos: number) {\n this.raise(pos, Errors.RestTrailingComma);\n }\n}\n","// @flow\n\n// A recursive descent parser operates by defining functions for all\n// syntactic elements, and recursively calling those, each function\n// advancing the input stream and returning an AST node. Precedence\n// of constructs (for example, the fact that `!x[1]` means `!(x[1])`\n// instead of `(!x)[1]` is handled by the fact that the parser\n// function that parses unary prefix operators is called first, and\n// in turn calls the function that parses `[]` subscripts — that\n// way, it'll receive the node for `x[1]` already parsed, and wraps\n// *that* in the unary operator node.\n//\n// Acorn uses an [operator precedence parser][opp] to handle binary\n// operator precedence, because it is much more compact than using\n// the technique outlined above, which uses different, nesting\n// functions to specify precedence, for all of the ten binary\n// precedence levels that JavaScript defines.\n//\n// [opp]: http://en.wikipedia.org/wiki/Operator-precedence_parser\n\nimport { types as tt, type TokenType } from \"../tokenizer/types\";\nimport { types as ct } from \"../tokenizer/context\";\nimport * as N from \"../types\";\nimport LValParser from \"./lval\";\nimport {\n isKeyword,\n isReservedWord,\n isStrictReservedWord,\n isStrictBindReservedWord,\n isIdentifierStart,\n} from \"../util/identifier\";\nimport type { Pos, Position } from \"../util/location\";\nimport * as charCodes from \"charcodes\";\nimport {\n BIND_OUTSIDE,\n BIND_VAR,\n SCOPE_ARROW,\n SCOPE_CLASS,\n SCOPE_DIRECT_SUPER,\n SCOPE_FUNCTION,\n SCOPE_SUPER,\n SCOPE_PROGRAM,\n} from \"../util/scopeflags\";\nimport { ExpressionErrors } from \"./util\";\nimport {\n PARAM_AWAIT,\n PARAM_RETURN,\n PARAM,\n functionFlags,\n} from \"../util/production-parameter\";\nimport { Errors } from \"./error\";\n\nexport default class ExpressionParser extends LValParser {\n // Forward-declaration: defined in statement.js\n /*::\n +parseBlock: (\n allowDirectives?: boolean,\n createNewLexicalScope?: boolean,\n afterBlockParse?: (hasStrictModeDirective: boolean) => void,\n ) => N.BlockStatement;\n +parseClass: (\n node: N.Class,\n isStatement: boolean,\n optionalId?: boolean,\n ) => N.Class;\n +parseDecorators: (allowExport?: boolean) => void;\n +parseFunction: <T: N.NormalFunction>(\n node: T,\n statement?: number,\n allowExpressionBody?: boolean,\n isAsync?: boolean,\n ) => T;\n +parseFunctionParams: (node: N.Function, allowModifiers?: boolean) => void;\n +takeDecorators: (node: N.HasDecorators) => void;\n */\n\n // For object literal, check if property __proto__ has been used more than once.\n // If the expression is a destructuring assignment, then __proto__ may appear\n // multiple times. Otherwise, __proto__ is a duplicated key.\n\n // For record expression, check if property __proto__ exists\n\n checkProto(\n prop: N.ObjectMember | N.SpreadElement,\n isRecord: boolean,\n protoRef: { used: boolean },\n refExpressionErrors: ?ExpressionErrors,\n ): void {\n if (\n prop.type === \"SpreadElement\" ||\n prop.type === \"ObjectMethod\" ||\n prop.computed ||\n prop.shorthand\n ) {\n return;\n }\n\n const key = prop.key;\n // It is either an Identifier or a String/NumericLiteral\n const name = key.type === \"Identifier\" ? key.name : key.value;\n\n if (name === \"__proto__\") {\n if (isRecord) {\n this.raise(key.start, Errors.RecordNoProto);\n return;\n }\n if (protoRef.used) {\n if (refExpressionErrors) {\n // Store the first redefinition's position, otherwise ignore because\n // we are parsing ambiguous pattern\n if (refExpressionErrors.doubleProto === -1) {\n refExpressionErrors.doubleProto = key.start;\n }\n } else {\n this.raise(key.start, Errors.DuplicateProto);\n }\n }\n\n protoRef.used = true;\n }\n }\n\n shouldExitDescending(expr: N.Expression, potentialArrowAt: number): boolean {\n return (\n expr.type === \"ArrowFunctionExpression\" && expr.start === potentialArrowAt\n );\n }\n\n // Convenience method to parse an Expression only\n getExpression(): N.Expression {\n let paramFlags = PARAM;\n if (this.hasPlugin(\"topLevelAwait\") && this.inModule) {\n paramFlags |= PARAM_AWAIT;\n }\n this.scope.enter(SCOPE_PROGRAM);\n this.prodParam.enter(paramFlags);\n this.nextToken();\n const expr = this.parseExpression();\n if (!this.match(tt.eof)) {\n this.unexpected();\n }\n expr.comments = this.state.comments;\n expr.errors = this.state.errors;\n return expr;\n }\n\n // ### Expression parsing\n\n // These nest, from the most general expression type at the top to\n // 'atomic', nondivisible expression types at the bottom. Most of\n // the functions will simply let the function (s) below them parse,\n // and, *if* the syntactic construct they handle is present, wrap\n // the AST node that the inner parser gave them in another node.\n\n // Parse a full expression.\n // - `noIn`\n // is used to forbid the `in` operator (in for loops initialization expressions)\n // When `noIn` is true, the production parameter [In] is not present.\n // Whenever [?In] appears in the right-hand sides of a production, we pass\n // `noIn` to the subroutine calls.\n\n // - `refExpressionErrors `\n // provides reference for storing '=' operator inside shorthand\n // property assignment in contexts where both object expression\n // and object pattern might appear (so it's possible to raise\n // delayed syntax error at correct position).\n\n // https://tc39.es/ecma262/#prod-Expression\n parseExpression(\n noIn?: boolean,\n refExpressionErrors?: ExpressionErrors,\n ): N.Expression {\n const startPos = this.state.start;\n const startLoc = this.state.startLoc;\n const expr = this.parseMaybeAssign(noIn, refExpressionErrors);\n if (this.match(tt.comma)) {\n const node = this.startNodeAt(startPos, startLoc);\n node.expressions = [expr];\n while (this.eat(tt.comma)) {\n node.expressions.push(this.parseMaybeAssign(noIn, refExpressionErrors));\n }\n this.toReferencedList(node.expressions);\n return this.finishNode(node, \"SequenceExpression\");\n }\n return expr;\n }\n\n // Parse an assignment expression. This includes applications of\n // operators like `+=`.\n\n // https://tc39.es/ecma262/#prod-AssignmentExpression\n parseMaybeAssign(\n noIn?: ?boolean,\n refExpressionErrors?: ?ExpressionErrors,\n afterLeftParse?: Function,\n refNeedsArrowPos?: ?Pos,\n ): N.Expression {\n const startPos = this.state.start;\n const startLoc = this.state.startLoc;\n if (this.isContextual(\"yield\")) {\n if (this.prodParam.hasYield) {\n let left = this.parseYield(noIn);\n if (afterLeftParse) {\n left = afterLeftParse.call(this, left, startPos, startLoc);\n }\n return left;\n } else {\n // The tokenizer will assume an expression is allowed after\n // `yield`, but this isn't that kind of yield\n this.state.exprAllowed = false;\n }\n }\n\n let ownExpressionErrors;\n if (refExpressionErrors) {\n ownExpressionErrors = false;\n } else {\n refExpressionErrors = new ExpressionErrors();\n ownExpressionErrors = true;\n }\n\n if (this.match(tt.parenL) || this.match(tt.name)) {\n this.state.potentialArrowAt = this.state.start;\n }\n\n let left = this.parseMaybeConditional(\n noIn,\n refExpressionErrors,\n refNeedsArrowPos,\n );\n if (afterLeftParse) {\n left = afterLeftParse.call(this, left, startPos, startLoc);\n }\n if (this.state.type.isAssign) {\n const node = this.startNodeAt(startPos, startLoc);\n const operator = this.state.value;\n node.operator = operator;\n\n if (this.match(tt.eq)) {\n node.left = this.toAssignable(left);\n refExpressionErrors.doubleProto = -1; // reset because double __proto__ is valid in assignment expression\n } else {\n node.left = left;\n }\n\n if (refExpressionErrors.shorthandAssign >= node.left.start) {\n refExpressionErrors.shorthandAssign = -1; // reset because shorthand default was used correctly\n }\n\n this.checkLVal(left, undefined, undefined, \"assignment expression\");\n\n this.next();\n node.right = this.parseMaybeAssign(noIn);\n return this.finishNode(node, \"AssignmentExpression\");\n } else if (ownExpressionErrors) {\n this.checkExpressionErrors(refExpressionErrors, true);\n }\n\n return left;\n }\n\n // Parse a ternary conditional (`?:`) operator.\n // https://tc39.es/ecma262/#prod-ConditionalExpression\n\n parseMaybeConditional(\n noIn: ?boolean,\n refExpressionErrors: ExpressionErrors,\n refNeedsArrowPos?: ?Pos,\n ): N.Expression {\n const startPos = this.state.start;\n const startLoc = this.state.startLoc;\n const potentialArrowAt = this.state.potentialArrowAt;\n const expr = this.parseExprOps(noIn, refExpressionErrors);\n\n if (this.shouldExitDescending(expr, potentialArrowAt)) {\n return expr;\n }\n\n return this.parseConditional(\n expr,\n noIn,\n startPos,\n startLoc,\n refNeedsArrowPos,\n );\n }\n\n parseConditional(\n expr: N.Expression,\n noIn: ?boolean,\n startPos: number,\n startLoc: Position,\n // FIXME: Disabling this for now since can't seem to get it to play nicely\n // eslint-disable-next-line no-unused-vars\n refNeedsArrowPos?: ?Pos,\n ): N.Expression {\n if (this.eat(tt.question)) {\n const node = this.startNodeAt(startPos, startLoc);\n node.test = expr;\n node.consequent = this.parseMaybeAssign();\n this.expect(tt.colon);\n node.alternate = this.parseMaybeAssign(noIn);\n return this.finishNode(node, \"ConditionalExpression\");\n }\n return expr;\n }\n\n // Start the precedence parser.\n // https://tc39.es/ecma262/#prod-ShortCircuitExpression\n\n parseExprOps(\n noIn: ?boolean,\n refExpressionErrors: ExpressionErrors,\n ): N.Expression {\n const startPos = this.state.start;\n const startLoc = this.state.startLoc;\n const potentialArrowAt = this.state.potentialArrowAt;\n const expr = this.parseMaybeUnary(refExpressionErrors);\n\n if (this.shouldExitDescending(expr, potentialArrowAt)) {\n return expr;\n }\n\n return this.parseExprOp(expr, startPos, startLoc, -1, noIn);\n }\n\n // Parse binary operators with the operator precedence parsing\n // algorithm. `left` is the left-hand side of the operator.\n // `minPrec` provides context that allows the function to stop and\n // defer further parser to one of its callers when it encounters an\n // operator that has a lower precedence than the set it is parsing.\n\n parseExprOp(\n left: N.Expression,\n leftStartPos: number,\n leftStartLoc: Position,\n minPrec: number,\n noIn: ?boolean,\n ): N.Expression {\n let prec = this.state.type.binop;\n if (prec != null && (!noIn || !this.match(tt._in))) {\n if (prec > minPrec) {\n const op = this.state.type;\n if (op === tt.pipeline) {\n this.expectPlugin(\"pipelineOperator\");\n if (this.state.inFSharpPipelineDirectBody) {\n return left;\n }\n this.state.inPipeline = true;\n this.checkPipelineAtInfixOperator(left, leftStartPos);\n }\n const node = this.startNodeAt(leftStartPos, leftStartLoc);\n node.left = left;\n node.operator = this.state.value;\n if (\n op === tt.exponent &&\n left.type === \"UnaryExpression\" &&\n (this.options.createParenthesizedExpressions ||\n !(left.extra && left.extra.parenthesized))\n ) {\n this.raise(\n left.argument.start,\n Errors.UnexpectedTokenUnaryExponentiation,\n );\n }\n\n const logical = op === tt.logicalOR || op === tt.logicalAND;\n const coalesce = op === tt.nullishCoalescing;\n\n if (coalesce) {\n // Handle the precedence of `tt.coalesce` as equal to the range of logical expressions.\n // In other words, `node.right` shouldn't contain logical expressions in order to check the mixed error.\n prec = ((tt.logicalAND: any): { binop: number }).binop;\n }\n\n this.next();\n\n if (\n op === tt.pipeline &&\n this.getPluginOption(\"pipelineOperator\", \"proposal\") === \"minimal\"\n ) {\n if (\n this.match(tt.name) &&\n this.state.value === \"await\" &&\n this.prodParam.hasAwait\n ) {\n throw this.raise(\n this.state.start,\n Errors.UnexpectedAwaitAfterPipelineBody,\n );\n }\n }\n\n node.right = this.parseExprOpRightExpr(op, prec, noIn);\n this.finishNode(\n node,\n logical || coalesce ? \"LogicalExpression\" : \"BinaryExpression\",\n );\n /* this check is for all ?? operators\n * a ?? b && c for this example\n * when op is coalesce and nextOp is logical (&&), throw at the pos of nextOp that it can not be mixed.\n * Symmetrically it also throws when op is logical and nextOp is coalesce\n */\n const nextOp = this.state.type;\n if (\n (coalesce && (nextOp === tt.logicalOR || nextOp === tt.logicalAND)) ||\n (logical && nextOp === tt.nullishCoalescing)\n ) {\n throw this.raise(this.state.start, Errors.MixingCoalesceWithLogical);\n }\n\n return this.parseExprOp(\n node,\n leftStartPos,\n leftStartLoc,\n minPrec,\n noIn,\n );\n }\n }\n return left;\n }\n\n // Helper function for `parseExprOp`. Parse the right-hand side of binary-\n // operator expressions, then apply any operator-specific functions.\n\n parseExprOpRightExpr(\n op: TokenType,\n prec: number,\n noIn: ?boolean,\n ): N.Expression {\n const startPos = this.state.start;\n const startLoc = this.state.startLoc;\n switch (op) {\n case tt.pipeline:\n switch (this.getPluginOption(\"pipelineOperator\", \"proposal\")) {\n case \"smart\":\n return this.withTopicPermittingContext(() => {\n return this.parseSmartPipelineBody(\n this.parseExprOpBaseRightExpr(op, prec, noIn),\n startPos,\n startLoc,\n );\n });\n case \"fsharp\":\n return this.withSoloAwaitPermittingContext(() => {\n return this.parseFSharpPipelineBody(prec, noIn);\n });\n }\n // falls through\n\n default:\n return this.parseExprOpBaseRightExpr(op, prec, noIn);\n }\n }\n\n // Helper function for `parseExprOpRightExpr`. Parse the right-hand side of\n // binary-operator expressions without applying any operator-specific functions.\n\n parseExprOpBaseRightExpr(\n op: TokenType,\n prec: number,\n noIn: ?boolean,\n ): N.Expression {\n const startPos = this.state.start;\n const startLoc = this.state.startLoc;\n\n return this.parseExprOp(\n this.parseMaybeUnary(),\n startPos,\n startLoc,\n op.rightAssociative ? prec - 1 : prec,\n noIn,\n );\n }\n\n // Parse unary operators, both prefix and postfix.\n // https://tc39.es/ecma262/#prod-UnaryExpression\n parseMaybeUnary(refExpressionErrors: ?ExpressionErrors): N.Expression {\n if (this.isContextual(\"await\") && this.isAwaitAllowed()) {\n return this.parseAwait();\n }\n const update = this.match(tt.incDec);\n const node = this.startNode();\n if (this.state.type.prefix) {\n node.operator = this.state.value;\n node.prefix = true;\n\n if (this.match(tt._throw)) {\n this.expectPlugin(\"throwExpressions\");\n }\n const isDelete = this.match(tt._delete);\n this.next();\n\n node.argument = this.parseMaybeUnary();\n\n this.checkExpressionErrors(refExpressionErrors, true);\n\n if (this.state.strict && isDelete) {\n const arg = node.argument;\n\n if (arg.type === \"Identifier\") {\n this.raise(node.start, Errors.StrictDelete);\n } else if (\n (arg.type === \"MemberExpression\" ||\n arg.type === \"OptionalMemberExpression\") &&\n arg.property.type === \"PrivateName\"\n ) {\n this.raise(node.start, Errors.DeletePrivateField);\n }\n }\n\n if (!update) {\n return this.finishNode(node, \"UnaryExpression\");\n }\n }\n\n return this.parseUpdate(node, update, refExpressionErrors);\n }\n\n // https://tc39.es/ecma262/#prod-UpdateExpression\n parseUpdate(\n node: N.Expression,\n update: boolean,\n refExpressionErrors: ?ExpressionErrors,\n ): N.Expression {\n if (update) {\n this.checkLVal(node.argument, undefined, undefined, \"prefix operation\");\n return this.finishNode(node, \"UpdateExpression\");\n }\n\n const startPos = this.state.start;\n const startLoc = this.state.startLoc;\n let expr = this.parseExprSubscripts(refExpressionErrors);\n if (this.checkExpressionErrors(refExpressionErrors, false)) return expr;\n while (this.state.type.postfix && !this.canInsertSemicolon()) {\n const node = this.startNodeAt(startPos, startLoc);\n node.operator = this.state.value;\n node.prefix = false;\n node.argument = expr;\n this.checkLVal(expr, undefined, undefined, \"postfix operation\");\n this.next();\n expr = this.finishNode(node, \"UpdateExpression\");\n }\n return expr;\n }\n\n // Parse call, dot, and `[]`-subscript expressions.\n // https://tc39.es/ecma262/#prod-LeftHandSideExpression\n parseExprSubscripts(refExpressionErrors: ?ExpressionErrors): N.Expression {\n const startPos = this.state.start;\n const startLoc = this.state.startLoc;\n const potentialArrowAt = this.state.potentialArrowAt;\n const expr = this.parseExprAtom(refExpressionErrors);\n\n if (this.shouldExitDescending(expr, potentialArrowAt)) {\n return expr;\n }\n\n return this.parseSubscripts(expr, startPos, startLoc);\n }\n\n parseSubscripts(\n base: N.Expression,\n startPos: number,\n startLoc: Position,\n noCalls?: ?boolean,\n ): N.Expression {\n const state = {\n optionalChainMember: false,\n maybeAsyncArrow: this.atPossibleAsyncArrow(base),\n stop: false,\n };\n do {\n const oldMaybeInAsyncArrowHead = this.state.maybeInAsyncArrowHead;\n if (state.maybeAsyncArrow) {\n this.state.maybeInAsyncArrowHead = true;\n }\n base = this.parseSubscript(base, startPos, startLoc, noCalls, state);\n\n // After parsing a subscript, this isn't \"async\" for sure.\n state.maybeAsyncArrow = false;\n this.state.maybeInAsyncArrowHead = oldMaybeInAsyncArrowHead;\n } while (!state.stop);\n return base;\n }\n\n /**\n * @param state Set 'state.stop = true' to indicate that we should stop parsing subscripts.\n * state.optionalChainMember to indicate that the member is currently in OptionalChain\n */\n parseSubscript(\n base: N.Expression,\n startPos: number,\n startLoc: Position,\n noCalls: ?boolean,\n state: N.ParseSubscriptState,\n ): N.Expression {\n if (!noCalls && this.eat(tt.doubleColon)) {\n return this.parseBind(base, startPos, startLoc, noCalls, state);\n } else if (this.match(tt.backQuote)) {\n return this.parseTaggedTemplateExpression(\n base,\n startPos,\n startLoc,\n state,\n );\n }\n\n let optional = false;\n if (this.match(tt.questionDot)) {\n state.optionalChainMember = optional = true;\n if (noCalls && this.lookaheadCharCode() === charCodes.leftParenthesis) {\n // stop at `?.` when parsing `new a?.()`\n state.stop = true;\n return base;\n }\n this.next();\n }\n\n if (!noCalls && this.match(tt.parenL)) {\n return this.parseCoverCallAndAsyncArrowHead(\n base,\n startPos,\n startLoc,\n state,\n optional,\n );\n } else if (optional || this.match(tt.bracketL) || this.eat(tt.dot)) {\n return this.parseMember(base, startPos, startLoc, state, optional);\n } else {\n state.stop = true;\n return base;\n }\n }\n\n // base[?Yield, ?Await] [ Expression[+In, ?Yield, ?Await] ]\n // base[?Yield, ?Await] . IdentifierName\n // base[?Yield, ?Await] . PrivateIdentifier\n // where `base` is one of CallExpression, MemberExpression and OptionalChain\n parseMember(\n base: N.Expression,\n startPos: number,\n startLoc: Position,\n state: N.ParseSubscriptState,\n optional: boolean,\n ): N.OptionalMemberExpression | N.MemberExpression {\n const node = this.startNodeAt(startPos, startLoc);\n const computed = this.eat(tt.bracketL);\n node.object = base;\n node.computed = computed;\n const property = computed\n ? this.parseExpression()\n : this.parseMaybePrivateName(true);\n\n if (property.type === \"PrivateName\") {\n if (node.object.type === \"Super\") {\n this.raise(startPos, Errors.SuperPrivateField);\n }\n this.classScope.usePrivateName(property.id.name, property.start);\n }\n node.property = property;\n\n if (computed) {\n this.expect(tt.bracketR);\n }\n\n if (state.optionalChainMember) {\n node.optional = optional;\n return this.finishNode(node, \"OptionalMemberExpression\");\n } else {\n return this.finishNode(node, \"MemberExpression\");\n }\n }\n\n // https://github.com/tc39/proposal-bind-operator#syntax\n parseBind(\n base: N.Expression,\n startPos: number,\n startLoc: Position,\n noCalls: ?boolean,\n state: N.ParseSubscriptState,\n ): N.Expression {\n const node = this.startNodeAt(startPos, startLoc);\n node.object = base;\n node.callee = this.parseNoCallExpr();\n state.stop = true;\n return this.parseSubscripts(\n this.finishNode(node, \"BindExpression\"),\n startPos,\n startLoc,\n noCalls,\n );\n }\n\n // https://tc39.es/ecma262/#prod-CoverCallExpressionAndAsyncArrowHead\n // CoverCallExpressionAndAsyncArrowHead\n // CallExpression[?Yield, ?Await] Arguments[?Yield, ?Await]\n // OptionalChain[?Yield, ?Await] Arguments[?Yield, ?Await]\n parseCoverCallAndAsyncArrowHead(\n base: N.Expression,\n startPos: number,\n startLoc: Position,\n state: N.ParseSubscriptState,\n optional: boolean,\n ): N.Expression {\n const oldMaybeInArrowParameters = this.state.maybeInArrowParameters;\n const oldYieldPos = this.state.yieldPos;\n const oldAwaitPos = this.state.awaitPos;\n this.state.maybeInArrowParameters = true;\n this.state.yieldPos = -1;\n this.state.awaitPos = -1;\n\n this.next(); // eat `(`\n\n let node = this.startNodeAt(startPos, startLoc);\n node.callee = base;\n\n if (state.optionalChainMember) {\n node.optional = optional;\n }\n if (optional) {\n node.arguments = this.parseCallExpressionArguments(tt.parenR, false);\n } else {\n node.arguments = this.parseCallExpressionArguments(\n tt.parenR,\n state.maybeAsyncArrow,\n base.type === \"Import\",\n base.type !== \"Super\",\n node,\n );\n }\n this.finishCallExpression(node, state.optionalChainMember);\n\n if (state.maybeAsyncArrow && this.shouldParseAsyncArrow() && !optional) {\n state.stop = true;\n\n node = this.parseAsyncArrowFromCallExpression(\n this.startNodeAt(startPos, startLoc),\n node,\n );\n this.checkYieldAwaitInDefaultParams();\n this.state.yieldPos = oldYieldPos;\n this.state.awaitPos = oldAwaitPos;\n } else {\n this.toReferencedListDeep(node.arguments);\n\n // We keep the old value if it isn't null, for cases like\n // (x = async(yield)) => {}\n //\n // Hi developer of the future :) If you are implementing generator\n // arrow functions, please read the note below about \"await\" and\n // verify if the same logic is needed for yield.\n if (oldYieldPos !== -1) this.state.yieldPos = oldYieldPos;\n\n // Await is trickier than yield. When parsing a possible arrow function\n // (e.g. something starting with `async(`) we don't know if its possible\n // parameters will actually be inside an async arrow function or if it is\n // a normal call expression.\n // If it ended up being a call expression, if we are in a context where\n // await expression are disallowed (and thus \"await\" is an identifier)\n // we must be careful not to leak this.state.awaitPos to an even outer\n // context, where \"await\" could not be an identifier.\n // For example, this code is valid because \"await\" isn't directly inside\n // an async function:\n //\n // async function a() {\n // function b(param = async (await)) {\n // }\n // }\n //\n if (\n (!this.isAwaitAllowed() && !oldMaybeInArrowParameters) ||\n oldAwaitPos !== -1\n ) {\n this.state.awaitPos = oldAwaitPos;\n }\n }\n\n this.state.maybeInArrowParameters = oldMaybeInArrowParameters;\n\n return node;\n }\n\n // MemberExpression [?Yield, ?Await] TemplateLiteral[?Yield, ?Await, +Tagged]\n // CallExpression [?Yield, ?Await] TemplateLiteral[?Yield, ?Await, +Tagged]\n parseTaggedTemplateExpression(\n base: N.Expression,\n startPos: number,\n startLoc: Position,\n state: N.ParseSubscriptState,\n ): N.TaggedTemplateExpression {\n const node: N.TaggedTemplateExpression = this.startNodeAt(\n startPos,\n startLoc,\n );\n node.tag = base;\n node.quasi = this.parseTemplate(true);\n if (state.optionalChainMember) {\n this.raise(startPos, Errors.OptionalChainingNoTemplate);\n }\n return this.finishNode(node, \"TaggedTemplateExpression\");\n }\n\n atPossibleAsyncArrow(base: N.Expression): boolean {\n return (\n base.type === \"Identifier\" &&\n base.name === \"async\" &&\n this.state.lastTokEnd === base.end &&\n !this.canInsertSemicolon() &&\n // check there are no escape sequences, such as \\u{61}sync\n base.end - base.start === 5 &&\n base.start === this.state.potentialArrowAt\n );\n }\n\n finishCallExpression<T: N.CallExpression | N.OptionalCallExpression>(\n node: T,\n optional: boolean,\n ): N.Expression {\n if (node.callee.type === \"Import\") {\n if (node.arguments.length === 2) {\n this.expectPlugin(\"moduleAttributes\");\n }\n if (node.arguments.length === 0 || node.arguments.length > 2) {\n this.raise(\n node.start,\n Errors.ImportCallArity,\n this.hasPlugin(\"moduleAttributes\")\n ? \"one or two arguments\"\n : \"one argument\",\n );\n } else {\n for (const arg of node.arguments) {\n if (arg.type === \"SpreadElement\") {\n this.raise(arg.start, Errors.ImportCallSpreadArgument);\n }\n }\n }\n }\n return this.finishNode(\n node,\n optional ? \"OptionalCallExpression\" : \"CallExpression\",\n );\n }\n\n parseCallExpressionArguments(\n close: TokenType,\n possibleAsyncArrow: boolean,\n dynamicImport?: boolean,\n allowPlaceholder?: boolean,\n nodeForExtra?: ?N.Node,\n ): $ReadOnlyArray<?N.Expression> {\n const elts = [];\n let innerParenStart;\n let first = true;\n const oldInFSharpPipelineDirectBody = this.state.inFSharpPipelineDirectBody;\n this.state.inFSharpPipelineDirectBody = false;\n\n while (!this.eat(close)) {\n if (first) {\n first = false;\n } else {\n this.expect(tt.comma);\n if (this.match(close)) {\n if (dynamicImport && !this.hasPlugin(\"moduleAttributes\")) {\n this.raise(\n this.state.lastTokStart,\n Errors.ImportCallArgumentTrailingComma,\n );\n }\n if (nodeForExtra) {\n this.addExtra(\n nodeForExtra,\n \"trailingComma\",\n this.state.lastTokStart,\n );\n }\n this.next();\n break;\n }\n }\n\n // we need to make sure that if this is an async arrow functions,\n // that we don't allow inner parens inside the params\n if (this.match(tt.parenL) && !innerParenStart) {\n innerParenStart = this.state.start;\n }\n\n elts.push(\n this.parseExprListItem(\n false,\n possibleAsyncArrow ? new ExpressionErrors() : undefined,\n possibleAsyncArrow ? { start: 0 } : undefined,\n allowPlaceholder,\n ),\n );\n }\n\n // we found an async arrow function so let's not allow any inner parens\n if (possibleAsyncArrow && innerParenStart && this.shouldParseAsyncArrow()) {\n this.unexpected();\n }\n\n this.state.inFSharpPipelineDirectBody = oldInFSharpPipelineDirectBody;\n\n return elts;\n }\n\n shouldParseAsyncArrow(): boolean {\n return this.match(tt.arrow) && !this.canInsertSemicolon();\n }\n\n parseAsyncArrowFromCallExpression(\n node: N.ArrowFunctionExpression,\n call: N.CallExpression,\n ): N.ArrowFunctionExpression {\n this.expect(tt.arrow);\n this.parseArrowExpression(\n node,\n call.arguments,\n true,\n call.extra?.trailingComma,\n );\n return node;\n }\n\n // Parse a no-call expression (like argument of `new` or `::` operators).\n // https://tc39.es/ecma262/#prod-MemberExpression\n parseNoCallExpr(): N.Expression {\n const startPos = this.state.start;\n const startLoc = this.state.startLoc;\n return this.parseSubscripts(this.parseExprAtom(), startPos, startLoc, true);\n }\n\n // Parse an atomic expression — either a single token that is an\n // expression, an expression started by a keyword like `function` or\n // `new`, or an expression wrapped in punctuation like `()`, `[]`,\n // or `{}`.\n\n // https://tc39.es/ecma262/#prod-PrimaryExpression\n // https://tc39.es/ecma262/#prod-AsyncArrowFunction\n // PrimaryExpression\n // Super\n // Import\n // AsyncArrowFunction\n\n parseExprAtom(refExpressionErrors?: ?ExpressionErrors): N.Expression {\n // If a division operator appears in an expression position, the\n // tokenizer got confused, and we force it to read a regexp instead.\n if (this.state.type === tt.slash) this.readRegexp();\n\n const canBeArrow = this.state.potentialArrowAt === this.state.start;\n let node;\n\n switch (this.state.type) {\n case tt._super:\n return this.parseSuper();\n\n case tt._import:\n node = this.startNode();\n this.next();\n\n if (this.match(tt.dot)) {\n return this.parseImportMetaProperty(node);\n }\n\n if (!this.match(tt.parenL)) {\n this.raise(this.state.lastTokStart, Errors.UnsupportedImport);\n }\n return this.finishNode(node, \"Import\");\n case tt._this:\n node = this.startNode();\n this.next();\n return this.finishNode(node, \"ThisExpression\");\n\n case tt.name: {\n const containsEsc = this.state.containsEsc;\n const id = this.parseIdentifier();\n\n if (!containsEsc && id.name === \"async\" && !this.canInsertSemicolon()) {\n if (this.match(tt._function)) {\n const last = this.state.context.length - 1;\n if (this.state.context[last] !== ct.functionStatement) {\n // Since \"async\" is an identifier and normally identifiers\n // can't be followed by expression, the tokenizer assumes\n // that \"function\" starts a statement.\n // Fixing it in the tokenizer would mean tracking not only the\n // previous token (\"async\"), but also the one before to know\n // its beforeExpr value.\n // It's easier and more efficient to adjust the context here.\n throw new Error(\"Internal error\");\n }\n this.state.context[last] = ct.functionExpression;\n\n this.next();\n return this.parseFunction(\n this.startNodeAtNode(id),\n undefined,\n true,\n );\n } else if (this.match(tt.name)) {\n return this.parseAsyncArrowUnaryFunction(id);\n }\n }\n\n if (canBeArrow && this.match(tt.arrow) && !this.canInsertSemicolon()) {\n this.next();\n return this.parseArrowExpression(\n this.startNodeAtNode(id),\n [id],\n false,\n );\n }\n\n return id;\n }\n\n case tt._do: {\n return this.parseDo();\n }\n\n case tt.regexp: {\n const value = this.state.value;\n node = this.parseLiteral(value.value, \"RegExpLiteral\");\n node.pattern = value.pattern;\n node.flags = value.flags;\n return node;\n }\n\n case tt.num:\n return this.parseLiteral(this.state.value, \"NumericLiteral\");\n\n case tt.bigint:\n return this.parseLiteral(this.state.value, \"BigIntLiteral\");\n\n case tt.decimal:\n return this.parseLiteral(this.state.value, \"DecimalLiteral\");\n\n case tt.string:\n return this.parseLiteral(this.state.value, \"StringLiteral\");\n\n case tt._null:\n node = this.startNode();\n this.next();\n return this.finishNode(node, \"NullLiteral\");\n\n case tt._true:\n case tt._false:\n return this.parseBooleanLiteral();\n\n case tt.parenL:\n return this.parseParenAndDistinguishExpression(canBeArrow);\n\n case tt.bracketBarL:\n case tt.bracketHashL: {\n return this.parseArrayLike(\n this.state.type === tt.bracketBarL ? tt.bracketBarR : tt.bracketR,\n /* canBePattern */ false,\n /* isTuple */ true,\n refExpressionErrors,\n );\n }\n case tt.bracketL: {\n return this.parseArrayLike(\n tt.bracketR,\n /* canBePattern */ true,\n /* isTuple */ false,\n refExpressionErrors,\n );\n }\n case tt.braceBarL:\n case tt.braceHashL: {\n return this.parseObjectLike(\n this.state.type === tt.braceBarL ? tt.braceBarR : tt.braceR,\n /* isPattern */ false,\n /* isRecord */ true,\n refExpressionErrors,\n );\n }\n case tt.braceL: {\n return this.parseObjectLike(\n tt.braceR,\n /* isPattern */ false,\n /* isRecord */ false,\n refExpressionErrors,\n );\n }\n case tt._function:\n return this.parseFunctionOrFunctionSent();\n\n case tt.at:\n this.parseDecorators();\n // fall through\n case tt._class:\n node = this.startNode();\n this.takeDecorators(node);\n return this.parseClass(node, false);\n\n case tt._new:\n return this.parseNewOrNewTarget();\n\n case tt.backQuote:\n return this.parseTemplate(false);\n\n // BindExpression[Yield]\n // :: MemberExpression[?Yield]\n case tt.doubleColon: {\n node = this.startNode();\n this.next();\n node.object = null;\n const callee = (node.callee = this.parseNoCallExpr());\n if (callee.type === \"MemberExpression\") {\n return this.finishNode(node, \"BindExpression\");\n } else {\n throw this.raise(callee.start, Errors.UnsupportedBind);\n }\n }\n\n case tt.hash: {\n if (this.state.inPipeline) {\n node = this.startNode();\n\n if (\n this.getPluginOption(\"pipelineOperator\", \"proposal\") !== \"smart\"\n ) {\n this.raise(node.start, Errors.PrimaryTopicRequiresSmartPipeline);\n }\n\n this.next();\n\n if (!this.primaryTopicReferenceIsAllowedInCurrentTopicContext()) {\n this.raise(node.start, Errors.PrimaryTopicNotAllowed);\n }\n\n this.registerTopicReference();\n return this.finishNode(node, \"PipelinePrimaryTopicReference\");\n }\n\n // https://tc39.es/proposal-private-fields-in-in\n // RelationalExpression [In, Yield, Await]\n // [+In] PrivateIdentifier in ShiftExpression[?Yield, ?Await]\n const nextCh = this.input.codePointAt(this.state.end);\n if (isIdentifierStart(nextCh) || nextCh === charCodes.backslash) {\n const start = this.state.start;\n // $FlowIgnore It'll either parse a PrivateName or throw.\n node = (this.parseMaybePrivateName(true): N.PrivateName);\n if (this.match(tt._in)) {\n this.expectPlugin(\"privateIn\");\n this.classScope.usePrivateName(node.id.name, node.start);\n } else if (this.hasPlugin(\"privateIn\")) {\n this.raise(\n this.state.start,\n Errors.PrivateInExpectedIn,\n node.id.name,\n );\n } else {\n throw this.unexpected(start);\n }\n return node;\n }\n }\n // fall through\n case tt.relational: {\n if (this.state.value === \"<\") {\n const lookaheadCh = this.input.codePointAt(this.nextTokenStart());\n if (\n isIdentifierStart(lookaheadCh) || // Element/Type Parameter <foo>\n lookaheadCh === charCodes.greaterThan // Fragment <>\n ) {\n this.expectOnePlugin([\"jsx\", \"flow\", \"typescript\"]);\n }\n }\n }\n // fall through\n default:\n throw this.unexpected();\n }\n }\n\n // async [no LineTerminator here] AsyncArrowBindingIdentifier[?Yield] [no LineTerminator here] => AsyncConciseBody[?In]\n parseAsyncArrowUnaryFunction(id: N.Expression): N.ArrowFunctionExpression {\n const node = this.startNodeAtNode(id);\n const oldMaybeInArrowParameters = this.state.maybeInArrowParameters;\n const oldMaybeInAsyncArrowHead = this.state.maybeInAsyncArrowHead;\n const oldYieldPos = this.state.yieldPos;\n const oldAwaitPos = this.state.awaitPos;\n this.state.maybeInArrowParameters = true;\n this.state.maybeInAsyncArrowHead = true;\n this.state.yieldPos = -1;\n this.state.awaitPos = -1;\n const params = [this.parseIdentifier()];\n if (this.hasPrecedingLineBreak()) {\n this.raise(this.state.pos, Errors.LineTerminatorBeforeArrow);\n }\n this.expect(tt.arrow);\n this.checkYieldAwaitInDefaultParams();\n this.state.maybeInArrowParameters = oldMaybeInArrowParameters;\n this.state.maybeInAsyncArrowHead = oldMaybeInAsyncArrowHead;\n this.state.yieldPos = oldYieldPos;\n this.state.awaitPos = oldAwaitPos;\n // let foo = async bar => {};\n this.parseArrowExpression(node, params, true);\n return node;\n }\n\n // https://github.com/tc39/proposal-do-expressions\n parseDo(): N.DoExpression {\n this.expectPlugin(\"doExpressions\");\n const node = this.startNode();\n this.next(); // eat `do`\n const oldLabels = this.state.labels;\n this.state.labels = [];\n node.body = this.parseBlock();\n this.state.labels = oldLabels;\n return this.finishNode(node, \"DoExpression\");\n }\n\n // Parse the `super` keyword\n parseSuper(): N.Super {\n const node = this.startNode();\n this.next(); // eat `super`\n if (\n this.match(tt.parenL) &&\n !this.scope.allowDirectSuper &&\n !this.options.allowSuperOutsideMethod\n ) {\n this.raise(node.start, Errors.SuperNotAllowed);\n } else if (\n !this.scope.allowSuper &&\n !this.options.allowSuperOutsideMethod\n ) {\n this.raise(node.start, Errors.UnexpectedSuper);\n }\n\n if (\n !this.match(tt.parenL) &&\n !this.match(tt.bracketL) &&\n !this.match(tt.dot)\n ) {\n this.raise(node.start, Errors.UnsupportedSuper);\n }\n\n return this.finishNode(node, \"Super\");\n }\n\n parseBooleanLiteral(): N.BooleanLiteral {\n const node = this.startNode();\n node.value = this.match(tt._true);\n this.next();\n return this.finishNode(node, \"BooleanLiteral\");\n }\n\n parseMaybePrivateName(\n isPrivateNameAllowed: boolean,\n ): N.PrivateName | N.Identifier {\n const isPrivate = this.match(tt.hash);\n\n if (isPrivate) {\n this.expectOnePlugin([\"classPrivateProperties\", \"classPrivateMethods\"]);\n if (!isPrivateNameAllowed) {\n this.raise(this.state.pos, Errors.UnexpectedPrivateField);\n }\n const node = this.startNode();\n this.next();\n this.assertNoSpace(\"Unexpected space between # and identifier\");\n node.id = this.parseIdentifier(true);\n return this.finishNode(node, \"PrivateName\");\n } else {\n return this.parseIdentifier(true);\n }\n }\n\n parseFunctionOrFunctionSent(): N.FunctionExpression | N.MetaProperty {\n const node = this.startNode();\n\n // We do not do parseIdentifier here because when parseFunctionOrFunctionSent\n // is called we already know that the current token is a \"name\" with the value \"function\"\n // This will improve perf a tiny little bit as we do not do validation but more importantly\n // here is that parseIdentifier will remove an item from the expression stack\n // if \"function\" or \"class\" is parsed as identifier (in objects e.g.), which should not happen here.\n this.next(); // eat `function`\n\n if (this.prodParam.hasYield && this.match(tt.dot)) {\n const meta = this.createIdentifier(\n this.startNodeAtNode(node),\n \"function\",\n );\n this.next(); // eat `.`\n return this.parseMetaProperty(node, meta, \"sent\");\n }\n return this.parseFunction(node);\n }\n\n parseMetaProperty(\n node: N.MetaProperty,\n meta: N.Identifier,\n propertyName: string,\n ): N.MetaProperty {\n node.meta = meta;\n\n if (meta.name === \"function\" && propertyName === \"sent\") {\n // https://github.com/tc39/proposal-function.sent#syntax-1\n if (this.isContextual(propertyName)) {\n this.expectPlugin(\"functionSent\");\n } else if (!this.hasPlugin(\"functionSent\")) {\n // The code wasn't `function.sent` but just `function.`, so a simple error is less confusing.\n this.unexpected();\n }\n }\n\n const containsEsc = this.state.containsEsc;\n\n node.property = this.parseIdentifier(true);\n\n if (node.property.name !== propertyName || containsEsc) {\n this.raise(\n node.property.start,\n Errors.UnsupportedMetaProperty,\n meta.name,\n propertyName,\n );\n }\n\n return this.finishNode(node, \"MetaProperty\");\n }\n\n // https://tc39.es/ecma262/#prod-ImportMeta\n parseImportMetaProperty(node: N.MetaProperty): N.MetaProperty {\n const id = this.createIdentifier(this.startNodeAtNode(node), \"import\");\n this.next(); // eat `.`\n\n if (this.isContextual(\"meta\")) {\n if (!this.inModule) {\n this.raiseWithData(\n id.start,\n { code: \"BABEL_PARSER_SOURCETYPE_MODULE_REQUIRED\" },\n Errors.ImportMetaOutsideModule,\n );\n }\n this.sawUnambiguousESM = true;\n }\n\n return this.parseMetaProperty(node, id, \"meta\");\n }\n\n parseLiteral<T: N.Literal>(\n value: any,\n type: /*T[\"kind\"]*/ string,\n startPos?: number,\n startLoc?: Position,\n ): T {\n startPos = startPos || this.state.start;\n startLoc = startLoc || this.state.startLoc;\n\n const node = this.startNodeAt(startPos, startLoc);\n this.addExtra(node, \"rawValue\", value);\n this.addExtra(node, \"raw\", this.input.slice(startPos, this.state.end));\n node.value = value;\n this.next();\n return this.finishNode(node, type);\n }\n\n // https://tc39.es/ecma262/#prod-CoverParenthesizedExpressionAndArrowParameterList\n parseParenAndDistinguishExpression(canBeArrow: boolean): N.Expression {\n const startPos = this.state.start;\n const startLoc = this.state.startLoc;\n\n let val;\n this.next(); // eat `(`\n\n const oldMaybeInArrowParameters = this.state.maybeInArrowParameters;\n const oldYieldPos = this.state.yieldPos;\n const oldAwaitPos = this.state.awaitPos;\n const oldInFSharpPipelineDirectBody = this.state.inFSharpPipelineDirectBody;\n this.state.maybeInArrowParameters = true;\n this.state.yieldPos = -1;\n this.state.awaitPos = -1;\n this.state.inFSharpPipelineDirectBody = false;\n\n const innerStartPos = this.state.start;\n const innerStartLoc = this.state.startLoc;\n const exprList = [];\n const refExpressionErrors = new ExpressionErrors();\n const refNeedsArrowPos = { start: 0 };\n let first = true;\n let spreadStart;\n let optionalCommaStart;\n\n while (!this.match(tt.parenR)) {\n if (first) {\n first = false;\n } else {\n this.expect(tt.comma, refNeedsArrowPos.start || null);\n if (this.match(tt.parenR)) {\n optionalCommaStart = this.state.start;\n break;\n }\n }\n\n if (this.match(tt.ellipsis)) {\n const spreadNodeStartPos = this.state.start;\n const spreadNodeStartLoc = this.state.startLoc;\n spreadStart = this.state.start;\n exprList.push(\n this.parseParenItem(\n this.parseRestBinding(),\n spreadNodeStartPos,\n spreadNodeStartLoc,\n ),\n );\n\n this.checkCommaAfterRest(charCodes.rightParenthesis);\n\n break;\n } else {\n exprList.push(\n this.parseMaybeAssign(\n false,\n refExpressionErrors,\n this.parseParenItem,\n refNeedsArrowPos,\n ),\n );\n }\n }\n\n const innerEndPos = this.state.lastTokEnd;\n const innerEndLoc = this.state.lastTokEndLoc;\n this.expect(tt.parenR);\n\n this.state.maybeInArrowParameters = oldMaybeInArrowParameters;\n this.state.inFSharpPipelineDirectBody = oldInFSharpPipelineDirectBody;\n\n let arrowNode = this.startNodeAt(startPos, startLoc);\n if (\n canBeArrow &&\n this.shouldParseArrow() &&\n (arrowNode = this.parseArrow(arrowNode))\n ) {\n if (!this.isAwaitAllowed() && !this.state.maybeInAsyncArrowHead) {\n this.state.awaitPos = oldAwaitPos;\n }\n this.checkYieldAwaitInDefaultParams();\n this.state.yieldPos = oldYieldPos;\n this.state.awaitPos = oldAwaitPos;\n for (const param of exprList) {\n if (param.extra && param.extra.parenthesized) {\n this.unexpected(param.extra.parenStart);\n }\n }\n\n this.parseArrowExpression(arrowNode, exprList, false);\n return arrowNode;\n }\n\n // We keep the old value if it isn't null, for cases like\n // (x = (yield)) => {}\n if (oldYieldPos !== -1) this.state.yieldPos = oldYieldPos;\n if (oldAwaitPos !== -1) this.state.awaitPos = oldAwaitPos;\n\n if (!exprList.length) {\n this.unexpected(this.state.lastTokStart);\n }\n if (optionalCommaStart) this.unexpected(optionalCommaStart);\n if (spreadStart) this.unexpected(spreadStart);\n this.checkExpressionErrors(refExpressionErrors, true);\n if (refNeedsArrowPos.start) this.unexpected(refNeedsArrowPos.start);\n\n this.toReferencedListDeep(exprList, /* isParenthesizedExpr */ true);\n if (exprList.length > 1) {\n val = this.startNodeAt(innerStartPos, innerStartLoc);\n val.expressions = exprList;\n this.finishNodeAt(val, \"SequenceExpression\", innerEndPos, innerEndLoc);\n } else {\n val = exprList[0];\n }\n\n if (!this.options.createParenthesizedExpressions) {\n this.addExtra(val, \"parenthesized\", true);\n this.addExtra(val, \"parenStart\", startPos);\n return val;\n }\n\n const parenExpression = this.startNodeAt(startPos, startLoc);\n parenExpression.expression = val;\n this.finishNode(parenExpression, \"ParenthesizedExpression\");\n return parenExpression;\n }\n\n shouldParseArrow(): boolean {\n return !this.canInsertSemicolon();\n }\n\n parseArrow(node: N.ArrowFunctionExpression): ?N.ArrowFunctionExpression {\n if (this.eat(tt.arrow)) {\n return node;\n }\n }\n\n parseParenItem(\n node: N.Expression,\n startPos: number, // eslint-disable-line no-unused-vars\n startLoc: Position, // eslint-disable-line no-unused-vars\n ): N.Expression {\n return node;\n }\n\n parseNewOrNewTarget(): N.NewExpression | N.MetaProperty {\n const node = this.startNode();\n this.next();\n if (this.match(tt.dot)) {\n // https://tc39.es/ecma262/#prod-NewTarget\n const meta = this.createIdentifier(this.startNodeAtNode(node), \"new\");\n this.next();\n const metaProp = this.parseMetaProperty(node, meta, \"target\");\n\n if (!this.scope.inNonArrowFunction && !this.scope.inClass) {\n let error = Errors.UnexpectedNewTarget;\n\n if (this.hasPlugin(\"classProperties\")) {\n error += \" or class properties\";\n }\n\n /* eslint-disable @babel/development-internal/dry-error-messages */\n this.raise(metaProp.start, error);\n /* eslint-enable @babel/development-internal/dry-error-messages */\n }\n\n return metaProp;\n }\n\n return this.parseNew(node);\n }\n\n // New's precedence is slightly tricky. It must allow its argument to\n // be a `[]` or dot subscript expression, but not a call — at least,\n // not without wrapping it in parentheses. Thus, it uses the noCalls\n // argument to parseSubscripts to prevent it from consuming the\n // argument list.\n // https://tc39.es/ecma262/#prod-NewExpression\n parseNew(node: N.Expression): N.NewExpression {\n node.callee = this.parseNoCallExpr();\n\n if (node.callee.type === \"Import\") {\n this.raise(node.callee.start, Errors.ImportCallNotNewExpression);\n } else if (\n node.callee.type === \"OptionalMemberExpression\" ||\n node.callee.type === \"OptionalCallExpression\"\n ) {\n this.raise(this.state.lastTokEnd, Errors.OptionalChainingNoNew);\n } else if (this.eat(tt.questionDot)) {\n this.raise(this.state.start, Errors.OptionalChainingNoNew);\n }\n\n this.parseNewArguments(node);\n return this.finishNode(node, \"NewExpression\");\n }\n\n parseNewArguments(node: N.NewExpression): void {\n if (this.eat(tt.parenL)) {\n const args = this.parseExprList(tt.parenR);\n this.toReferencedList(args);\n // $FlowFixMe (parseExprList should be all non-null in this case)\n node.arguments = args;\n } else {\n node.arguments = [];\n }\n }\n\n // Parse template expression.\n\n parseTemplateElement(isTagged: boolean): N.TemplateElement {\n const elem = this.startNode();\n if (this.state.value === null) {\n if (!isTagged) {\n this.raise(this.state.start + 1, Errors.InvalidEscapeSequenceTemplate);\n }\n }\n elem.value = {\n raw: this.input\n .slice(this.state.start, this.state.end)\n .replace(/\\r\\n?/g, \"\\n\"),\n cooked: this.state.value,\n };\n this.next();\n elem.tail = this.match(tt.backQuote);\n return this.finishNode(elem, \"TemplateElement\");\n }\n\n // https://tc39.es/ecma262/#prod-TemplateLiteral\n parseTemplate(isTagged: boolean): N.TemplateLiteral {\n const node = this.startNode();\n this.next();\n node.expressions = [];\n let curElt = this.parseTemplateElement(isTagged);\n node.quasis = [curElt];\n while (!curElt.tail) {\n this.expect(tt.dollarBraceL);\n node.expressions.push(this.parseExpression());\n this.expect(tt.braceR);\n node.quasis.push((curElt = this.parseTemplateElement(isTagged)));\n }\n this.next();\n return this.finishNode(node, \"TemplateLiteral\");\n }\n\n // Parse an object literal, binding pattern, or record.\n\n parseObjectLike<T: N.ObjectPattern | N.ObjectExpression>(\n close: TokenType,\n isPattern: boolean,\n isRecord?: ?boolean,\n refExpressionErrors?: ?ExpressionErrors,\n ): T {\n if (isRecord) {\n this.expectPlugin(\"recordAndTuple\");\n }\n const oldInFSharpPipelineDirectBody = this.state.inFSharpPipelineDirectBody;\n this.state.inFSharpPipelineDirectBody = false;\n const propHash: any = Object.create(null);\n let first = true;\n const node = this.startNode();\n\n node.properties = [];\n this.next();\n\n while (!this.eat(close)) {\n if (first) {\n first = false;\n } else {\n this.expect(tt.comma);\n if (this.match(close)) {\n this.addExtra(node, \"trailingComma\", this.state.lastTokStart);\n this.next();\n break;\n }\n }\n\n const prop = this.parsePropertyDefinition(isPattern, refExpressionErrors);\n if (!isPattern) {\n // $FlowIgnore RestElement will never be returned if !isPattern\n this.checkProto(prop, isRecord, propHash, refExpressionErrors);\n }\n\n if (\n isRecord &&\n prop.type !== \"ObjectProperty\" &&\n prop.type !== \"SpreadElement\"\n ) {\n this.raise(prop.start, Errors.InvalidRecordProperty);\n }\n\n // $FlowIgnore\n if (prop.shorthand) {\n this.addExtra(prop, \"shorthand\", true);\n }\n\n node.properties.push(prop);\n }\n\n this.state.inFSharpPipelineDirectBody = oldInFSharpPipelineDirectBody;\n let type = \"ObjectExpression\";\n if (isPattern) {\n type = \"ObjectPattern\";\n } else if (isRecord) {\n type = \"RecordExpression\";\n }\n return this.finishNode(node, type);\n }\n\n // Check grammar production:\n // IdentifierName *_opt PropertyName\n // It is used in `parsePropertyDefinition` to detect AsyncMethod and Accessors\n maybeAsyncOrAccessorProp(prop: N.ObjectProperty): boolean {\n return (\n !prop.computed &&\n prop.key.type === \"Identifier\" &&\n (this.isLiteralPropertyName() ||\n this.match(tt.bracketL) ||\n this.match(tt.star))\n );\n }\n\n // https://tc39.es/ecma262/#prod-PropertyDefinition\n parsePropertyDefinition(\n isPattern: boolean,\n refExpressionErrors?: ?ExpressionErrors,\n ): N.ObjectMember | N.SpreadElement | N.RestElement {\n let decorators = [];\n if (this.match(tt.at)) {\n if (this.hasPlugin(\"decorators\")) {\n this.raise(this.state.start, Errors.UnsupportedPropertyDecorator);\n }\n\n // we needn't check if decorators (stage 0) plugin is enabled since it's checked by\n // the call to this.parseDecorator\n while (this.match(tt.at)) {\n decorators.push(this.parseDecorator());\n }\n }\n\n const prop = this.startNode();\n let isGenerator = false;\n let isAsync = false;\n let isAccessor = false;\n let startPos;\n let startLoc;\n\n if (this.match(tt.ellipsis)) {\n if (decorators.length) this.unexpected();\n if (isPattern) {\n this.next();\n // Don't use parseRestBinding() as we only allow Identifier here.\n prop.argument = this.parseIdentifier();\n this.checkCommaAfterRest(charCodes.rightCurlyBrace);\n return this.finishNode(prop, \"RestElement\");\n }\n\n return this.parseSpread();\n }\n\n if (decorators.length) {\n prop.decorators = decorators;\n decorators = [];\n }\n\n prop.method = false;\n\n if (isPattern || refExpressionErrors) {\n startPos = this.state.start;\n startLoc = this.state.startLoc;\n }\n\n if (!isPattern) {\n isGenerator = this.eat(tt.star);\n }\n\n const containsEsc = this.state.containsEsc;\n const key = this.parsePropertyName(prop, /* isPrivateNameAllowed */ false);\n\n if (\n !isPattern &&\n !isGenerator &&\n !containsEsc &&\n this.maybeAsyncOrAccessorProp(prop)\n ) {\n const keyName = key.name;\n // https://tc39.es/ecma262/#prod-AsyncMethod\n // https://tc39.es/ecma262/#prod-AsyncGeneratorMethod\n if (keyName === \"async\" && !this.hasPrecedingLineBreak()) {\n isAsync = true;\n isGenerator = this.eat(tt.star);\n this.parsePropertyName(prop, /* isPrivateNameAllowed */ false);\n }\n // get PropertyName[?Yield, ?Await] () { FunctionBody[~Yield, ~Await] }\n // set PropertyName[?Yield, ?Await] ( PropertySetParameterList ) { FunctionBody[~Yield, ~Await] }\n if (keyName === \"get\" || keyName === \"set\") {\n isAccessor = true;\n prop.kind = keyName;\n if (this.match(tt.star)) {\n this.raise(this.state.pos, Errors.AccessorIsGenerator, keyName);\n this.next();\n }\n this.parsePropertyName(prop, /* isPrivateNameAllowed */ false);\n }\n }\n\n this.parseObjPropValue(\n prop,\n startPos,\n startLoc,\n isGenerator,\n isAsync,\n isPattern,\n isAccessor,\n refExpressionErrors,\n );\n\n return prop;\n }\n\n getGetterSetterExpectedParamCount(\n method: N.ObjectMethod | N.ClassMethod,\n ): number {\n return method.kind === \"get\" ? 0 : 1;\n }\n\n // get methods aren't allowed to have any parameters\n // set methods must have exactly 1 parameter which is not a rest parameter\n checkGetterSetterParams(method: N.ObjectMethod | N.ClassMethod): void {\n const paramCount = this.getGetterSetterExpectedParamCount(method);\n const start = method.start;\n if (method.params.length !== paramCount) {\n if (method.kind === \"get\") {\n this.raise(start, Errors.BadGetterArity);\n } else {\n this.raise(start, Errors.BadSetterArity);\n }\n }\n\n if (\n method.kind === \"set\" &&\n method.params[method.params.length - 1].type === \"RestElement\"\n ) {\n this.raise(start, Errors.BadSetterRestParameter);\n }\n }\n\n // https://tc39.es/ecma262/#prod-MethodDefinition\n parseObjectMethod(\n prop: N.ObjectMethod,\n isGenerator: boolean,\n isAsync: boolean,\n isPattern: boolean,\n isAccessor: boolean,\n ): ?N.ObjectMethod {\n if (isAccessor) {\n // isAccessor implies isAsync: false, isPattern: false, isGenerator: false\n this.parseMethod(\n prop,\n /* isGenerator */ false,\n /* isAsync */ false,\n /* isConstructor */ false,\n false,\n \"ObjectMethod\",\n );\n this.checkGetterSetterParams(prop);\n return prop;\n }\n\n if (isAsync || isGenerator || this.match(tt.parenL)) {\n if (isPattern) this.unexpected();\n prop.kind = \"method\";\n prop.method = true;\n return this.parseMethod(\n prop,\n isGenerator,\n isAsync,\n /* isConstructor */ false,\n false,\n \"ObjectMethod\",\n );\n }\n }\n\n // if `isPattern` is true, parse https://tc39.es/ecma262/#prod-BindingProperty\n // else https://tc39.es/ecma262/#prod-PropertyDefinition\n parseObjectProperty(\n prop: N.ObjectProperty,\n startPos: ?number,\n startLoc: ?Position,\n isPattern: boolean,\n refExpressionErrors: ?ExpressionErrors,\n ): ?N.ObjectProperty {\n prop.shorthand = false;\n\n if (this.eat(tt.colon)) {\n prop.value = isPattern\n ? this.parseMaybeDefault(this.state.start, this.state.startLoc)\n : this.parseMaybeAssign(false, refExpressionErrors);\n\n return this.finishNode(prop, \"ObjectProperty\");\n }\n\n if (!prop.computed && prop.key.type === \"Identifier\") {\n // PropertyDefinition:\n // IdentifierReference\n // CoveredInitializedName\n // Note: `{ eval } = {}` will be checked in `checkLVal` later.\n this.checkReservedWord(prop.key.name, prop.key.start, true, false);\n\n if (isPattern) {\n prop.value = this.parseMaybeDefault(\n startPos,\n startLoc,\n prop.key.__clone(),\n );\n } else if (this.match(tt.eq) && refExpressionErrors) {\n if (refExpressionErrors.shorthandAssign === -1) {\n refExpressionErrors.shorthandAssign = this.state.start;\n }\n prop.value = this.parseMaybeDefault(\n startPos,\n startLoc,\n prop.key.__clone(),\n );\n } else {\n prop.value = prop.key.__clone();\n }\n prop.shorthand = true;\n\n return this.finishNode(prop, \"ObjectProperty\");\n }\n }\n\n parseObjPropValue(\n prop: any,\n startPos: ?number,\n startLoc: ?Position,\n isGenerator: boolean,\n isAsync: boolean,\n isPattern: boolean,\n isAccessor: boolean,\n refExpressionErrors?: ?ExpressionErrors,\n ): void {\n const node =\n this.parseObjectMethod(\n prop,\n isGenerator,\n isAsync,\n isPattern,\n isAccessor,\n ) ||\n this.parseObjectProperty(\n prop,\n startPos,\n startLoc,\n isPattern,\n refExpressionErrors,\n );\n\n if (!node) this.unexpected();\n\n // $FlowFixMe\n return node;\n }\n\n parsePropertyName(\n prop: N.ObjectOrClassMember | N.ClassMember | N.TsNamedTypeElementBase,\n isPrivateNameAllowed: boolean,\n ): N.Expression | N.Identifier {\n if (this.eat(tt.bracketL)) {\n (prop: $FlowSubtype<N.ObjectOrClassMember>).computed = true;\n prop.key = this.parseMaybeAssign();\n this.expect(tt.bracketR);\n } else {\n const oldInPropertyName = this.state.inPropertyName;\n this.state.inPropertyName = true;\n // We check if it's valid for it to be a private name when we push it.\n (prop: $FlowFixMe).key =\n this.match(tt.num) ||\n this.match(tt.string) ||\n this.match(tt.bigint) ||\n this.match(tt.decimal)\n ? this.parseExprAtom()\n : this.parseMaybePrivateName(isPrivateNameAllowed);\n\n if (prop.key.type !== \"PrivateName\") {\n // ClassPrivateProperty is never computed, so we don't assign in that case.\n prop.computed = false;\n }\n\n this.state.inPropertyName = oldInPropertyName;\n }\n\n return prop.key;\n }\n\n // Initialize empty function node.\n\n initFunction(node: N.BodilessFunctionOrMethodBase, isAsync: ?boolean): void {\n node.id = null;\n node.generator = false;\n node.async = !!isAsync;\n }\n\n // Parse object or class method.\n\n parseMethod<T: N.MethodLike>(\n node: T,\n isGenerator: boolean,\n isAsync: boolean,\n isConstructor: boolean,\n allowDirectSuper: boolean,\n type: string,\n inClassScope: boolean = false,\n ): T {\n const oldYieldPos = this.state.yieldPos;\n const oldAwaitPos = this.state.awaitPos;\n this.state.yieldPos = -1;\n this.state.awaitPos = -1;\n\n this.initFunction(node, isAsync);\n node.generator = !!isGenerator;\n const allowModifiers = isConstructor; // For TypeScript parameter properties\n this.scope.enter(\n SCOPE_FUNCTION |\n SCOPE_SUPER |\n (inClassScope ? SCOPE_CLASS : 0) |\n (allowDirectSuper ? SCOPE_DIRECT_SUPER : 0),\n );\n this.prodParam.enter(functionFlags(isAsync, node.generator));\n this.parseFunctionParams((node: any), allowModifiers);\n this.parseFunctionBodyAndFinish(node, type, true);\n this.prodParam.exit();\n this.scope.exit();\n\n this.state.yieldPos = oldYieldPos;\n this.state.awaitPos = oldAwaitPos;\n\n return node;\n }\n\n // parse an array literal or tuple literal\n // https://tc39.es/ecma262/#prod-ArrayLiteral\n // https://tc39.es/proposal-record-tuple/#prod-TupleLiteral\n parseArrayLike(\n close: TokenType,\n canBePattern: boolean,\n isTuple: boolean,\n refExpressionErrors: ?ExpressionErrors,\n ): N.ArrayExpression | N.TupleExpression {\n if (isTuple) {\n this.expectPlugin(\"recordAndTuple\");\n }\n const oldInFSharpPipelineDirectBody = this.state.inFSharpPipelineDirectBody;\n this.state.inFSharpPipelineDirectBody = false;\n const node = this.startNode();\n this.next();\n node.elements = this.parseExprList(\n close,\n /* allowEmpty */ !isTuple,\n refExpressionErrors,\n node,\n );\n if (canBePattern && !this.state.maybeInArrowParameters) {\n // This could be an array pattern:\n // ([a: string, b: string]) => {}\n // In this case, we don't have to call toReferencedList. We will\n // call it, if needed, when we are sure that it is a parenthesized\n // expression by calling toReferencedListDeep.\n this.toReferencedList(node.elements);\n }\n this.state.inFSharpPipelineDirectBody = oldInFSharpPipelineDirectBody;\n return this.finishNode(\n node,\n isTuple ? \"TupleExpression\" : \"ArrayExpression\",\n );\n }\n\n // Parse arrow function expression.\n // If the parameters are provided, they will be converted to an\n // assignable list.\n parseArrowExpression(\n node: N.ArrowFunctionExpression,\n params: ?(N.Expression[]),\n isAsync: boolean,\n trailingCommaPos: ?number,\n ): N.ArrowFunctionExpression {\n this.scope.enter(SCOPE_FUNCTION | SCOPE_ARROW);\n this.prodParam.enter(functionFlags(isAsync, false));\n this.initFunction(node, isAsync);\n const oldMaybeInArrowParameters = this.state.maybeInArrowParameters;\n const oldYieldPos = this.state.yieldPos;\n const oldAwaitPos = this.state.awaitPos;\n\n if (params) {\n this.state.maybeInArrowParameters = true;\n this.setArrowFunctionParameters(node, params, trailingCommaPos);\n }\n this.state.maybeInArrowParameters = false;\n this.state.yieldPos = -1;\n this.state.awaitPos = -1;\n this.parseFunctionBody(node, true);\n\n this.prodParam.exit();\n this.scope.exit();\n this.state.maybeInArrowParameters = oldMaybeInArrowParameters;\n this.state.yieldPos = oldYieldPos;\n this.state.awaitPos = oldAwaitPos;\n\n return this.finishNode(node, \"ArrowFunctionExpression\");\n }\n\n setArrowFunctionParameters(\n node: N.ArrowFunctionExpression,\n params: N.Expression[],\n trailingCommaPos: ?number,\n ): void {\n node.params = this.toAssignableList(params, trailingCommaPos);\n }\n\n parseFunctionBodyAndFinish(\n node: N.BodilessFunctionOrMethodBase,\n type: string,\n isMethod?: boolean = false,\n ): void {\n // $FlowIgnore (node is not bodiless if we get here)\n this.parseFunctionBody(node, false, isMethod);\n this.finishNode(node, type);\n }\n\n // Parse function body and check parameters.\n parseFunctionBody(\n node: N.Function,\n allowExpression: ?boolean,\n isMethod?: boolean = false,\n ): void {\n const isExpression = allowExpression && !this.match(tt.braceL);\n const oldInParameters = this.state.inParameters;\n this.state.inParameters = false;\n\n if (isExpression) {\n node.body = this.parseMaybeAssign();\n this.checkParams(node, false, allowExpression, false);\n } else {\n const oldStrict = this.state.strict;\n // Start a new scope with regard to labels\n // flag (restore them to their old value afterwards).\n const oldLabels = this.state.labels;\n this.state.labels = [];\n\n // FunctionBody[Yield, Await]:\n // StatementList[?Yield, ?Await, +Return] opt\n this.prodParam.enter(this.prodParam.currentFlags() | PARAM_RETURN);\n node.body = this.parseBlock(\n true,\n false,\n // Strict mode function checks after we parse the statements in the function body.\n (hasStrictModeDirective: boolean) => {\n const nonSimple = !this.isSimpleParamList(node.params);\n\n if (hasStrictModeDirective && nonSimple) {\n // This logic is here to align the error location with the ESTree plugin.\n const errorPos =\n // $FlowIgnore\n (node.kind === \"method\" || node.kind === \"constructor\") &&\n // $FlowIgnore\n !!node.key\n ? node.key.end\n : node.start;\n this.raise(errorPos, Errors.IllegalLanguageModeDirective);\n }\n\n const strictModeChanged = !oldStrict && this.state.strict;\n\n // Add the params to varDeclaredNames to ensure that an error is thrown\n // if a let/const declaration in the function clashes with one of the params.\n this.checkParams(\n node,\n !this.state.strict && !allowExpression && !isMethod && !nonSimple,\n allowExpression,\n strictModeChanged,\n );\n\n // Ensure the function name isn't a forbidden identifier in strict mode, e.g. 'eval'\n if (this.state.strict && node.id) {\n this.checkLVal(\n node.id,\n BIND_OUTSIDE,\n undefined,\n \"function name\",\n undefined,\n strictModeChanged,\n );\n }\n },\n );\n this.prodParam.exit();\n this.state.labels = oldLabels;\n }\n\n this.state.inParameters = oldInParameters;\n }\n\n isSimpleParamList(\n params: $ReadOnlyArray<N.Pattern | N.TSParameterProperty>,\n ): boolean {\n for (let i = 0, len = params.length; i < len; i++) {\n if (params[i].type !== \"Identifier\") return false;\n }\n return true;\n }\n\n checkParams(\n node: N.Function,\n allowDuplicates: boolean,\n // eslint-disable-next-line no-unused-vars\n isArrowFunction: ?boolean,\n strictModeChanged?: boolean = true,\n ): void {\n // $FlowIssue\n const nameHash: {} = Object.create(null);\n for (let i = 0; i < node.params.length; i++) {\n this.checkLVal(\n node.params[i],\n BIND_VAR,\n allowDuplicates ? null : nameHash,\n \"function parameter list\",\n undefined,\n strictModeChanged,\n );\n }\n }\n\n // Parses a comma-separated list of expressions, and returns them as\n // an array. `close` is the token type that ends the list, and\n // `allowEmpty` can be turned on to allow subsequent commas with\n // nothing in between them to be parsed as `null` (which is needed\n // for array literals).\n\n parseExprList(\n close: TokenType,\n allowEmpty?: boolean,\n refExpressionErrors?: ?ExpressionErrors,\n nodeForExtra?: ?N.Node,\n ): $ReadOnlyArray<?N.Expression> {\n const elts = [];\n let first = true;\n\n while (!this.eat(close)) {\n if (first) {\n first = false;\n } else {\n this.expect(tt.comma);\n if (this.match(close)) {\n if (nodeForExtra) {\n this.addExtra(\n nodeForExtra,\n \"trailingComma\",\n this.state.lastTokStart,\n );\n }\n this.next();\n break;\n }\n }\n\n elts.push(this.parseExprListItem(allowEmpty, refExpressionErrors));\n }\n return elts;\n }\n\n parseExprListItem(\n allowEmpty: ?boolean,\n refExpressionErrors?: ?ExpressionErrors,\n refNeedsArrowPos: ?Pos,\n allowPlaceholder: ?boolean,\n ): ?N.Expression {\n let elt;\n if (this.match(tt.comma)) {\n if (!allowEmpty) {\n this.raise(this.state.pos, Errors.UnexpectedToken, \",\");\n }\n elt = null;\n } else if (this.match(tt.ellipsis)) {\n const spreadNodeStartPos = this.state.start;\n const spreadNodeStartLoc = this.state.startLoc;\n elt = this.parseParenItem(\n this.parseSpread(refExpressionErrors, refNeedsArrowPos),\n spreadNodeStartPos,\n spreadNodeStartLoc,\n );\n } else if (this.match(tt.question)) {\n this.expectPlugin(\"partialApplication\");\n if (!allowPlaceholder) {\n this.raise(this.state.start, Errors.UnexpectedArgumentPlaceholder);\n }\n const node = this.startNode();\n this.next();\n elt = this.finishNode(node, \"ArgumentPlaceholder\");\n } else {\n elt = this.parseMaybeAssign(\n false,\n refExpressionErrors,\n this.parseParenItem,\n refNeedsArrowPos,\n );\n }\n return elt;\n }\n\n // Parse the next token as an identifier. If `liberal` is true (used\n // when parsing properties), it will also convert keywords into\n // identifiers.\n // This shouldn't be used to parse the keywords of meta properties, since they\n // are not identifiers and cannot contain escape sequences.\n\n parseIdentifier(liberal?: boolean): N.Identifier {\n const node = this.startNode();\n const name = this.parseIdentifierName(node.start, liberal);\n\n return this.createIdentifier(node, name);\n }\n\n createIdentifier(node: N.Identifier, name: string): N.Identifier {\n node.name = name;\n node.loc.identifierName = name;\n\n return this.finishNode(node, \"Identifier\");\n }\n\n parseIdentifierName(pos: number, liberal?: boolean): string {\n let name: string;\n\n if (this.match(tt.name)) {\n name = this.state.value;\n } else if (this.state.type.keyword) {\n name = this.state.type.keyword;\n\n // `class` and `function` keywords push function-type token context into this.context.\n // But there is no chance to pop the context if the keyword is consumed\n // as an identifier such as a property name.\n const context = this.state.context;\n if (\n (name === \"class\" || name === \"function\") &&\n context[context.length - 1].token === \"function\"\n ) {\n context.pop();\n }\n } else {\n throw this.unexpected();\n }\n\n if (liberal) {\n // If the current token is not used as a keyword, set its type to \"tt.name\".\n // This will prevent this.next() from throwing about unexpected escapes.\n this.state.type = tt.name;\n } else {\n this.checkReservedWord(\n name,\n this.state.start,\n !!this.state.type.keyword,\n false,\n );\n }\n\n this.next();\n\n return name;\n }\n\n checkReservedWord(\n word: string,\n startLoc: number,\n checkKeywords: boolean,\n isBinding: boolean,\n ): void {\n if (this.prodParam.hasYield && word === \"yield\") {\n this.raise(startLoc, Errors.YieldBindingIdentifier);\n return;\n }\n\n if (word === \"await\") {\n if (this.prodParam.hasAwait) {\n this.raise(startLoc, Errors.AwaitBindingIdentifier);\n return;\n }\n if (\n this.state.awaitPos === -1 &&\n (this.state.maybeInAsyncArrowHead || this.isAwaitAllowed())\n ) {\n this.state.awaitPos = this.state.start;\n }\n }\n\n if (\n this.scope.inClass &&\n !this.scope.inNonArrowFunction &&\n word === \"arguments\"\n ) {\n this.raise(startLoc, Errors.ArgumentsDisallowedInInitializer);\n return;\n }\n if (checkKeywords && isKeyword(word)) {\n this.raise(startLoc, Errors.UnexpectedKeyword, word);\n return;\n }\n\n const reservedTest = !this.state.strict\n ? isReservedWord\n : isBinding\n ? isStrictBindReservedWord\n : isStrictReservedWord;\n\n if (reservedTest(word, this.inModule)) {\n if (!this.prodParam.hasAwait && word === \"await\") {\n this.raise(startLoc, Errors.AwaitNotInAsyncFunction);\n } else {\n this.raise(startLoc, Errors.UnexpectedReservedWord, word);\n }\n }\n }\n\n isAwaitAllowed(): boolean {\n if (this.scope.inFunction) return this.prodParam.hasAwait;\n if (this.options.allowAwaitOutsideFunction) return true;\n if (this.hasPlugin(\"topLevelAwait\")) {\n return this.inModule && this.prodParam.hasAwait;\n }\n return false;\n }\n\n // Parses await expression inside async function.\n\n parseAwait(): N.AwaitExpression {\n const node = this.startNode();\n\n this.next();\n\n if (this.state.inParameters) {\n this.raise(node.start, Errors.AwaitExpressionFormalParameter);\n } else if (this.state.awaitPos === -1) {\n this.state.awaitPos = node.start;\n }\n if (this.eat(tt.star)) {\n this.raise(node.start, Errors.ObsoleteAwaitStar);\n }\n\n if (!this.scope.inFunction && !this.options.allowAwaitOutsideFunction) {\n if (\n this.hasPrecedingLineBreak() ||\n // All the following expressions are ambiguous:\n // await + 0, await - 0, await ( 0 ), await [ 0 ], await / 0 /u, await ``\n this.match(tt.plusMin) ||\n this.match(tt.parenL) ||\n this.match(tt.bracketL) ||\n this.match(tt.backQuote) ||\n // Sometimes the tokenizer generates tt.slash for regexps, and this is\n // handler by parseExprAtom\n this.match(tt.regexp) ||\n this.match(tt.slash) ||\n // This code could be parsed both as a modulo operator or as an intrinsic:\n // await %x(0)\n (this.hasPlugin(\"v8intrinsic\") && this.match(tt.modulo))\n ) {\n this.ambiguousScriptDifferentAst = true;\n } else {\n this.sawUnambiguousESM = true;\n }\n }\n\n if (!this.state.soloAwait) {\n node.argument = this.parseMaybeUnary();\n }\n\n return this.finishNode(node, \"AwaitExpression\");\n }\n\n // Parses yield expression inside generator.\n\n parseYield(noIn?: ?boolean): N.YieldExpression {\n const node = this.startNode();\n\n if (this.state.inParameters) {\n this.raise(node.start, Errors.YieldInParameter);\n } else if (this.state.yieldPos === -1) {\n this.state.yieldPos = node.start;\n }\n\n this.next();\n if (\n this.match(tt.semi) ||\n (!this.match(tt.star) && !this.state.type.startsExpr) ||\n this.hasPrecedingLineBreak()\n ) {\n node.delegate = false;\n node.argument = null;\n } else {\n node.delegate = this.eat(tt.star);\n node.argument = this.parseMaybeAssign(noIn);\n }\n return this.finishNode(node, \"YieldExpression\");\n }\n\n // Validates a pipeline (for any of the pipeline Babylon plugins) at the point\n // of the infix operator `|>`.\n\n checkPipelineAtInfixOperator(left: N.Expression, leftStartPos: number) {\n if (this.getPluginOption(\"pipelineOperator\", \"proposal\") === \"smart\") {\n if (left.type === \"SequenceExpression\") {\n // Ensure that the pipeline head is not a comma-delimited\n // sequence expression.\n this.raise(leftStartPos, Errors.PipelineHeadSequenceExpression);\n }\n }\n }\n\n parseSmartPipelineBody(\n childExpression: N.Expression,\n startPos: number,\n startLoc: Position,\n ): N.PipelineBody {\n this.checkSmartPipelineBodyEarlyErrors(childExpression, startPos);\n\n return this.parseSmartPipelineBodyInStyle(\n childExpression,\n startPos,\n startLoc,\n );\n }\n\n checkSmartPipelineBodyEarlyErrors(\n childExpression: N.Expression,\n startPos: number,\n ): void {\n if (this.match(tt.arrow)) {\n // If the following token is invalidly `=>`, then throw a human-friendly error\n // instead of something like 'Unexpected token, expected \";\"'.\n throw this.raise(this.state.start, Errors.PipelineBodyNoArrow);\n } else if (childExpression.type === \"SequenceExpression\") {\n this.raise(startPos, Errors.PipelineBodySequenceExpression);\n }\n }\n\n parseSmartPipelineBodyInStyle(\n childExpression: N.Expression,\n startPos: number,\n startLoc: Position,\n ): N.PipelineBody {\n const bodyNode = this.startNodeAt(startPos, startLoc);\n const isSimpleReference = this.isSimpleReference(childExpression);\n if (isSimpleReference) {\n bodyNode.callee = childExpression;\n } else {\n if (!this.topicReferenceWasUsedInCurrentTopicContext()) {\n this.raise(startPos, Errors.PipelineTopicUnused);\n }\n bodyNode.expression = childExpression;\n }\n return this.finishNode(\n bodyNode,\n isSimpleReference ? \"PipelineBareFunction\" : \"PipelineTopicExpression\",\n );\n }\n\n isSimpleReference(expression: N.Expression): boolean {\n switch (expression.type) {\n case \"MemberExpression\":\n return (\n !expression.computed && this.isSimpleReference(expression.object)\n );\n case \"Identifier\":\n return true;\n default:\n return false;\n }\n }\n\n // Enable topic references from outer contexts within smart pipeline bodies.\n // The function modifies the parser's topic-context state to enable or disable\n // the use of topic references with the smartPipelines plugin. They then run a\n // callback, then they reset the parser to the old topic-context state that it\n // had before the function was called.\n\n withTopicPermittingContext<T>(callback: () => T): T {\n const outerContextTopicState = this.state.topicContext;\n this.state.topicContext = {\n // Enable the use of the primary topic reference.\n maxNumOfResolvableTopics: 1,\n // Hide the use of any topic references from outer contexts.\n maxTopicIndex: null,\n };\n\n try {\n return callback();\n } finally {\n this.state.topicContext = outerContextTopicState;\n }\n }\n\n // Disable topic references from outer contexts within syntax constructs\n // such as the bodies of iteration statements.\n // The function modifies the parser's topic-context state to enable or disable\n // the use of topic references with the smartPipelines plugin. They then run a\n // callback, then they reset the parser to the old topic-context state that it\n // had before the function was called.\n\n withTopicForbiddingContext<T>(callback: () => T): T {\n const outerContextTopicState = this.state.topicContext;\n this.state.topicContext = {\n // Disable the use of the primary topic reference.\n maxNumOfResolvableTopics: 0,\n // Hide the use of any topic references from outer contexts.\n maxTopicIndex: null,\n };\n\n try {\n return callback();\n } finally {\n this.state.topicContext = outerContextTopicState;\n }\n }\n\n withSoloAwaitPermittingContext<T>(callback: () => T): T {\n const outerContextSoloAwaitState = this.state.soloAwait;\n this.state.soloAwait = true;\n\n try {\n return callback();\n } finally {\n this.state.soloAwait = outerContextSoloAwaitState;\n }\n }\n\n // Register the use of a primary topic reference (`#`) within the current\n // topic context.\n registerTopicReference(): void {\n this.state.topicContext.maxTopicIndex = 0;\n }\n\n primaryTopicReferenceIsAllowedInCurrentTopicContext(): boolean {\n return this.state.topicContext.maxNumOfResolvableTopics >= 1;\n }\n\n topicReferenceWasUsedInCurrentTopicContext(): boolean {\n return (\n this.state.topicContext.maxTopicIndex != null &&\n this.state.topicContext.maxTopicIndex >= 0\n );\n }\n\n parseFSharpPipelineBody(prec: number, noIn: ?boolean): N.Expression {\n const startPos = this.state.start;\n const startLoc = this.state.startLoc;\n\n this.state.potentialArrowAt = this.state.start;\n const oldInFSharpPipelineDirectBody = this.state.inFSharpPipelineDirectBody;\n this.state.inFSharpPipelineDirectBody = true;\n\n const ret = this.parseExprOp(\n this.parseMaybeUnary(),\n startPos,\n startLoc,\n prec,\n noIn,\n );\n\n this.state.inFSharpPipelineDirectBody = oldInFSharpPipelineDirectBody;\n\n return ret;\n }\n}\n","// @flow\n\nimport * as N from \"../types\";\nimport { types as tt, type TokenType } from \"../tokenizer/types\";\nimport ExpressionParser from \"./expression\";\nimport { Errors } from \"./error\";\nimport {\n isIdentifierChar,\n isIdentifierStart,\n keywordRelationalOperator,\n} from \"../util/identifier\";\nimport { lineBreak } from \"../util/whitespace\";\nimport * as charCodes from \"charcodes\";\nimport {\n BIND_CLASS,\n BIND_LEXICAL,\n BIND_VAR,\n BIND_FUNCTION,\n SCOPE_CLASS,\n SCOPE_FUNCTION,\n SCOPE_OTHER,\n SCOPE_SIMPLE_CATCH,\n SCOPE_SUPER,\n CLASS_ELEMENT_OTHER,\n CLASS_ELEMENT_INSTANCE_GETTER,\n CLASS_ELEMENT_INSTANCE_SETTER,\n CLASS_ELEMENT_STATIC_GETTER,\n CLASS_ELEMENT_STATIC_SETTER,\n type BindingTypes,\n} from \"../util/scopeflags\";\nimport { ExpressionErrors } from \"./util\";\nimport { PARAM, functionFlags } from \"../util/production-parameter\";\n\nconst loopLabel = { kind: \"loop\" },\n switchLabel = { kind: \"switch\" };\n\nconst FUNC_NO_FLAGS = 0b000,\n FUNC_STATEMENT = 0b001,\n FUNC_HANGING_STATEMENT = 0b010,\n FUNC_NULLABLE_ID = 0b100;\n\nexport default class StatementParser extends ExpressionParser {\n // ### Statement parsing\n\n // Parse a program. Initializes the parser, reads any number of\n // statements, and wraps them in a Program node. Optionally takes a\n // `program` argument. If present, the statements will be appended\n // to its body instead of creating a new node.\n\n parseTopLevel(file: N.File, program: N.Program): N.File {\n program.sourceType = this.options.sourceType;\n\n program.interpreter = this.parseInterpreterDirective();\n\n this.parseBlockBody(program, true, true, tt.eof);\n\n if (\n this.inModule &&\n !this.options.allowUndeclaredExports &&\n this.scope.undefinedExports.size > 0\n ) {\n for (const [name] of Array.from(this.scope.undefinedExports)) {\n const pos = this.scope.undefinedExports.get(name);\n // $FlowIssue\n this.raise(pos, Errors.ModuleExportUndefined, name);\n }\n }\n\n file.program = this.finishNode(program, \"Program\");\n file.comments = this.state.comments;\n\n if (this.options.tokens) file.tokens = this.tokens;\n\n return this.finishNode(file, \"File\");\n }\n\n // TODO\n\n stmtToDirective(stmt: N.Statement): N.Directive {\n const expr = stmt.expression;\n\n const directiveLiteral = this.startNodeAt(expr.start, expr.loc.start);\n const directive = this.startNodeAt(stmt.start, stmt.loc.start);\n\n const raw = this.input.slice(expr.start, expr.end);\n const val = (directiveLiteral.value = raw.slice(1, -1)); // remove quotes\n\n this.addExtra(directiveLiteral, \"raw\", raw);\n this.addExtra(directiveLiteral, \"rawValue\", val);\n\n directive.value = this.finishNodeAt(\n directiveLiteral,\n \"DirectiveLiteral\",\n expr.end,\n expr.loc.end,\n );\n\n return this.finishNodeAt(directive, \"Directive\", stmt.end, stmt.loc.end);\n }\n\n parseInterpreterDirective(): N.InterpreterDirective | null {\n if (!this.match(tt.interpreterDirective)) {\n return null;\n }\n\n const node = this.startNode();\n node.value = this.state.value;\n this.next();\n return this.finishNode(node, \"InterpreterDirective\");\n }\n\n isLet(context: ?string): boolean {\n if (!this.isContextual(\"let\")) {\n return false;\n }\n const next = this.nextTokenStart();\n const nextCh = this.input.charCodeAt(next);\n // For ambiguous cases, determine if a LexicalDeclaration (or only a\n // Statement) is allowed here. If context is not empty then only a Statement\n // is allowed. However, `let [` is an explicit negative lookahead for\n // ExpressionStatement, so special-case it first.\n if (nextCh === charCodes.leftSquareBracket) return true;\n if (context) return false;\n\n if (nextCh === charCodes.leftCurlyBrace) return true;\n\n if (isIdentifierStart(nextCh)) {\n let pos = next + 1;\n while (isIdentifierChar(this.input.charCodeAt(pos))) {\n ++pos;\n }\n const ident = this.input.slice(next, pos);\n if (!keywordRelationalOperator.test(ident)) return true;\n }\n return false;\n }\n\n // Parse a single statement.\n //\n // If expecting a statement and finding a slash operator, parse a\n // regular expression literal. This is to handle cases like\n // `if (foo) /blah/.exec(foo)`, where looking at the previous token\n // does not help.\n // https://tc39.es/ecma262/#prod-Statement\n // ImportDeclaration and ExportDeclaration are also handled here so we can throw recoverable errors\n // when they are not at the top level\n parseStatement(context: ?string, topLevel?: boolean): N.Statement {\n if (this.match(tt.at)) {\n this.parseDecorators(true);\n }\n return this.parseStatementContent(context, topLevel);\n }\n\n parseStatementContent(context: ?string, topLevel: ?boolean): N.Statement {\n let starttype = this.state.type;\n const node = this.startNode();\n let kind;\n\n if (this.isLet(context)) {\n starttype = tt._var;\n kind = \"let\";\n }\n\n // Most types of statements are recognized by the keyword they\n // start with. Many are trivial to parse, some require a bit of\n // complexity.\n\n switch (starttype) {\n case tt._break:\n case tt._continue:\n // $FlowFixMe\n return this.parseBreakContinueStatement(node, starttype.keyword);\n case tt._debugger:\n return this.parseDebuggerStatement(node);\n case tt._do:\n return this.parseDoStatement(node);\n case tt._for:\n return this.parseForStatement(node);\n case tt._function:\n if (this.lookaheadCharCode() === charCodes.dot) break;\n if (context) {\n if (this.state.strict) {\n this.raise(this.state.start, Errors.StrictFunction);\n } else if (context !== \"if\" && context !== \"label\") {\n this.raise(this.state.start, Errors.SloppyFunction);\n }\n }\n return this.parseFunctionStatement(node, false, !context);\n\n case tt._class:\n if (context) this.unexpected();\n return this.parseClass(node, true);\n\n case tt._if:\n return this.parseIfStatement(node);\n case tt._return:\n return this.parseReturnStatement(node);\n case tt._switch:\n return this.parseSwitchStatement(node);\n case tt._throw:\n return this.parseThrowStatement(node);\n case tt._try:\n return this.parseTryStatement(node);\n\n case tt._const:\n case tt._var:\n kind = kind || this.state.value;\n if (context && kind !== \"var\") {\n this.raise(this.state.start, Errors.UnexpectedLexicalDeclaration);\n }\n return this.parseVarStatement(node, kind);\n\n case tt._while:\n return this.parseWhileStatement(node);\n case tt._with:\n return this.parseWithStatement(node);\n case tt.braceL:\n return this.parseBlock();\n case tt.semi:\n return this.parseEmptyStatement(node);\n case tt._import: {\n const nextTokenCharCode = this.lookaheadCharCode();\n if (\n nextTokenCharCode === charCodes.leftParenthesis || // import()\n nextTokenCharCode === charCodes.dot // import.meta\n ) {\n break;\n }\n }\n // fall through\n case tt._export: {\n if (!this.options.allowImportExportEverywhere && !topLevel) {\n this.raise(this.state.start, Errors.UnexpectedImportExport);\n }\n\n this.next(); // eat `import`/`export`\n\n let result;\n if (starttype === tt._import) {\n result = this.parseImport(node);\n\n if (\n result.type === \"ImportDeclaration\" &&\n (!result.importKind || result.importKind === \"value\")\n ) {\n this.sawUnambiguousESM = true;\n }\n } else {\n result = this.parseExport(node);\n\n if (\n (result.type === \"ExportNamedDeclaration\" &&\n (!result.exportKind || result.exportKind === \"value\")) ||\n (result.type === \"ExportAllDeclaration\" &&\n (!result.exportKind || result.exportKind === \"value\")) ||\n result.type === \"ExportDefaultDeclaration\"\n ) {\n this.sawUnambiguousESM = true;\n }\n }\n\n this.assertModuleNodeAllowed(node);\n\n return result;\n }\n\n default: {\n if (this.isAsyncFunction()) {\n if (context) {\n this.raise(\n this.state.start,\n Errors.AsyncFunctionInSingleStatementContext,\n );\n }\n this.next();\n return this.parseFunctionStatement(node, true, !context);\n }\n }\n }\n\n // If the statement does not start with a statement keyword or a\n // brace, it's an ExpressionStatement or LabeledStatement. We\n // simply start parsing an expression, and afterwards, if the\n // next token is a colon and the expression was a simple\n // Identifier node, we switch to interpreting it as a label.\n const maybeName = this.state.value;\n const expr = this.parseExpression();\n\n if (\n starttype === tt.name &&\n expr.type === \"Identifier\" &&\n this.eat(tt.colon)\n ) {\n return this.parseLabeledStatement(node, maybeName, expr, context);\n } else {\n return this.parseExpressionStatement(node, expr);\n }\n }\n\n assertModuleNodeAllowed(node: N.Node): void {\n if (!this.options.allowImportExportEverywhere && !this.inModule) {\n this.raiseWithData(\n node.start,\n {\n code: \"BABEL_PARSER_SOURCETYPE_MODULE_REQUIRED\",\n },\n Errors.ImportOutsideModule,\n );\n }\n }\n\n takeDecorators(node: N.HasDecorators): void {\n const decorators = this.state.decoratorStack[\n this.state.decoratorStack.length - 1\n ];\n if (decorators.length) {\n node.decorators = decorators;\n this.resetStartLocationFromNode(node, decorators[0]);\n this.state.decoratorStack[this.state.decoratorStack.length - 1] = [];\n }\n }\n\n canHaveLeadingDecorator(): boolean {\n return this.match(tt._class);\n }\n\n parseDecorators(allowExport?: boolean): void {\n const currentContextDecorators = this.state.decoratorStack[\n this.state.decoratorStack.length - 1\n ];\n while (this.match(tt.at)) {\n const decorator = this.parseDecorator();\n currentContextDecorators.push(decorator);\n }\n\n if (this.match(tt._export)) {\n if (!allowExport) {\n this.unexpected();\n }\n\n if (\n this.hasPlugin(\"decorators\") &&\n !this.getPluginOption(\"decorators\", \"decoratorsBeforeExport\")\n ) {\n this.raise(this.state.start, Errors.DecoratorExportClass);\n }\n } else if (!this.canHaveLeadingDecorator()) {\n throw this.raise(this.state.start, Errors.UnexpectedLeadingDecorator);\n }\n }\n\n parseDecorator(): N.Decorator {\n this.expectOnePlugin([\"decorators-legacy\", \"decorators\"]);\n\n const node = this.startNode();\n this.next();\n\n if (this.hasPlugin(\"decorators\")) {\n // Every time a decorator class expression is evaluated, a new empty array is pushed onto the stack\n // So that the decorators of any nested class expressions will be dealt with separately\n this.state.decoratorStack.push([]);\n\n const startPos = this.state.start;\n const startLoc = this.state.startLoc;\n let expr: N.Expression;\n\n if (this.eat(tt.parenL)) {\n expr = this.parseExpression();\n this.expect(tt.parenR);\n } else {\n expr = this.parseIdentifier(false);\n\n while (this.eat(tt.dot)) {\n const node = this.startNodeAt(startPos, startLoc);\n node.object = expr;\n node.property = this.parseIdentifier(true);\n node.computed = false;\n expr = this.finishNode(node, \"MemberExpression\");\n }\n }\n\n node.expression = this.parseMaybeDecoratorArguments(expr);\n this.state.decoratorStack.pop();\n } else {\n node.expression = this.parseExprSubscripts();\n }\n return this.finishNode(node, \"Decorator\");\n }\n\n parseMaybeDecoratorArguments(expr: N.Expression): N.Expression {\n if (this.eat(tt.parenL)) {\n const node = this.startNodeAtNode(expr);\n node.callee = expr;\n node.arguments = this.parseCallExpressionArguments(tt.parenR, false);\n this.toReferencedList(node.arguments);\n return this.finishNode(node, \"CallExpression\");\n }\n\n return expr;\n }\n\n parseBreakContinueStatement(\n node: N.BreakStatement | N.ContinueStatement,\n keyword: string,\n ): N.BreakStatement | N.ContinueStatement {\n const isBreak = keyword === \"break\";\n this.next();\n\n if (this.isLineTerminator()) {\n node.label = null;\n } else {\n node.label = this.parseIdentifier();\n this.semicolon();\n }\n\n this.verifyBreakContinue(node, keyword);\n\n return this.finishNode(\n node,\n isBreak ? \"BreakStatement\" : \"ContinueStatement\",\n );\n }\n\n verifyBreakContinue(\n node: N.BreakStatement | N.ContinueStatement,\n keyword: string,\n ) {\n const isBreak = keyword === \"break\";\n let i;\n for (i = 0; i < this.state.labels.length; ++i) {\n const lab = this.state.labels[i];\n if (node.label == null || lab.name === node.label.name) {\n if (lab.kind != null && (isBreak || lab.kind === \"loop\")) break;\n if (node.label && isBreak) break;\n }\n }\n if (i === this.state.labels.length) {\n this.raise(node.start, Errors.IllegalBreakContinue, keyword);\n }\n }\n\n parseDebuggerStatement(node: N.DebuggerStatement): N.DebuggerStatement {\n this.next();\n this.semicolon();\n return this.finishNode(node, \"DebuggerStatement\");\n }\n\n parseHeaderExpression(): N.Expression {\n this.expect(tt.parenL);\n const val = this.parseExpression();\n this.expect(tt.parenR);\n return val;\n }\n\n parseDoStatement(node: N.DoWhileStatement): N.DoWhileStatement {\n this.next();\n this.state.labels.push(loopLabel);\n\n node.body =\n // For the smartPipelines plugin: Disable topic references from outer\n // contexts within the loop body. They are permitted in test expressions,\n // outside of the loop body.\n this.withTopicForbiddingContext(() =>\n // Parse the loop body's body.\n this.parseStatement(\"do\"),\n );\n\n this.state.labels.pop();\n\n this.expect(tt._while);\n node.test = this.parseHeaderExpression();\n this.eat(tt.semi);\n return this.finishNode(node, \"DoWhileStatement\");\n }\n\n // Disambiguating between a `for` and a `for`/`in` or `for`/`of`\n // loop is non-trivial. Basically, we have to parse the init `var`\n // statement or expression, disallowing the `in` operator (see\n // the second parameter to `parseExpression`), and then check\n // whether the next token is `in` or `of`. When there is no init\n // part (semicolon immediately after the opening parenthesis), it\n // is a regular `for` loop.\n\n parseForStatement(node: N.Node): N.ForLike {\n this.next();\n this.state.labels.push(loopLabel);\n\n let awaitAt = -1;\n if (this.isAwaitAllowed() && this.eatContextual(\"await\")) {\n awaitAt = this.state.lastTokStart;\n }\n this.scope.enter(SCOPE_OTHER);\n this.expect(tt.parenL);\n\n if (this.match(tt.semi)) {\n if (awaitAt > -1) {\n this.unexpected(awaitAt);\n }\n return this.parseFor(node, null);\n }\n\n const isLet = this.isLet();\n if (this.match(tt._var) || this.match(tt._const) || isLet) {\n const init = this.startNode();\n const kind = isLet ? \"let\" : this.state.value;\n this.next();\n this.parseVar(init, true, kind);\n this.finishNode(init, \"VariableDeclaration\");\n\n if (\n (this.match(tt._in) || this.isContextual(\"of\")) &&\n init.declarations.length === 1\n ) {\n return this.parseForIn(node, init, awaitAt);\n }\n if (awaitAt > -1) {\n this.unexpected(awaitAt);\n }\n return this.parseFor(node, init);\n }\n\n const refExpressionErrors = new ExpressionErrors();\n const init = this.parseExpression(true, refExpressionErrors);\n if (this.match(tt._in) || this.isContextual(\"of\")) {\n this.toAssignable(init);\n const description = this.isContextual(\"of\")\n ? \"for-of statement\"\n : \"for-in statement\";\n this.checkLVal(init, undefined, undefined, description);\n return this.parseForIn(node, init, awaitAt);\n } else {\n this.checkExpressionErrors(refExpressionErrors, true);\n }\n if (awaitAt > -1) {\n this.unexpected(awaitAt);\n }\n return this.parseFor(node, init);\n }\n\n parseFunctionStatement(\n node: N.FunctionDeclaration,\n isAsync?: boolean,\n declarationPosition?: boolean,\n ): N.FunctionDeclaration {\n this.next();\n return this.parseFunction(\n node,\n FUNC_STATEMENT | (declarationPosition ? 0 : FUNC_HANGING_STATEMENT),\n isAsync,\n );\n }\n\n parseIfStatement(node: N.IfStatement): N.IfStatement {\n this.next();\n node.test = this.parseHeaderExpression();\n node.consequent = this.parseStatement(\"if\");\n node.alternate = this.eat(tt._else) ? this.parseStatement(\"if\") : null;\n return this.finishNode(node, \"IfStatement\");\n }\n\n parseReturnStatement(node: N.ReturnStatement): N.ReturnStatement {\n if (!this.prodParam.hasReturn && !this.options.allowReturnOutsideFunction) {\n this.raise(this.state.start, Errors.IllegalReturn);\n }\n\n this.next();\n\n // In `return` (and `break`/`continue`), the keywords with\n // optional arguments, we eagerly look for a semicolon or the\n // possibility to insert one.\n\n if (this.isLineTerminator()) {\n node.argument = null;\n } else {\n node.argument = this.parseExpression();\n this.semicolon();\n }\n\n return this.finishNode(node, \"ReturnStatement\");\n }\n\n parseSwitchStatement(node: N.SwitchStatement): N.SwitchStatement {\n this.next();\n node.discriminant = this.parseHeaderExpression();\n const cases = (node.cases = []);\n this.expect(tt.braceL);\n this.state.labels.push(switchLabel);\n this.scope.enter(SCOPE_OTHER);\n\n // Statements under must be grouped (by label) in SwitchCase\n // nodes. `cur` is used to keep the node that we are currently\n // adding statements to.\n\n let cur;\n for (let sawDefault; !this.match(tt.braceR); ) {\n if (this.match(tt._case) || this.match(tt._default)) {\n const isCase = this.match(tt._case);\n if (cur) this.finishNode(cur, \"SwitchCase\");\n cases.push((cur = this.startNode()));\n cur.consequent = [];\n this.next();\n if (isCase) {\n cur.test = this.parseExpression();\n } else {\n if (sawDefault) {\n this.raise(\n this.state.lastTokStart,\n Errors.MultipleDefaultsInSwitch,\n );\n }\n sawDefault = true;\n cur.test = null;\n }\n this.expect(tt.colon);\n } else {\n if (cur) {\n cur.consequent.push(this.parseStatement(null));\n } else {\n this.unexpected();\n }\n }\n }\n this.scope.exit();\n if (cur) this.finishNode(cur, \"SwitchCase\");\n this.next(); // Closing brace\n this.state.labels.pop();\n return this.finishNode(node, \"SwitchStatement\");\n }\n\n parseThrowStatement(node: N.ThrowStatement): N.ThrowStatement {\n this.next();\n if (\n lineBreak.test(this.input.slice(this.state.lastTokEnd, this.state.start))\n ) {\n this.raise(this.state.lastTokEnd, Errors.NewlineAfterThrow);\n }\n node.argument = this.parseExpression();\n this.semicolon();\n return this.finishNode(node, \"ThrowStatement\");\n }\n\n parseCatchClauseParam(): N.Identifier {\n const param = this.parseBindingAtom();\n\n const simple = param.type === \"Identifier\";\n this.scope.enter(simple ? SCOPE_SIMPLE_CATCH : 0);\n this.checkLVal(param, BIND_LEXICAL, null, \"catch clause\");\n\n return param;\n }\n\n parseTryStatement(node: N.TryStatement): N.TryStatement {\n this.next();\n\n node.block = this.parseBlock();\n node.handler = null;\n\n if (this.match(tt._catch)) {\n const clause = this.startNode();\n this.next();\n if (this.match(tt.parenL)) {\n this.expect(tt.parenL);\n clause.param = this.parseCatchClauseParam();\n this.expect(tt.parenR);\n } else {\n clause.param = null;\n this.scope.enter(SCOPE_OTHER);\n }\n\n clause.body =\n // For the smartPipelines plugin: Disable topic references from outer\n // contexts within the catch clause's body.\n this.withTopicForbiddingContext(() =>\n // Parse the catch clause's body.\n this.parseBlock(false, false),\n );\n this.scope.exit();\n\n node.handler = this.finishNode(clause, \"CatchClause\");\n }\n\n node.finalizer = this.eat(tt._finally) ? this.parseBlock() : null;\n\n if (!node.handler && !node.finalizer) {\n this.raise(node.start, Errors.NoCatchOrFinally);\n }\n\n return this.finishNode(node, \"TryStatement\");\n }\n\n parseVarStatement(\n node: N.VariableDeclaration,\n kind: \"var\" | \"let\" | \"const\",\n ): N.VariableDeclaration {\n this.next();\n this.parseVar(node, false, kind);\n this.semicolon();\n return this.finishNode(node, \"VariableDeclaration\");\n }\n\n parseWhileStatement(node: N.WhileStatement): N.WhileStatement {\n this.next();\n node.test = this.parseHeaderExpression();\n this.state.labels.push(loopLabel);\n\n node.body =\n // For the smartPipelines plugin:\n // Disable topic references from outer contexts within the loop body.\n // They are permitted in test expressions, outside of the loop body.\n this.withTopicForbiddingContext(() =>\n // Parse loop body.\n this.parseStatement(\"while\"),\n );\n\n this.state.labels.pop();\n\n return this.finishNode(node, \"WhileStatement\");\n }\n\n parseWithStatement(node: N.WithStatement): N.WithStatement {\n if (this.state.strict) {\n this.raise(this.state.start, Errors.StrictWith);\n }\n this.next();\n node.object = this.parseHeaderExpression();\n\n node.body =\n // For the smartPipelines plugin:\n // Disable topic references from outer contexts within the with statement's body.\n // They are permitted in function default-parameter expressions, which are\n // part of the outer context, outside of the with statement's body.\n this.withTopicForbiddingContext(() =>\n // Parse the statement body.\n this.parseStatement(\"with\"),\n );\n\n return this.finishNode(node, \"WithStatement\");\n }\n\n parseEmptyStatement(node: N.EmptyStatement): N.EmptyStatement {\n this.next();\n return this.finishNode(node, \"EmptyStatement\");\n }\n\n parseLabeledStatement(\n node: N.LabeledStatement,\n maybeName: string,\n expr: N.Identifier,\n context: ?string,\n ): N.LabeledStatement {\n for (const label of this.state.labels) {\n if (label.name === maybeName) {\n this.raise(expr.start, Errors.LabelRedeclaration, maybeName);\n }\n }\n\n const kind = this.state.type.isLoop\n ? \"loop\"\n : this.match(tt._switch)\n ? \"switch\"\n : null;\n for (let i = this.state.labels.length - 1; i >= 0; i--) {\n const label = this.state.labels[i];\n if (label.statementStart === node.start) {\n label.statementStart = this.state.start;\n label.kind = kind;\n } else {\n break;\n }\n }\n\n this.state.labels.push({\n name: maybeName,\n kind: kind,\n statementStart: this.state.start,\n });\n node.body = this.parseStatement(\n context\n ? context.indexOf(\"label\") === -1\n ? context + \"label\"\n : context\n : \"label\",\n );\n\n this.state.labels.pop();\n node.label = expr;\n return this.finishNode(node, \"LabeledStatement\");\n }\n\n parseExpressionStatement(\n node: N.ExpressionStatement,\n expr: N.Expression,\n ): N.Statement {\n node.expression = expr;\n this.semicolon();\n return this.finishNode(node, \"ExpressionStatement\");\n }\n\n // Parse a semicolon-enclosed block of statements, handling `\"use\n // strict\"` declarations when `allowStrict` is true (used for\n // function bodies).\n\n parseBlock(\n allowDirectives?: boolean = false,\n createNewLexicalScope?: boolean = true,\n afterBlockParse?: (hasStrictModeDirective: boolean) => void,\n ): N.BlockStatement {\n const node = this.startNode();\n this.expect(tt.braceL);\n if (createNewLexicalScope) {\n this.scope.enter(SCOPE_OTHER);\n }\n this.parseBlockBody(\n node,\n allowDirectives,\n false,\n tt.braceR,\n afterBlockParse,\n );\n if (createNewLexicalScope) {\n this.scope.exit();\n }\n return this.finishNode(node, \"BlockStatement\");\n }\n\n isValidDirective(stmt: N.Statement): boolean {\n return (\n stmt.type === \"ExpressionStatement\" &&\n stmt.expression.type === \"StringLiteral\" &&\n !stmt.expression.extra.parenthesized\n );\n }\n\n parseBlockBody(\n node: N.BlockStatementLike,\n allowDirectives: ?boolean,\n topLevel: boolean,\n end: TokenType,\n afterBlockParse?: (hasStrictModeDirective: boolean) => void,\n ): void {\n const body = (node.body = []);\n const directives = (node.directives = []);\n this.parseBlockOrModuleBlockBody(\n body,\n allowDirectives ? directives : undefined,\n topLevel,\n end,\n afterBlockParse,\n );\n }\n\n // Undefined directives means that directives are not allowed.\n // https://tc39.es/ecma262/#prod-Block\n // https://tc39.es/ecma262/#prod-ModuleBody\n parseBlockOrModuleBlockBody(\n body: N.Statement[],\n directives: ?(N.Directive[]),\n topLevel: boolean,\n end: TokenType,\n afterBlockParse?: (hasStrictModeDirective: boolean) => void,\n ): void {\n const octalPositions = [];\n const oldStrict = this.state.strict;\n let hasStrictModeDirective = false;\n let parsedNonDirective = false;\n\n while (!this.match(end)) {\n // Track octal literals that occur before a \"use strict\" directive.\n if (!parsedNonDirective && this.state.octalPositions.length) {\n octalPositions.push(...this.state.octalPositions);\n }\n\n const stmt = this.parseStatement(null, topLevel);\n\n if (directives && !parsedNonDirective && this.isValidDirective(stmt)) {\n const directive = this.stmtToDirective(stmt);\n directives.push(directive);\n\n if (!hasStrictModeDirective && directive.value.value === \"use strict\") {\n hasStrictModeDirective = true;\n this.setStrict(true);\n }\n\n continue;\n }\n\n parsedNonDirective = true;\n body.push(stmt);\n }\n\n // Throw an error for any octal literals found before a\n // \"use strict\" directive. Strict mode will be set at parse\n // time for any literals that occur after the directive.\n if (this.state.strict && octalPositions.length) {\n for (const pos of octalPositions) {\n this.raise(pos, Errors.StrictOctalLiteral);\n }\n }\n\n if (afterBlockParse) {\n afterBlockParse.call(this, hasStrictModeDirective);\n }\n\n if (!oldStrict) {\n this.setStrict(false);\n }\n\n this.next();\n }\n\n // Parse a regular `for` loop. The disambiguation code in\n // `parseStatement` will already have parsed the init statement or\n // expression.\n\n parseFor(\n node: N.ForStatement,\n init: ?(N.VariableDeclaration | N.Expression),\n ): N.ForStatement {\n node.init = init;\n this.expect(tt.semi);\n node.test = this.match(tt.semi) ? null : this.parseExpression();\n this.expect(tt.semi);\n node.update = this.match(tt.parenR) ? null : this.parseExpression();\n this.expect(tt.parenR);\n\n node.body =\n // For the smartPipelines plugin: Disable topic references from outer\n // contexts within the loop body. They are permitted in test expressions,\n // outside of the loop body.\n this.withTopicForbiddingContext(() =>\n // Parse the loop body.\n this.parseStatement(\"for\"),\n );\n\n this.scope.exit();\n this.state.labels.pop();\n\n return this.finishNode(node, \"ForStatement\");\n }\n\n // Parse a `for`/`in` and `for`/`of` loop, which are almost\n // same from parser's perspective.\n\n parseForIn(\n node: N.ForInOf,\n init: N.VariableDeclaration | N.AssignmentPattern,\n awaitAt: number,\n ): N.ForInOf {\n const isForIn = this.match(tt._in);\n this.next();\n\n if (isForIn) {\n if (awaitAt > -1) this.unexpected(awaitAt);\n } else {\n node.await = awaitAt > -1;\n }\n\n if (\n init.type === \"VariableDeclaration\" &&\n init.declarations[0].init != null &&\n (!isForIn ||\n this.state.strict ||\n init.kind !== \"var\" ||\n init.declarations[0].id.type !== \"Identifier\")\n ) {\n this.raise(\n init.start,\n Errors.ForInOfLoopInitializer,\n isForIn ? \"for-in\" : \"for-of\",\n );\n } else if (init.type === \"AssignmentPattern\") {\n this.raise(init.start, Errors.InvalidLhs, \"for-loop\");\n }\n\n node.left = init;\n node.right = isForIn ? this.parseExpression() : this.parseMaybeAssign();\n this.expect(tt.parenR);\n\n node.body =\n // For the smartPipelines plugin:\n // Disable topic references from outer contexts within the loop body.\n // They are permitted in test expressions, outside of the loop body.\n this.withTopicForbiddingContext(() =>\n // Parse loop body.\n this.parseStatement(\"for\"),\n );\n\n this.scope.exit();\n this.state.labels.pop();\n\n return this.finishNode(node, isForIn ? \"ForInStatement\" : \"ForOfStatement\");\n }\n\n // Parse a list of variable declarations.\n\n parseVar(\n node: N.VariableDeclaration,\n isFor: boolean,\n kind: \"var\" | \"let\" | \"const\",\n ): N.VariableDeclaration {\n const declarations = (node.declarations = []);\n const isTypescript = this.hasPlugin(\"typescript\");\n node.kind = kind;\n for (;;) {\n const decl = this.startNode();\n this.parseVarId(decl, kind);\n if (this.eat(tt.eq)) {\n decl.init = this.parseMaybeAssign(isFor);\n } else {\n if (\n kind === \"const\" &&\n !(this.match(tt._in) || this.isContextual(\"of\"))\n ) {\n // `const` with no initializer is allowed in TypeScript.\n // It could be a declaration like `const x: number;`.\n if (!isTypescript) {\n this.unexpected();\n }\n } else if (\n decl.id.type !== \"Identifier\" &&\n !(isFor && (this.match(tt._in) || this.isContextual(\"of\")))\n ) {\n this.raise(\n this.state.lastTokEnd,\n Errors.DeclarationMissingInitializer,\n \"Complex binding patterns\",\n );\n }\n decl.init = null;\n }\n declarations.push(this.finishNode(decl, \"VariableDeclarator\"));\n if (!this.eat(tt.comma)) break;\n }\n return node;\n }\n\n parseVarId(decl: N.VariableDeclarator, kind: \"var\" | \"let\" | \"const\"): void {\n decl.id = this.parseBindingAtom();\n this.checkLVal(\n decl.id,\n kind === \"var\" ? BIND_VAR : BIND_LEXICAL,\n undefined,\n \"variable declaration\",\n kind !== \"var\",\n );\n }\n\n // Parse a function declaration or literal (depending on the\n // `isStatement` parameter).\n\n parseFunction<T: N.NormalFunction>(\n node: T,\n statement?: number = FUNC_NO_FLAGS,\n isAsync?: boolean = false,\n ): T {\n const isStatement = statement & FUNC_STATEMENT;\n const isHangingStatement = statement & FUNC_HANGING_STATEMENT;\n const requireId = !!isStatement && !(statement & FUNC_NULLABLE_ID);\n\n this.initFunction(node, isAsync);\n\n if (this.match(tt.star) && isHangingStatement) {\n this.raise(this.state.start, Errors.GeneratorInSingleStatementContext);\n }\n node.generator = this.eat(tt.star);\n\n if (isStatement) {\n node.id = this.parseFunctionId(requireId);\n }\n\n const oldMaybeInArrowParameters = this.state.maybeInArrowParameters;\n const oldYieldPos = this.state.yieldPos;\n const oldAwaitPos = this.state.awaitPos;\n this.state.maybeInArrowParameters = false;\n this.state.yieldPos = -1;\n this.state.awaitPos = -1;\n this.scope.enter(SCOPE_FUNCTION);\n this.prodParam.enter(functionFlags(isAsync, node.generator));\n\n if (!isStatement) {\n node.id = this.parseFunctionId();\n }\n\n this.parseFunctionParams(node);\n\n // For the smartPipelines plugin: Disable topic references from outer\n // contexts within the function body. They are permitted in function\n // default-parameter expressions, outside of the function body.\n this.withTopicForbiddingContext(() => {\n // Parse the function body.\n this.parseFunctionBodyAndFinish(\n node,\n isStatement ? \"FunctionDeclaration\" : \"FunctionExpression\",\n );\n });\n\n this.prodParam.exit();\n this.scope.exit();\n\n if (isStatement && !isHangingStatement) {\n // We need to register this _after_ parsing the function body\n // because of TypeScript body-less function declarations,\n // which shouldn't be added to the scope.\n this.registerFunctionStatementId(node);\n }\n\n this.state.maybeInArrowParameters = oldMaybeInArrowParameters;\n this.state.yieldPos = oldYieldPos;\n this.state.awaitPos = oldAwaitPos;\n\n return node;\n }\n\n parseFunctionId(requireId?: boolean): ?N.Identifier {\n return requireId || this.match(tt.name) ? this.parseIdentifier() : null;\n }\n\n parseFunctionParams(node: N.Function, allowModifiers?: boolean): void {\n const oldInParameters = this.state.inParameters;\n this.state.inParameters = true;\n\n this.expect(tt.parenL);\n node.params = this.parseBindingList(\n tt.parenR,\n charCodes.rightParenthesis,\n /* allowEmpty */ false,\n allowModifiers,\n );\n\n this.state.inParameters = oldInParameters;\n this.checkYieldAwaitInDefaultParams();\n }\n\n registerFunctionStatementId(node: N.Function): void {\n if (!node.id) return;\n\n // If it is a regular function declaration in sloppy mode, then it is\n // subject to Annex B semantics (BIND_FUNCTION). Otherwise, the binding\n // mode depends on properties of the current scope (see\n // treatFunctionsAsVar).\n this.scope.declareName(\n node.id.name,\n this.state.strict || node.generator || node.async\n ? this.scope.treatFunctionsAsVar\n ? BIND_VAR\n : BIND_LEXICAL\n : BIND_FUNCTION,\n node.id.start,\n );\n }\n\n // Parse a class declaration or literal (depending on the\n // `isStatement` parameter).\n\n parseClass<T: N.Class>(\n node: T,\n isStatement: /* T === ClassDeclaration */ boolean,\n optionalId?: boolean,\n ): T {\n this.next();\n this.takeDecorators(node);\n\n // A class definition is always strict mode code.\n const oldStrict = this.state.strict;\n this.state.strict = true;\n\n this.parseClassId(node, isStatement, optionalId);\n this.parseClassSuper(node);\n // this.state.strict is restored in parseClassBody\n node.body = this.parseClassBody(!!node.superClass, oldStrict);\n\n return this.finishNode(\n node,\n isStatement ? \"ClassDeclaration\" : \"ClassExpression\",\n );\n }\n\n isClassProperty(): boolean {\n return this.match(tt.eq) || this.match(tt.semi) || this.match(tt.braceR);\n }\n\n isClassMethod(): boolean {\n return this.match(tt.parenL);\n }\n\n isNonstaticConstructor(method: N.ClassMethod | N.ClassProperty): boolean {\n return (\n !method.computed &&\n !method.static &&\n (method.key.name === \"constructor\" || // Identifier\n method.key.value === \"constructor\") // String literal\n );\n }\n\n // https://tc39.es/ecma262/#prod-ClassBody\n parseClassBody(\n constructorAllowsSuper: boolean,\n oldStrict?: boolean,\n ): N.ClassBody {\n this.classScope.enter();\n\n const state = { hadConstructor: false };\n let decorators: N.Decorator[] = [];\n const classBody: N.ClassBody = this.startNode();\n classBody.body = [];\n\n this.expect(tt.braceL);\n\n // For the smartPipelines plugin: Disable topic references from outer\n // contexts within the class body.\n this.withTopicForbiddingContext(() => {\n while (!this.match(tt.braceR)) {\n if (this.eat(tt.semi)) {\n if (decorators.length > 0) {\n throw this.raise(this.state.lastTokEnd, Errors.DecoratorSemicolon);\n }\n continue;\n }\n\n if (this.match(tt.at)) {\n decorators.push(this.parseDecorator());\n continue;\n }\n\n const member = this.startNode();\n\n // steal the decorators if there are any\n if (decorators.length) {\n member.decorators = decorators;\n this.resetStartLocationFromNode(member, decorators[0]);\n decorators = [];\n }\n\n this.parseClassMember(classBody, member, state, constructorAllowsSuper);\n\n if (\n member.kind === \"constructor\" &&\n member.decorators &&\n member.decorators.length > 0\n ) {\n this.raise(member.start, Errors.DecoratorConstructor);\n }\n }\n });\n\n this.state.strict = oldStrict;\n\n this.next(); // eat `}`\n\n if (decorators.length) {\n throw this.raise(this.state.start, Errors.TrailingDecorator);\n }\n\n this.classScope.exit();\n\n return this.finishNode(classBody, \"ClassBody\");\n }\n\n // Check grammar production:\n // IdentifierName *_opt ClassElementName\n // It is used in `parsePropertyDefinition` to detect AsyncMethod and Accessors\n maybeClassModifier(prop: N.ObjectProperty): boolean {\n return (\n !prop.computed &&\n prop.key.type === \"Identifier\" &&\n (this.isLiteralPropertyName() ||\n this.match(tt.bracketL) ||\n this.match(tt.star) ||\n this.match(tt.hash))\n );\n }\n\n // returns true if the current identifier is a method/field name,\n // false if it is a modifier\n parseClassMemberFromModifier(\n classBody: N.ClassBody,\n member: N.ClassMember,\n ): boolean {\n const key = this.parseIdentifier(true); // eats the modifier\n\n if (this.isClassMethod()) {\n const method: N.ClassMethod = (member: any);\n\n // a method named like the modifier\n method.kind = \"method\";\n method.computed = false;\n method.key = key;\n method.static = false;\n this.pushClassMethod(\n classBody,\n method,\n false,\n false,\n /* isConstructor */ false,\n false,\n );\n return true;\n } else if (this.isClassProperty()) {\n const prop: N.ClassProperty = (member: any);\n\n // a property named like the modifier\n prop.computed = false;\n prop.key = key;\n prop.static = false;\n classBody.body.push(this.parseClassProperty(prop));\n return true;\n }\n return false;\n }\n\n parseClassMember(\n classBody: N.ClassBody,\n member: N.ClassMember,\n state: { hadConstructor: boolean },\n constructorAllowsSuper: boolean,\n ): void {\n const isStatic = this.isContextual(\"static\");\n\n if (isStatic && this.parseClassMemberFromModifier(classBody, member)) {\n // a class element named 'static'\n return;\n }\n\n this.parseClassMemberWithIsStatic(\n classBody,\n member,\n state,\n isStatic,\n constructorAllowsSuper,\n );\n }\n\n parseClassMemberWithIsStatic(\n classBody: N.ClassBody,\n member: N.ClassMember,\n state: { hadConstructor: boolean },\n isStatic: boolean,\n constructorAllowsSuper: boolean,\n ) {\n const publicMethod: $FlowSubtype<N.ClassMethod> = member;\n const privateMethod: $FlowSubtype<N.ClassPrivateMethod> = member;\n const publicProp: $FlowSubtype<N.ClassMethod> = member;\n const privateProp: $FlowSubtype<N.ClassPrivateMethod> = member;\n\n const method: typeof publicMethod | typeof privateMethod = publicMethod;\n const publicMember: typeof publicMethod | typeof publicProp = publicMethod;\n\n member.static = isStatic;\n\n if (this.eat(tt.star)) {\n // a generator\n method.kind = \"method\";\n this.parseClassElementName(method);\n\n if (method.key.type === \"PrivateName\") {\n // Private generator method\n this.pushClassPrivateMethod(classBody, privateMethod, true, false);\n return;\n }\n\n if (this.isNonstaticConstructor(publicMethod)) {\n this.raise(publicMethod.key.start, Errors.ConstructorIsGenerator);\n }\n\n this.pushClassMethod(\n classBody,\n publicMethod,\n true,\n false,\n /* isConstructor */ false,\n false,\n );\n\n return;\n }\n\n const containsEsc = this.state.containsEsc;\n const key = this.parseClassElementName(member);\n const isPrivate = key.type === \"PrivateName\";\n // Check the key is not a computed expression or string literal.\n const isSimple = key.type === \"Identifier\";\n const maybeQuestionTokenStart = this.state.start;\n\n this.parsePostMemberNameModifiers(publicMember);\n\n if (this.isClassMethod()) {\n method.kind = \"method\";\n\n if (isPrivate) {\n this.pushClassPrivateMethod(classBody, privateMethod, false, false);\n return;\n }\n\n // a normal method\n const isConstructor = this.isNonstaticConstructor(publicMethod);\n let allowsDirectSuper = false;\n if (isConstructor) {\n publicMethod.kind = \"constructor\";\n\n // TypeScript allows multiple overloaded constructor declarations.\n if (state.hadConstructor && !this.hasPlugin(\"typescript\")) {\n this.raise(key.start, Errors.DuplicateConstructor);\n }\n state.hadConstructor = true;\n allowsDirectSuper = constructorAllowsSuper;\n }\n\n this.pushClassMethod(\n classBody,\n publicMethod,\n false,\n false,\n isConstructor,\n allowsDirectSuper,\n );\n } else if (this.isClassProperty()) {\n if (isPrivate) {\n this.pushClassPrivateProperty(classBody, privateProp);\n } else {\n this.pushClassProperty(classBody, publicProp);\n }\n } else if (\n isSimple &&\n key.name === \"async\" &&\n !containsEsc &&\n !this.isLineTerminator()\n ) {\n // an async method\n const isGenerator = this.eat(tt.star);\n\n if (publicMember.optional) {\n this.unexpected(maybeQuestionTokenStart);\n }\n\n method.kind = \"method\";\n // The so-called parsed name would have been \"async\": get the real name.\n this.parseClassElementName(method);\n this.parsePostMemberNameModifiers(publicMember);\n\n if (method.key.type === \"PrivateName\") {\n // private async method\n this.pushClassPrivateMethod(\n classBody,\n privateMethod,\n isGenerator,\n true,\n );\n } else {\n if (this.isNonstaticConstructor(publicMethod)) {\n this.raise(publicMethod.key.start, Errors.ConstructorIsAsync);\n }\n\n this.pushClassMethod(\n classBody,\n publicMethod,\n isGenerator,\n true,\n /* isConstructor */ false,\n false,\n );\n }\n } else if (\n isSimple &&\n (key.name === \"get\" || key.name === \"set\") &&\n !containsEsc &&\n !(this.match(tt.star) && this.isLineTerminator())\n ) {\n // `get\\n*` is an uninitialized property named 'get' followed by a generator.\n // a getter or setter\n method.kind = key.name;\n // The so-called parsed name would have been \"get/set\": get the real name.\n this.parseClassElementName(publicMethod);\n\n if (method.key.type === \"PrivateName\") {\n // private getter/setter\n this.pushClassPrivateMethod(classBody, privateMethod, false, false);\n } else {\n if (this.isNonstaticConstructor(publicMethod)) {\n this.raise(publicMethod.key.start, Errors.ConstructorIsAccessor);\n }\n this.pushClassMethod(\n classBody,\n publicMethod,\n false,\n false,\n /* isConstructor */ false,\n false,\n );\n }\n\n this.checkGetterSetterParams(publicMethod);\n } else if (this.isLineTerminator()) {\n // an uninitialized class property (due to ASI, since we don't otherwise recognize the next token)\n if (isPrivate) {\n this.pushClassPrivateProperty(classBody, privateProp);\n } else {\n this.pushClassProperty(classBody, publicProp);\n }\n } else {\n this.unexpected();\n }\n }\n\n // https://tc39.es/proposal-class-fields/#prod-ClassElementName\n parseClassElementName(member: N.ClassMember): N.Expression | N.Identifier {\n const key = this.parsePropertyName(member, /* isPrivateNameAllowed */ true);\n\n if (\n !member.computed &&\n member.static &&\n ((key: $FlowSubtype<N.Identifier>).name === \"prototype\" ||\n (key: $FlowSubtype<N.StringLiteral>).value === \"prototype\")\n ) {\n this.raise(key.start, Errors.StaticPrototype);\n }\n\n if (key.type === \"PrivateName\" && key.id.name === \"constructor\") {\n this.raise(key.start, Errors.ConstructorClassPrivateField);\n }\n\n return key;\n }\n\n pushClassProperty(classBody: N.ClassBody, prop: N.ClassProperty) {\n if (\n !prop.computed &&\n (prop.key.name === \"constructor\" || prop.key.value === \"constructor\")\n ) {\n // Non-computed field, which is either an identifier named \"constructor\"\n // or a string literal named \"constructor\"\n this.raise(prop.key.start, Errors.ConstructorClassField);\n }\n\n classBody.body.push(this.parseClassProperty(prop));\n }\n\n pushClassPrivateProperty(\n classBody: N.ClassBody,\n prop: N.ClassPrivateProperty,\n ) {\n this.expectPlugin(\"classPrivateProperties\", prop.key.start);\n\n const node = this.parseClassPrivateProperty(prop);\n classBody.body.push(node);\n\n this.classScope.declarePrivateName(\n node.key.id.name,\n CLASS_ELEMENT_OTHER,\n node.key.start,\n );\n }\n\n pushClassMethod(\n classBody: N.ClassBody,\n method: N.ClassMethod,\n isGenerator: boolean,\n isAsync: boolean,\n isConstructor: boolean,\n allowsDirectSuper: boolean,\n ): void {\n classBody.body.push(\n this.parseMethod(\n method,\n isGenerator,\n isAsync,\n isConstructor,\n allowsDirectSuper,\n \"ClassMethod\",\n true,\n ),\n );\n }\n\n pushClassPrivateMethod(\n classBody: N.ClassBody,\n method: N.ClassPrivateMethod,\n isGenerator: boolean,\n isAsync: boolean,\n ): void {\n this.expectPlugin(\"classPrivateMethods\", method.key.start);\n\n const node = this.parseMethod(\n method,\n isGenerator,\n isAsync,\n /* isConstructor */ false,\n false,\n \"ClassPrivateMethod\",\n true,\n );\n classBody.body.push(node);\n\n const kind =\n node.kind === \"get\"\n ? node.static\n ? CLASS_ELEMENT_STATIC_GETTER\n : CLASS_ELEMENT_INSTANCE_GETTER\n : node.kind === \"set\"\n ? node.static\n ? CLASS_ELEMENT_STATIC_SETTER\n : CLASS_ELEMENT_INSTANCE_SETTER\n : CLASS_ELEMENT_OTHER;\n this.classScope.declarePrivateName(node.key.id.name, kind, node.key.start);\n }\n\n // Overridden in typescript.js\n parsePostMemberNameModifiers(\n // eslint-disable-next-line no-unused-vars\n methodOrProp: N.ClassMethod | N.ClassProperty,\n ): void {}\n\n // Overridden in typescript.js\n parseAccessModifier(): ?N.Accessibility {\n return undefined;\n }\n\n parseClassPrivateProperty(\n node: N.ClassPrivateProperty,\n ): N.ClassPrivateProperty {\n this.scope.enter(SCOPE_CLASS | SCOPE_SUPER);\n // [In] production parameter is tracked in parseMaybeAssign\n this.prodParam.enter(PARAM);\n\n node.value = this.eat(tt.eq) ? this.parseMaybeAssign() : null;\n this.semicolon();\n this.prodParam.exit();\n\n this.scope.exit();\n\n return this.finishNode(node, \"ClassPrivateProperty\");\n }\n\n parseClassProperty(node: N.ClassProperty): N.ClassProperty {\n if (!node.typeAnnotation) {\n this.expectPlugin(\"classProperties\");\n }\n\n this.scope.enter(SCOPE_CLASS | SCOPE_SUPER);\n // [In] production parameter is tracked in parseMaybeAssign\n this.prodParam.enter(PARAM);\n\n if (this.match(tt.eq)) {\n this.expectPlugin(\"classProperties\");\n this.next();\n node.value = this.parseMaybeAssign();\n } else {\n node.value = null;\n }\n this.semicolon();\n\n this.prodParam.exit();\n this.scope.exit();\n\n return this.finishNode(node, \"ClassProperty\");\n }\n\n parseClassId(\n node: N.Class,\n isStatement: boolean,\n optionalId: ?boolean,\n bindingType: BindingTypes = BIND_CLASS,\n ): void {\n if (this.match(tt.name)) {\n node.id = this.parseIdentifier();\n if (isStatement) {\n this.checkLVal(node.id, bindingType, undefined, \"class name\");\n }\n } else {\n if (optionalId || !isStatement) {\n node.id = null;\n } else {\n this.unexpected(null, Errors.MissingClassName);\n }\n }\n }\n\n // https://tc39.es/ecma262/#prod-ClassHeritage\n parseClassSuper(node: N.Class): void {\n node.superClass = this.eat(tt._extends) ? this.parseExprSubscripts() : null;\n }\n\n // Parses module export declaration.\n // https://tc39.es/ecma262/#prod-ExportDeclaration\n\n parseExport(node: N.Node): N.AnyExport {\n const hasDefault = this.maybeParseExportDefaultSpecifier(node);\n const parseAfterDefault = !hasDefault || this.eat(tt.comma);\n const hasStar = parseAfterDefault && this.eatExportStar(node);\n const hasNamespace =\n hasStar && this.maybeParseExportNamespaceSpecifier(node);\n const parseAfterNamespace =\n parseAfterDefault && (!hasNamespace || this.eat(tt.comma));\n const isFromRequired = hasDefault || hasStar;\n\n if (hasStar && !hasNamespace) {\n if (hasDefault) this.unexpected();\n this.parseExportFrom(node, true);\n\n return this.finishNode(node, \"ExportAllDeclaration\");\n }\n\n const hasSpecifiers = this.maybeParseExportNamedSpecifiers(node);\n\n if (\n (hasDefault && parseAfterDefault && !hasStar && !hasSpecifiers) ||\n (hasNamespace && parseAfterNamespace && !hasSpecifiers)\n ) {\n throw this.unexpected(null, tt.braceL);\n }\n\n let hasDeclaration;\n if (isFromRequired || hasSpecifiers) {\n hasDeclaration = false;\n this.parseExportFrom(node, isFromRequired);\n } else {\n hasDeclaration = this.maybeParseExportDeclaration(node);\n }\n\n if (isFromRequired || hasSpecifiers || hasDeclaration) {\n this.checkExport(node, true, false, !!node.source);\n return this.finishNode(node, \"ExportNamedDeclaration\");\n }\n\n if (this.eat(tt._default)) {\n // export default ...\n node.declaration = this.parseExportDefaultExpression();\n this.checkExport(node, true, true);\n\n return this.finishNode(node, \"ExportDefaultDeclaration\");\n }\n\n throw this.unexpected(null, tt.braceL);\n }\n\n // eslint-disable-next-line no-unused-vars\n eatExportStar(node: N.Node): boolean {\n return this.eat(tt.star);\n }\n\n maybeParseExportDefaultSpecifier(node: N.Node): boolean {\n if (this.isExportDefaultSpecifier()) {\n // export defaultObj ...\n this.expectPlugin(\"exportDefaultFrom\");\n const specifier = this.startNode();\n specifier.exported = this.parseIdentifier(true);\n node.specifiers = [this.finishNode(specifier, \"ExportDefaultSpecifier\")];\n return true;\n }\n return false;\n }\n\n maybeParseExportNamespaceSpecifier(node: N.Node): boolean {\n if (this.isContextual(\"as\")) {\n if (!node.specifiers) node.specifiers = [];\n\n const specifier = this.startNodeAt(\n this.state.lastTokStart,\n this.state.lastTokStartLoc,\n );\n\n this.next();\n\n specifier.exported = this.parseIdentifier(true);\n node.specifiers.push(\n this.finishNode(specifier, \"ExportNamespaceSpecifier\"),\n );\n return true;\n }\n return false;\n }\n\n maybeParseExportNamedSpecifiers(node: N.Node): boolean {\n if (this.match(tt.braceL)) {\n if (!node.specifiers) node.specifiers = [];\n node.specifiers.push(...this.parseExportSpecifiers());\n\n node.source = null;\n node.declaration = null;\n\n return true;\n }\n return false;\n }\n\n maybeParseExportDeclaration(node: N.Node): boolean {\n if (this.shouldParseExportDeclaration()) {\n if (this.isContextual(\"async\")) {\n const next = this.nextTokenStart();\n\n // export async;\n if (!this.isUnparsedContextual(next, \"function\")) {\n this.unexpected(next, tt._function);\n }\n }\n\n node.specifiers = [];\n node.source = null;\n node.declaration = this.parseExportDeclaration(node);\n\n return true;\n }\n return false;\n }\n\n isAsyncFunction(): boolean {\n if (!this.isContextual(\"async\")) return false;\n const next = this.nextTokenStart();\n return (\n !lineBreak.test(this.input.slice(this.state.pos, next)) &&\n this.isUnparsedContextual(next, \"function\")\n );\n }\n\n parseExportDefaultExpression(): N.Expression | N.Declaration {\n const expr = this.startNode();\n\n const isAsync = this.isAsyncFunction();\n\n if (this.match(tt._function) || isAsync) {\n this.next();\n if (isAsync) {\n this.next();\n }\n\n return this.parseFunction(\n expr,\n FUNC_STATEMENT | FUNC_NULLABLE_ID,\n isAsync,\n );\n } else if (this.match(tt._class)) {\n return this.parseClass(expr, true, true);\n } else if (this.match(tt.at)) {\n if (\n this.hasPlugin(\"decorators\") &&\n this.getPluginOption(\"decorators\", \"decoratorsBeforeExport\")\n ) {\n this.raise(this.state.start, Errors.DecoratorBeforeExport);\n }\n this.parseDecorators(false);\n return this.parseClass(expr, true, true);\n } else if (this.match(tt._const) || this.match(tt._var) || this.isLet()) {\n throw this.raise(this.state.start, Errors.UnsupportedDefaultExport);\n } else {\n const res = this.parseMaybeAssign();\n this.semicolon();\n return res;\n }\n }\n\n // eslint-disable-next-line no-unused-vars\n parseExportDeclaration(node: N.ExportNamedDeclaration): ?N.Declaration {\n return this.parseStatement(null);\n }\n\n isExportDefaultSpecifier(): boolean {\n if (this.match(tt.name)) {\n const value = this.state.value;\n if ((value === \"async\" && !this.state.containsEsc) || value === \"let\") {\n return false;\n }\n if (\n (value === \"type\" || value === \"interface\") &&\n !this.state.containsEsc\n ) {\n const l = this.lookahead();\n // If we see any variable name other than `from` after `type` keyword,\n // we consider it as flow/typescript type exports\n // note that this approach may fail on some pedantic cases\n // export type from = number\n if (\n (l.type === tt.name && l.value !== \"from\") ||\n l.type === tt.braceL\n ) {\n this.expectOnePlugin([\"flow\", \"typescript\"]);\n return false;\n }\n }\n } else if (!this.match(tt._default)) {\n return false;\n }\n\n const next = this.nextTokenStart();\n const hasFrom = this.isUnparsedContextual(next, \"from\");\n if (\n this.input.charCodeAt(next) === charCodes.comma ||\n (this.match(tt.name) && hasFrom)\n ) {\n return true;\n }\n // lookahead again when `export default from` is seen\n if (this.match(tt._default) && hasFrom) {\n const nextAfterFrom = this.input.charCodeAt(\n this.nextTokenStartSince(next + 4),\n );\n return (\n nextAfterFrom === charCodes.quotationMark ||\n nextAfterFrom === charCodes.apostrophe\n );\n }\n return false;\n }\n\n parseExportFrom(node: N.ExportNamedDeclaration, expect?: boolean): void {\n if (this.eatContextual(\"from\")) {\n node.source = this.parseImportSource();\n this.checkExport(node);\n } else {\n if (expect) {\n this.unexpected();\n } else {\n node.source = null;\n }\n }\n\n this.semicolon();\n }\n\n shouldParseExportDeclaration(): boolean {\n if (this.match(tt.at)) {\n this.expectOnePlugin([\"decorators\", \"decorators-legacy\"]);\n if (this.hasPlugin(\"decorators\")) {\n if (this.getPluginOption(\"decorators\", \"decoratorsBeforeExport\")) {\n this.unexpected(this.state.start, Errors.DecoratorBeforeExport);\n } else {\n return true;\n }\n }\n }\n\n return (\n this.state.type.keyword === \"var\" ||\n this.state.type.keyword === \"const\" ||\n this.state.type.keyword === \"function\" ||\n this.state.type.keyword === \"class\" ||\n this.isLet() ||\n this.isAsyncFunction()\n );\n }\n\n checkExport(\n node: N.ExportNamedDeclaration,\n checkNames?: boolean,\n isDefault?: boolean,\n isFrom?: boolean,\n ): void {\n if (checkNames) {\n // Check for duplicate exports\n if (isDefault) {\n // Default exports\n this.checkDuplicateExports(node, \"default\");\n if (this.hasPlugin(\"exportDefaultFrom\")) {\n const declaration = ((node: any): N.ExportDefaultDeclaration)\n .declaration;\n if (\n declaration.type === \"Identifier\" &&\n declaration.name === \"from\" &&\n declaration.end - declaration.start === 4 && // does not contain escape\n !declaration.extra?.parenthesized\n ) {\n this.raise(declaration.start, Errors.ExportDefaultFromAsIdentifier);\n }\n }\n } else if (node.specifiers && node.specifiers.length) {\n // Named exports\n for (const specifier of node.specifiers) {\n this.checkDuplicateExports(specifier, specifier.exported.name);\n // $FlowIgnore\n if (!isFrom && specifier.local) {\n // check for keywords used as local names\n this.checkReservedWord(\n specifier.local.name,\n specifier.local.start,\n true,\n false,\n );\n // check if export is defined\n // $FlowIgnore\n this.scope.checkLocalExport(specifier.local);\n }\n }\n } else if (node.declaration) {\n // Exported declarations\n if (\n node.declaration.type === \"FunctionDeclaration\" ||\n node.declaration.type === \"ClassDeclaration\"\n ) {\n const id = node.declaration.id;\n if (!id) throw new Error(\"Assertion failure\");\n\n this.checkDuplicateExports(node, id.name);\n } else if (node.declaration.type === \"VariableDeclaration\") {\n for (const declaration of node.declaration.declarations) {\n this.checkDeclaration(declaration.id);\n }\n }\n }\n }\n\n const currentContextDecorators = this.state.decoratorStack[\n this.state.decoratorStack.length - 1\n ];\n if (currentContextDecorators.length) {\n const isClass =\n node.declaration &&\n (node.declaration.type === \"ClassDeclaration\" ||\n node.declaration.type === \"ClassExpression\");\n if (!node.declaration || !isClass) {\n throw this.raise(node.start, Errors.UnsupportedDecoratorExport);\n }\n this.takeDecorators(node.declaration);\n }\n }\n\n checkDeclaration(node: N.Pattern | N.ObjectProperty): void {\n if (node.type === \"Identifier\") {\n this.checkDuplicateExports(node, node.name);\n } else if (node.type === \"ObjectPattern\") {\n for (const prop of node.properties) {\n this.checkDeclaration(prop);\n }\n } else if (node.type === \"ArrayPattern\") {\n for (const elem of node.elements) {\n if (elem) {\n this.checkDeclaration(elem);\n }\n }\n } else if (node.type === \"ObjectProperty\") {\n this.checkDeclaration(node.value);\n } else if (node.type === \"RestElement\") {\n this.checkDeclaration(node.argument);\n } else if (node.type === \"AssignmentPattern\") {\n this.checkDeclaration(node.left);\n }\n }\n\n checkDuplicateExports(\n node:\n | N.Identifier\n | N.ExportNamedDeclaration\n | N.ExportSpecifier\n | N.ExportDefaultSpecifier,\n name: string,\n ): void {\n if (this.state.exportedIdentifiers.indexOf(name) > -1) {\n this.raise(\n node.start,\n name === \"default\"\n ? Errors.DuplicateDefaultExport\n : Errors.DuplicateExport,\n name,\n );\n }\n this.state.exportedIdentifiers.push(name);\n }\n\n // Parses a comma-separated list of module exports.\n\n parseExportSpecifiers(): Array<N.ExportSpecifier> {\n const nodes = [];\n let first = true;\n\n // export { x, y as z } [from '...']\n this.expect(tt.braceL);\n\n while (!this.eat(tt.braceR)) {\n if (first) {\n first = false;\n } else {\n this.expect(tt.comma);\n if (this.eat(tt.braceR)) break;\n }\n\n const node = this.startNode();\n node.local = this.parseIdentifier(true);\n node.exported = this.eatContextual(\"as\")\n ? this.parseIdentifier(true)\n : node.local.__clone();\n nodes.push(this.finishNode(node, \"ExportSpecifier\"));\n }\n\n return nodes;\n }\n\n // Parses import declaration.\n // https://tc39.es/ecma262/#prod-ImportDeclaration\n\n parseImport(node: N.Node): N.AnyImport {\n // import '...'\n node.specifiers = [];\n if (!this.match(tt.string)) {\n // check if we have a default import like\n // import React from \"react\";\n const hasDefault = this.maybeParseDefaultImportSpecifier(node);\n /* we are checking if we do not have a default import, then it is obvious that we need named imports\n * import { get } from \"axios\";\n * but if we do have a default import\n * we need to check if we have a comma after that and\n * that is where this `|| this.eat` condition comes into play\n */\n const parseNext = !hasDefault || this.eat(tt.comma);\n // if we do have to parse the next set of specifiers, we first check for star imports\n // import React, * from \"react\";\n const hasStar = parseNext && this.maybeParseStarImportSpecifier(node);\n // now we check if we need to parse the next imports\n // but only if they are not importing * (everything)\n if (parseNext && !hasStar) this.parseNamedImportSpecifiers(node);\n this.expectContextual(\"from\");\n }\n node.source = this.parseImportSource();\n // https://github.com/tc39/proposal-module-attributes\n // parse module attributes if the next token is `with` or ignore and finish the ImportDeclaration node.\n const attributes = this.maybeParseModuleAttributes();\n if (attributes) {\n node.attributes = attributes;\n }\n this.semicolon();\n return this.finishNode(node, \"ImportDeclaration\");\n }\n\n parseImportSource(): N.StringLiteral {\n if (!this.match(tt.string)) this.unexpected();\n return this.parseExprAtom();\n }\n\n // eslint-disable-next-line no-unused-vars\n shouldParseDefaultImport(node: N.ImportDeclaration): boolean {\n return this.match(tt.name);\n }\n\n parseImportSpecifierLocal(\n node: N.ImportDeclaration,\n specifier: N.Node,\n type: string,\n contextDescription: string,\n ): void {\n specifier.local = this.parseIdentifier();\n this.checkLVal(\n specifier.local,\n BIND_LEXICAL,\n undefined,\n contextDescription,\n );\n node.specifiers.push(this.finishNode(specifier, type));\n }\n\n maybeParseModuleAttributes() {\n if (this.match(tt._with) && !this.hasPrecedingLineBreak()) {\n this.expectPlugin(\"moduleAttributes\");\n this.next();\n } else {\n if (this.hasPlugin(\"moduleAttributes\")) return [];\n return null;\n }\n const attrs = [];\n const attributes = new Set();\n do {\n // we are trying to parse a node which has the following syntax\n // with type: \"json\"\n // [with -> keyword], [type -> Identifier], [\":\" -> token for colon], [\"json\" -> StringLiteral]\n const node = this.startNode();\n node.key = this.parseIdentifier(true);\n\n // for now we are only allowing `type` as the only allowed module attribute\n if (node.key.name !== \"type\") {\n this.raise(\n node.key.start,\n Errors.ModuleAttributeDifferentFromType,\n node.key.name,\n );\n }\n\n // check if we already have an entry for an attribute\n // if a duplicate entry is found, throw an error\n // for now this logic will come into play only when someone declares `type` twice\n if (attributes.has(node.key.name)) {\n this.raise(\n node.key.start,\n Errors.ModuleAttributesWithDuplicateKeys,\n node.key.name,\n );\n }\n attributes.add(node.key.name);\n this.expect(tt.colon);\n // check if the value set to the module attribute is a string as we only allow string literals\n if (!this.match(tt.string)) {\n throw this.unexpected(\n this.state.start,\n Errors.ModuleAttributeInvalidValue,\n );\n }\n node.value = this.parseLiteral(this.state.value, \"StringLiteral\");\n this.finishNode(node, \"ImportAttribute\");\n attrs.push(node);\n } while (this.eat(tt.comma));\n\n return attrs;\n }\n\n maybeParseDefaultImportSpecifier(node: N.ImportDeclaration): boolean {\n if (this.shouldParseDefaultImport(node)) {\n // import defaultObj, { x, y as z } from '...'\n this.parseImportSpecifierLocal(\n node,\n this.startNode(),\n \"ImportDefaultSpecifier\",\n \"default import specifier\",\n );\n return true;\n }\n return false;\n }\n\n maybeParseStarImportSpecifier(node: N.ImportDeclaration): boolean {\n if (this.match(tt.star)) {\n const specifier = this.startNode();\n this.next();\n this.expectContextual(\"as\");\n\n this.parseImportSpecifierLocal(\n node,\n specifier,\n \"ImportNamespaceSpecifier\",\n \"import namespace specifier\",\n );\n return true;\n }\n return false;\n }\n\n parseNamedImportSpecifiers(node: N.ImportDeclaration) {\n let first = true;\n this.expect(tt.braceL);\n while (!this.eat(tt.braceR)) {\n if (first) {\n first = false;\n } else {\n // Detect an attempt to deep destructure\n if (this.eat(tt.colon)) {\n throw this.raise(this.state.start, Errors.DestructureNamedImport);\n }\n\n this.expect(tt.comma);\n if (this.eat(tt.braceR)) break;\n }\n\n this.parseImportSpecifier(node);\n }\n }\n\n // https://tc39.es/ecma262/#prod-ImportSpecifier\n parseImportSpecifier(node: N.ImportDeclaration): void {\n const specifier = this.startNode();\n specifier.imported = this.parseIdentifier(true);\n if (this.eatContextual(\"as\")) {\n specifier.local = this.parseIdentifier();\n } else {\n this.checkReservedWord(\n specifier.imported.name,\n specifier.start,\n true,\n true,\n );\n specifier.local = specifier.imported.__clone();\n }\n this.checkLVal(\n specifier.local,\n BIND_LEXICAL,\n undefined,\n \"import specifier\",\n );\n node.specifiers.push(this.finishNode(specifier, \"ImportSpecifier\"));\n }\n}\n","// @flow\n\nimport {\n CLASS_ELEMENT_KIND_ACCESSOR,\n CLASS_ELEMENT_FLAG_STATIC,\n type ClassElementTypes,\n} from \"./scopeflags\";\nimport { Errors } from \"../parser/error\";\n\nexport class ClassScope {\n // A list of private named declared in the current class\n privateNames: Set<string> = new Set();\n\n // A list of private getters of setters without their counterpart\n loneAccessors: Map<string, ClassElementTypes> = new Map();\n\n // A list of private names used before being defined, mapping to\n // their position.\n undefinedPrivateNames: Map<string, number> = new Map();\n}\n\ntype raiseFunction = (number, string, ...any) => void;\n\nexport default class ClassScopeHandler {\n stack: Array<ClassScope> = [];\n raise: raiseFunction;\n undefinedPrivateNames: Map<string, number> = new Map();\n\n constructor(raise: raiseFunction) {\n this.raise = raise;\n }\n\n current(): ClassScope {\n return this.stack[this.stack.length - 1];\n }\n\n enter() {\n this.stack.push(new ClassScope());\n }\n\n exit() {\n const oldClassScope = this.stack.pop();\n\n // Migrate the usage of not yet defined private names to the outer\n // class scope, or raise an error if we reached the top-level scope.\n\n const current = this.current();\n\n // Array.from is needed because this is compiled to an array-like for loop\n for (const [name, pos] of Array.from(oldClassScope.undefinedPrivateNames)) {\n if (current) {\n if (!current.undefinedPrivateNames.has(name)) {\n current.undefinedPrivateNames.set(name, pos);\n }\n } else {\n this.raise(pos, Errors.InvalidPrivateFieldResolution, name);\n }\n }\n }\n\n declarePrivateName(\n name: string,\n elementType: ClassElementTypes,\n pos: number,\n ) {\n const classScope = this.current();\n let redefined = classScope.privateNames.has(name);\n\n if (elementType & CLASS_ELEMENT_KIND_ACCESSOR) {\n const accessor = redefined && classScope.loneAccessors.get(name);\n if (accessor) {\n const oldStatic = accessor & CLASS_ELEMENT_FLAG_STATIC;\n const newStatic = elementType & CLASS_ELEMENT_FLAG_STATIC;\n\n const oldKind = accessor & CLASS_ELEMENT_KIND_ACCESSOR;\n const newKind = elementType & CLASS_ELEMENT_KIND_ACCESSOR;\n\n // The private name can be duplicated only if it is used by\n // two accessors with different kind (get and set), and if\n // they have the same placement (static or not).\n redefined = oldKind === newKind || oldStatic !== newStatic;\n\n if (!redefined) classScope.loneAccessors.delete(name);\n } else if (!redefined) {\n classScope.loneAccessors.set(name, elementType);\n }\n }\n\n if (redefined) {\n this.raise(pos, Errors.PrivateNameRedeclaration, name);\n }\n\n classScope.privateNames.add(name);\n classScope.undefinedPrivateNames.delete(name);\n }\n\n usePrivateName(name: string, pos: number) {\n let classScope;\n for (classScope of this.stack) {\n if (classScope.privateNames.has(name)) return;\n }\n\n if (classScope) {\n classScope.undefinedPrivateNames.set(name, pos);\n } else {\n // top-level\n this.raise(pos, Errors.InvalidPrivateFieldResolution, name);\n }\n }\n}\n","// @flow\n\nimport type { Options } from \"../options\";\nimport type { File /*::, JSXOpeningElement */ } from \"../types\";\nimport type { PluginList } from \"../plugin-utils\";\nimport { getOptions } from \"../options\";\nimport StatementParser from \"./statement\";\nimport { SCOPE_PROGRAM } from \"../util/scopeflags\";\nimport ScopeHandler from \"../util/scope\";\nimport ClassScopeHandler from \"../util/class-scope\";\nimport ProductionParameterHandler, {\n PARAM_AWAIT,\n PARAM,\n} from \"../util/production-parameter\";\n\nexport type PluginsMap = Map<string, { [string]: any }>;\n\nexport default class Parser extends StatementParser {\n // Forward-declaration so typescript plugin can override jsx plugin\n /*::\n +jsxParseOpeningElementAfterName: (\n node: JSXOpeningElement,\n ) => JSXOpeningElement;\n */\n\n constructor(options: ?Options, input: string) {\n options = getOptions(options);\n super(options, input);\n\n const ScopeHandler = this.getScopeHandler();\n\n this.options = options;\n this.inModule = this.options.sourceType === \"module\";\n this.scope = new ScopeHandler(this.raise.bind(this), this.inModule);\n this.prodParam = new ProductionParameterHandler();\n this.classScope = new ClassScopeHandler(this.raise.bind(this));\n this.plugins = pluginsMap(this.options.plugins);\n this.filename = options.sourceFilename;\n }\n\n // This can be overwritten, for example, by the TypeScript plugin.\n getScopeHandler(): Class<ScopeHandler<*>> {\n return ScopeHandler;\n }\n\n parse(): File {\n let paramFlags = PARAM;\n if (this.hasPlugin(\"topLevelAwait\") && this.inModule) {\n paramFlags |= PARAM_AWAIT;\n }\n this.scope.enter(SCOPE_PROGRAM);\n this.prodParam.enter(paramFlags);\n const file = this.startNode();\n const program = this.startNode();\n this.nextToken();\n file.errors = null;\n this.parseTopLevel(file, program);\n file.errors = this.state.errors;\n return file;\n }\n}\n\nfunction pluginsMap(plugins: PluginList): PluginsMap {\n const pluginMap: PluginsMap = new Map();\n for (const plugin of plugins) {\n const [name, options] = Array.isArray(plugin) ? plugin : [plugin, {}];\n if (!pluginMap.has(name)) pluginMap.set(name, options || {});\n }\n return pluginMap;\n}\n","// @flow\n\nimport { type Options } from \"./options\";\nimport {\n hasPlugin,\n validatePlugins,\n mixinPluginNames,\n mixinPlugins,\n type PluginList,\n} from \"./plugin-utils\";\nimport Parser from \"./parser\";\n\nimport { types as tokTypes } from \"./tokenizer/types\";\nimport \"./tokenizer/context\";\n\nimport type { Expression, File } from \"./types\";\n\nexport function parse(input: string, options?: Options): File {\n if (options?.sourceType === \"unambiguous\") {\n options = {\n ...options,\n };\n try {\n options.sourceType = \"module\";\n const parser = getParser(options, input);\n const ast = parser.parse();\n\n if (parser.sawUnambiguousESM) {\n return ast;\n }\n\n if (parser.ambiguousScriptDifferentAst) {\n // Top level await introduces code which can be both a valid script and\n // a valid module, but which produces different ASTs:\n // await\n // 0\n // can be parsed either as an AwaitExpression, or as two ExpressionStatements.\n try {\n options.sourceType = \"script\";\n return getParser(options, input).parse();\n } catch {}\n } else {\n // This is both a valid module and a valid script, but\n // we parse it as a script by default\n ast.program.sourceType = \"script\";\n }\n\n return ast;\n } catch (moduleError) {\n try {\n options.sourceType = \"script\";\n return getParser(options, input).parse();\n } catch {}\n\n throw moduleError;\n }\n } else {\n return getParser(options, input).parse();\n }\n}\n\nexport function parseExpression(input: string, options?: Options): Expression {\n const parser = getParser(options, input);\n if (parser.options.strictMode) {\n parser.state.strict = true;\n }\n return parser.getExpression();\n}\n\nexport { tokTypes };\n\nfunction getParser(options: ?Options, input: string): Parser {\n let cls = Parser;\n if (options?.plugins) {\n validatePlugins(options.plugins);\n cls = getParserClass(options.plugins);\n }\n\n return new cls(options, input);\n}\n\nconst parserClassCache: { [key: string]: Class<Parser> } = {};\n\n/** Get a Parser class with plugins applied. */\nfunction getParserClass(pluginsFromOptions: PluginList): Class<Parser> {\n const pluginList = mixinPluginNames.filter(name =>\n hasPlugin(pluginsFromOptions, name),\n );\n\n const key = pluginList.join(\"/\");\n let cls = parserClassCache[key];\n if (!cls) {\n cls = Parser;\n for (const plugin of pluginList) {\n cls = mixinPlugins[plugin](cls);\n }\n parserClassCache[key] = cls;\n }\n return cls;\n}\n"],"names":["beforeExpr","startsExpr","isLoop","isAssign","prefix","postfix","TokenType","constructor","label","conf","keyword","rightAssociative","binop","updateContext","keywords","Map","createKeyword","name","options","token","set","createBinop","types","num","bigint","decimal","regexp","string","eof","bracketL","bracketHashL","bracketBarL","bracketR","bracketBarR","braceL","braceBarL","braceHashL","braceR","braceBarR","parenL","parenR","comma","semi","colon","doubleColon","dot","question","questionDot","arrow","template","ellipsis","backQuote","dollarBraceL","at","hash","interpreterDirective","eq","assign","incDec","bang","tilde","pipeline","nullishCoalescing","logicalOR","logicalAND","bitwiseOR","bitwiseXOR","bitwiseAND","equality","relational","bitShift","plusMin","modulo","star","slash","exponent","_break","_case","_catch","_continue","_debugger","_default","_do","_else","_finally","_for","_function","_if","_return","_switch","_throw","_try","_var","_const","_while","_with","_new","_this","_super","_class","_extends","_export","_import","_null","_true","_false","_in","_instanceof","_typeof","_void","_delete","SCOPE_OTHER","SCOPE_PROGRAM","SCOPE_FUNCTION","SCOPE_ARROW","SCOPE_SIMPLE_CATCH","SCOPE_SUPER","SCOPE_DIRECT_SUPER","SCOPE_CLASS","SCOPE_TS_MODULE","SCOPE_VAR","BIND_KIND_VALUE","BIND_KIND_TYPE","BIND_SCOPE_VAR","BIND_SCOPE_LEXICAL","BIND_SCOPE_FUNCTION","BIND_SCOPE_OUTSIDE","BIND_FLAGS_NONE","BIND_FLAGS_CLASS","BIND_FLAGS_TS_ENUM","BIND_FLAGS_TS_CONST_ENUM","BIND_FLAGS_TS_EXPORT_ONLY","BIND_CLASS","BIND_LEXICAL","BIND_VAR","BIND_FUNCTION","BIND_TS_INTERFACE","BIND_TS_TYPE","BIND_TS_ENUM","BIND_TS_AMBIENT","BIND_NONE","BIND_OUTSIDE","BIND_TS_CONST_ENUM","BIND_TS_NAMESPACE","CLASS_ELEMENT_FLAG_STATIC","CLASS_ELEMENT_KIND_GETTER","CLASS_ELEMENT_KIND_SETTER","CLASS_ELEMENT_KIND_ACCESSOR","CLASS_ELEMENT_STATIC_GETTER","CLASS_ELEMENT_STATIC_SETTER","CLASS_ELEMENT_INSTANCE_GETTER","CLASS_ELEMENT_INSTANCE_SETTER","CLASS_ELEMENT_OTHER","lineBreak","lineBreakG","RegExp","source","isNewLine","code","skipWhiteSpace","isWhitespace","Position","line","col","column","SourceLocation","start","end","getLineInfo","input","offset","lineStart","match","lastIndex","exec","index","BaseParser","sawUnambiguousESM","ambiguousScriptDifferentAst","hasPlugin","plugins","has","getPluginOption","plugin","get","last","stack","length","CommentsParser","addComment","comment","filename","loc","state","trailingComments","push","leadingComments","adjustCommentsAfterTrailingComma","node","elements","takeAllComments","lastElement","i","j","commentPreviousNode","splice","newTrailingComments","leadingComment","undefined","processComment","type","body","commentStack","firstChild","lastChild","lastInStack","pop","properties","arguments","slice","innerComments","firstTrailingCommentIndex","findIndex","ErrorMessages","Object","freeze","AccessorIsGenerator","ArgumentsDisallowedInInitializer","AsyncFunctionInSingleStatementContext","AwaitBindingIdentifier","AwaitExpressionFormalParameter","AwaitNotInAsyncFunction","BadGetterArity","BadSetterArity","BadSetterRestParameter","ConstructorClassField","ConstructorClassPrivateField","ConstructorIsAccessor","ConstructorIsAsync","ConstructorIsGenerator","DeclarationMissingInitializer","DecoratorBeforeExport","DecoratorConstructor","DecoratorExportClass","DecoratorSemicolon","DeletePrivateField","DestructureNamedImport","DuplicateConstructor","DuplicateDefaultExport","DuplicateExport","DuplicateProto","DuplicateRegExpFlags","ElementAfterRest","EscapedCharNotAnIdentifier","ExportDefaultFromAsIdentifier","ForInOfLoopInitializer","GeneratorInSingleStatementContext","IllegalBreakContinue","IllegalLanguageModeDirective","IllegalReturn","ImportCallArgumentTrailingComma","ImportCallArity","ImportCallNotNewExpression","ImportCallSpreadArgument","ImportMetaOutsideModule","ImportOutsideModule","InvalidBigIntLiteral","InvalidCodePoint","InvalidDecimal","InvalidDigit","InvalidEscapeSequence","InvalidEscapeSequenceTemplate","InvalidEscapedReservedWord","InvalidIdentifier","InvalidLhs","InvalidLhsBinding","InvalidNumber","InvalidOrUnexpectedToken","InvalidParenthesizedAssignment","InvalidPrivateFieldResolution","InvalidPropertyBindingPattern","InvalidRecordProperty","InvalidRestAssignmentPattern","LabelRedeclaration","LetInLexicalBinding","LineTerminatorBeforeArrow","MalformedRegExpFlags","MissingClassName","MissingEqInAssignment","MissingUnicodeEscape","MixingCoalesceWithLogical","ModuleAttributeDifferentFromType","ModuleAttributeInvalidValue","ModuleAttributesWithDuplicateKeys","ModuleExportUndefined","MultipleDefaultsInSwitch","NewlineAfterThrow","NoCatchOrFinally","NumberIdentifier","NumericSeparatorInEscapeSequence","ObsoleteAwaitStar","OptionalChainingNoNew","OptionalChainingNoTemplate","ParamDupe","PatternHasAccessor","PatternHasMethod","PipelineBodyNoArrow","PipelineBodySequenceExpression","PipelineHeadSequenceExpression","PipelineTopicUnused","PrimaryTopicNotAllowed","PrimaryTopicRequiresSmartPipeline","PrivateInExpectedIn","PrivateNameRedeclaration","RecordExpressionBarIncorrectEndSyntaxType","RecordExpressionBarIncorrectStartSyntaxType","RecordExpressionHashIncorrectStartSyntaxType","RecordNoProto","RestTrailingComma","SloppyFunction","StaticPrototype","StrictDelete","StrictEvalArguments","StrictEvalArgumentsBinding","StrictFunction","StrictNumericEscape","StrictOctalLiteral","StrictWith","SuperNotAllowed","SuperPrivateField","TrailingDecorator","TupleExpressionBarIncorrectEndSyntaxType","TupleExpressionBarIncorrectStartSyntaxType","TupleExpressionHashIncorrectStartSyntaxType","UnexpectedArgumentPlaceholder","UnexpectedAwaitAfterPipelineBody","UnexpectedDigitAfterHash","UnexpectedImportExport","UnexpectedKeyword","UnexpectedLeadingDecorator","UnexpectedLexicalDeclaration","UnexpectedNewTarget","UnexpectedNumericSeparator","UnexpectedPrivateField","UnexpectedReservedWord","UnexpectedSuper","UnexpectedToken","UnexpectedTokenUnaryExponentiation","UnsupportedBind","UnsupportedDecoratorExport","UnsupportedDefaultExport","UnsupportedImport","UnsupportedMetaProperty","UnsupportedParameterDecorator","UnsupportedPropertyDecorator","UnsupportedSuper","UnterminatedComment","UnterminatedRegExp","UnterminatedString","UnterminatedTemplate","VarRedeclaration","YieldBindingIdentifier","YieldInParameter","ZeroDigitNumericSeparator","ParserError","getLocationForPosition","pos","startLoc","lastTokStart","lastTokStartLoc","endLoc","lastTokEnd","lastTokEndLoc","raise","errorTemplate","params","raiseWithData","data","message","replace","_","_raise","errorContext","err","SyntaxError","errorRecovery","isLookahead","errors","isSimpleProperty","kind","method","superClass","estreeParseRegExpLiteral","pattern","flags","regex","e","estreeParseLiteral","estreeParseBigIntLiteral","value","bigInt","BigInt","String","estreeParseDecimalLiteral","parseLiteral","directiveToStmt","directive","directiveLiteral","stmt","startNodeAt","expression","raw","extra","finishNodeAt","initFunction","isAsync","checkDeclaration","checkGetterSetterParams","prop","paramCount","Errors","checkLVal","expr","bindingType","checkClashes","contextDescription","disallowLetBinding","forEach","checkProto","isRecord","protoRef","refExpressionErrors","isValidDirective","parenthesized","stmtToDirective","parseBlockBody","allowDirectives","topLevel","directiveStatements","directives","map","d","concat","pushClassMethod","classBody","isGenerator","isConstructor","allowsDirectSuper","parseMethod","typeParameters","parseExprAtom","tt","startPos","parseFunctionBody","allowExpression","isMethod","allowDirectSuper","inClassScope","funcNode","startNode","finishNode","parseObjectMethod","isPattern","isAccessor","shorthand","parseObjectProperty","toAssignable","toAssignableObjectExpressionProp","isLast","key","finishCallExpression","optional","callee","toReferencedListDeep","exprList","isParenthesizedExpr","parseExport","exported","specifiers","parseSubscript","base","noCalls","optionalChainMember","substring","stop","chain","startNodeAtNode","TokContext","isExpr","preserveSpace","override","braceStatement","braceExpression","templateQuasi","parenStatement","parenExpression","p","readTmplToken","functionExpression","functionStatement","context","exprAllowed","out","curContext","prevType","allowed","prodParam","hasYield","isIterator","braceIsBlock","statementParens","test","b_stat","nonASCIIidentifierStartChars","nonASCIIidentifierChars","nonASCIIidentifierStart","nonASCIIidentifier","astralIdentifierStartCodes","astralIdentifierCodes","isInAstralSet","isIdentifierStart","fromCharCode","isIdentifierChar","reservedWords","strict","strictBind","Set","reservedWordsStrictSet","reservedWordsStrictBindSet","isReservedWord","word","inModule","isStrictReservedWord","isStrictBindOnlyReservedWord","isStrictBindReservedWord","isKeyword","keywordRelationalOperator","isIteratorStart","current","next","reservedTypes","FlowErrors","AmbiguousConditionalArrow","AmbiguousDeclareModuleKind","AssignReservedType","DeclareClassElement","DeclareClassFieldInitializer","DuplicateDeclareModuleExports","EnumBooleanMemberNotInitialized","EnumDuplicateMemberName","EnumInconsistentMemberValues","EnumInvalidExplicitType","EnumInvalidExplicitTypeUnknownSupplied","EnumInvalidMemberInitializerPrimaryType","EnumInvalidMemberInitializerSymbolType","EnumInvalidMemberInitializerUnknownType","EnumInvalidMemberName","EnumNumberMemberNotInitialized","EnumStringMemberInconsistentlyInitailized","ImportTypeShorthandOnlyInPureImport","InexactInsideExact","InexactInsideNonObject","InexactVariance","InvalidNonTypeImportInDeclareModule","MissingTypeParamDefault","NestedDeclareModule","NestedFlowComment","OptionalBindingPattern","SpreadVariance","TypeBeforeInitializer","TypeCastInPattern","UnexpectedExplicitInexactInObject","UnexpectedReservedType","UnexpectedReservedUnderscore","UnexpectedSpaceBetweenModuloChecks","UnexpectedSpreadType","UnexpectedSubtractionOperand","UnexpectedTokenAfterTypeParameter","UnsupportedDeclareExportKind","UnsupportedStatementInDeclareModule","UnterminatedFlowComment","isEsModuleType","bodyElement","declaration","hasTypeImportKind","importKind","isMaybeDefaultImport","exportSuggestions","const","let","interface","partition","list","list1","list2","FLOW_PRAGMA_REGEX","flowPragma","shouldParseTypes","shouldParseEnums","finishToken","val","matches","Error","flowParseTypeInitialiser","tok","oldInType","inType","expect","flowParseType","flowParsePredicate","moduloLoc","moduloPos","checksLoc","expectContextual","eat","parseExpression","flowParseTypeAndPredicateInitialiser","predicate","flowParseDeclareClass","flowParseInterfaceish","flowParseDeclareFunction","id","parseIdentifier","typeNode","typeContainer","isRelational","flowParseTypeParameterDeclaration","tmp","flowParseFunctionTypeParams","rest","returnType","typeAnnotation","resetEndLocation","semicolon","flowParseDeclare","insideModule","flowParseDeclareVariable","eatContextual","flowParseDeclareModuleExports","flowParseDeclareModule","isContextual","flowParseDeclareTypeAlias","flowParseDeclareOpaqueType","flowParseDeclareInterface","flowParseDeclareExportDeclaration","unexpected","flowParseTypeAnnotatableIdentifier","scope","declareName","enter","bodyNode","parseImport","exit","hasModuleExport","default","isLet","suggestion","exportKind","flowParseTypeAnnotation","flowParseTypeAlias","flowParseOpaqueType","isClass","flowParseRestrictedIdentifier","extends","implements","mixins","flowParseInterfaceExtends","flowParseObjectType","allowStatic","allowExact","allowSpread","allowProto","allowInexact","flowParseQualifiedTypeIdentifier","flowParseTypeParameterInstantiation","flowParseInterface","checkNotUnderscore","checkReservedType","liberal","right","declare","supertype","impltype","flowParseTypeParameter","requireDefault","nodeStart","variance","flowParseVariance","ident","bound","jsxTagStart","defaultRequired","typeParameter","expectRelational","oldNoAnonFunctionType","noAnonFunctionType","flowParseTypeParameterInstantiationCallOrNew","flowParseTypeOrImplicitInstantiation","flowParseInterfaceType","flowParseObjectPropertyKey","flowParseObjectTypeIndexer","isStatic","static","lookahead","flowParseObjectTypeInternalSlot","flowParseObjectTypeMethodish","flowParseFunctionTypeParam","flowParseObjectTypeCallProperty","valueNode","callProperties","indexers","internalSlots","endDelim","exact","inexact","protoStart","inexactStart","propOrInexact","flowParseObjectTypeProperty","flowObjectTypeSemicolon","isInexactToken","argument","proto","flowCheckGetterSetterParams","property","node2","qualification","flowParseGenericType","flowParseTypeofType","flowParsePrimaryType","flowParseTupleType","lh","reinterpretTypeAsFunctionTypeParam","flowIdentToTypeAnnotation","isGroupedType","createIdentifier","flowParsePostfixType","canInsertSemicolon","elementType","flowParsePrefixType","flowParseAnonFunctionWithoutParens","param","flowParseIntersectionType","flowParseUnionType","allowPrimitiveOverride","typeCastToParameter","allowExpressionBody","forwardNoArrowParamsConversionAt","parseFunctionBodyAndFinish","parseStatement","flowParseEnumDeclaration","parseExpressionStatement","shouldParseExportDeclaration","isExportDefaultSpecifier","parseExportDefaultExpression","parseConditional","noIn","refNeedsArrowPos","result","tryParse","error","failState","clone","originalNoArrowAt","noArrowAt","consequent","failed","tryParseConditionalConsequent","valid","invalid","getArrowLikeExpressions","alternate","parseMaybeAssign","noArrowParamsConversionAt","disallowInvalid","arrows","finishArrowValidation","every","isAssignable","toAssignableList","trailingComma","checkParams","parse","indexOf","parseParenItem","typeCastNode","assertModuleNodeAllowed","decl","parseExportDeclaration","declarationNode","parseExportSpecifiers","parseExportFrom","eatExportStar","maybeParseExportNamespaceSpecifier","hasNamespace","parseClassId","isStatement","optionalId","parseClassMember","member","constructorAllowsSuper","parseClassMemberFromModifier","getTokenFromCode","charCodeAt","finishOp","readWord","isBinding","element","operator","trailingCommaPos","toReferencedList","parseClassProperty","parseClassPrivateProperty","isClassMethod","isClassProperty","isNonstaticConstructor","pushClassPrivateMethod","parseClassSuper","superTypeParameters","implemented","parsePropertyName","isPrivateNameAllowed","parseObjPropValue","parseAssignableListItemTypes","parseMaybeDefault","left","shouldParseDefaultImport","parseImportSpecifierLocal","specifier","local","maybeParseDefaultImportSpecifier","parseImportSpecifier","firstIdentLoc","firstIdent","specifierTypeKind","isLookaheadContextual","as_ident","imported","__clone","nodeIsTypeImport","specifierIsTypeImport","checkReservedWord","parseFunctionParams","allowModifiers","parseVarId","parseAsyncArrowFromCallExpression","call","shouldParseAsyncArrow","afterLeftParse","jsx","tc","j_oTag","j_expr","arrowExpression","resetStartLocationFromNode","thrown","parseArrow","shouldParseArrow","setArrowFunctionParameters","allowDuplicates","isArrowFunction","parseParenAndDistinguishExpression","canBeArrow","parseSubscripts","parseCallExpressionArguments","abort","parseAsyncArrowWithTypeParameters","aborted","subscriptState","isLookaheadToken_lt","typeArguments","parseNewArguments","targs","parseArrowExpression","readToken_mult_modulo","hasFlowComment","nextToken","readToken_pipe_amp","parseTopLevel","file","program","fileNode","skipBlockComment","skipFlowComment","hasFlowCommentCompletion","shiftToFirstNonWhiteSpace","includes","ch2","ch3","flowEnumErrorBooleanMemberNotInitialized","enumName","memberName","flowEnumErrorInvalidMemberName","toUpperCase","flowEnumErrorDuplicateMemberName","flowEnumErrorInconsistentMemberValues","flowEnumErrorInvalidExplicitType","suppliedType","flowEnumErrorInvalidMemberInitializer","explicitType","flowEnumErrorNumberMemberNotInitialized","flowEnumErrorStringMemberInconsistentlyInitailized","flowEnumMemberInit","endOfInit","literal","parseBooleanLiteral","flowEnumMemberRaw","init","flowEnumCheckExplicitTypeMismatch","expectedType","flowEnumMembers","seenNames","members","booleanMembers","numberMembers","stringMembers","defaultedMembers","memberNode","add","flowEnumStringMembers","initializedMembers","flowEnumParseExplicitType","flowEnumBody","nameLoc","empty","boolsLen","numsLen","strsLen","defaultedLen","nextTokenStart","afterNext","entities","quot","amp","apos","lt","gt","nbsp","iexcl","cent","pound","curren","yen","brvbar","sect","uml","copy","ordf","laquo","not","shy","reg","macr","deg","plusmn","sup2","sup3","acute","micro","para","middot","cedil","sup1","ordm","raquo","frac14","frac12","frac34","iquest","Agrave","Aacute","Acirc","Atilde","Auml","Aring","AElig","Ccedil","Egrave","Eacute","Ecirc","Euml","Igrave","Iacute","Icirc","Iuml","ETH","Ntilde","Ograve","Oacute","Ocirc","Otilde","Ouml","times","Oslash","Ugrave","Uacute","Ucirc","Uuml","Yacute","THORN","szlig","agrave","aacute","acirc","atilde","auml","aring","aelig","ccedil","egrave","eacute","ecirc","euml","igrave","iacute","icirc","iuml","eth","ntilde","ograve","oacute","ocirc","otilde","ouml","divide","oslash","ugrave","uacute","ucirc","uuml","yacute","thorn","yuml","OElig","oelig","Scaron","scaron","Yuml","fnof","circ","Alpha","Beta","Gamma","Delta","Epsilon","Zeta","Eta","Theta","Iota","Kappa","Lambda","Mu","Nu","Xi","Omicron","Pi","Rho","Sigma","Tau","Upsilon","Phi","Chi","Psi","Omega","alpha","beta","gamma","delta","epsilon","zeta","eta","theta","iota","kappa","lambda","mu","nu","xi","omicron","pi","rho","sigmaf","sigma","tau","upsilon","phi","chi","psi","omega","thetasym","upsih","piv","ensp","emsp","thinsp","zwnj","zwj","lrm","rlm","ndash","mdash","lsquo","rsquo","sbquo","ldquo","rdquo","bdquo","dagger","Dagger","bull","hellip","permil","prime","Prime","lsaquo","rsaquo","oline","frasl","euro","image","weierp","real","trade","alefsym","larr","uarr","rarr","darr","harr","crarr","lArr","uArr","rArr","dArr","hArr","forall","part","exist","nabla","isin","notin","ni","prod","sum","minus","lowast","radic","infin","ang","and","or","cap","cup","int","there4","sim","cong","asymp","ne","equiv","le","ge","sub","sup","nsub","sube","supe","oplus","otimes","perp","sdot","lceil","rceil","lfloor","rfloor","lang","rang","loz","spades","clubs","hearts","diams","HEX_NUMBER","DECIMAL_NUMBER","JsxErrors","AttributeIsEmpty","MissingClosingTagFragment","MissingClosingTagElement","UnsupportedJsxValue","UnterminatedJsxContent","UnwrappedAdjacentJSXElements","j_cTag","jsxName","jsxText","jsxTagEnd","isFragment","object","getQualifiedJSXName","namespace","jsxReadToken","chunkStart","ch","jsxReadEntity","jsxReadNewLine","normalizeCRLF","curLine","jsxReadString","quote","str","count","entity","substr","fromCodePoint","parseInt","XHTMLEntities","jsxReadWord","jsxParseIdentifier","jsxParseNamespacedName","jsxParseElementName","newNode","jsxParseAttributeValue","jsxParseExpressionContainer","jsxParseEmptyExpression","jsxParseSpreadChild","jsxParseAttribute","jsxParseOpeningElementAt","jsxParseOpeningElementAfterName","attributes","selfClosing","jsxParseClosingElementAt","jsxParseElementAt","children","openingElement","closingElement","contents","openingFragment","closingFragment","jsxParseElement","inPropertyName","Scope","var","lexical","functions","ScopeHandler","scopeStack","undefinedExports","undefinedPrivateNames","inFunction","currentVarScope","allowSuper","currentThisScope","inClass","inNonArrowFunction","treatFunctionsAsVar","treatFunctionsAsVarInScope","currentScope","createScope","checkRedeclarationInScope","maybeExportDefined","delete","isRedeclaredInScope","checkLocalExport","TypeScriptScope","enums","constEnums","classes","exportOnlyBindings","TypeScriptScopeHandler","isConst","wasConst","PARAM","PARAM_YIELD","PARAM_AWAIT","PARAM_RETURN","ProductionParameterHandler","stacks","currentFlags","hasAwait","hasReturn","functionFlags","nonNull","x","assert","TSErrors","ClassMethodHasDeclare","ClassMethodHasReadonly","DeclareClassFieldHasInitializer","DuplicateModifier","EmptyHeritageClauseType","IndexSignatureHasAbstract","IndexSignatureHasAccessibility","IndexSignatureHasStatic","InvalidTupleMemberLabel","MixedLabeledAndUnlabeledElements","OptionalTypeBeforeRequired","PatternIsOptional","PrivateElementHasAbstract","PrivateElementHasAccessibility","TemplateTypeHasSubstitution","TypeAnnotationAfterAssign","UnexpectedReadonly","UnexpectedTypeAnnotation","UnexpectedTypeCastInParameter","UnsupportedImportTypeArgument","UnsupportedParameterPropertyKind","UnsupportedSignatureParameterKind","keywordTypeFromName","getScopeHandler","tsIsIdentifier","tsNextTokenCanFollowModifier","hasPrecedingLineBreak","tsParseModifier","allowedModifiers","modifier","tsTryParse","bind","tsParseModifiers","modified","hasOwnProperty","tsIsListTerminator","tsParseList","parseElement","tsParseDelimitedList","tsParseDelimitedListWorker","expectSuccess","tsParseBracketedList","bracket","skipFirstToken","tsParseImportType","qualifier","tsParseEntityName","tsParseTypeArguments","allowReservedWords","tsParseTypeReference","typeName","tsParseThisTypePredicate","lhs","parameterName","tsParseTypeAnnotation","tsParseThisTypeNode","tsParseTypeQuery","exprName","tsParseTypeParameter","parseIdentifierName","constraint","tsEatThenParseType","tsTryParseTypeParameters","tsParseTypeParameters","tsTryNextParseConstantContext","tsFillSignature","returnToken","signature","returnTokenRequired","parameters","tsParseBindingListForSignature","tsParseTypeOrTypePredicateAnnotation","parseBindingList","tsParseTypeMemberSemicolon","tsParseSignatureMember","tsIsUnambiguouslyIndexSignature","tsTryParseIndexSignature","tsLookAhead","tsTryParseTypeAnnotation","tsParsePropertyOrMethodSignature","readonly","nodeAny","tsParseTypeMember","idx","tsParseTypeLiteral","tsParseObjectTypeMembers","tsIsStartOfMappedType","tsParseMappedTypeParameter","tsExpectThenParseType","tsParseMappedType","tsTryParseType","tsParseTupleType","elementTypes","tsParseTupleElementType","seenOptionalElement","labeledElements","elementNode","isLabeled","tsParseType","labeled","labeledNode","optionalTypeNode","restNode","tsParseParenthesizedType","tsParseFunctionOrConstructorType","tsParseLiteralTypeNode","tsParseTemplateLiteralType","templateNode","parseTemplate","expressions","tsParseThisTypeOrThisTypePredicate","thisKeyword","tsParseNonArrayType","lookaheadCharCode","parseMaybeUnary","tsParseArrayTypeOrHigher","objectType","indexType","tsParseTypeOperator","tsParseTypeOperatorOrHigher","tsCheckTypeAnnotationForReadOnly","tsParseInferType","find","kw","tsParseUnionOrIntersectionType","parseConstituentType","tsParseIntersectionTypeOrHigher","tsParseUnionTypeOrHigher","tsIsStartOfFunctionType","tsIsUnambiguouslyStartOfFunctionType","tsSkipParameterStart","braceStackCounter","tsInType","t","asserts","tsParseTypePredicateAsserts","thisTypePredicate","typePredicateVariable","tsParseTypePredicatePrefix","tsTryParseTypeOrTypePredicateAnnotation","containsEsc","eatColon","tsParseNonConditionalType","checkType","extendsType","trueType","falseType","tsParseTypeAssertion","tsNextThenParseType","tsParseHeritageClause","descriptor","originalStart","delimitedList","tsParseExpressionWithTypeArguments","tsParseInterfaceDeclaration","tsParseTypeAliasDeclaration","tsInNoContext","cb","oldContext","tsDoThenParseType","tsParseEnumMember","initializer","tsParseEnumDeclaration","tsParseModuleBlock","parseBlockOrModuleBlockBody","tsParseModuleOrNamespaceDeclaration","nested","inner","tsParseAmbientExternalModuleDeclaration","global","tsParseImportEqualsDeclaration","isExport","moduleReference","tsParseModuleReference","tsIsExternalModuleReference","tsParseExternalModuleReference","f","res","tsTryParseAndCatch","tsTryParseDeclare","nany","isLineTerminator","starttype","parseFunctionStatement","parseClass","parseVarStatement","tsParseDeclaration","tsTryParseExportDeclaration","tsParseExpressionStatement","mod","tsCheckLineTerminatorAndMatch","cls","abstract","tokenType","tsTryParseGenericAsyncArrowFunction","oldMaybeInArrowParameters","maybeInArrowParameters","oldYieldPos","yieldPos","oldAwaitPos","awaitPos","tsIsDeclarationStart","parseAssignableListItem","decorators","accessibility","parseAccessModifier","elt","pp","parameter","bodilessType","registerFunctionStatementId","nonNullExpression","atPossibleAsyncArrow","asyncArrowFn","parseTaggedTemplateExpression","args","parseExprOp","leftStartPos","leftStartLoc","minPrec","reScan_lt_gt","checkKeywords","checkDuplicateExports","ahead","importNode","isAbstractClass","parseStatementContent","parseClassMemberWithIsStatic","parsePostMemberNameModifiers","methodOrProp","isDeclare","resetStartLocation","parseClassPropertyAnnotation","definite","equal","typeCast","ct","parseBindingAtom","parseMaybeDecoratorArguments","readToken_lt_gt","isInParens","canHaveLeadingDecorator","getGetterSetterExpectedParamCount","baseCount","firstParam","hasContextParam","parseCatchClauseParam","placeholder","parsePlaceholder","expectedNode","assertNoSpace","finishPlaceholder","isFinished","verifyBreakContinue","parseBlock","parseFunctionId","takeDecorators","parseClassBody","expectPlugin","isUnparsedContextual","startsWith","nextTokenStartSince","maybeParseExportDefaultSpecifier","checkExport","filter","hasStarImport","maybeParseStarImportSpecifier","parseNamedImportSpecifiers","parseImportSource","parseV8Intrinsic","v8IntrinsicStart","identifier","some","Array","isArray","option","PIPELINE_PROPOSALS","RECORD_AND_TUPLE_SYNTAX_TYPES","validatePlugins","decoratorsBeforeExport","join","moduleAttributesVerionPluginOption","mixinPlugins","estree","flow","typescript","v8intrinsic","placeholders","mixinPluginNames","keys","defaultOptions","sourceType","sourceFilename","startLine","allowAwaitOutsideFunction","allowReturnOutsideFunction","allowImportExportEverywhere","allowSuperOutsideMethod","allowUndeclaredExports","strictMode","ranges","tokens","createParenthesizedExpressions","getOptions","opts","State","potentialArrowAt","inParameters","maybeInAsyncArrowHead","inPipeline","topicContext","maxNumOfResolvableTopics","maxTopicIndex","soloAwait","inFSharpPipelineDirectBody","labels","decoratorStack","comments","octalPositions","exportedIdentifiers","tokensLength","curPosition","skipArrays","isDigit","VALID_REGEX_FLAGS","forbiddenNumericSeparatorSiblings","decBinOct","hex","allowedNumericSeparatorSiblings","bin","oct","dec","Token","Tokenizer","ParserErrors","pushToken","checkKeywordEscapes","old","curr","skip","setStrict","lastIndexOf","skipSpace","codePointAt","pushComment","block","text","skipLineComment","startSkip","loop","readToken_numberSign","readToken_interpreter","nextPos","readToken_dot","readNumber","readToken_slash","readRegexp","width","readToken_caret","readToken_plus_min","size","readToken_eq_excl","readToken_question","next2","readRadixNumber","readString","escaped","charAt","content","mods","char","charCode","readInt","radix","len","forceLen","allowNumSeparator","forbiddenSiblings","allowedSiblings","total","Infinity","prev","Number","isNaN","isBigInt","startsWithDot","isFloat","isDecimal","hasExponent","isOctal","hasLeadingZero","integer","underscorePos","parseFloat","readCodePoint","throwOnInvalid","codePos","readHexChar","readEscapedChar","containsInvalid","inTemplate","octalStr","octal","n","readWord1","escStart","identifierCheck","esc","keywordTypes","parent","update","UtilParser","addExtra","op","nameStart","nameEnd","messageOrType","missingPlugin","expectOnePlugin","names","checkYieldAwaitInDefaultParams","fn","oldState","abortSignal","checkExpressionErrors","andThrow","shorthandAssign","doubleProto","isLiteralPropertyName","ExpressionErrors","Node","parser","range","NodeUtils","locationNode","unwrapParenthesizedExpression","LValParser","raiseRestNotLast","checkToRestConversion","arg","raiseTrailingCommaAfterRest","parseSpread","parseRestBinding","parseObjectLike","close","closeCharCode","allowEmpty","elts","first","checkCommaAfterRest","parseDecorator","strictModeChanged","elem","ExpressionParser","computed","used","shouldExitDescending","getExpression","paramFlags","parseYield","ownExpressionErrors","parseMaybeConditional","parseExprOps","prec","checkPipelineAtInfixOperator","logical","coalesce","parseExprOpRightExpr","nextOp","withTopicPermittingContext","parseSmartPipelineBody","parseExprOpBaseRightExpr","withSoloAwaitPermittingContext","parseFSharpPipelineBody","isAwaitAllowed","parseAwait","isDelete","parseUpdate","parseExprSubscripts","maybeAsyncArrow","oldMaybeInAsyncArrowHead","parseBind","parseCoverCallAndAsyncArrowHead","parseMember","parseMaybePrivateName","classScope","usePrivateName","parseNoCallExpr","tag","quasi","possibleAsyncArrow","dynamicImport","allowPlaceholder","nodeForExtra","innerParenStart","oldInFSharpPipelineDirectBody","parseExprListItem","parseSuper","parseImportMetaProperty","parseFunction","parseAsyncArrowUnaryFunction","parseDo","parseArrayLike","parseFunctionOrFunctionSent","parseDecorators","parseNewOrNewTarget","primaryTopicReferenceIsAllowedInCurrentTopicContext","registerTopicReference","nextCh","lookaheadCh","oldLabels","isPrivate","meta","parseMetaProperty","propertyName","innerStartPos","innerStartLoc","spreadStart","optionalCommaStart","spreadNodeStartPos","spreadNodeStartLoc","innerEndPos","innerEndLoc","arrowNode","parenStart","metaProp","parseNew","parseExprList","parseTemplateElement","isTagged","cooked","tail","curElt","quasis","propHash","create","parsePropertyDefinition","maybeAsyncOrAccessorProp","keyName","oldInPropertyName","generator","async","canBePattern","isTuple","isExpression","oldInParameters","oldStrict","hasStrictModeDirective","nonSimple","isSimpleParamList","errorPos","nameHash","identifierName","reservedTest","delegate","childExpression","checkSmartPipelineBodyEarlyErrors","parseSmartPipelineBodyInStyle","isSimpleReference","topicReferenceWasUsedInCurrentTopicContext","callback","outerContextTopicState","withTopicForbiddingContext","outerContextSoloAwaitState","ret","loopLabel","switchLabel","FUNC_NO_FLAGS","FUNC_STATEMENT","FUNC_HANGING_STATEMENT","FUNC_NULLABLE_ID","StatementParser","interpreter","parseInterpreterDirective","from","parseBreakContinueStatement","parseDebuggerStatement","parseDoStatement","parseForStatement","parseIfStatement","parseReturnStatement","parseSwitchStatement","parseThrowStatement","parseTryStatement","parseWhileStatement","parseWithStatement","parseEmptyStatement","nextTokenCharCode","isAsyncFunction","maybeName","parseLabeledStatement","allowExport","currentContextDecorators","decorator","isBreak","lab","parseHeaderExpression","awaitAt","parseFor","parseVar","declarations","parseForIn","description","declarationPosition","discriminant","cases","cur","sawDefault","isCase","simple","handler","clause","finalizer","statementStart","createNewLexicalScope","afterBlockParse","parsedNonDirective","isForIn","await","isFor","isTypescript","statement","isHangingStatement","requireId","hadConstructor","maybeClassModifier","publicMethod","privateMethod","publicProp","privateProp","publicMember","parseClassElementName","isSimple","maybeQuestionTokenStart","pushClassPrivateProperty","pushClassProperty","declarePrivateName","hasDefault","parseAfterDefault","hasStar","parseAfterNamespace","isFromRequired","hasSpecifiers","maybeParseExportNamedSpecifiers","hasDeclaration","maybeParseExportDeclaration","l","hasFrom","nextAfterFrom","checkNames","isDefault","isFrom","nodes","parseNext","maybeParseModuleAttributes","attrs","ClassScope","privateNames","loneAccessors","ClassScopeHandler","oldClassScope","redefined","accessor","oldStatic","newStatic","oldKind","newKind","Parser","pluginsMap","pluginMap","getParser","ast","moduleError","getParserClass","parserClassCache","pluginsFromOptions","pluginList"],"mappings":";;;;AAyBA,MAAMA,UAAU,GAAG,IAAnB;AACA,MAAMC,UAAU,GAAG,IAAnB;AACA,MAAMC,MAAM,GAAG,IAAf;AACA,MAAMC,QAAQ,GAAG,IAAjB;AACA,MAAMC,MAAM,GAAG,IAAf;AACA,MAAMC,OAAO,GAAG,IAAhB;AAcA,AAAO,MAAMC,SAAN,CAAgB;EAarBC,WAAW,CAACC,KAAD,EAAgBC,IAAkB,GAAG,EAArC,EAAyC;SAC7CD,KAAL,GAAaA,KAAb;SACKE,OAAL,GAAeD,IAAI,CAACC,OAApB;SACKV,UAAL,GAAkB,CAAC,CAACS,IAAI,CAACT,UAAzB;SACKC,UAAL,GAAkB,CAAC,CAACQ,IAAI,CAACR,UAAzB;SACKU,gBAAL,GAAwB,CAAC,CAACF,IAAI,CAACE,gBAA/B;SACKT,MAAL,GAAc,CAAC,CAACO,IAAI,CAACP,MAArB;SACKC,QAAL,GAAgB,CAAC,CAACM,IAAI,CAACN,QAAvB;SACKC,MAAL,GAAc,CAAC,CAACK,IAAI,CAACL,MAArB;SACKC,OAAL,GAAe,CAAC,CAACI,IAAI,CAACJ,OAAtB;SACKO,KAAL,GAAaH,IAAI,CAACG,KAAL,IAAc,IAAd,GAAqBH,IAAI,CAACG,KAA1B,GAAkC,IAA/C;SACKC,aAAL,GAAqB,IAArB;;;;AAIJ,AAAO,MAAMC,QAAQ,GAAG,IAAIC,GAAJ,EAAjB;;AAEP,SAASC,aAAT,CAAuBC,IAAvB,EAAqCC,OAAqB,GAAG,EAA7D,EAA4E;EAC1EA,OAAO,CAACR,OAAR,GAAkBO,IAAlB;QACME,KAAK,GAAG,IAAIb,SAAJ,CAAcW,IAAd,EAAoBC,OAApB,CAAd;EACAJ,QAAQ,CAACM,GAAT,CAAaH,IAAb,EAAmBE,KAAnB;SACOA,KAAP;;;AAGF,SAASE,WAAT,CAAqBJ,IAArB,EAAmCL,KAAnC,EAAkD;SACzC,IAAIN,SAAJ,CAAcW,IAAd,EAAoB;IAAEjB,UAAF;IAAcY;GAAlC,CAAP;;;AAGF,MAAaU,KAAoC,GAAG;EAClDC,GAAG,EAAE,IAAIjB,SAAJ,CAAc,KAAd,EAAqB;IAAEL;GAAvB,CAD6C;EAElDuB,MAAM,EAAE,IAAIlB,SAAJ,CAAc,QAAd,EAAwB;IAAEL;GAA1B,CAF0C;EAGlDwB,OAAO,EAAE,IAAInB,SAAJ,CAAc,SAAd,EAAyB;IAAEL;GAA3B,CAHyC;EAIlDyB,MAAM,EAAE,IAAIpB,SAAJ,CAAc,QAAd,EAAwB;IAAEL;GAA1B,CAJ0C;EAKlD0B,MAAM,EAAE,IAAIrB,SAAJ,CAAc,QAAd,EAAwB;IAAEL;GAA1B,CAL0C;EAMlDgB,IAAI,EAAE,IAAIX,SAAJ,CAAc,MAAd,EAAsB;IAAEL;GAAxB,CAN4C;EAOlD2B,GAAG,EAAE,IAAItB,SAAJ,CAAc,KAAd,CAP6C;EAUlDuB,QAAQ,EAAE,IAAIvB,SAAJ,CAAc,GAAd,EAAmB;IAAEN,UAAF;IAAcC;GAAjC,CAVwC;EAWlD6B,YAAY,EAAE,IAAIxB,SAAJ,CAAc,IAAd,EAAoB;IAAEN,UAAF;IAAcC;GAAlC,CAXoC;EAYlD8B,WAAW,EAAE,IAAIzB,SAAJ,CAAc,IAAd,EAAoB;IAAEN,UAAF;IAAcC;GAAlC,CAZqC;EAalD+B,QAAQ,EAAE,IAAI1B,SAAJ,CAAc,GAAd,CAbwC;EAclD2B,WAAW,EAAE,IAAI3B,SAAJ,CAAc,IAAd,CAdqC;EAelD4B,MAAM,EAAE,IAAI5B,SAAJ,CAAc,GAAd,EAAmB;IAAEN,UAAF;IAAcC;GAAjC,CAf0C;EAgBlDkC,SAAS,EAAE,IAAI7B,SAAJ,CAAc,IAAd,EAAoB;IAAEN,UAAF;IAAcC;GAAlC,CAhBuC;EAiBlDmC,UAAU,EAAE,IAAI9B,SAAJ,CAAc,IAAd,EAAoB;IAAEN,UAAF;IAAcC;GAAlC,CAjBsC;EAkBlDoC,MAAM,EAAE,IAAI/B,SAAJ,CAAc,GAAd,CAlB0C;EAmBlDgC,SAAS,EAAE,IAAIhC,SAAJ,CAAc,IAAd,CAnBuC;EAoBlDiC,MAAM,EAAE,IAAIjC,SAAJ,CAAc,GAAd,EAAmB;IAAEN,UAAF;IAAcC;GAAjC,CApB0C;EAqBlDuC,MAAM,EAAE,IAAIlC,SAAJ,CAAc,GAAd,CArB0C;EAsBlDmC,KAAK,EAAE,IAAInC,SAAJ,CAAc,GAAd,EAAmB;IAAEN;GAArB,CAtB2C;EAuBlD0C,IAAI,EAAE,IAAIpC,SAAJ,CAAc,GAAd,EAAmB;IAAEN;GAArB,CAvB4C;EAwBlD2C,KAAK,EAAE,IAAIrC,SAAJ,CAAc,GAAd,EAAmB;IAAEN;GAArB,CAxB2C;EAyBlD4C,WAAW,EAAE,IAAItC,SAAJ,CAAc,IAAd,EAAoB;IAAEN;GAAtB,CAzBqC;EA0BlD6C,GAAG,EAAE,IAAIvC,SAAJ,CAAc,GAAd,CA1B6C;EA2BlDwC,QAAQ,EAAE,IAAIxC,SAAJ,CAAc,GAAd,EAAmB;IAAEN;GAArB,CA3BwC;EA4BlD+C,WAAW,EAAE,IAAIzC,SAAJ,CAAc,IAAd,CA5BqC;EA6BlD0C,KAAK,EAAE,IAAI1C,SAAJ,CAAc,IAAd,EAAoB;IAAEN;GAAtB,CA7B2C;EA8BlDiD,QAAQ,EAAE,IAAI3C,SAAJ,CAAc,UAAd,CA9BwC;EA+BlD4C,QAAQ,EAAE,IAAI5C,SAAJ,CAAc,KAAd,EAAqB;IAAEN;GAAvB,CA/BwC;EAgClDmD,SAAS,EAAE,IAAI7C,SAAJ,CAAc,GAAd,EAAmB;IAAEL;GAArB,CAhCuC;EAiClDmD,YAAY,EAAE,IAAI9C,SAAJ,CAAc,IAAd,EAAoB;IAAEN,UAAF;IAAcC;GAAlC,CAjCoC;EAkClDoD,EAAE,EAAE,IAAI/C,SAAJ,CAAc,GAAd,CAlC8C;EAmClDgD,IAAI,EAAE,IAAIhD,SAAJ,CAAc,GAAd,EAAmB;IAAEL;GAArB,CAnC4C;EAsClDsD,oBAAoB,EAAE,IAAIjD,SAAJ,CAAc,OAAd,CAtC4B;EAsDlDkD,EAAE,EAAE,IAAIlD,SAAJ,CAAc,GAAd,EAAmB;IAAEN,UAAF;IAAcG;GAAjC,CAtD8C;EAuDlDsD,MAAM,EAAE,IAAInD,SAAJ,CAAc,IAAd,EAAoB;IAAEN,UAAF;IAAcG;GAAlC,CAvD0C;EAwDlDuD,MAAM,EAAE,IAAIpD,SAAJ,CAAc,OAAd,EAAuB;IAAEF,MAAF;IAAUC,OAAV;IAAmBJ;GAA1C,CAxD0C;EAyDlD0D,IAAI,EAAE,IAAIrD,SAAJ,CAAc,GAAd,EAAmB;IAAEN,UAAF;IAAcI,MAAd;IAAsBH;GAAzC,CAzD4C;EA0DlD2D,KAAK,EAAE,IAAItD,SAAJ,CAAc,GAAd,EAAmB;IAAEN,UAAF;IAAcI,MAAd;IAAsBH;GAAzC,CA1D2C;EA2DlD4D,QAAQ,EAAExC,WAAW,CAAC,IAAD,EAAO,CAAP,CA3D6B;EA4DlDyC,iBAAiB,EAAEzC,WAAW,CAAC,IAAD,EAAO,CAAP,CA5DoB;EA6DlD0C,SAAS,EAAE1C,WAAW,CAAC,IAAD,EAAO,CAAP,CA7D4B;EA8DlD2C,UAAU,EAAE3C,WAAW,CAAC,IAAD,EAAO,CAAP,CA9D2B;EA+DlD4C,SAAS,EAAE5C,WAAW,CAAC,GAAD,EAAM,CAAN,CA/D4B;EAgElD6C,UAAU,EAAE7C,WAAW,CAAC,GAAD,EAAM,CAAN,CAhE2B;EAiElD8C,UAAU,EAAE9C,WAAW,CAAC,GAAD,EAAM,CAAN,CAjE2B;EAkElD+C,QAAQ,EAAE/C,WAAW,CAAC,eAAD,EAAkB,CAAlB,CAlE6B;EAmElDgD,UAAU,EAAEhD,WAAW,CAAC,WAAD,EAAc,CAAd,CAnE2B;EAoElDiD,QAAQ,EAAEjD,WAAW,CAAC,WAAD,EAAc,CAAd,CApE6B;EAqElDkD,OAAO,EAAE,IAAIjE,SAAJ,CAAc,KAAd,EAAqB;IAAEN,UAAF;IAAcY,KAAK,EAAE,CAArB;IAAwBR,MAAxB;IAAgCH;GAArD,CArEyC;EAuElDuE,MAAM,EAAE,IAAIlE,SAAJ,CAAc,GAAd,EAAmB;IAAEN,UAAF;IAAcY,KAAK,EAAE,EAArB;IAAyBX;GAA5C,CAvE0C;EAwElDwE,IAAI,EAAEpD,WAAW,CAAC,GAAD,EAAM,EAAN,CAxEiC;EAyElDqD,KAAK,EAAErD,WAAW,CAAC,GAAD,EAAM,EAAN,CAzEgC;EA0ElDsD,QAAQ,EAAE,IAAIrE,SAAJ,CAAc,IAAd,EAAoB;IAC5BN,UAD4B;IAE5BY,KAAK,EAAE,EAFqB;IAG5BD,gBAAgB,EAAE;GAHV,CA1EwC;EAmFlDiE,MAAM,EAAE5D,aAAa,CAAC,OAAD,CAnF6B;EAoFlD6D,KAAK,EAAE7D,aAAa,CAAC,MAAD,EAAS;IAAEhB;GAAX,CApF8B;EAqFlD8E,MAAM,EAAE9D,aAAa,CAAC,OAAD,CArF6B;EAsFlD+D,SAAS,EAAE/D,aAAa,CAAC,UAAD,CAtF0B;EAuFlDgE,SAAS,EAAEhE,aAAa,CAAC,UAAD,CAvF0B;EAwFlDiE,QAAQ,EAAEjE,aAAa,CAAC,SAAD,EAAY;IAAEhB;GAAd,CAxF2B;EAyFlDkF,GAAG,EAAElE,aAAa,CAAC,IAAD,EAAO;IAAEd,MAAF;IAAUF;GAAjB,CAzFgC;EA0FlDmF,KAAK,EAAEnE,aAAa,CAAC,MAAD,EAAS;IAAEhB;GAAX,CA1F8B;EA2FlDoF,QAAQ,EAAEpE,aAAa,CAAC,SAAD,CA3F2B;EA4FlDqE,IAAI,EAAErE,aAAa,CAAC,KAAD,EAAQ;IAAEd;GAAV,CA5F+B;EA6FlDoF,SAAS,EAAEtE,aAAa,CAAC,UAAD,EAAa;IAAEf;GAAf,CA7F0B;EA8FlDsF,GAAG,EAAEvE,aAAa,CAAC,IAAD,CA9FgC;EA+FlDwE,OAAO,EAAExE,aAAa,CAAC,QAAD,EAAW;IAAEhB;GAAb,CA/F4B;EAgGlDyF,OAAO,EAAEzE,aAAa,CAAC,QAAD,CAhG4B;EAiGlD0E,MAAM,EAAE1E,aAAa,CAAC,OAAD,EAAU;IAAEhB,UAAF;IAAcI,MAAd;IAAsBH;GAAhC,CAjG6B;EAkGlD0F,IAAI,EAAE3E,aAAa,CAAC,KAAD,CAlG+B;EAmGlD4E,IAAI,EAAE5E,aAAa,CAAC,KAAD,CAnG+B;EAoGlD6E,MAAM,EAAE7E,aAAa,CAAC,OAAD,CApG6B;EAqGlD8E,MAAM,EAAE9E,aAAa,CAAC,OAAD,EAAU;IAAEd;GAAZ,CArG6B;EAsGlD6F,KAAK,EAAE/E,aAAa,CAAC,MAAD,CAtG8B;EAuGlDgF,IAAI,EAAEhF,aAAa,CAAC,KAAD,EAAQ;IAAEhB,UAAF;IAAcC;GAAtB,CAvG+B;EAwGlDgG,KAAK,EAAEjF,aAAa,CAAC,MAAD,EAAS;IAAEf;GAAX,CAxG8B;EAyGlDiG,MAAM,EAAElF,aAAa,CAAC,OAAD,EAAU;IAAEf;GAAZ,CAzG6B;EA0GlDkG,MAAM,EAAEnF,aAAa,CAAC,OAAD,EAAU;IAAEf;GAAZ,CA1G6B;EA2GlDmG,QAAQ,EAAEpF,aAAa,CAAC,SAAD,EAAY;IAAEhB;GAAd,CA3G2B;EA4GlDqG,OAAO,EAAErF,aAAa,CAAC,QAAD,CA5G4B;EA6GlDsF,OAAO,EAAEtF,aAAa,CAAC,QAAD,EAAW;IAAEf;GAAb,CA7G4B;EA8GlDsG,KAAK,EAAEvF,aAAa,CAAC,MAAD,EAAS;IAAEf;GAAX,CA9G8B;EA+GlDuG,KAAK,EAAExF,aAAa,CAAC,MAAD,EAAS;IAAEf;GAAX,CA/G8B;EAgHlDwG,MAAM,EAAEzF,aAAa,CAAC,OAAD,EAAU;IAAEf;GAAZ,CAhH6B;EAiHlDyG,GAAG,EAAE1F,aAAa,CAAC,IAAD,EAAO;IAAEhB,UAAF;IAAcY,KAAK,EAAE;GAA5B,CAjHgC;EAkHlD+F,WAAW,EAAE3F,aAAa,CAAC,YAAD,EAAe;IAAEhB,UAAF;IAAcY,KAAK,EAAE;GAApC,CAlHwB;EAmHlDgG,OAAO,EAAE5F,aAAa,CAAC,QAAD,EAAW;IAAEhB,UAAF;IAAcI,MAAd;IAAsBH;GAAjC,CAnH4B;EAoHlD4G,KAAK,EAAE7F,aAAa,CAAC,MAAD,EAAS;IAAEhB,UAAF;IAAcI,MAAd;IAAsBH;GAA/B,CApH8B;EAqHlD6G,OAAO,EAAE9F,aAAa,CAAC,QAAD,EAAW;IAAEhB,UAAF;IAAcI,MAAd;IAAsBH;GAAjC;CArHjB;;ACjFA,MAAM8G,WAAW,GAAU,UAA3B;MACMC,aAAa,GAAQ,UAD3B;MAEMC,cAAc,GAAO,UAF3B;MAGMC,WAAW,GAAU,UAH3B;MAIMC,kBAAkB,GAAG,UAJ3B;MAKMC,WAAW,GAAU,UAL3B;MAMMC,kBAAkB,GAAG,UAN3B;MAOMC,WAAW,GAAU,UAP3B;MAQMC,eAAe,GAAM,UAR3B;MASMC,SAAS,GAAGR,aAAa,GAAGC,cAAhB,GAAiCM,eATnD;AAwBP,MAAaE,eAAe,GAAa,aAAlC;MACMC,cAAc,GAAc,aADlC;MAGMC,cAAc,GAAc,aAHlC;MAIMC,kBAAkB,GAAU,aAJlC;MAKMC,mBAAmB,GAAS,aALlC;MAMMC,AAGAC,eAAe,GAAa,aATlC;MAUMC,gBAAgB,GAAY,aAVlC;MAWMC,kBAAkB,GAAU,aAXlC;MAYMC,wBAAwB,GAAI,aAZlC;MAaMC,yBAAyB,GAAG,aAblC;AAkBP,AAAO,MAAMC,UAAU,GAAWX,eAAe,GAAGC,cAAlB,GAAmCE,kBAAnC,GAAyDI,gBAApF;MACMK,YAAY,GAASZ,eAAe,GAAG,CAAlB,GAAmCG,kBAAnC,GAAyD,CADpF;MAEMU,QAAQ,GAAab,eAAe,GAAG,CAAlB,GAAmCE,cAAnC,GAAyD,CAFpF;MAGMY,aAAa,GAAQd,eAAe,GAAG,CAAlB,GAAmCI,mBAAnC,GAAyD,CAHpF;MAIMW,iBAAiB,GAAI,IAAkBd,cAAlB,GAAmC,CAAnC,GAAyDM,gBAJpF;MAKMS,YAAY,GAAS,IAAkBf,cAAlB,GAAmC,CAAnC,GAAyD,CALpF;MAMMgB,YAAY,GAASjB,eAAe,GAAGC,cAAlB,GAAmCE,kBAAnC,GAAyDK,kBANpF;MAOMU,eAAe,GAAM,IAAkB,CAAlB,GAAmC,CAAnC,GAAkDR,yBAP7E;MAUMS,SAAS,GAAY,IAAkB,CAAlB,GAAmC,CAAnC,GAAyDb,eAVpF;MAWMc,YAAY,GAASpB,eAAe,GAAG,CAAlB,GAAmC,CAAnC,GAAyDM,eAXpF;MAaMe,kBAAkB,GAAGJ,YAAY,GAAGR,wBAb1C;MAcMa,iBAAiB,GAAI,IAAkB,CAAlB,GAAmC,CAAnC,GAAkDZ,yBAd7E;AA8BP,AAAO,MAAMa,yBAAyB,GAAG,KAAlC;MACMC,yBAAyB,GAAG,KADlC;MAEMC,yBAAyB,GAAG,KAFlC;MAGMC,2BAA2B,GAAGF,yBAAyB,GAAGC,yBAHhE;AAMP,AAAO,MAAME,2BAA2B,GAAKH,yBAAyB,GAAGD,yBAAlE;MACMK,2BAA2B,GAAKH,yBAAyB,GAAGF,yBADlE;MAEMM,6BAA6B,GAAGL,yBAFtC;MAGMM,6BAA6B,GAAGL,yBAHtC;MAIMM,mBAAmB,GAAa,CAJtC;;AC5EA,MAAMC,SAAS,GAAG,wBAAlB;AACP,AAAO,MAAMC,UAAU,GAAG,IAAIC,MAAJ,CAAWF,SAAS,CAACG,MAArB,EAA6B,GAA7B,CAAnB;AAGP,AAAO,SAASC,SAAT,CAAmBC,IAAnB,EAA0C;UACvCA,IAAR;;;;;aAKW,IAAP;;;aAGO,KAAP;;;AAIN,AAAO,MAAMC,cAAc,GAAG,+BAAvB;AAGP,AAAO,SAASC,YAAT,CAAsBF,IAAtB,EAA6C;UAC1CA,IAAR;SACO,MAAL;SACK,MAAL;SACK,MAAL;;;;SAIK,MAAL;SACK,MAAL;SACK,MAAL;SACK,MAAL;SACK,MAAL;SACK,MAAL;SACK,MAAL;SACK,MAAL;SACK,MAAL;SACK,MAAL;SACK,MAAL;SACK,MAAL;SACK,MAAL;SACK,MAAL;SACK,MAAL;aACS,IAAP;;;aAGO,KAAP;;;;ACzCC,MAAMG,QAAN,CAAe;EAIpB1J,WAAW,CAAC2J,IAAD,EAAeC,GAAf,EAA4B;SAChCD,IAAL,GAAYA,IAAZ;SACKE,MAAL,GAAcD,GAAd;;;;AAIJ,AAAO,MAAME,cAAN,CAAqB;EAM1B9J,WAAW,CAAC+J,KAAD,EAAkBC,GAAlB,EAAkC;SACtCD,KAAL,GAAaA,KAAb;SAEKC,GAAL,GAAWA,GAAX;;;;AAUJ,AAAO,SAASC,WAAT,CAAqBC,KAArB,EAAoCC,MAApC,EAA8D;MAC/DR,IAAI,GAAG,CAAX;MACIS,SAAS,GAAG,CAAhB;MACIC,KAAJ;EACAlB,UAAU,CAACmB,SAAX,GAAuB,CAAvB;;SACO,CAACD,KAAK,GAAGlB,UAAU,CAACoB,IAAX,CAAgBL,KAAhB,CAAT,KAAoCG,KAAK,CAACG,KAAN,GAAcL,MAAzD,EAAiE;IAC/DR,IAAI;IACJS,SAAS,GAAGjB,UAAU,CAACmB,SAAvB;;;SAGK,IAAIZ,QAAJ,CAAaC,IAAb,EAAmBQ,MAAM,GAAGC,SAA5B,CAAP;;;ACzCa,MAAMK,UAAN,CAAiB;;SAS9BC,iBAT8B,GASD,KATC;SAU9BC,2BAV8B,GAUS,KAVT;;;EAmB9BC,SAAS,CAAClK,IAAD,EAAwB;WACxB,KAAKmK,OAAL,CAAaC,GAAb,CAAiBpK,IAAjB,CAAP;;;EAGFqK,eAAe,CAACC,MAAD,EAAiBtK,IAAjB,EAA+B;QAExC,KAAKkK,SAAL,CAAeI,MAAf,CAAJ,EAA4B,OAAO,KAAKH,OAAL,CAAaI,GAAb,CAAiBD,MAAjB,EAAyBtK,IAAzB,CAAP;;;;;ACLhC,SAASwK,IAAT,CAAiBC,KAAjB,EAA8C;SACrCA,KAAK,CAACA,KAAK,CAACC,MAAN,GAAe,CAAhB,CAAZ;;;AAGF,AAAe,MAAMC,cAAN,SAA6BZ,UAA7B,CAAwC;EACrDa,UAAU,CAACC,OAAD,EAAyB;QAC7B,KAAKC,QAAT,EAAmBD,OAAO,CAACE,GAAR,CAAYD,QAAZ,GAAuB,KAAKA,QAA5B;SACdE,KAAL,CAAWC,gBAAX,CAA4BC,IAA5B,CAAiCL,OAAjC;SACKG,KAAL,CAAWG,eAAX,CAA2BD,IAA3B,CAAgCL,OAAhC;;;EAGFO,gCAAgC,CAC9BC,IAD8B,EAE9BC,QAF8B,EAW9BC,eAX8B,EAY9B;QACI,KAAKP,KAAL,CAAWG,eAAX,CAA2BT,MAA3B,KAAsC,CAA1C,EAA6C;;;;QAIzCc,WAAW,GAAG,IAAlB;QACIC,CAAC,GAAGH,QAAQ,CAACZ,MAAjB;;WACOc,WAAW,KAAK,IAAhB,IAAwBC,CAAC,GAAG,CAAnC,EAAsC;MACpCD,WAAW,GAAGF,QAAQ,CAAC,EAAEG,CAAH,CAAtB;;;QAEED,WAAW,KAAK,IAApB,EAA0B;;;;SAIrB,IAAIE,CAAC,GAAG,CAAb,EAAgBA,CAAC,GAAG,KAAKV,KAAL,CAAWG,eAAX,CAA2BT,MAA/C,EAAuDgB,CAAC,EAAxD,EAA4D;UAExD,KAAKV,KAAL,CAAWG,eAAX,CAA2BO,CAA3B,EAA8BpC,GAA9B,GAAoC,KAAK0B,KAAL,CAAWW,mBAAX,CAA+BrC,GADrE,EAEE;aACK0B,KAAL,CAAWG,eAAX,CAA2BS,MAA3B,CAAkCF,CAAlC,EAAqC,CAArC;QACAA,CAAC;;;;UAICG,mBAAmB,GAAG,EAA5B;;SACK,IAAIJ,CAAC,GAAG,CAAb,EAAgBA,CAAC,GAAG,KAAKT,KAAL,CAAWG,eAAX,CAA2BT,MAA/C,EAAuDe,CAAC,EAAxD,EAA4D;YACpDK,cAAc,GAAG,KAAKd,KAAL,CAAWG,eAAX,CAA2BM,CAA3B,CAAvB;;UACIK,cAAc,CAACxC,GAAf,GAAqB+B,IAAI,CAAC/B,GAA9B,EAAmC;QACjCuC,mBAAmB,CAACX,IAApB,CAAyBY,cAAzB;;YAGI,CAACP,eAAL,EAAsB;eACfP,KAAL,CAAWG,eAAX,CAA2BS,MAA3B,CAAkCH,CAAlC,EAAqC,CAArC;UACAA,CAAC;;OANL,MAQO;YACDJ,IAAI,CAACJ,gBAAL,KAA0Bc,SAA9B,EAAyC;UACvCV,IAAI,CAACJ,gBAAL,GAAwB,EAAxB;;;QAEFI,IAAI,CAACJ,gBAAL,CAAsBC,IAAtB,CAA2BY,cAA3B;;;;QAGAP,eAAJ,EAAqB,KAAKP,KAAL,CAAWG,eAAX,GAA6B,EAA7B;;QAEjBU,mBAAmB,CAACnB,MAApB,GAA6B,CAAjC,EAAoC;MAClCc,WAAW,CAACP,gBAAZ,GAA+BY,mBAA/B;KADF,MAEO,IAAIL,WAAW,CAACP,gBAAZ,KAAiCc,SAArC,EAAgD;MACrDP,WAAW,CAACP,gBAAZ,GAA+B,EAA/B;;;;EAIJe,cAAc,CAACX,IAAD,EAAmB;QAC3BA,IAAI,CAACY,IAAL,KAAc,SAAd,IAA2BZ,IAAI,CAACa,IAAL,CAAUxB,MAAV,GAAmB,CAAlD,EAAqD;UAE/CD,KAAK,GAAG,KAAKO,KAAL,CAAWmB,YAAzB;QAEIC,UAAJ,EAAgBC,SAAhB,EAA2BpB,gBAA3B,EAA6CQ,CAA7C,EAAgDC,CAAhD;;QAEI,KAAKV,KAAL,CAAWC,gBAAX,CAA4BP,MAA5B,GAAqC,CAAzC,EAA4C;UAKtC,KAAKM,KAAL,CAAWC,gBAAX,CAA4B,CAA5B,EAA+B5B,KAA/B,IAAwCgC,IAAI,CAAC/B,GAAjD,EAAsD;QACpD2B,gBAAgB,GAAG,KAAKD,KAAL,CAAWC,gBAA9B;aACKD,KAAL,CAAWC,gBAAX,GAA8B,EAA9B;OAFF,MAGO;aAOAD,KAAL,CAAWC,gBAAX,CAA4BP,MAA5B,GAAqC,CAArC;;KAfJ,MAiBO,IAAID,KAAK,CAACC,MAAN,GAAe,CAAnB,EAAsB;YACrB4B,WAAW,GAAG9B,IAAI,CAACC,KAAD,CAAxB;;UAEE6B,WAAW,CAACrB,gBAAZ,IACAqB,WAAW,CAACrB,gBAAZ,CAA6B,CAA7B,EAAgC5B,KAAhC,IAAyCgC,IAAI,CAAC/B,GAFhD,EAGE;QACA2B,gBAAgB,GAAGqB,WAAW,CAACrB,gBAA/B;eACOqB,WAAW,CAACrB,gBAAnB;;;;QAKAR,KAAK,CAACC,MAAN,GAAe,CAAf,IAAoBF,IAAI,CAACC,KAAD,CAAJ,CAAYpB,KAAZ,IAAqBgC,IAAI,CAAChC,KAAlD,EAAyD;MACvD+C,UAAU,GAAG3B,KAAK,CAAC8B,GAAN,EAAb;;;WAGK9B,KAAK,CAACC,MAAN,GAAe,CAAf,IAAoBF,IAAI,CAACC,KAAD,CAAJ,CAAYpB,KAAZ,IAAqBgC,IAAI,CAAChC,KAArD,EAA4D;MAC1DgD,SAAS,GAAG5B,KAAK,CAAC8B,GAAN,EAAZ;;;QAGE,CAACF,SAAD,IAAcD,UAAlB,EAA8BC,SAAS,GAAGD,UAAZ;;QAK1BA,UAAJ,EAAgB;cACNf,IAAI,CAACY,IAAb;aACO,kBAAL;eACOb,gCAAL,CAAsCC,IAAtC,EAA4CA,IAAI,CAACmB,UAAjD;;;aAEG,eAAL;eACOpB,gCAAL,CAAsCC,IAAtC,EAA4CA,IAAI,CAACmB,UAAjD,EAA6D,IAA7D;;;aAEG,gBAAL;eACOpB,gCAAL,CAAsCC,IAAtC,EAA4CA,IAAI,CAACoB,SAAjD;;;aAEG,iBAAL;eACOrB,gCAAL,CAAsCC,IAAtC,EAA4CA,IAAI,CAACC,QAAjD;;;aAEG,cAAL;eACOF,gCAAL,CAAsCC,IAAtC,EAA4CA,IAAI,CAACC,QAAjD,EAA2D,IAA3D;;;KAfN,MAkBO,IACL,KAAKN,KAAL,CAAWW,mBAAX,KACE,KAAKX,KAAL,CAAWW,mBAAX,CAA+BM,IAA/B,KAAwC,iBAAxC,IACAZ,IAAI,CAACY,IAAL,KAAc,iBADf,IAEE,KAAKjB,KAAL,CAAWW,mBAAX,CAA+BM,IAA/B,KAAwC,iBAAxC,IACCZ,IAAI,CAACY,IAAL,KAAc,iBAJlB,CADK,EAML;WACKb,gCAAL,CAAsCC,IAAtC,EAA4C,CAC1C,KAAKL,KAAL,CAAWW,mBAD+B,CAA5C;;;QAKEU,SAAJ,EAAe;UACTA,SAAS,CAAClB,eAAd,EAA+B;YAE3BkB,SAAS,KAAKhB,IAAd,IACAgB,SAAS,CAAClB,eAAV,CAA0BT,MAA1B,GAAmC,CADnC,IAEAF,IAAI,CAAC6B,SAAS,CAAClB,eAAX,CAAJ,CAAgC7B,GAAhC,IAAuC+B,IAAI,CAAChC,KAH9C,EAIE;UACAgC,IAAI,CAACF,eAAL,GAAuBkB,SAAS,CAAClB,eAAjC;iBACOkB,SAAS,CAAClB,eAAjB;SANF,MAOO;eAIAM,CAAC,GAAGY,SAAS,CAAClB,eAAV,CAA0BT,MAA1B,GAAmC,CAA5C,EAA+Ce,CAAC,IAAI,CAApD,EAAuD,EAAEA,CAAzD,EAA4D;gBACtDY,SAAS,CAAClB,eAAV,CAA0BM,CAA1B,EAA6BnC,GAA7B,IAAoC+B,IAAI,CAAChC,KAA7C,EAAoD;cAClDgC,IAAI,CAACF,eAAL,GAAuBkB,SAAS,CAAClB,eAAV,CAA0BS,MAA1B,CAAiC,CAAjC,EAAoCH,CAAC,GAAG,CAAxC,CAAvB;;;;;;KAfV,MAqBO,IAAI,KAAKT,KAAL,CAAWG,eAAX,CAA2BT,MAA3B,GAAoC,CAAxC,EAA2C;UAC5CF,IAAI,CAAC,KAAKQ,KAAL,CAAWG,eAAZ,CAAJ,CAAiC7B,GAAjC,IAAwC+B,IAAI,CAAChC,KAAjD,EAAwD;YAClD,KAAK2B,KAAL,CAAWW,mBAAf,EAAoC;eAC7BD,CAAC,GAAG,CAAT,EAAYA,CAAC,GAAG,KAAKV,KAAL,CAAWG,eAAX,CAA2BT,MAA3C,EAAmDgB,CAAC,EAApD,EAAwD;gBAEpD,KAAKV,KAAL,CAAWG,eAAX,CAA2BO,CAA3B,EAA8BpC,GAA9B,GACA,KAAK0B,KAAL,CAAWW,mBAAX,CAA+BrC,GAFjC,EAGE;mBACK0B,KAAL,CAAWG,eAAX,CAA2BS,MAA3B,CAAkCF,CAAlC,EAAqC,CAArC;cACAA,CAAC;;;;;YAIH,KAAKV,KAAL,CAAWG,eAAX,CAA2BT,MAA3B,GAAoC,CAAxC,EAA2C;UACzCW,IAAI,CAACF,eAAL,GAAuB,KAAKH,KAAL,CAAWG,eAAlC;eACKH,KAAL,CAAWG,eAAX,GAA6B,EAA7B;;OAdJ,MAgBO;aAYAM,CAAC,GAAG,CAAT,EAAYA,CAAC,GAAG,KAAKT,KAAL,CAAWG,eAAX,CAA2BT,MAA3C,EAAmDe,CAAC,EAApD,EAAwD;cAClD,KAAKT,KAAL,CAAWG,eAAX,CAA2BM,CAA3B,EAA8BnC,GAA9B,GAAoC+B,IAAI,CAAChC,KAA7C,EAAoD;;;;;cAShD8B,eAAe,GAAG,KAAKH,KAAL,CAAWG,eAAX,CAA2BuB,KAA3B,CAAiC,CAAjC,EAAoCjB,CAApC,CAAxB;;YAEIN,eAAe,CAACT,MAApB,EAA4B;UAC1BW,IAAI,CAACF,eAAL,GAAuBA,eAAvB;;;QAKFF,gBAAgB,GAAG,KAAKD,KAAL,CAAWG,eAAX,CAA2BuB,KAA3B,CAAiCjB,CAAjC,CAAnB;;YACIR,gBAAgB,CAACP,MAAjB,KAA4B,CAAhC,EAAmC;UACjCO,gBAAgB,GAAG,IAAnB;;;;;SAKDD,KAAL,CAAWW,mBAAX,GAAiCN,IAAjC;;QAEIJ,gBAAJ,EAAsB;UAElBA,gBAAgB,CAACP,MAAjB,IACAO,gBAAgB,CAAC,CAAD,CAAhB,CAAoB5B,KAApB,IAA6BgC,IAAI,CAAChC,KADlC,IAEAmB,IAAI,CAACS,gBAAD,CAAJ,CAAuB3B,GAAvB,IAA8B+B,IAAI,CAAC/B,GAHrC,EAIE;QACA+B,IAAI,CAACsB,aAAL,GAAqB1B,gBAArB;OALF,MAMO;cAEC2B,yBAAyB,GAAG3B,gBAAgB,CAAC4B,SAAjB,CAChChC,OAAO,IAAIA,OAAO,CAACvB,GAAR,IAAe+B,IAAI,CAAC/B,GADC,CAAlC;;YAIIsD,yBAAyB,GAAG,CAAhC,EAAmC;UACjCvB,IAAI,CAACsB,aAAL,GAAqB1B,gBAAgB,CAACyB,KAAjB,CACnB,CADmB,EAEnBE,yBAFmB,CAArB;UAIAvB,IAAI,CAACJ,gBAAL,GAAwBA,gBAAgB,CAACyB,KAAjB,CACtBE,yBADsB,CAAxB;SALF,MAQO;UACLvB,IAAI,CAACJ,gBAAL,GAAwBA,gBAAxB;;;;;IAKNR,KAAK,CAACS,IAAN,CAAWG,IAAX;;;;;ACzRG,MAAMyB,aAAa,GAAGC,MAAM,CAACC,MAAP,CAAc;EACzCC,mBAAmB,EAAE,+BADoB;EAEzCC,gCAAgC,EAC9B,uDAHuC;EAIzCC,qCAAqC,EACnC,yEALuC;EAMzCC,sBAAsB,EACpB,4DAPuC;EAQzCC,8BAA8B,EAC5B,mDATuC;EAUzCC,uBAAuB,EACrB,uDAXuC;EAYzCC,cAAc,EAAE,4CAZyB;EAazCC,cAAc,EAAE,+CAbyB;EAczCC,sBAAsB,EACpB,uDAfuC;EAgBzCC,qBAAqB,EAAE,kDAhBkB;EAiBzCC,4BAA4B,EAC1B,2DAlBuC;EAmBzCC,qBAAqB,EAAE,0CAnBkB;EAoBzCC,kBAAkB,EAAE,wCApBqB;EAqBzCC,sBAAsB,EAAE,kCArBiB;EAsBzCC,6BAA6B,EAAE,oCAtBU;EAuBzCC,qBAAqB,EACnB,kKAxBuC;EAyBzCC,oBAAoB,EAClB,iFA1BuC;EA2BzCC,oBAAoB,EAClB,kHA5BuC;EA6BzCC,kBAAkB,EAAE,gDA7BqB;EA8BzCC,kBAAkB,EAAE,yCA9BqB;EA+BzCC,sBAAsB,EACpB,oGAhCuC;EAiCzCC,oBAAoB,EAAE,yCAjCmB;EAkCzCC,sBAAsB,EAAE,6CAlCiB;EAmCzCC,eAAe,EACb,sEApCuC;EAqCzCC,cAAc,EAAE,oCArCyB;EAsCzCC,oBAAoB,EAAE,mCAtCmB;EAuCzCC,gBAAgB,EAAE,mCAvCuB;EAwCzCC,0BAA0B,EAAE,wBAxCa;EAyCzCC,6BAA6B,EAC3B,+DA1CuC;EA2CzCC,sBAAsB,EACpB,0DA5CuC;EA6CzCC,iCAAiC,EAC/B,oEA9CuC;EA+CzCC,oBAAoB,EAAE,gBA/CmB;EAgDzCC,4BAA4B,EAC1B,2EAjDuC;EAkDzCC,aAAa,EAAE,8BAlD0B;EAmDzCC,+BAA+B,EAC7B,2DApDuC;EAqDzCC,eAAe,EAAE,8BArDwB;EAsDzCC,0BAA0B,EAAE,iCAtDa;EAuDzCC,wBAAwB,EAAE,gCAvDe;EAwDzCC,uBAAuB,EAAG,yDAxDe;EAyDzCC,mBAAmB,EAAG,mEAzDmB;EA0DzCC,oBAAoB,EAAE,uBA1DmB;EA2DzCC,gBAAgB,EAAE,0BA3DuB;EA4DzCC,cAAc,EAAE,iBA5DyB;EA6DzCC,YAAY,EAAE,6BA7D2B;EA8DzCC,qBAAqB,EAAE,+BA9DkB;EA+DzCC,6BAA6B,EAAE,qCA/DU;EAgEzCC,0BAA0B,EAAE,+BAhEa;EAiEzCC,iBAAiB,EAAE,uBAjEsB;EAkEzCC,UAAU,EAAE,8BAlE6B;EAmEzCC,iBAAiB,EAAE,sCAnEsB;EAoEzCC,aAAa,EAAE,gBApE0B;EAqEzCC,wBAAwB,EAAE,2BArEe;EAsEzCC,8BAA8B,EAAE,0CAtES;EAuEzCC,6BAA6B,EAAE,iCAvEU;EAwEzCC,6BAA6B,EAAE,2BAxEU;EAyEzCC,qBAAqB,EACnB,uEA1EuC;EA2EzCC,4BAA4B,EAAE,kCA3EW;EA4EzCC,kBAAkB,EAAE,gCA5EqB;EA6EzCC,mBAAmB,EACjB,6EA9EuC;EA+EzCC,yBAAyB,EAAE,sCA/Ec;EAgFzCC,oBAAoB,EAAE,iCAhFmB;EAiFzCC,gBAAgB,EAAE,0BAjFuB;EAkFzCC,qBAAqB,EACnB,6DAnFuC;EAoFzCC,oBAAoB,EAAE,2CApFmB;EAqFzCC,yBAAyB,EACvB,oFAtFuC;EAuFzCC,gCAAgC,EAC9B,8CAxFuC;EAyFzCC,2BAA2B,EACzB,6DA1FuC;EA2FzCC,iCAAiC,EAC/B,wDA5FuC;EA6FzCC,qBAAqB,EAAE,4BA7FkB;EA8FzCC,wBAAwB,EAAE,0BA9Fe;EA+FzCC,iBAAiB,EAAE,6BA/FsB;EAgGzCC,gBAAgB,EAAE,iCAhGuB;EAiGzCC,gBAAgB,EAAE,kCAjGuB;EAkGzCC,gCAAgC,EAC9B,4FAnGuC;EAoGzCC,iBAAiB,EACf,uFArGuC;EAsGzCC,qBAAqB,EACnB,yDAvGuC;EAwGzCC,0BAA0B,EACxB,2DAzGuC;EA0GzCC,SAAS,EAAE,qBA1G8B;EA2GzCC,kBAAkB,EAAE,+CA3GqB;EA4GzCC,gBAAgB,EAAE,sCA5GuB;EA6GzCC,mBAAmB,EACjB,kGA9GuC;EA+GzCC,8BAA8B,EAC5B,gEAhHuC;EAiHzCC,8BAA8B,EAC5B,mEAlHuC;EAmHzCC,mBAAmB,EACjB,6DApHuC;EAqHzCC,sBAAsB,EACpB,qEAtHuC;EAuHzCC,iCAAiC,EAC/B,8FAxHuC;EAyHzCC,mBAAmB,EACjB,uGA1HuC;EA2HzCC,wBAAwB,EAAE,4BA3He;EA4HzCC,yCAAyC,EACvC,kIA7HuC;EA8HzCC,2CAA2C,EACzC,oIA/HuC;EAgIzCC,4CAA4C,EAC1C,qIAjIuC;EAkIzCC,aAAa,EAAE,kDAlI0B;EAmIzCC,iBAAiB,EAAE,8CAnIsB;EAoIzCC,cAAc,EACZ,yHArIuC;EAsIzCC,eAAe,EAAE,sDAtIwB;EAuIzCC,YAAY,EAAE,wCAvI2B;EAwIzCC,mBAAmB,EAAE,kCAxIoB;EAyIzCC,0BAA0B,EAAE,6BAzIa;EA0IzCC,cAAc,EACZ,oFA3IuC;EA4IzCC,mBAAmB,EAAE,uDA5IoB;EA6IzCC,kBAAkB,EAAE,sDA7IqB;EA8IzCC,UAAU,EAAE,uBA9I6B;EA+IzCC,eAAe,EACb,iJAhJuC;EAiJzCC,iBAAiB,EAAE,2CAjJsB;EAkJzCC,iBAAiB,EAAE,gDAlJsB;EAmJzCC,wCAAwC,EACtC,iIApJuC;EAqJzCC,0CAA0C,EACxC,mIAtJuC;EAuJzCC,2CAA2C,EACzC,oIAxJuC;EAyJzCC,6BAA6B,EAAE,iCAzJU;EA0JzCC,gCAAgC,EAC9B,yFA3JuC;EA4JzCC,wBAAwB,EAAE,mCA5Je;EA6JzCC,sBAAsB,EACpB,wDA9JuC;EA+JzCC,iBAAiB,EAAE,yBA/JsB;EAgKzCC,0BAA0B,EACxB,4DAjKuC;EAkKzCC,4BAA4B,EAC1B,iEAnKuC;EAoKzCC,mBAAmB,EAAE,0CApKoB;EAqKzCC,0BAA0B,EACxB,wDAtKuC;EAuKzCC,sBAAsB,EACpB,yJAxKuC;EAyKzCC,sBAAsB,EAAE,+BAzKiB;EA0KzCC,eAAe,EAAE,qDA1KwB;EA2KzCC,eAAe,EAAE,uBA3KwB;EA4KzCC,kCAAkC,EAChC,kFA7KuC;EA8KzCC,eAAe,EAAE,iDA9KwB;EA+KzCC,0BAA0B,EACxB,oDAhLuC;EAiLzCC,wBAAwB,EACtB,6EAlLuC;EAmLzCC,iBAAiB,EAAE,oDAnLsB;EAoLzCC,uBAAuB,EAAE,8CApLgB;EAqLzCC,6BAA6B,EAC3B,kDAtLuC;EAuLzCC,4BAA4B,EAC1B,iEAxLuC;EAyLzCC,gBAAgB,EACd,oHA1LuC;EA2LzCC,mBAAmB,EAAE,sBA3LoB;EA4LzCC,kBAAkB,EAAE,iCA5LqB;EA6LzCC,kBAAkB,EAAE,8BA7LqB;EA8LzCC,oBAAoB,EAAE,uBA9LmB;EA+LzCC,gBAAgB,EAAE,2CA/LuB;EAgMzCC,sBAAsB,EACpB,sDAjMuC;EAkMzCC,gBAAgB,EAAE,8CAlMuB;EAmMzCC,yBAAyB,EACvB;CApMyB,CAAtB;;ACgBQ,MAAMC,WAAN,SAA0BhL,cAA1B,CAAyC;EAMtDiL,sBAAsB,CAACC,GAAD,EAAwB;QACxC9K,GAAJ;QACI8K,GAAG,KAAK,KAAK7K,KAAL,CAAW3B,KAAvB,EAA8B0B,GAAG,GAAG,KAAKC,KAAL,CAAW8K,QAAjB,CAA9B,KACK,IAAID,GAAG,KAAK,KAAK7K,KAAL,CAAW+K,YAAvB,EAAqChL,GAAG,GAAG,KAAKC,KAAL,CAAWgL,eAAjB,CAArC,KACA,IAAIH,GAAG,KAAK,KAAK7K,KAAL,CAAW1B,GAAvB,EAA4ByB,GAAG,GAAG,KAAKC,KAAL,CAAWiL,MAAjB,CAA5B,KACA,IAAIJ,GAAG,KAAK,KAAK7K,KAAL,CAAWkL,UAAvB,EAAmCnL,GAAG,GAAG,KAAKC,KAAL,CAAWmL,aAAjB,CAAnC,KACApL,GAAG,GAAGxB,WAAW,CAAC,KAAKC,KAAN,EAAaqM,GAAb,CAAjB;WAEE9K,GAAP;;;EAGFqL,KAAK,CAACP,GAAD,EAAcQ,aAAd,EAAqC,GAAGC,MAAxC,EAAoE;WAChE,KAAKC,aAAL,CAAmBV,GAAnB,EAAwB9J,SAAxB,EAAmCsK,aAAnC,EAAkD,GAAGC,MAArD,CAAP;;;EAGFC,aAAa,CACXV,GADW,EAEXW,IAFW,EAMXH,aANW,EAOX,GAAGC,MAPQ,EAQI;UACTvL,GAAG,GAAG,KAAK6K,sBAAL,CAA4BC,GAA5B,CAAZ;UACMY,OAAO,GACXJ,aAAa,CAACK,OAAd,CAAsB,SAAtB,EAAiC,CAACC,CAAD,EAAIlL,CAAJ,KAAkB6K,MAAM,CAAC7K,CAAD,CAAzD,IACC,KAAIV,GAAG,CAAC9B,IAAK,IAAG8B,GAAG,CAAC5B,MAAO,GAF9B;WAGO,KAAKyN,MAAL,CAAY7J,MAAM,CAACvK,MAAP,CAAe;MAAEuI,GAAF;MAAO8K;KAAtB,EAAsCW,IAAtC,CAAZ,EAAyDC,OAAzD,CAAP;;;EAGFG,MAAM,CAACC,YAAD,EAA6BJ,OAA7B,EAA6D;UAE3DK,GAA+B,GAAG,IAAIC,WAAJ,CAAgBN,OAAhB,CAAxC;IACA1J,MAAM,CAACvK,MAAP,CAAcsU,GAAd,EAAmBD,YAAnB;;QACI,KAAK5W,OAAL,CAAa+W,aAAjB,EAAgC;UAC1B,CAAC,KAAKC,WAAV,EAAuB,KAAKjM,KAAL,CAAWkM,MAAX,CAAkBhM,IAAlB,CAAuB4L,GAAvB;aAChBA,GAAP;KAFF,MAGO;YACCA,GAAN;;;;;;ACvDN,SAASK,gBAAT,CAA0B9L,IAA1B,EAAiD;SAE7CA,IAAI,IAAI,IAAR,IACAA,IAAI,CAACY,IAAL,KAAc,UADd,IAEAZ,IAAI,CAAC+L,IAAL,KAAc,MAFd,IAGA/L,IAAI,CAACgM,MAAL,KAAgB,KAJlB;;;AAQF,cAAgBC,UAAD,IACb,cAAcA,UAAd,CAAyB;EACvBC,wBAAwB,CAAC;IAAEC,OAAF;IAAWC;GAAZ,EAA8C;QAChEC,KAAK,GAAG,IAAZ;;QACI;MACFA,KAAK,GAAG,IAAIhP,MAAJ,CAAW8O,OAAX,EAAoBC,KAApB,CAAR;KADF,CAEE,OAAOE,CAAP,EAAU;;UAINtM,IAAI,GAAG,KAAKuM,kBAAL,CAAwBF,KAAxB,CAAb;IACArM,IAAI,CAACqM,KAAL,GAAa;MAAEF,OAAF;MAAWC;KAAxB;WAEOpM,IAAP;;;EAGFwM,wBAAwB,CAACC,KAAD,EAAqB;UAGrCC,MAAM,GAAG,OAAOC,MAAP,KAAkB,WAAlB,GAAgCA,MAAM,CAACF,KAAD,CAAtC,GAAgD,IAA/D;UACMzM,IAAI,GAAG,KAAKuM,kBAAL,CAAwBG,MAAxB,CAAb;IACA1M,IAAI,CAAC9K,MAAL,GAAc0X,MAAM,CAAC5M,IAAI,CAACyM,KAAL,IAAcA,KAAf,CAApB;WAEOzM,IAAP;;;EAGF6M,yBAAyB,CAACJ,KAAD,EAAqB;UAItCtX,OAAO,GAAG,IAAhB;UACM6K,IAAI,GAAG,KAAKuM,kBAAL,CAAwBpX,OAAxB,CAAb;IACA6K,IAAI,CAAC7K,OAAL,GAAeyX,MAAM,CAAC5M,IAAI,CAACyM,KAAL,IAAcA,KAAf,CAArB;WAEOzM,IAAP;;;EAGFuM,kBAAkB,CAACE,KAAD,EAAqB;WAC9B,KAAKK,YAAL,CAAkBL,KAAlB,EAAyB,SAAzB,CAAP;;;EAGFM,eAAe,CAACC,SAAD,EAAgD;UACvDC,gBAAgB,GAAGD,SAAS,CAACP,KAAnC;UAEMS,IAAI,GAAG,KAAKC,WAAL,CAAiBH,SAAS,CAAChP,KAA3B,EAAkCgP,SAAS,CAACtN,GAAV,CAAc1B,KAAhD,CAAb;UACMoP,UAAU,GAAG,KAAKD,WAAL,CACjBF,gBAAgB,CAACjP,KADA,EAEjBiP,gBAAgB,CAACvN,GAAjB,CAAqB1B,KAFJ,CAAnB;IAKAoP,UAAU,CAACX,KAAX,GAAmBQ,gBAAgB,CAACR,KAApC;IACAW,UAAU,CAACC,GAAX,GAAiBJ,gBAAgB,CAACK,KAAjB,CAAuBD,GAAxC;IAEAH,IAAI,CAACE,UAAL,GAAkB,KAAKG,YAAL,CAChBH,UADgB,EAEhB,SAFgB,EAGhBH,gBAAgB,CAAChP,GAHD,EAIhBgP,gBAAgB,CAACvN,GAAjB,CAAqBzB,GAJL,CAAlB;IAMAiP,IAAI,CAACF,SAAL,GAAiBC,gBAAgB,CAACK,KAAjB,CAAuBD,GAAvB,CAA2BhM,KAA3B,CAAiC,CAAjC,EAAoC,CAAC,CAArC,CAAjB;WAEO,KAAKkM,YAAL,CACLL,IADK,EAEL,qBAFK,EAGLF,SAAS,CAAC/O,GAHL,EAIL+O,SAAS,CAACtN,GAAV,CAAczB,GAJT,CAAP;;;EAYFuP,YAAY,CACVxN,IADU,EAEVyN,OAFU,EAGJ;UACAD,YAAN,CAAmBxN,IAAnB,EAAyByN,OAAzB;IACAzN,IAAI,CAACoN,UAAL,GAAkB,KAAlB;;;EAGFM,gBAAgB,CAAC1N,IAAD,EAA2C;QACrD8L,gBAAgB,CAAC9L,IAAD,CAApB,EAA4B;WACrB0N,gBAAL,CAAwB1N,IAAF,CAAgCyM,KAAtD;KADF,MAEO;YACCiB,gBAAN,CAAuB1N,IAAvB;;;;EAIJ2N,uBAAuB,CAAC3B,MAAD,EAA+C;UAC9D4B,IAAI,GAAK5B,MAAf;UACM6B,UAAU,GAAGD,IAAI,CAAC7B,IAAL,KAAc,KAAd,GAAsB,CAAtB,GAA0B,CAA7C;UACM/N,KAAK,GAAG4P,IAAI,CAAC5P,KAAnB;;QACI4P,IAAI,CAACnB,KAAL,CAAWxB,MAAX,CAAkB5L,MAAlB,KAA6BwO,UAAjC,EAA6C;UACvC7B,MAAM,CAACD,IAAP,KAAgB,KAApB,EAA2B;aACpBhB,KAAL,CAAW/M,KAAX,EAAkB8P,aAAM,CAAC5L,cAAzB;OADF,MAEO;aACA6I,KAAL,CAAW/M,KAAX,EAAkB8P,aAAM,CAAC3L,cAAzB;;KAJJ,MAMO,IACLyL,IAAI,CAAC7B,IAAL,KAAc,KAAd,IACA6B,IAAI,CAACnB,KAAL,CAAWxB,MAAX,CAAkB,CAAlB,EAAqBrK,IAArB,KAA8B,aAFzB,EAGL;WACKmK,KAAL,CAAW/M,KAAX,EAAkB8P,aAAM,CAAC1L,sBAAzB;;;;EAIJ2L,SAAS,CACPC,IADO,EAEPC,WAAyB,GAAG3R,SAFrB,EAGP4R,YAHO,EAIPC,kBAJO,EAKPC,kBALO,EAMD;YACEJ,IAAI,CAACpN,IAAb;WACO,eAAL;QACEoN,IAAI,CAAC7M,UAAL,CAAgBkN,OAAhB,CAAwBT,IAAI,IAAI;eACzBG,SAAL,CACEH,IAAI,CAAChN,IAAL,KAAc,UAAd,GAA2BgN,IAAI,CAACnB,KAAhC,GAAwCmB,IAD1C,EAEEK,WAFF,EAGEC,YAHF,EAIE,8BAJF,EAKEE,kBALF;SADF;;;;cAWML,SAAN,CACEC,IADF,EAEEC,WAFF,EAGEC,YAHF,EAIEC,kBAJF,EAKEC,kBALF;;;;EAUNE,UAAU,CACRV,IADQ,EAERW,QAFQ,EAGRC,QAHQ,EAIRC,mBAJQ,EAKF;QAEFb,IAAI,CAAC5B,MAAT,EAAiB;;;;UAGXsC,UAAN,CAAiBV,IAAjB,EAAuBW,QAAvB,EAAiCC,QAAjC,EAA2CC,mBAA3C;;;EAGFC,gBAAgB,CAACxB,IAAD,EAA6B;;;WAEzCA,IAAI,CAACtM,IAAL,KAAc,qBAAd,IACAsM,IAAI,CAACE,UAAL,CAAgBxM,IAAhB,KAAyB,SADzB,IAEA,OAAOsM,IAAI,CAACE,UAAL,CAAgBX,KAAvB,KAAiC,QAFjC,IAGA,2BAACS,IAAI,CAACE,UAAL,CAAgBE,KAAjB,qBAAC,sBAAuBqB,aAAxB,CAJF;;;EAQFC,eAAe,CAAC1B,IAAD,EAAiC;UACxCF,SAAS,GAAG,MAAM4B,eAAN,CAAsB1B,IAAtB,CAAlB;UACMT,KAAK,GAAGS,IAAI,CAACE,UAAL,CAAgBX,KAA9B;IAIAO,SAAS,CAACP,KAAV,CAAgBA,KAAhB,GAAwBA,KAAxB;WAEOO,SAAP;;;EAGF6B,cAAc,CACZ7O,IADY,EAEZ8O,eAFY,EAGZC,QAHY,EAIZ9Q,GAJY,EAKN;UACA4Q,cAAN,CAAqB7O,IAArB,EAA2B8O,eAA3B,EAA4CC,QAA5C,EAAsD9Q,GAAtD;UAEM+Q,mBAAmB,GAAGhP,IAAI,CAACiP,UAAL,CAAgBC,GAAhB,CAAoBC,CAAC,IAC/C,KAAKpC,eAAL,CAAqBoC,CAArB,CAD0B,CAA5B;IAGAnP,IAAI,CAACa,IAAL,GAAYmO,mBAAmB,CAACI,MAApB,CAA2BpP,IAAI,CAACa,IAAhC,CAAZ;WAEOb,IAAI,CAACiP,UAAZ;;;EAGFI,eAAe,CACbC,SADa,EAEbtD,MAFa,EAGbuD,WAHa,EAIb9B,OAJa,EAKb+B,aALa,EAMbC,iBANa,EAOP;SACDC,WAAL,CACE1D,MADF,EAEEuD,WAFF,EAGE9B,OAHF,EAIE+B,aAJF,EAKEC,iBALF,EAME,aANF,EAOE,IAPF;;QASIzD,MAAM,CAAC2D,cAAX,EAA2B;MAEzB3D,MAAM,CAACS,KAAP,CAAakD,cAAb,GAA8B3D,MAAM,CAAC2D,cAArC;aACO3D,MAAM,CAAC2D,cAAd;;;IAEFL,SAAS,CAACzO,IAAV,CAAehB,IAAf,CAAoBmM,MAApB;;;EAGF4D,aAAa,CAACnB,mBAAD,EAAwD;YAC3D,KAAK9O,KAAL,CAAWiB,IAAnB;WACOiP,KAAE,CAAC5a,GAAR;WACK4a,KAAE,CAACxa,MAAR;eACS,KAAKkX,kBAAL,CAAwB,KAAK5M,KAAL,CAAW8M,KAAnC,CAAP;;WAEGoD,KAAE,CAACza,MAAR;eACS,KAAK8W,wBAAL,CAA8B,KAAKvM,KAAL,CAAW8M,KAAzC,CAAP;;WAEGoD,KAAE,CAAC3a,MAAR;eACS,KAAKsX,wBAAL,CAA8B,KAAK7M,KAAL,CAAW8M,KAAzC,CAAP;;WAEGoD,KAAE,CAAC1a,OAAR;eACS,KAAK0X,yBAAL,CAA+B,KAAKlN,KAAL,CAAW8M,KAA1C,CAAP;;WAEGoD,KAAE,CAAC5V,KAAR;eACS,KAAKsS,kBAAL,CAAwB,IAAxB,CAAP;;WAEGsD,KAAE,CAAC3V,KAAR;eACS,KAAKqS,kBAAL,CAAwB,IAAxB,CAAP;;WAEGsD,KAAE,CAAC1V,MAAR;eACS,KAAKoS,kBAAL,CAAwB,KAAxB,CAAP;;;eAGO,MAAMqD,aAAN,CAAoBnB,mBAApB,CAAP;;;;EAIN3B,YAAY,CACVL,KADU,EAEV7L,IAFU,EAGVkP,QAHU,EAIVrF,QAJU,EAKP;UACGzK,IAAI,GAAG,MAAM8M,YAAN,CAAmBL,KAAnB,EAA0B7L,IAA1B,EAAgCkP,QAAhC,EAA0CrF,QAA1C,CAAb;IACAzK,IAAI,CAACqN,GAAL,GAAWrN,IAAI,CAACsN,KAAL,CAAWD,GAAtB;WACOrN,IAAI,CAACsN,KAAZ;WAEOtN,IAAP;;;EAGF+P,iBAAiB,CACf/P,IADe,EAEfgQ,eAFe,EAGfC,QAAkB,GAAG,KAHN,EAIT;UACAF,iBAAN,CAAwB/P,IAAxB,EAA8BgQ,eAA9B,EAA+CC,QAA/C;IACAjQ,IAAI,CAACoN,UAAL,GAAkBpN,IAAI,CAACa,IAAL,CAAUD,IAAV,KAAmB,gBAArC;;;EAGF8O,WAAW,CACT1P,IADS,EAETuP,WAFS,EAGT9B,OAHS,EAIT+B,aAJS,EAKTU,gBALS,EAMTtP,IANS,EAOTuP,YAAqB,GAAG,KAPf,EAQN;QACCC,QAAQ,GAAG,KAAKC,SAAL,EAAf;IACAD,QAAQ,CAACrE,IAAT,GAAgB/L,IAAI,CAAC+L,IAArB;IACAqE,QAAQ,GAAG,MAAMV,WAAN,CACTU,QADS,EAETb,WAFS,EAGT9B,OAHS,EAIT+B,aAJS,EAKTU,gBALS,EAMTtP,IANS,EAOTuP,YAPS,CAAX;IASAC,QAAQ,CAACxP,IAAT,GAAgB,oBAAhB;WACOwP,QAAQ,CAACrE,IAAhB;IAEA/L,IAAI,CAACyM,KAAL,GAAa2D,QAAb;IAEAxP,IAAI,GAAGA,IAAI,KAAK,aAAT,GAAyB,kBAAzB,GAA8CA,IAArD;WACO,KAAK0P,UAAL,CAAgBtQ,IAAhB,EAAsBY,IAAtB,CAAP;;;EAGF2P,iBAAiB,CACf3C,IADe,EAEf2B,WAFe,EAGf9B,OAHe,EAIf+C,SAJe,EAKfC,UALe,EAME;UACXzQ,IAAsB,GAAI,MAAMuQ,iBAAN,CAC9B3C,IAD8B,EAE9B2B,WAF8B,EAG9B9B,OAH8B,EAI9B+C,SAJ8B,EAK9BC,UAL8B,CAAhC;;QAQIzQ,IAAJ,EAAU;MACRA,IAAI,CAACY,IAAL,GAAY,UAAZ;UACMZ,IAAF,CAA6B+L,IAA7B,KAAsC,QAA1C,EAAoD/L,IAAI,CAAC+L,IAAL,GAAY,MAAZ;MACpD/L,IAAI,CAAC0Q,SAAL,GAAiB,KAAjB;;;WAGM1Q,IAAR;;;EAGF2Q,mBAAmB,CACjB/C,IADiB,EAEjBkC,QAFiB,EAGjBrF,QAHiB,EAIjB+F,SAJiB,EAKjB/B,mBALiB,EAME;UACbzO,IAAsB,GAAI,MAAM2Q,mBAAN,CAC9B/C,IAD8B,EAE9BkC,QAF8B,EAG9BrF,QAH8B,EAI9B+F,SAJ8B,EAK9B/B,mBAL8B,CAAhC;;QAQIzO,IAAJ,EAAU;MACRA,IAAI,CAAC+L,IAAL,GAAY,MAAZ;MACA/L,IAAI,CAACY,IAAL,GAAY,UAAZ;;;WAGMZ,IAAR;;;EAGF4Q,YAAY,CAAC5Q,IAAD,EAAuB;QAC7B8L,gBAAgB,CAAC9L,IAAD,CAApB,EAA4B;WACrB4Q,YAAL,CAAkB5Q,IAAI,CAACyM,KAAvB;aAEOzM,IAAP;;;WAGK,MAAM4Q,YAAN,CAAmB5Q,IAAnB,CAAP;;;EAGF6Q,gCAAgC,CAACjD,IAAD,EAAekD,MAAf,EAAgC;QAC1DlD,IAAI,CAAC7B,IAAL,KAAc,KAAd,IAAuB6B,IAAI,CAAC7B,IAAL,KAAc,KAAzC,EAAgD;YACxC,KAAKhB,KAAL,CAAW6C,IAAI,CAACmD,GAAL,CAAS/S,KAApB,EAA2B8P,aAAM,CAACpH,kBAAlC,CAAN;KADF,MAEO,IAAIkH,IAAI,CAAC5B,MAAT,EAAiB;YAChB,KAAKjB,KAAL,CAAW6C,IAAI,CAACmD,GAAL,CAAS/S,KAApB,EAA2B8P,aAAM,CAACnH,gBAAlC,CAAN;KADK,MAEA;YACCkK,gCAAN,CAAuCjD,IAAvC,EAA6CkD,MAA7C;;;;EAIJE,oBAAoB,CAClBhR,IADkB,EAElBiR,QAFkB,EAGJ;UACRD,oBAAN,CAA2BhR,IAA3B,EAAiCiR,QAAjC;;QAEIjR,IAAI,CAACkR,MAAL,CAAYtQ,IAAZ,KAAqB,QAAzB,EAAmC;MAC/BZ,IAAF,CAA2CY,IAA3C,GAAkD,kBAAlD;MACEZ,IAAF,CAA2C1C,MAA3C,GAAoD0C,IAAI,CAACoB,SAAL,CAAe,CAAf,CAApD;aAEOpB,IAAI,CAACoB,SAAZ;aAEOpB,IAAI,CAACkR,MAAZ;;;WAGKlR,IAAP;;;EAGFmR,oBAAoB,CAClBC,QADkB,EAElBC,mBAFkB,EAGZ;QAEF,CAACD,QAAL,EAAe;;;;UAITD,oBAAN,CAA2BC,QAA3B,EAAqCC,mBAArC;;;EAGFC,WAAW,CAACtR,IAAD,EAAe;UAClBsR,WAAN,CAAkBtR,IAAlB;;YAEQA,IAAI,CAACY,IAAb;WACO,sBAAL;QACEZ,IAAI,CAACuR,QAAL,GAAgB,IAAhB;;;WAGG,wBAAL;YAEIvR,IAAI,CAACwR,UAAL,CAAgBnS,MAAhB,KAA2B,CAA3B,IACAW,IAAI,CAACwR,UAAL,CAAgB,CAAhB,EAAmB5Q,IAAnB,KAA4B,0BAF9B,EAGE;UACAZ,IAAI,CAACY,IAAL,GAAY,sBAAZ;UACAZ,IAAI,CAACuR,QAAL,GAAgBvR,IAAI,CAACwR,UAAL,CAAgB,CAAhB,EAAmBD,QAAnC;iBACOvR,IAAI,CAACwR,UAAZ;;;;;;WAMCxR,IAAP;;;EAGFyR,cAAc,CACZC,IADY,EAEZ5B,QAFY,EAGZrF,QAHY,EAIZkH,OAJY,EAKZhS,KALY,EAMZ;UACMK,IAAI,GAAG,MAAMyR,cAAN,CACXC,IADW,EAEX5B,QAFW,EAGXrF,QAHW,EAIXkH,OAJW,EAKXhS,KALW,CAAb;;QAQIA,KAAK,CAACiS,mBAAV,EAA+B;UAG3B5R,IAAI,CAACY,IAAL,KAAc,0BAAd,IACAZ,IAAI,CAACY,IAAL,KAAc,wBAFhB,EAGE;QACAZ,IAAI,CAACY,IAAL,GAAYZ,IAAI,CAACY,IAAL,CAAUiR,SAAV,CAAoB,CAApB,CAAZ;;;UAEElS,KAAK,CAACmS,IAAV,EAAgB;cACRC,KAAK,GAAG,KAAKC,eAAL,CAAqBhS,IAArB,CAAd;QACA+R,KAAK,CAAC3E,UAAN,GAAmBpN,IAAnB;eACO,KAAKsQ,UAAL,CAAgByB,KAAhB,EAAuB,iBAAvB,CAAP;;KAXJ,MAaO,IACL/R,IAAI,CAACY,IAAL,KAAc,kBAAd,IACAZ,IAAI,CAACY,IAAL,KAAc,gBAFT,EAGL;MACAZ,IAAI,CAACiR,QAAL,GAAgB,KAAhB;;;WAGKjR,IAAP;;;CA/bN;;ACVO,MAAMiS,UAAN,CAAiB;EACtBhe,WAAW,CACTY,KADS,EAETqd,MAFS,EAGTC,aAHS,EAITC,QAJS,EAKT;SACKvd,KAAL,GAAaA,KAAb;SACKqd,MAAL,GAAc,CAAC,CAACA,MAAhB;SACKC,aAAL,GAAqB,CAAC,CAACA,aAAvB;SACKC,QAAL,GAAgBA,QAAhB;;;;AASJ,AAAO,MAAMpd,OAEZ,GAAG;EACFqd,cAAc,EAAE,IAAIJ,UAAJ,CAAe,GAAf,EAAoB,KAApB,CADd;EAEFK,eAAe,EAAE,IAAIL,UAAJ,CAAe,GAAf,EAAoB,IAApB,CAFf;EAGFM,aAAa,EAAE,IAAIN,UAAJ,CAAe,IAAf,EAAqB,KAArB,CAHb;EAIFO,cAAc,EAAE,IAAIP,UAAJ,CAAe,GAAf,EAAoB,KAApB,CAJd;EAKFQ,eAAe,EAAE,IAAIR,UAAJ,CAAe,GAAf,EAAoB,IAApB,CALf;EAMFtb,QAAQ,EAAE,IAAIsb,UAAJ,CAAe,GAAf,EAAoB,IAApB,EAA0B,IAA1B,EAAgCS,CAAC,IAAIA,CAAC,CAACC,aAAF,EAArC,CANR;EAOFC,kBAAkB,EAAE,IAAIX,UAAJ,CAAe,UAAf,EAA2B,IAA3B,CAPlB;EAQFY,iBAAiB,EAAE,IAAIZ,UAAJ,CAAe,UAAf,EAA2B,KAA3B;CAVd;;AAePpC,KAAE,CAAC3Z,MAAH,CAAU3B,aAAV,GAA0Bsb,KAAE,CAAC9Z,MAAH,CAAUxB,aAAV,GAA0B,YAAY;MAC1D,KAAKoL,KAAL,CAAWmT,OAAX,CAAmBzT,MAAnB,KAA8B,CAAlC,EAAqC;SAC9BM,KAAL,CAAWoT,WAAX,GAAyB,IAAzB;;;;MAIEC,GAAG,GAAG,KAAKrT,KAAL,CAAWmT,OAAX,CAAmB5R,GAAnB,EAAV;;MACI8R,GAAG,KAAKhe,OAAK,CAACqd,cAAd,IAAgC,KAAKY,UAAL,GAAkBpe,KAAlB,KAA4B,UAAhE,EAA4E;IAC1Eme,GAAG,GAAG,KAAKrT,KAAL,CAAWmT,OAAX,CAAmB5R,GAAnB,EAAN;;;OAGGvB,KAAL,CAAWoT,WAAX,GAAyB,CAACC,GAAG,CAACd,MAA9B;CAXF;;AAcArC,KAAE,CAAClb,IAAH,CAAQJ,aAAR,GAAwB,UAAU2e,QAAV,EAAoB;MACtCC,OAAO,GAAG,KAAd;;MACID,QAAQ,KAAKrD,KAAE,CAACtZ,GAApB,EAAyB;QAEpB,KAAKoJ,KAAL,CAAW8M,KAAX,KAAqB,IAArB,IACC,CAAC,KAAK9M,KAAL,CAAWoT,WADb,IAECG,QAAQ,KAAKrD,KAAE,CAAC7W,SAFjB,IAGCka,QAAQ,KAAKrD,KAAE,CAAChW,MAHlB,IAIC,KAAK8F,KAAL,CAAW8M,KAAX,KAAqB,OAArB,IAAgC,KAAK2G,SAAL,CAAeC,QALlD,EAME;MACAF,OAAO,GAAG,IAAV;;;;OAGCxT,KAAL,CAAWoT,WAAX,GAAyBI,OAAzB;;MAEI,KAAKxT,KAAL,CAAW2T,UAAf,EAA2B;SACpB3T,KAAL,CAAW2T,UAAX,GAAwB,KAAxB;;CAhBJ;;AAoBAzD,KAAE,CAACja,MAAH,CAAUrB,aAAV,GAA0B,UAAU2e,QAAV,EAAoB;OACvCvT,KAAL,CAAWmT,OAAX,CAAmBjT,IAAnB,CACE,KAAK0T,YAAL,CAAkBL,QAAlB,IAA8Ble,OAAK,CAACqd,cAApC,GAAqDrd,OAAK,CAACsd,eAD7D;OAGK3S,KAAL,CAAWoT,WAAX,GAAyB,IAAzB;CAJF;;AAOAlD,KAAE,CAAC/Y,YAAH,CAAgBvC,aAAhB,GAAgC,YAAY;OACrCoL,KAAL,CAAWmT,OAAX,CAAmBjT,IAAnB,CAAwB7K,OAAK,CAACud,aAA9B;OACK5S,KAAL,CAAWoT,WAAX,GAAyB,IAAzB;CAFF;;AAKAlD,KAAE,CAAC5Z,MAAH,CAAU1B,aAAV,GAA0B,UAAU2e,QAAV,EAAoB;QACtCM,eAAe,GACnBN,QAAQ,KAAKrD,KAAE,CAAC5W,GAAhB,IACAia,QAAQ,KAAKrD,KAAE,CAAC9W,IADhB,IAEAma,QAAQ,KAAKrD,KAAE,CAACpW,KAFhB,IAGAyZ,QAAQ,KAAKrD,KAAE,CAACrW,MAJlB;OAKKmG,KAAL,CAAWmT,OAAX,CAAmBjT,IAAnB,CACE2T,eAAe,GAAGxe,OAAK,CAACwd,cAAT,GAA0Bxd,OAAK,CAACyd,eADjD;OAGK9S,KAAL,CAAWoT,WAAX,GAAyB,IAAzB;CATF;;AAYAlD,KAAE,CAACzY,MAAH,CAAU7C,aAAV,GAA0B,YAAY,EAAtC;;AAIAsb,KAAE,CAAC7W,SAAH,CAAazE,aAAb,GAA6Bsb,KAAE,CAAChW,MAAH,CAAUtF,aAAV,GAA0B,UAAU2e,QAAV,EAAoB;MACrEA,QAAQ,KAAKrD,KAAE,CAACtZ,GAAhB,IAAuB2c,QAAQ,KAAKrD,KAAE,CAACpZ,WAA3C,EAAwD,CAAxD,MAGO,IACLyc,QAAQ,CAACxf,UAAT,IACAwf,QAAQ,KAAKrD,KAAE,CAACzZ,IADhB,IAEA8c,QAAQ,KAAKrD,KAAE,CAAChX,KAFhB,IAGA,EACEqa,QAAQ,KAAKrD,KAAE,CAAC3W,OAAhB,IACAiE,SAAS,CAACsW,IAAV,CAAe,KAAKtV,KAAL,CAAWkD,KAAX,CAAiB,KAAK1B,KAAL,CAAWkL,UAA5B,EAAwC,KAAKlL,KAAL,CAAW3B,KAAnD,CAAf,CAFF,CAHA,IAOA,EACE,CAACkV,QAAQ,KAAKrD,KAAE,CAACxZ,KAAhB,IAAyB6c,QAAQ,KAAKrD,KAAE,CAACja,MAA1C,KACA,KAAKqd,UAAL,OAAsBje,OAAK,CAAC0e,MAF9B,CARK,EAYL;SACK/T,KAAL,CAAWmT,OAAX,CAAmBjT,IAAnB,CAAwB7K,OAAK,CAAC4d,kBAA9B;GAbK,MAcA;SACAjT,KAAL,CAAWmT,OAAX,CAAmBjT,IAAnB,CAAwB7K,OAAK,CAAC6d,iBAA9B;;;OAGGlT,KAAL,CAAWoT,WAAX,GAAyB,KAAzB;CAtBF;;AAyBAlD,KAAE,CAAChZ,SAAH,CAAatC,aAAb,GAA6B,YAAY;MACnC,KAAK0e,UAAL,OAAsBje,OAAK,CAAC2B,QAAhC,EAA0C;SACnCgJ,KAAL,CAAWmT,OAAX,CAAmB5R,GAAnB;GADF,MAEO;SACAvB,KAAL,CAAWmT,OAAX,CAAmBjT,IAAnB,CAAwB7K,OAAK,CAAC2B,QAA9B;;;OAEGgJ,KAAL,CAAWoT,WAAX,GAAyB,KAAzB;CANF;;AASAlD,KAAE,CAAC1X,IAAH,CAAQ5D,aAAR,GAAwB,YAAY;OAC7BoL,KAAL,CAAWoT,WAAX,GAAyB,KAAzB;CADF;;AC9HA,IAAIY,4BAA4B,GAAG,urIAAnC;AAEA,IAAIC,uBAAuB,GAAG,sjFAA9B;AAEA,MAAMC,uBAAuB,GAAG,IAAIxW,MAAJ,CAC9B,MAAMsW,4BAAN,GAAqC,GADP,CAAhC;AAGA,MAAMG,kBAAkB,GAAG,IAAIzW,MAAJ,CACzB,MAAMsW,4BAAN,GAAqCC,uBAArC,GAA+D,GADtC,CAA3B;AAIAD,4BAA4B,GAAGC,uBAAuB,GAAG,IAAzD;AASA,MAAMG,0BAA0B,GAAG,CAAC,CAAD,EAAG,EAAH,EAAM,CAAN,EAAQ,EAAR,EAAW,CAAX,EAAa,EAAb,EAAgB,CAAhB,EAAkB,CAAlB,EAAoB,CAApB,EAAsB,EAAtB,EAAyB,CAAzB,EAA2B,EAA3B,EAA8B,EAA9B,EAAiC,GAAjC,EAAqC,EAArC,EAAwC,EAAxC,EAA2C,GAA3C,EAA+C,EAA/C,EAAkD,CAAlD,EAAoD,EAApD,EAAuD,EAAvD,EAA0D,EAA1D,EAA6D,EAA7D,EAAgE,EAAhE,EAAmE,CAAnE,EAAqE,EAArE,EAAwE,EAAxE,EAA2E,EAA3E,EAA8E,CAA9E,EAAgF,EAAhF,EAAmF,CAAnF,EAAqF,CAArF,EAAuF,CAAvF,EAAyF,CAAzF,EAA2F,EAA3F,EAA8F,GAA9F,EAAkG,EAAlG,EAAqG,EAArG,EAAwG,CAAxG,EAA0G,EAA1G,EAA6G,CAA7G,EAA+G,EAA/G,EAAkH,CAAlH,EAAoH,EAApH,EAAuH,GAAvH,EAA2H,GAA3H,EAA+H,EAA/H,EAAkI,EAAlI,EAAqI,EAArI,EAAwI,CAAxI,EAA0I,GAA1I,EAA8I,CAA9I,EAAgJ,CAAhJ,EAAkJ,CAAlJ,EAAoJ,CAApJ,EAAsJ,EAAtJ,EAAyJ,CAAzJ,EAA2J,CAA3J,EAA6J,CAA7J,EAA+J,CAA/J,EAAiK,CAAjK,EAAmK,EAAnK,EAAsK,EAAtK,EAAyK,EAAzK,EAA4K,EAA5K,EAA+K,EAA/K,EAAkL,EAAlL,EAAqL,EAArL,EAAwL,CAAxL,EAA0L,CAA1L,EAA4L,EAA5L,EAA+L,EAA/L,EAAkM,EAAlM,EAAqM,EAArM,EAAwM,EAAxM,EAA2M,EAA3M,EAA8M,CAA9M,EAAgN,CAAhN,EAAkN,EAAlN,EAAqN,CAArN,EAAuN,EAAvN,EAA0N,CAA1N,EAA4N,CAA5N,EAA8N,CAA9N,EAAgO,CAAhO,EAAkO,EAAlO,EAAqO,EAArO,EAAwO,EAAxO,EAA2O,CAA3O,EAA6O,EAA7O,EAAgP,EAAhP,EAAmP,CAAnP,EAAqP,CAArP,EAAuP,EAAvP,EAA0P,EAA1P,EAA6P,EAA7P,EAAgQ,EAAhQ,EAAmQ,EAAnQ,EAAsQ,EAAtQ,EAAyQ,EAAzQ,EAA4Q,EAA5Q,EAA+Q,EAA/Q,EAAkR,GAAlR,EAAsR,EAAtR,EAAyR,EAAzR,EAA4R,EAA5R,EAA+R,EAA/R,EAAkS,EAAlS,EAAqS,EAArS,EAAwS,EAAxS,EAA2S,GAA3S,EAA+S,EAA/S,EAAkT,CAAlT,EAAoT,CAApT,EAAsT,EAAtT,EAAyT,EAAzT,EAA4T,EAA5T,EAA+T,CAA/T,EAAiU,CAAjU,EAAmU,EAAnU,EAAsU,GAAtU,EAA0U,EAA1U,EAA6U,EAA7U,EAAgV,EAAhV,EAAmV,EAAnV,EAAsV,EAAtV,EAAyV,EAAzV,EAA4V,EAA5V,EAA+V,EAA/V,EAAkW,EAAlW,EAAqW,EAArW,EAAwW,EAAxW,EAA2W,EAA3W,EAA8W,CAA9W,EAAgX,CAAhX,EAAkX,CAAlX,EAAoX,CAApX,EAAsX,EAAtX,EAAyX,CAAzX,EAA2X,CAA3X,EAA6X,EAA7X,EAAgY,EAAhY,EAAmY,EAAnY,EAAsY,CAAtY,EAAwY,EAAxY,EAA2Y,CAA3Y,EAA6Y,CAA7Y,EAA+Y,CAA/Y,EAAiZ,EAAjZ,EAAoZ,EAApZ,EAAuZ,CAAvZ,EAAyZ,EAAzZ,EAA4Z,EAA5Z,EAA+Z,CAA/Z,EAAia,CAAja,EAAma,CAAna,EAAqa,CAAra,EAAua,CAAva,EAAya,CAAza,EAA2a,EAA3a,EAA8a,CAA9a,EAAgb,CAAhb,EAAkb,CAAlb,EAAob,EAApb,EAAub,EAAvb,EAA0b,CAA1b,EAA4b,CAA5b,EAA8b,CAA9b,EAAgc,CAAhc,EAAkc,EAAlc,EAAqc,CAArc,EAAuc,CAAvc,EAAyc,CAAzc,EAA2c,CAA3c,EAA6c,CAA7c,EAA+c,CAA/c,EAAid,CAAjd,EAAmd,CAAnd,EAAqd,EAArd,EAAwd,CAAxd,EAA0d,EAA1d,EAA6d,CAA7d,EAA+d,GAA/d,EAAme,EAAne,EAAse,EAAte,EAAye,CAAze,EAA2e,EAA3e,EAA8e,CAA9e,EAAgf,EAAhf,EAAmf,EAAnf,EAAsf,EAAtf,EAAyf,CAAzf,EAA2f,CAA3f,EAA6f,CAA7f,EAA+f,GAA/f,EAAmgB,EAAngB,EAAsgB,EAAtgB,EAAygB,CAAzgB,EAA2gB,EAA3gB,EAA8gB,EAA9gB,EAAihB,EAAjhB,EAAohB,CAAphB,EAAshB,EAAthB,EAAyhB,EAAzhB,EAA4hB,EAA5hB,EAA+hB,CAA/hB,EAAiiB,EAAjiB,EAAoiB,EAApiB,EAAuiB,GAAviB,EAA2iB,EAA3iB,EAA8iB,GAA9iB,EAAkjB,EAAljB,EAAqjB,EAArjB,EAAwjB,CAAxjB,EAA0jB,CAA1jB,EAA4jB,CAA5jB,EAA8jB,CAA9jB,EAAgkB,CAAhkB,EAAkkB,CAAlkB,EAAokB,CAApkB,EAAskB,CAAtkB,EAAwkB,EAAxkB,EAA2kB,EAA3kB,EAA8kB,CAA9kB,EAAglB,CAAhlB,EAAklB,CAAllB,EAAolB,EAAplB,EAAulB,CAAvlB,EAAylB,CAAzlB,EAA2lB,EAA3lB,EAA8lB,EAA9lB,EAAimB,CAAjmB,EAAmmB,CAAnmB,EAAqmB,CAArmB,EAAumB,EAAvmB,EAA0mB,CAA1mB,EAA4mB,EAA5mB,EAA+mB,EAA/mB,EAAknB,CAAlnB,EAAonB,CAApnB,EAAsnB,EAAtnB,EAAynB,CAAznB,EAA2nB,EAA3nB,EAA8nB,EAA9nB,EAAioB,EAAjoB,EAAooB,CAApoB,EAAsoB,EAAtoB,EAAyoB,EAAzoB,EAA4oB,GAA5oB,EAAgpB,CAAhpB,EAAkpB,CAAlpB,EAAopB,EAAppB,EAAupB,EAAvpB,EAA0pB,CAA1pB,EAA4pB,EAA5pB,EAA+pB,EAA/pB,EAAkqB,GAAlqB,EAAsqB,CAAtqB,EAAwqB,CAAxqB,EAA0qB,CAA1qB,EAA4qB,CAA5qB,EAA8qB,EAA9qB,EAAirB,EAAjrB,EAAorB,CAAprB,EAAsrB,EAAtrB,EAAyrB,CAAzrB,EAA2rB,CAA3rB,EAA6rB,CAA7rB,EAA+rB,CAA/rB,EAAisB,EAAjsB,EAAosB,EAApsB,EAAusB,CAAvsB,EAAysB,GAAzsB,EAA6sB,EAA7sB,EAAgtB,GAAhtB,EAAotB,CAAptB,EAAstB,EAAttB,EAAytB,GAAztB,EAA6tB,GAA7tB,EAAiuB,GAAjuB,EAAquB,EAAruB,EAAwuB,GAAxuB,EAA4uB,IAA5uB,EAAivB,IAAjvB,EAAsvB,IAAtvB,EAA2vB,GAA3vB,EAA+vB,IAA/vB,EAAowB,GAApwB,EAAwwB,CAAxwB,EAA0wB,EAA1wB,EAA6wB,GAA7wB,EAAixB,EAAjxB,EAAoxB,EAApxB,EAAuxB,EAAvxB,EAA0xB,EAA1xB,EAA6xB,CAA7xB,EAA+xB,EAA/xB,EAAkyB,EAAlyB,EAAqyB,CAAryB,EAAuyB,EAAvyB,EAA0yB,GAA1yB,EAA8yB,EAA9yB,EAAizB,GAAjzB,EAAqzB,EAArzB,EAAwzB,CAAxzB,EAA0zB,CAA1zB,EAA4zB,EAA5zB,EAA+zB,EAA/zB,EAAk0B,EAAl0B,EAAq0B,CAAr0B,EAAu0B,CAAv0B,EAAy0B,CAAz0B,EAA20B,EAA30B,EAA80B,IAA90B,EAAm1B,CAAn1B,EAAq1B,IAAr1B,EAA01B,EAA11B,EAA61B,CAA71B,EAA+1B,IAA/1B,EAAo2B,GAAp2B,EAAw2B,EAAx2B,EAA22B,CAA32B,EAA62B,EAA72B,EAAg3B,CAAh3B,EAAk3B,CAAl3B,EAAo3B,GAAp3B,EAAw3B,IAAx3B,EAA63B,GAA73B,EAAi4B,CAAj4B,EAAm4B,EAAn4B,EAAs4B,CAAt4B,EAAw4B,CAAx4B,EAA04B,CAA14B,EAA44B,CAA54B,EAA84B,IAA94B,EAAm5B,EAAn5B,EAAs5B,CAAt5B,EAAw5B,EAAx5B,EAA25B,CAA35B,EAA65B,CAA75B,EAA+5B,CAA/5B,EAAi6B,CAAj6B,EAAm6B,CAAn6B,EAAq6B,CAAr6B,EAAu6B,CAAv6B,EAAy6B,CAAz6B,EAA26B,CAA36B,EAA66B,EAA76B,EAAg7B,CAAh7B,EAAk7B,CAAl7B,EAAo7B,CAAp7B,EAAs7B,CAAt7B,EAAw7B,CAAx7B,EAA07B,EAA17B,EAA67B,CAA77B,EAA+7B,CAA/7B,EAAi8B,CAAj8B,EAAm8B,CAAn8B,EAAq8B,CAAr8B,EAAu8B,CAAv8B,EAAy8B,CAAz8B,EAA28B,EAA38B,EAA88B,CAA98B,EAAg9B,CAAh9B,EAAk9B,CAAl9B,EAAo9B,CAAp9B,EAAs9B,CAAt9B,EAAw9B,CAAx9B,EAA09B,CAA19B,EAA49B,CAA59B,EAA89B,CAA99B,EAAg+B,GAAh+B,EAAo+B,CAAp+B,EAAs+B,EAAt+B,EAAy+B,CAAz+B,EAA2+B,EAA3+B,EAA8+B,CAA9+B,EAAg/B,EAAh/B,EAAm/B,CAAn/B,EAAq/B,EAAr/B,EAAw/B,CAAx/B,EAA0/B,EAA1/B,EAA6/B,CAA7/B,EAA+/B,EAA//B,EAAkgC,CAAlgC,EAAogC,EAApgC,EAAugC,CAAvgC,EAAygC,EAAzgC,EAA4gC,CAA5gC,EAA8gC,EAA9gC,EAAihC,CAAjhC,EAAmhC,EAAnhC,EAAshC,CAAthC,EAAwhC,CAAxhC,EAA0hC,IAA1hC,EAA+hC,EAA/hC,EAAkiC,EAAliC,EAAqiC,CAAriC,EAAuiC,EAAviC,EAA0iC,CAA1iC,EAA4iC,GAA5iC,EAAgjC,EAAhjC,EAAmjC,IAAnjC,EAAwjC,GAAxjC,EAA4jC,EAA5jC,EAA+jC,EAA/jC,EAAkkC,CAAlkC,EAAokC,CAApkC,EAAskC,IAAtkC,EAA2kC,CAA3kC,EAA6kC,CAA7kC,EAA+kC,EAA/kC,EAAklC,CAAllC,EAAolC,CAAplC,EAAslC,CAAtlC,EAAwlC,CAAxlC,EAA0lC,CAA1lC,EAA4lC,CAA5lC,EAA8lC,CAA9lC,EAAgmC,CAAhmC,EAAkmC,CAAlmC,EAAomC,CAApmC,EAAsmC,CAAtmC,EAAwmC,CAAxmC,EAA0mC,CAA1mC,EAA4mC,CAA5mC,EAA8mC,CAA9mC,EAAgnC,CAAhnC,EAAknC,CAAlnC,EAAonC,CAApnC,EAAsnC,CAAtnC,EAAwnC,CAAxnC,EAA0nC,CAA1nC,EAA4nC,CAA5nC,EAA8nC,CAA9nC,EAAgoC,CAAhoC,EAAkoC,CAAloC,EAAooC,CAApoC,EAAsoC,CAAtoC,EAAwoC,CAAxoC,EAA0oC,CAA1oC,EAA4oC,CAA5oC,EAA8oC,CAA9oC,EAAgpC,CAAhpC,EAAkpC,CAAlpC,EAAopC,CAAppC,EAAspC,CAAtpC,EAAwpC,CAAxpC,EAA0pC,CAA1pC,EAA4pC,CAA5pC,EAA8pC,CAA9pC,EAAgqC,CAAhqC,EAAkqC,CAAlqC,EAAoqC,CAApqC,EAAsqC,CAAtqC,EAAwqC,CAAxqC,EAA0qC,CAA1qC,EAA4qC,CAA5qC,EAA8qC,CAA9qC,EAAgrC,CAAhrC,EAAkrC,CAAlrC,EAAorC,CAAprC,EAAsrC,CAAtrC,EAAwrC,CAAxrC,EAA0rC,CAA1rC,EAA4rC,CAA5rC,EAA8rC,CAA9rC,EAAgsC,EAAhsC,EAAmsC,CAAnsC,EAAqsC,CAArsC,EAAusC,CAAvsC,EAAysC,CAAzsC,EAA2sC,CAA3sC,EAA6sC,EAA7sC,EAAgtC,IAAhtC,EAAqtC,KAArtC,EAA2tC,EAA3tC,EAA8tC,IAA9tC,EAAmuC,EAAnuC,EAAsuC,GAAtuC,EAA0uC,CAA1uC,EAA4uC,IAA5uC,EAAivC,EAAjvC,EAAovC,IAApvC,EAAyvC,IAAzvC,EAA8vC,GAA9vC,EAAkwC,IAAlwC,EAAuwC,IAAvwC,CAAnC;AAEA,MAAMC,qBAAqB,GAAG,CAAC,GAAD,EAAK,CAAL,EAAO,GAAP,EAAW,CAAX,EAAa,GAAb,EAAiB,CAAjB,EAAmB,GAAnB,EAAuB,CAAvB,EAAyB,IAAzB,EAA8B,CAA9B,EAAgC,CAAhC,EAAkC,CAAlC,EAAoC,CAApC,EAAsC,CAAtC,EAAwC,EAAxC,EAA2C,CAA3C,EAA6C,CAA7C,EAA+C,CAA/C,EAAiD,GAAjD,EAAqD,CAArD,EAAuD,GAAvD,EAA2D,CAA3D,EAA6D,CAA7D,EAA+D,CAA/D,EAAiE,GAAjE,EAAqE,CAArE,EAAuE,GAAvE,EAA2E,EAA3E,EAA8E,GAA9E,EAAkF,CAAlF,EAAoF,EAApF,EAAuF,EAAvF,EAA0F,EAA1F,EAA6F,CAA7F,EAA+F,EAA/F,EAAkG,CAAlG,EAAoG,EAApG,EAAuG,EAAvG,EAA0G,EAA1G,EAA6G,CAA7G,EAA+G,CAA/G,EAAiH,CAAjH,EAAmH,EAAnH,EAAsH,EAAtH,EAAyH,CAAzH,EAA2H,CAA3H,EAA6H,CAA7H,EAA+H,CAA/H,EAAiI,EAAjI,EAAoI,CAApI,EAAsI,EAAtI,EAAyI,CAAzI,EAA2I,EAA3I,EAA8I,EAA9I,EAAiJ,CAAjJ,EAAmJ,CAAnJ,EAAqJ,CAArJ,EAAuJ,EAAvJ,EAA0J,EAA1J,EAA6J,EAA7J,EAAgK,CAAhK,EAAkK,CAAlK,EAAoK,GAApK,EAAwK,EAAxK,EAA2K,CAA3K,EAA6K,CAA7K,EAA+K,CAA/K,EAAiL,CAAjL,EAAmL,EAAnL,EAAsL,CAAtL,EAAwL,CAAxL,EAA0L,CAA1L,EAA4L,CAA5L,EAA8L,CAA9L,EAAgM,CAAhM,EAAkM,CAAlM,EAAoM,EAApM,EAAuM,CAAvM,EAAyM,EAAzM,EAA4M,CAA5M,EAA8M,CAA9M,EAAgN,CAAhN,EAAkN,CAAlN,EAAoN,CAApN,EAAsN,GAAtN,EAA0N,EAA1N,EAA6N,EAA7N,EAAgO,CAAhO,EAAkO,CAAlO,EAAoO,CAApO,EAAsO,EAAtO,EAAyO,EAAzO,EAA4O,EAA5O,EAA+O,CAA/O,EAAiP,GAAjP,EAAqP,CAArP,EAAuP,CAAvP,EAAyP,CAAzP,EAA2P,EAA3P,EAA8P,CAA9P,EAAgQ,EAAhQ,EAAmQ,EAAnQ,EAAsQ,EAAtQ,EAAyQ,CAAzQ,EAA2Q,EAA3Q,EAA8Q,EAA9Q,EAAiR,CAAjR,EAAmR,CAAnR,EAAqR,EAArR,EAAwR,EAAxR,EAA2R,CAA3R,EAA6R,CAA7R,EAA+R,GAA/R,EAAmS,EAAnS,EAAsS,GAAtS,EAA0S,CAA1S,EAA4S,EAA5S,EAA+S,CAA/S,EAAiT,CAAjT,EAAmT,CAAnT,EAAqT,CAArT,EAAuT,CAAvT,EAAyT,CAAzT,EAA2T,CAA3T,EAA6T,CAA7T,EAA+T,CAA/T,EAAiU,EAAjU,EAAoU,CAApU,EAAsU,GAAtU,EAA0U,CAA1U,EAA4U,CAA5U,EAA8U,CAA9U,EAAgV,CAAhV,EAAkV,CAAlV,EAAoV,EAApV,EAAuV,CAAvV,EAAyV,EAAzV,EAA4V,CAA5V,EAA8V,CAA9V,EAAgW,CAAhW,EAAkW,CAAlW,EAAoW,CAApW,EAAsW,EAAtW,EAAyW,EAAzW,EAA4W,EAA5W,EAA+W,EAA/W,EAAkX,GAAlX,EAAsX,CAAtX,EAAwX,CAAxX,EAA0X,CAA1X,EAA4X,EAA5X,EAA+X,CAA/X,EAAiY,EAAjY,EAAoY,EAApY,EAAuY,CAAvY,EAAyY,EAAzY,EAA4Y,GAA5Y,EAAgZ,CAAhZ,EAAkZ,CAAlZ,EAAoZ,CAApZ,EAAsZ,CAAtZ,EAAwZ,CAAxZ,EAA0Z,CAA1Z,EAA4Z,CAA5Z,EAA8Z,CAA9Z,EAAga,CAAha,EAAka,CAAla,EAAoa,CAApa,EAAsa,EAAta,EAAya,CAAza,EAA2a,CAA3a,EAA6a,CAA7a,EAA+a,CAA/a,EAAib,CAAjb,EAAmb,CAAnb,EAAqb,CAArb,EAAub,GAAvb,EAA2b,CAA3b,EAA6b,KAA7b,EAAmc,CAAnc,EAAqc,GAArc,EAAyc,CAAzc,EAA2c,EAA3c,EAA8c,CAA9c,EAAgd,EAAhd,EAAmd,CAAnd,EAAqd,IAArd,EAA0d,CAA1d,EAA4d,CAA5d,EAA8d,EAA9d,EAAie,CAAje,EAAme,CAAne,EAAqe,EAAre,EAAwe,CAAxe,EAA0e,EAA1e,EAA6e,CAA7e,EAA+e,KAA/e,EAAqf,CAArf,EAAuf,IAAvf,EAA4f,CAA5f,EAA8f,CAA9f,EAAggB,CAAhgB,EAAkgB,CAAlgB,EAAogB,CAApgB,EAAsgB,CAAtgB,EAAwgB,CAAxgB,EAA0gB,EAA1gB,EAA6gB,CAA7gB,EAA+gB,GAA/gB,EAAmhB,CAAnhB,EAAqhB,IAArhB,EAA0hB,EAA1hB,EAA6hB,GAA7hB,EAAiiB,EAAjiB,EAAoiB,CAApiB,EAAsiB,EAAtiB,EAAyiB,CAAziB,EAA2iB,CAA3iB,EAA6iB,EAA7iB,EAAgjB,CAAhjB,EAAkjB,EAAljB,EAAqjB,CAArjB,EAAujB,CAAvjB,EAAyjB,EAAzjB,EAA4jB,IAA5jB,EAAikB,CAAjkB,EAAmkB,CAAnkB,EAAqkB,EAArkB,EAAwkB,CAAxkB,EAA0kB,CAA1kB,EAA4kB,CAA5kB,EAA8kB,CAA9kB,EAAglB,CAAhlB,EAAklB,CAAllB,EAAolB,GAAplB,EAAwlB,CAAxlB,EAA0lB,EAA1lB,EAA6lB,CAA7lB,EAA+lB,GAA/lB,EAAmmB,EAAnmB,EAAsmB,IAAtmB,EAA2mB,CAA3mB,EAA6mB,GAA7mB,EAAinB,CAAjnB,EAAmnB,CAAnnB,EAAqnB,CAArnB,EAAunB,IAAvnB,EAA4nB,CAA5nB,EAA8nB,MAA9nB,EAAqoB,GAAroB,CAA9B;;AAKA,SAASC,aAAT,CAAuBzW,IAAvB,EAAqC1I,GAArC,EAA2E;MACrE0V,GAAG,GAAG,OAAV;;OACK,IAAIpK,CAAC,GAAG,CAAR,EAAWf,MAAM,GAAGvK,GAAG,CAACuK,MAA7B,EAAqCe,CAAC,GAAGf,MAAzC,EAAiDe,CAAC,IAAI,CAAtD,EAAyD;IACvDoK,GAAG,IAAI1V,GAAG,CAACsL,CAAD,CAAV;QACIoK,GAAG,GAAGhN,IAAV,EAAgB,OAAO,KAAP;IAEhBgN,GAAG,IAAI1V,GAAG,CAACsL,CAAC,GAAG,CAAL,CAAV;QACIoK,GAAG,IAAIhN,IAAX,EAAiB,OAAO,IAAP;;;SAEZ,KAAP;;;AAKF,AAAO,SAAS0W,iBAAT,CAA2B1W,IAA3B,EAAkD;MACnDA,IAAI,KAAR,EAAiC,OAAOA,IAAI,OAAX;MAC7BA,IAAI,MAAR,EAAkC,OAAO,IAAP;MAC9BA,IAAI,KAAR,EAAiC,OAAOA,IAAI,OAAX;MAC7BA,IAAI,OAAR,EAAkC,OAAO,IAAP;;MAC9BA,IAAI,IAAI,MAAZ,EAAoB;WAEhBA,IAAI,IAAI,IAAR,IAAgBqW,uBAAuB,CAACJ,IAAxB,CAA6B7G,MAAM,CAACuH,YAAP,CAAoB3W,IAApB,CAA7B,CADlB;;;SAIKyW,aAAa,CAACzW,IAAD,EAAOuW,0BAAP,CAApB;;AAKF,AAAO,SAASK,gBAAT,CAA0B5W,IAA1B,EAAiD;MAClDA,IAAI,KAAR,EAA6B,OAAOA,IAAI,OAAX;MACzBA,IAAI,KAAR,EAA4B,OAAO,IAAP;MACxBA,IAAI,KAAR,EAAiC,OAAO,KAAP;MAC7BA,IAAI,MAAR,EAAkC,OAAO,IAAP;MAC9BA,IAAI,KAAR,EAAiC,OAAOA,IAAI,OAAX;MAC7BA,IAAI,OAAR,EAAkC,OAAO,IAAP;;MAC9BA,IAAI,IAAI,MAAZ,EAAoB;WACXA,IAAI,IAAI,IAAR,IAAgBsW,kBAAkB,CAACL,IAAnB,CAAwB7G,MAAM,CAACuH,YAAP,CAAoB3W,IAApB,CAAxB,CAAvB;;;SAGAyW,aAAa,CAACzW,IAAD,EAAOuW,0BAAP,CAAb,IACAE,aAAa,CAACzW,IAAD,EAAOwW,qBAAP,CAFf;;;AC7EF,MAAMK,aAAa,GAAG;EACpBjgB,OAAO,EAAE,CACP,OADO,EAEP,MAFO,EAGP,OAHO,EAIP,UAJO,EAKP,UALO,EAMP,SANO,EAOP,IAPO,EAQP,MARO,EASP,SATO,EAUP,KAVO,EAWP,UAXO,EAYP,IAZO,EAaP,QAbO,EAcP,QAdO,EAeP,OAfO,EAgBP,KAhBO,EAiBP,KAjBO,EAkBP,OAlBO,EAmBP,OAnBO,EAoBP,MApBO,EAqBP,KArBO,EAsBP,MAtBO,EAuBP,OAvBO,EAwBP,OAxBO,EAyBP,SAzBO,EA0BP,QA1BO,EA2BP,QA3BO,EA4BP,MA5BO,EA6BP,MA7BO,EA8BP,OA9BO,EA+BP,IA/BO,EAgCP,YAhCO,EAiCP,QAjCO,EAkCP,MAlCO,EAmCP,QAnCO,CADW;EAsCpBkgB,MAAM,EAAE,CACN,YADM,EAEN,WAFM,EAGN,KAHM,EAIN,SAJM,EAKN,SALM,EAMN,WANM,EAON,QAPM,EAQN,QARM,EASN,OATM,CAtCY;EAiDpBC,UAAU,EAAE,CAAC,MAAD,EAAS,WAAT;CAjDd;AAmDA,MAAM/f,UAAQ,GAAG,IAAIggB,GAAJ,CAAQH,aAAa,CAACjgB,OAAtB,CAAjB;AACA,MAAMqgB,sBAAsB,GAAG,IAAID,GAAJ,CAAQH,aAAa,CAACC,MAAtB,CAA/B;AACA,MAAMI,0BAA0B,GAAG,IAAIF,GAAJ,CAAQH,aAAa,CAACE,UAAtB,CAAnC;AAKA,AAAO,SAASI,cAAT,CAAwBC,IAAxB,EAAsCC,QAAtC,EAAkE;SAC/DA,QAAQ,IAAID,IAAI,KAAK,OAAtB,IAAkCA,IAAI,KAAK,MAAlD;;AAQF,AAAO,SAASE,oBAAT,CAA8BF,IAA9B,EAA4CC,QAA5C,EAAwE;SACtEF,cAAc,CAACC,IAAD,EAAOC,QAAP,CAAd,IAAkCJ,sBAAsB,CAAC1V,GAAvB,CAA2B6V,IAA3B,CAAzC;;AAOF,AAAO,SAASG,4BAAT,CAAsCH,IAAtC,EAA6D;SAC3DF,0BAA0B,CAAC3V,GAA3B,CAA+B6V,IAA/B,CAAP;;AAQF,AAAO,SAASI,wBAAT,CACLJ,IADK,EAELC,QAFK,EAGI;SAEPC,oBAAoB,CAACF,IAAD,EAAOC,QAAP,CAApB,IAAwCE,4BAA4B,CAACH,IAAD,CADtE;;AAKF,AAAO,SAASK,SAAT,CAAmBL,IAAnB,EAA0C;SACxCpgB,UAAQ,CAACuK,GAAT,CAAa6V,IAAb,CAAP;;;AChFK,MAAMM,yBAAyB,GAAG,iBAAlC;AAIP,AAAO,SAASC,eAAT,CAAyBC,OAAzB,EAA0CC,IAA1C,EAAiE;SAC/DD,OAAO,OAAP,IAAgCC,IAAI,OAA3C;;;ACQF,MAAMC,aAAa,GAAG,IAAId,GAAJ,CAAQ,CAC5B,GAD4B,EAE5B,KAF4B,EAG5B,MAH4B,EAI5B,SAJ4B,EAK5B,OAL4B,EAM5B,SAN4B,EAO5B,OAP4B,EAQ5B,WAR4B,EAS5B,OAT4B,EAU5B,MAV4B,EAW5B,QAX4B,EAY5B,QAZ4B,EAa5B,QAb4B,EAc5B,MAd4B,EAe5B,QAf4B,EAgB5B,MAhB4B,CAAR,CAAtB;AAqBA,MAAMe,UAAU,GAAG7T,MAAM,CAACC,MAAP,CAAc;EAC/B6T,yBAAyB,EACvB,gFAF6B;EAG/BC,0BAA0B,EACxB,uKAJ6B;EAK/BC,kBAAkB,EAAE,mCALW;EAM/BC,mBAAmB,EACjB,yDAP6B;EAQ/BC,4BAA4B,EAC1B,qEAT6B;EAU/BC,6BAA6B,EAAE,8CAVA;EAW/BC,+BAA+B,EAC7B,qGAZ6B;EAa/BC,uBAAuB,EACrB,mGAd6B;EAe/BC,4BAA4B,EAC1B,8KAhB6B;EAiB/BC,uBAAuB,EACrB,kGAlB6B;EAmB/BC,sCAAsC,EACpC,sGApB6B;EAqB/BC,uCAAuC,EACrC,+EAtB6B;EAuB/BC,sCAAsC,EACpC,oEAxB6B;EAyB/BC,uCAAuC,EACrC,gHA1B6B;EA2B/BC,qBAAqB,EACnB,0HA5B6B;EA6B/BC,8BAA8B,EAC5B,yEA9B6B;EA+B/BC,yCAAyC,EACvC,6GAhC6B;EAiC/BC,mCAAmC,EACjC,uKAlC6B;EAmC/BC,kBAAkB,EAChB,4EApC6B;EAqC/BC,sBAAsB,EACpB,yEAtC6B;EAuC/BC,eAAe,EAAE,8CAvCc;EAwC/BC,mCAAmC,EACjC,wFAzC6B;EA0C/BC,uBAAuB,EACrB,yGA3C6B;EA4C/BC,mBAAmB,EACjB,iEA7C6B;EA8C/BC,iBAAiB,EAAE,wDA9CY;EA+C/BC,sBAAsB,EACpB,gFAhD6B;EAiD/BC,cAAc,EAAE,wCAjDe;EAkD/BC,qBAAqB,EACnB,kHAnD6B;EAoD/BC,iBAAiB,EACf,qEArD6B;EAsD/BC,iCAAiC,EAC/B,qEAvD6B;EAwD/BC,sBAAsB,EAAE,6BAxDO;EAyD/BC,4BAA4B,EAC1B,uDA1D6B;EA2D/BC,kCAAkC,EAChC,uDA5D6B;EA6D/BC,oBAAoB,EAClB,iEA9D6B;EA+D/BC,4BAA4B,EAC1B,iDAhE6B;EAiE/BC,iCAAiC,EAC/B,kEAlE6B;EAmE/BC,4BAA4B,EAC1B,wDApE6B;EAqE/BC,mCAAmC,EACjC,kEAtE6B;EAuE/BC,uBAAuB,EAAE;CAvER,CAAnB;;AA2EA,SAASC,cAAT,CAAwBC,WAAxB,EAAsD;SAElDA,WAAW,CAACpX,IAAZ,KAAqB,6BAArB,IACCoX,WAAW,CAACpX,IAAZ,KAAqB,0BAArB,KACE,CAACoX,WAAW,CAACC,WAAb,IACED,WAAW,CAACC,WAAZ,CAAwBrX,IAAxB,KAAiC,WAAjC,IACCoX,WAAW,CAACC,WAAZ,CAAwBrX,IAAxB,KAAiC,sBAHtC,CAFH;;;AASF,SAASsX,iBAAT,CAA2BlY,IAA3B,EAAkD;SACzCA,IAAI,CAACmY,UAAL,KAAoB,MAApB,IAA8BnY,IAAI,CAACmY,UAAL,KAAoB,QAAzD;;;AAGF,SAASC,oBAAT,CAA8BzY,KAA9B,EAAqD;SAEjD,CAACA,KAAK,CAACiB,IAAN,KAAeiP,KAAE,CAAClb,IAAlB,IAA0B,CAAC,CAACgL,KAAK,CAACiB,IAAN,CAAWxM,OAAxC,KAAoDuL,KAAK,CAAC8M,KAAN,KAAgB,MADtE;;;AAKF,MAAM4L,iBAAiB,GAAG;EACxBC,KAAK,EAAE,oBADiB;EAExBC,GAAG,EAAE,oBAFmB;EAGxB3X,IAAI,EAAE,aAHkB;EAIxB4X,SAAS,EAAE;CAJb;;AAQA,SAASC,SAAT,CACEC,IADF,EAEEjF,IAFF,EAGc;QACNkF,KAAK,GAAG,EAAd;QACMC,KAAK,GAAG,EAAd;;OACK,IAAIxY,CAAC,GAAG,CAAb,EAAgBA,CAAC,GAAGsY,IAAI,CAACrZ,MAAzB,EAAiCe,CAAC,EAAlC,EAAsC;KACnCqT,IAAI,CAACiF,IAAI,CAACtY,CAAD,CAAL,EAAUA,CAAV,EAAasY,IAAb,CAAJ,GAAyBC,KAAzB,GAAiCC,KAAlC,EAAyC/Y,IAAzC,CAA8C6Y,IAAI,CAACtY,CAAD,CAAlD;;;SAEK,CAACuY,KAAD,EAAQC,KAAR,CAAP;;;AAGF,MAAMC,iBAAiB,GAAG,wBAA1B;AAgBA,YAAgB5M,UAAD,IACb,cAAcA,UAAd,CAAyB;EAMvBhY,WAAW,CAACW,OAAD,EAAoBuJ,KAApB,EAAmC;UACtCvJ,OAAN,EAAeuJ,KAAf;SACK2a,UAAL,GAAkBpY,SAAlB;;;EAGFqY,gBAAgB,GAAY;WACnB,KAAK/Z,eAAL,CAAqB,MAArB,EAA6B,KAA7B,KAAuC,KAAK8Z,UAAL,KAAoB,MAAlE;;;EAGFE,gBAAgB,GAAY;WACnB,CAAC,CAAC,KAAKha,eAAL,CAAqB,MAArB,EAA6B,OAA7B,CAAT;;;EAGFia,WAAW,CAACrY,IAAD,EAAkBsY,GAAlB,EAAkC;QAEzCtY,IAAI,KAAKiP,KAAE,CAACxa,MAAZ,IACAuL,IAAI,KAAKiP,KAAE,CAACzZ,IADZ,IAEAwK,IAAI,KAAKiP,KAAE,CAAC5Y,oBAHd,EAIE;UACI,KAAK6hB,UAAL,KAAoBpY,SAAxB,EAAmC;aAC5BoY,UAAL,GAAkB,IAAlB;;;;WAGG,MAAMG,WAAN,CAAkBrY,IAAlB,EAAwBsY,GAAxB,CAAP;;;EAGF3Z,UAAU,CAACC,OAAD,EAA2B;QAC/B,KAAKsZ,UAAL,KAAoBpY,SAAxB,EAAmC;YAE3ByY,OAAO,GAAGN,iBAAiB,CAACra,IAAlB,CAAuBgB,OAAO,CAACiN,KAA/B,CAAhB;;UACI,CAAC0M,OAAL,EAAc,CAAd,MAEO,IAAIA,OAAO,CAAC,CAAD,CAAP,KAAe,MAAnB,EAA2B;aAC3BL,UAAL,GAAkB,MAAlB;OADK,MAEA,IAAIK,OAAO,CAAC,CAAD,CAAP,KAAe,QAAnB,EAA6B;aAC7BL,UAAL,GAAkB,QAAlB;OADK,MAEA;cACC,IAAIM,KAAJ,CAAU,wBAAV,CAAN;;;;WAGG,MAAM7Z,UAAN,CAAiBC,OAAjB,CAAP;;;EAGF6Z,wBAAwB,CAACC,GAAD,EAA8B;UAC9CC,SAAS,GAAG,KAAK5Z,KAAL,CAAW6Z,MAA7B;SACK7Z,KAAL,CAAW6Z,MAAX,GAAoB,IAApB;SACKC,MAAL,CAAYH,GAAG,IAAIzJ,KAAE,CAACxZ,KAAtB;UAEMuK,IAAI,GAAG,KAAK8Y,aAAL,EAAb;SACK/Z,KAAL,CAAW6Z,MAAX,GAAoBD,SAApB;WACO3Y,IAAP;;;EAGF+Y,kBAAkB,GAAe;UACzB3Z,IAAI,GAAG,KAAKqQ,SAAL,EAAb;UACMuJ,SAAS,GAAG,KAAKja,KAAL,CAAW8K,QAA7B;UACMoP,SAAS,GAAG,KAAKla,KAAL,CAAW3B,KAA7B;SACKyb,MAAL,CAAY5J,KAAE,CAAC3X,MAAf;UACM4hB,SAAS,GAAG,KAAKna,KAAL,CAAW8K,QAA7B;SACKsP,gBAAL,CAAsB,QAAtB;;QAGEH,SAAS,CAAChc,IAAV,KAAmBkc,SAAS,CAAClc,IAA7B,IACAgc,SAAS,CAAC9b,MAAV,KAAqBgc,SAAS,CAAChc,MAAV,GAAmB,CAF1C,EAGE;WACKiN,KAAL,CAAW8O,SAAX,EAAsBtE,UAAU,CAACiC,kCAAjC;;;QAEE,KAAKwC,GAAL,CAASnK,KAAE,CAAC5Z,MAAZ,CAAJ,EAAyB;MACvB+J,IAAI,CAACyM,KAAL,GAAa,KAAKwN,eAAL,EAAb;WACKR,MAAL,CAAY5J,KAAE,CAAC3Z,MAAf;aACO,KAAKoa,UAAL,CAAgBtQ,IAAhB,EAAsB,mBAAtB,CAAP;KAHF,MAIO;aACE,KAAKsQ,UAAL,CAAgBtQ,IAAhB,EAAsB,mBAAtB,CAAP;;;;EAIJka,oCAAoC,GAAoC;UAChEX,SAAS,GAAG,KAAK5Z,KAAL,CAAW6Z,MAA7B;SACK7Z,KAAL,CAAW6Z,MAAX,GAAoB,IAApB;SACKC,MAAL,CAAY5J,KAAE,CAACxZ,KAAf;QACIuK,IAAI,GAAG,IAAX;QACIuZ,SAAS,GAAG,IAAhB;;QACI,KAAK7b,KAAL,CAAWuR,KAAE,CAAC3X,MAAd,CAAJ,EAA2B;WACpByH,KAAL,CAAW6Z,MAAX,GAAoBD,SAApB;MACAY,SAAS,GAAG,KAAKR,kBAAL,EAAZ;KAFF,MAGO;MACL/Y,IAAI,GAAG,KAAK8Y,aAAL,EAAP;WACK/Z,KAAL,CAAW6Z,MAAX,GAAoBD,SAApB;;UACI,KAAKjb,KAAL,CAAWuR,KAAE,CAAC3X,MAAd,CAAJ,EAA2B;QACzBiiB,SAAS,GAAG,KAAKR,kBAAL,EAAZ;;;;WAGG,CAAC/Y,IAAD,EAAOuZ,SAAP,CAAP;;;EAGFC,qBAAqB,CAACpa,IAAD,EAA+C;SAC7DqV,IAAL;SACKgF,qBAAL,CAA2Bra,IAA3B,EAA6C,IAA7C;WACO,KAAKsQ,UAAL,CAAgBtQ,IAAhB,EAAsB,cAAtB,CAAP;;;EAGFsa,wBAAwB,CACtBta,IADsB,EAEC;SAClBqV,IAAL;UAEMkF,EAAE,GAAIva,IAAI,CAACua,EAAL,GAAU,KAAKC,eAAL,EAAtB;UAEMC,QAAQ,GAAG,KAAKpK,SAAL,EAAjB;UACMqK,aAAa,GAAG,KAAKrK,SAAL,EAAtB;;QAEI,KAAKsK,YAAL,CAAkB,GAAlB,CAAJ,EAA4B;MAC1BF,QAAQ,CAAC9K,cAAT,GAA0B,KAAKiL,iCAAL,EAA1B;KADF,MAEO;MACLH,QAAQ,CAAC9K,cAAT,GAA0B,IAA1B;;;SAGG8J,MAAL,CAAY5J,KAAE,CAAC5Z,MAAf;UACM4kB,GAAG,GAAG,KAAKC,2BAAL,EAAZ;IACAL,QAAQ,CAACxP,MAAT,GAAkB4P,GAAG,CAAC5P,MAAtB;IACAwP,QAAQ,CAACM,IAAT,GAAgBF,GAAG,CAACE,IAApB;SACKtB,MAAL,CAAY5J,KAAE,CAAC3Z,MAAf;KAIEukB,QAAQ,CAACO,UAFX,EAIEhb,IAAI,CAACma,SAJP,IAKI,KAAKD,oCAAL,EALJ;IAOAQ,aAAa,CAACO,cAAd,GAA+B,KAAK3K,UAAL,CAC7BmK,QAD6B,EAE7B,wBAF6B,CAA/B;IAKAF,EAAE,CAACU,cAAH,GAAoB,KAAK3K,UAAL,CAAgBoK,aAAhB,EAA+B,gBAA/B,CAApB;SAEKQ,gBAAL,CAAsBX,EAAtB;SACKY,SAAL;WAEO,KAAK7K,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB,CAAP;;;EAGFob,gBAAgB,CACdpb,IADc,EAEdqb,YAFc,EAGC;QACX,KAAK/c,KAAL,CAAWuR,KAAE,CAAChW,MAAd,CAAJ,EAA2B;aAClB,KAAKugB,qBAAL,CAA2Bpa,IAA3B,CAAP;KADF,MAEO,IAAI,KAAK1B,KAAL,CAAWuR,KAAE,CAAC7W,SAAd,CAAJ,EAA8B;aAC5B,KAAKshB,wBAAL,CAA8Bta,IAA9B,CAAP;KADK,MAEA,IAAI,KAAK1B,KAAL,CAAWuR,KAAE,CAACvW,IAAd,CAAJ,EAAyB;aACvB,KAAKgiB,wBAAL,CAA8Btb,IAA9B,CAAP;KADK,MAEA,IAAI,KAAKub,aAAL,CAAmB,QAAnB,CAAJ,EAAkC;UACnC,KAAKjd,KAAL,CAAWuR,KAAE,CAACtZ,GAAd,CAAJ,EAAwB;eACf,KAAKilB,6BAAL,CAAmCxb,IAAnC,CAAP;OADF,MAEO;YACDqb,YAAJ,EAAkB;eACXtQ,KAAL,CAAW,KAAKpL,KAAL,CAAW+K,YAAtB,EAAoC6K,UAAU,CAACwB,mBAA/C;;;eAEK,KAAK0E,sBAAL,CAA4Bzb,IAA5B,CAAP;;KAPG,MASA,IAAI,KAAK0b,YAAL,CAAkB,MAAlB,CAAJ,EAA+B;aAC7B,KAAKC,yBAAL,CAA+B3b,IAA/B,CAAP;KADK,MAEA,IAAI,KAAK0b,YAAL,CAAkB,QAAlB,CAAJ,EAAiC;aAC/B,KAAKE,0BAAL,CAAgC5b,IAAhC,CAAP;KADK,MAEA,IAAI,KAAK0b,YAAL,CAAkB,WAAlB,CAAJ,EAAoC;aAClC,KAAKG,yBAAL,CAA+B7b,IAA/B,CAAP;KADK,MAEA,IAAI,KAAK1B,KAAL,CAAWuR,KAAE,CAAC9V,OAAd,CAAJ,EAA4B;aAC1B,KAAK+hB,iCAAL,CAAuC9b,IAAvC,EAA6Cqb,YAA7C,CAAP;KADK,MAEA;YACC,KAAKU,UAAL,EAAN;;;;EAIJT,wBAAwB,CACtBtb,IADsB,EAEC;SAClBqV,IAAL;IACArV,IAAI,CAACua,EAAL,GAAU,KAAKyB,kCAAL,CACmB,IADnB,CAAV;SAGKC,KAAL,CAAWC,WAAX,CAAuBlc,IAAI,CAACua,EAAL,CAAQ5lB,IAA/B,EAAqCqH,QAArC,EAA+CgE,IAAI,CAACua,EAAL,CAAQvc,KAAvD;SACKmd,SAAL;WACO,KAAK7K,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB,CAAP;;;EAGFyb,sBAAsB,CAACzb,IAAD,EAAiD;SAChEic,KAAL,CAAWE,KAAX,CAAiB1hB,WAAjB;;QAEI,KAAK6D,KAAL,CAAWuR,KAAE,CAACxa,MAAd,CAAJ,EAA2B;MACzB2K,IAAI,CAACua,EAAL,GAAU,KAAK3K,aAAL,EAAV;KADF,MAEO;MACL5P,IAAI,CAACua,EAAL,GAAU,KAAKC,eAAL,EAAV;;;UAGI4B,QAAQ,GAAIpc,IAAI,CAACa,IAAL,GAAY,KAAKwP,SAAL,EAA9B;UACMxP,IAAI,GAAIub,QAAQ,CAACvb,IAAT,GAAgB,EAA9B;SACK4Y,MAAL,CAAY5J,KAAE,CAACja,MAAf;;WACO,CAAC,KAAK0I,KAAL,CAAWuR,KAAE,CAAC9Z,MAAd,CAAR,EAA+B;UACzBqmB,QAAQ,GAAG,KAAK/L,SAAL,EAAf;;UAEI,KAAK/R,KAAL,CAAWuR,KAAE,CAAC7V,OAAd,CAAJ,EAA4B;aACrBqb,IAAL;;YACI,CAAC,KAAKqG,YAAL,CAAkB,MAAlB,CAAD,IAA8B,CAAC,KAAKpd,KAAL,CAAWuR,KAAE,CAACvV,OAAd,CAAnC,EAA2D;eACpDyQ,KAAL,CACE,KAAKpL,KAAL,CAAW+K,YADb,EAEE6K,UAAU,CAACsB,mCAFb;;;aAKGwF,WAAL,CAAiBD,QAAjB;OARF,MASO;aACArC,gBAAL,CACE,SADF,EAEExE,UAAU,CAACsC,mCAFb;QAKAuE,QAAQ,GAAG,KAAKhB,gBAAL,CAAsBgB,QAAtB,EAAgC,IAAhC,CAAX;;;MAGFvb,IAAI,CAAChB,IAAL,CAAUuc,QAAV;;;SAGGH,KAAL,CAAWK,IAAX;SAEK7C,MAAL,CAAY5J,KAAE,CAAC9Z,MAAf;SAEKua,UAAL,CAAgB8L,QAAhB,EAA0B,gBAA1B;QAEIrQ,IAAI,GAAG,IAAX;QACIwQ,eAAe,GAAG,KAAtB;IACA1b,IAAI,CAACwN,OAAL,CAAa2J,WAAW,IAAI;UACtBD,cAAc,CAACC,WAAD,CAAlB,EAAiC;YAC3BjM,IAAI,KAAK,UAAb,EAAyB;eAClBhB,KAAL,CACEiN,WAAW,CAACha,KADd,EAEEuX,UAAU,CAACE,0BAFb;;;QAKF1J,IAAI,GAAG,IAAP;OAPF,MAQO,IAAIiM,WAAW,CAACpX,IAAZ,KAAqB,sBAAzB,EAAiD;YAClD2b,eAAJ,EAAqB;eACdxR,KAAL,CACEiN,WAAW,CAACha,KADd,EAEEuX,UAAU,CAACM,6BAFb;;;YAKE9J,IAAI,KAAK,IAAb,EAAmB;eACZhB,KAAL,CACEiN,WAAW,CAACha,KADd,EAEEuX,UAAU,CAACE,0BAFb;;;QAKF1J,IAAI,GAAG,UAAP;QACAwQ,eAAe,GAAG,IAAlB;;KAvBJ;IA2BAvc,IAAI,CAAC+L,IAAL,GAAYA,IAAI,IAAI,UAApB;WACO,KAAKuE,UAAL,CAAgBtQ,IAAhB,EAAsB,eAAtB,CAAP;;;EAGF8b,iCAAiC,CAC/B9b,IAD+B,EAE/Bqb,YAF+B,EAGC;SAC3B5B,MAAL,CAAY5J,KAAE,CAAC9V,OAAf;;QAEI,KAAKigB,GAAL,CAASnK,KAAE,CAAClX,QAAZ,CAAJ,EAA2B;UACrB,KAAK2F,KAAL,CAAWuR,KAAE,CAAC7W,SAAd,KAA4B,KAAKsF,KAAL,CAAWuR,KAAE,CAAChW,MAAd,CAAhC,EAAuD;QAGrDmG,IAAI,CAACiY,WAAL,GAAmB,KAAKmD,gBAAL,CAAsB,KAAK/K,SAAL,EAAtB,CAAnB;OAHF,MAIO;QAELrQ,IAAI,CAACiY,WAAL,GAAmB,KAAKyB,aAAL,EAAnB;aACKyB,SAAL;;;MAEFnb,IAAI,CAACwc,OAAL,GAAe,IAAf;aAEO,KAAKlM,UAAL,CAAgBtQ,IAAhB,EAAsB,0BAAtB,CAAP;KAZF,MAaO;UAEH,KAAK1B,KAAL,CAAWuR,KAAE,CAACtW,MAAd,KACA,KAAKkjB,KAAL,EADA,IAEC,CAAC,KAAKf,YAAL,CAAkB,MAAlB,KAA6B,KAAKA,YAAL,CAAkB,WAAlB,CAA9B,KACC,CAACL,YAJL,EAKE;cACMnnB,KAAK,GAAG,KAAKyL,KAAL,CAAW8M,KAAzB;cACMiQ,UAAU,GAAGrE,iBAAiB,CAACnkB,KAAD,CAApC;cAEM,KAAK6W,KAAL,CACJ,KAAKpL,KAAL,CAAW3B,KADP,EAEJuX,UAAU,CAACqC,4BAFP,EAGJ1jB,KAHI,EAIJwoB,UAJI,CAAN;;;UASA,KAAKpe,KAAL,CAAWuR,KAAE,CAACvW,IAAd,KACA,KAAKgF,KAAL,CAAWuR,KAAE,CAAC7W,SAAd,CADA,IAEA,KAAKsF,KAAL,CAAWuR,KAAE,CAAChW,MAAd,CAFA,IAGA,KAAK6hB,YAAL,CAAkB,QAAlB,CAJF,EAKE;UACA1b,IAAI,CAACiY,WAAL,GAAmB,KAAKmD,gBAAL,CAAsB,KAAK/K,SAAL,EAAtB,CAAnB;UACArQ,IAAI,CAACwc,OAAL,GAAe,KAAf;iBAEO,KAAKlM,UAAL,CAAgBtQ,IAAhB,EAAsB,0BAAtB,CAAP;SATF,MAUO,IACL,KAAK1B,KAAL,CAAWuR,KAAE,CAAC1X,IAAd,KACA,KAAKmG,KAAL,CAAWuR,KAAE,CAACja,MAAd,CADA,IAEA,KAAK8lB,YAAL,CAAkB,WAAlB,CAFA,IAGA,KAAKA,YAAL,CAAkB,MAAlB,CAHA,IAIA,KAAKA,YAAL,CAAkB,QAAlB,CALK,EAML;UACA1b,IAAI,GAAG,KAAKsR,WAAL,CAAiBtR,IAAjB,CAAP;;cACIA,IAAI,CAACY,IAAL,KAAc,wBAAlB,EAA4C;YAG1CZ,IAAI,CAACY,IAAL,GAAY,mBAAZ;YAEAZ,IAAI,CAACwc,OAAL,GAAe,KAAf;mBACOxc,IAAI,CAAC2c,UAAZ;;;UAIF3c,IAAI,CAACY,IAAL,GAAY,YAAYZ,IAAI,CAACY,IAA7B;iBAEOZ,IAAP;;;;UAIE,KAAK+b,UAAL,EAAN;;;EAGFP,6BAA6B,CAC3Bxb,IAD2B,EAEC;SACvBqV,IAAL;SACK0E,gBAAL,CAAsB,SAAtB;IACA/Z,IAAI,CAACib,cAAL,GAAsB,KAAK2B,uBAAL,EAAtB;SACKzB,SAAL;WAEO,KAAK7K,UAAL,CAAgBtQ,IAAhB,EAAsB,sBAAtB,CAAP;;;EAGF2b,yBAAyB,CACvB3b,IADuB,EAEC;SACnBqV,IAAL;SACKwH,kBAAL,CAAwB7c,IAAxB;IAEAA,IAAI,CAACY,IAAL,GAAY,kBAAZ;WACOZ,IAAP;;;EAGF4b,0BAA0B,CACxB5b,IADwB,EAEC;SACpBqV,IAAL;SACKyH,mBAAL,CAAyB9c,IAAzB,EAA+B,IAA/B;IAEAA,IAAI,CAACY,IAAL,GAAY,mBAAZ;WACOZ,IAAP;;;EAGF6b,yBAAyB,CACvB7b,IADuB,EAEC;SACnBqV,IAAL;SACKgF,qBAAL,CAA2Bra,IAA3B;WACO,KAAKsQ,UAAL,CAAgBtQ,IAAhB,EAAsB,kBAAtB,CAAP;;;EAKFqa,qBAAqB,CACnBra,IADmB,EAEnB+c,OAAiB,GAAG,KAFD,EAGb;IACN/c,IAAI,CAACua,EAAL,GAAU,KAAKyC,6BAAL,CACM,CAACD,OADP,EAEU,IAFV,CAAV;SAKKd,KAAL,CAAWC,WAAX,CACElc,IAAI,CAACua,EAAL,CAAQ5lB,IADV,EAEEooB,OAAO,GAAG9gB,aAAH,GAAmBF,YAF5B,EAGEiE,IAAI,CAACua,EAAL,CAAQvc,KAHV;;QAMI,KAAK2c,YAAL,CAAkB,GAAlB,CAAJ,EAA4B;MAC1B3a,IAAI,CAAC2P,cAAL,GAAsB,KAAKiL,iCAAL,EAAtB;KADF,MAEO;MACL5a,IAAI,CAAC2P,cAAL,GAAsB,IAAtB;;;IAGF3P,IAAI,CAACid,OAAL,GAAe,EAAf;IACAjd,IAAI,CAACkd,UAAL,GAAkB,EAAlB;IACAld,IAAI,CAACmd,MAAL,GAAc,EAAd;;QAEI,KAAKnD,GAAL,CAASnK,KAAE,CAAC/V,QAAZ,CAAJ,EAA2B;SACtB;QACDkG,IAAI,CAACid,OAAL,CAAapd,IAAb,CAAkB,KAAKud,yBAAL,EAAlB;OADF,QAES,CAACL,OAAD,IAAY,KAAK/C,GAAL,CAASnK,KAAE,CAAC1Z,KAAZ,CAFrB;;;QAKE,KAAKulB,YAAL,CAAkB,QAAlB,CAAJ,EAAiC;WAC1BrG,IAAL;;SACG;QACDrV,IAAI,CAACmd,MAAL,CAAYtd,IAAZ,CAAiB,KAAKud,yBAAL,EAAjB;OADF,QAES,KAAKpD,GAAL,CAASnK,KAAE,CAAC1Z,KAAZ,CAFT;;;QAKE,KAAKulB,YAAL,CAAkB,YAAlB,CAAJ,EAAqC;WAC9BrG,IAAL;;SACG;QACDrV,IAAI,CAACkd,UAAL,CAAgBrd,IAAhB,CAAqB,KAAKud,yBAAL,EAArB;OADF,QAES,KAAKpD,GAAL,CAASnK,KAAE,CAAC1Z,KAAZ,CAFT;;;IAKF6J,IAAI,CAACa,IAAL,GAAY,KAAKwc,mBAAL,CAAyB;MACnCC,WAAW,EAAEP,OADsB;MAEnCQ,UAAU,EAAE,KAFuB;MAGnCC,WAAW,EAAE,KAHsB;MAInCC,UAAU,EAAEV,OAJuB;MAKnCW,YAAY,EAAE;KALJ,CAAZ;;;EASFN,yBAAyB,GAA2B;UAC5Cpd,IAAI,GAAG,KAAKqQ,SAAL,EAAb;IAEArQ,IAAI,CAACua,EAAL,GAAU,KAAKoD,gCAAL,EAAV;;QACI,KAAKhD,YAAL,CAAkB,GAAlB,CAAJ,EAA4B;MAC1B3a,IAAI,CAAC2P,cAAL,GAAsB,KAAKiO,mCAAL,EAAtB;KADF,MAEO;MACL5d,IAAI,CAAC2P,cAAL,GAAsB,IAAtB;;;WAGK,KAAKW,UAAL,CAAgBtQ,IAAhB,EAAsB,kBAAtB,CAAP;;;EAGF6d,kBAAkB,CAAC7d,IAAD,EAAyC;SACpDqa,qBAAL,CAA2Bra,IAA3B;WACO,KAAKsQ,UAAL,CAAgBtQ,IAAhB,EAAsB,sBAAtB,CAAP;;;EAGF8d,kBAAkB,CAAClJ,IAAD,EAAe;QAC3BA,IAAI,KAAK,GAAb,EAAkB;WACX7J,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6BuX,UAAU,CAACgC,4BAAxC;;;;EAIJwG,iBAAiB,CAACnJ,IAAD,EAAenK,QAAf,EAAiCwN,WAAjC,EAAwD;QACnE,CAAC3C,aAAa,CAACvW,GAAd,CAAkB6V,IAAlB,CAAL,EAA8B;SAEzB7J,KAAL,CACEN,QADF,EAEEwN,WAAW,GACP1C,UAAU,CAACG,kBADJ,GAEPH,UAAU,CAAC+B,sBAJjB,EAKE1C,IALF;;;EASFoI,6BAA6B,CAC3BgB,OAD2B,EAE3B/F,WAF2B,EAGb;SACT8F,iBAAL,CAAuB,KAAKpe,KAAL,CAAW8M,KAAlC,EAAyC,KAAK9M,KAAL,CAAW3B,KAApD,EAA2Dia,WAA3D;WACO,KAAKuC,eAAL,CAAqBwD,OAArB,CAAP;;;EAKFnB,kBAAkB,CAAC7c,IAAD,EAAyC;IACzDA,IAAI,CAACua,EAAL,GAAU,KAAKyC,6BAAL,CACM,KADN,EAEU,IAFV,CAAV;SAIKf,KAAL,CAAWC,WAAX,CAAuBlc,IAAI,CAACua,EAAL,CAAQ5lB,IAA/B,EAAqCoH,YAArC,EAAmDiE,IAAI,CAACua,EAAL,CAAQvc,KAA3D;;QAEI,KAAK2c,YAAL,CAAkB,GAAlB,CAAJ,EAA4B;MAC1B3a,IAAI,CAAC2P,cAAL,GAAsB,KAAKiL,iCAAL,EAAtB;KADF,MAEO;MACL5a,IAAI,CAAC2P,cAAL,GAAsB,IAAtB;;;IAGF3P,IAAI,CAACie,KAAL,GAAa,KAAK5E,wBAAL,CAA8BxJ,KAAE,CAAC3Y,EAAjC,CAAb;SACKikB,SAAL;WAEO,KAAK7K,UAAL,CAAgBtQ,IAAhB,EAAsB,WAAtB,CAAP;;;EAGF8c,mBAAmB,CACjB9c,IADiB,EAEjBke,OAFiB,EAGC;SACbnE,gBAAL,CAAsB,MAAtB;IACA/Z,IAAI,CAACua,EAAL,GAAU,KAAKyC,6BAAL,CACM,IADN,EAEU,IAFV,CAAV;SAIKf,KAAL,CAAWC,WAAX,CAAuBlc,IAAI,CAACua,EAAL,CAAQ5lB,IAA/B,EAAqCoH,YAArC,EAAmDiE,IAAI,CAACua,EAAL,CAAQvc,KAA3D;;QAEI,KAAK2c,YAAL,CAAkB,GAAlB,CAAJ,EAA4B;MAC1B3a,IAAI,CAAC2P,cAAL,GAAsB,KAAKiL,iCAAL,EAAtB;KADF,MAEO;MACL5a,IAAI,CAAC2P,cAAL,GAAsB,IAAtB;;;IAIF3P,IAAI,CAACme,SAAL,GAAiB,IAAjB;;QACI,KAAK7f,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,CAAJ,EAA0B;MACxB2J,IAAI,CAACme,SAAL,GAAiB,KAAK9E,wBAAL,CAA8BxJ,KAAE,CAACxZ,KAAjC,CAAjB;;;IAGF2J,IAAI,CAACoe,QAAL,GAAgB,IAAhB;;QACI,CAACF,OAAL,EAAc;MACZle,IAAI,CAACoe,QAAL,GAAgB,KAAK/E,wBAAL,CAA8BxJ,KAAE,CAAC3Y,EAAjC,CAAhB;;;SAEGikB,SAAL;WAEO,KAAK7K,UAAL,CAAgBtQ,IAAhB,EAAsB,YAAtB,CAAP;;;EAKFqe,sBAAsB,CAACC,cAAwB,GAAG,KAA5B,EAAoD;UAClEC,SAAS,GAAG,KAAK5e,KAAL,CAAW3B,KAA7B;UAEMgC,IAAI,GAAG,KAAKqQ,SAAL,EAAb;UAEMmO,QAAQ,GAAG,KAAKC,iBAAL,EAAjB;UAEMC,KAAK,GAAG,KAAK1C,kCAAL,EAAd;IACAhc,IAAI,CAACrL,IAAL,GAAY+pB,KAAK,CAAC/pB,IAAlB;IACAqL,IAAI,CAACwe,QAAL,GAAgBA,QAAhB;IACAxe,IAAI,CAAC2e,KAAL,GAAaD,KAAK,CAACzD,cAAnB;;QAEI,KAAK3c,KAAL,CAAWuR,KAAE,CAAC3Y,EAAd,CAAJ,EAAuB;WAChB8iB,GAAL,CAASnK,KAAE,CAAC3Y,EAAZ;MACA8I,IAAI,CAACwc,OAAL,GAAe,KAAK9C,aAAL,EAAf;KAFF,MAGO;UACD4E,cAAJ,EAAoB;aACbvT,KAAL,CAAWwT,SAAX,EAAsBhJ,UAAU,CAACuB,uBAAjC;;;;WAIG,KAAKxG,UAAL,CAAgBtQ,IAAhB,EAAsB,eAAtB,CAAP;;;EAGF4a,iCAAiC,GAA+B;UACxDrB,SAAS,GAAG,KAAK5Z,KAAL,CAAW6Z,MAA7B;UACMxZ,IAAI,GAAG,KAAKqQ,SAAL,EAAb;IACArQ,IAAI,CAACiL,MAAL,GAAc,EAAd;SAEKtL,KAAL,CAAW6Z,MAAX,GAAoB,IAApB;;QAGI,KAAKmB,YAAL,CAAkB,GAAlB,KAA0B,KAAKrc,KAAL,CAAWuR,KAAE,CAAC+O,WAAd,CAA9B,EAA0D;WACnDvJ,IAAL;KADF,MAEO;WACA0G,UAAL;;;QAGE8C,eAAe,GAAG,KAAtB;;OAEG;YACKC,aAAa,GAAG,KAAKT,sBAAL,CAA4BQ,eAA5B,CAAtB;MAEA7e,IAAI,CAACiL,MAAL,CAAYpL,IAAZ,CAAiBif,aAAjB;;UAEIA,aAAa,CAACtC,OAAlB,EAA2B;QACzBqC,eAAe,GAAG,IAAlB;;;UAGE,CAAC,KAAKlE,YAAL,CAAkB,GAAlB,CAAL,EAA6B;aACtBlB,MAAL,CAAY5J,KAAE,CAAC1Z,KAAf;;KAVJ,QAYS,CAAC,KAAKwkB,YAAL,CAAkB,GAAlB,CAZV;;SAaKoE,gBAAL,CAAsB,GAAtB;SAEKpf,KAAL,CAAW6Z,MAAX,GAAoBD,SAApB;WAEO,KAAKjJ,UAAL,CAAgBtQ,IAAhB,EAAsB,0BAAtB,CAAP;;;EAGF4d,mCAAmC,GAAiC;UAC5D5d,IAAI,GAAG,KAAKqQ,SAAL,EAAb;UACMkJ,SAAS,GAAG,KAAK5Z,KAAL,CAAW6Z,MAA7B;IACAxZ,IAAI,CAACiL,MAAL,GAAc,EAAd;SAEKtL,KAAL,CAAW6Z,MAAX,GAAoB,IAApB;SAEKuF,gBAAL,CAAsB,GAAtB;UACMC,qBAAqB,GAAG,KAAKrf,KAAL,CAAWsf,kBAAzC;SACKtf,KAAL,CAAWsf,kBAAX,GAAgC,KAAhC;;WACO,CAAC,KAAKtE,YAAL,CAAkB,GAAlB,CAAR,EAAgC;MAC9B3a,IAAI,CAACiL,MAAL,CAAYpL,IAAZ,CAAiB,KAAK6Z,aAAL,EAAjB;;UACI,CAAC,KAAKiB,YAAL,CAAkB,GAAlB,CAAL,EAA6B;aACtBlB,MAAL,CAAY5J,KAAE,CAAC1Z,KAAf;;;;SAGCwJ,KAAL,CAAWsf,kBAAX,GAAgCD,qBAAhC;SACKD,gBAAL,CAAsB,GAAtB;SAEKpf,KAAL,CAAW6Z,MAAX,GAAoBD,SAApB;WAEO,KAAKjJ,UAAL,CAAgBtQ,IAAhB,EAAsB,4BAAtB,CAAP;;;EAGFkf,4CAA4C,GAAiC;UACrElf,IAAI,GAAG,KAAKqQ,SAAL,EAAb;UACMkJ,SAAS,GAAG,KAAK5Z,KAAL,CAAW6Z,MAA7B;IACAxZ,IAAI,CAACiL,MAAL,GAAc,EAAd;SAEKtL,KAAL,CAAW6Z,MAAX,GAAoB,IAApB;SAEKuF,gBAAL,CAAsB,GAAtB;;WACO,CAAC,KAAKpE,YAAL,CAAkB,GAAlB,CAAR,EAAgC;MAC9B3a,IAAI,CAACiL,MAAL,CAAYpL,IAAZ,CAAiB,KAAKsf,oCAAL,EAAjB;;UACI,CAAC,KAAKxE,YAAL,CAAkB,GAAlB,CAAL,EAA6B;aACtBlB,MAAL,CAAY5J,KAAE,CAAC1Z,KAAf;;;;SAGC4oB,gBAAL,CAAsB,GAAtB;SAEKpf,KAAL,CAAW6Z,MAAX,GAAoBD,SAApB;WAEO,KAAKjJ,UAAL,CAAgBtQ,IAAhB,EAAsB,4BAAtB,CAAP;;;EAGFof,sBAAsB,GAAwB;UACtCpf,IAAI,GAAG,KAAKqQ,SAAL,EAAb;SACK0J,gBAAL,CAAsB,WAAtB;IAEA/Z,IAAI,CAACid,OAAL,GAAe,EAAf;;QACI,KAAKjD,GAAL,CAASnK,KAAE,CAAC/V,QAAZ,CAAJ,EAA2B;SACtB;QACDkG,IAAI,CAACid,OAAL,CAAapd,IAAb,CAAkB,KAAKud,yBAAL,EAAlB;OADF,QAES,KAAKpD,GAAL,CAASnK,KAAE,CAAC1Z,KAAZ,CAFT;;;IAKF6J,IAAI,CAACa,IAAL,GAAY,KAAKwc,mBAAL,CAAyB;MACnCC,WAAW,EAAE,KADsB;MAEnCC,UAAU,EAAE,KAFuB;MAGnCC,WAAW,EAAE,KAHsB;MAInCC,UAAU,EAAE,KAJuB;MAKnCC,YAAY,EAAE;KALJ,CAAZ;WAQO,KAAKpN,UAAL,CAAgBtQ,IAAhB,EAAsB,yBAAtB,CAAP;;;EAGFqf,0BAA0B,GAAiB;WAClC,KAAK/gB,KAAL,CAAWuR,KAAE,CAAC5a,GAAd,KAAsB,KAAKqJ,KAAL,CAAWuR,KAAE,CAACxa,MAAd,CAAtB,GACH,KAAKua,aAAL,EADG,GAEH,KAAK4K,eAAL,CAAqB,IAArB,CAFJ;;;EAKF8E,0BAA0B,CACxBtf,IADwB,EAExBuf,QAFwB,EAGxBf,QAHwB,EAIC;IACzBxe,IAAI,CAACwf,MAAL,GAAcD,QAAd;;QAGI,KAAKE,SAAL,GAAiB7e,IAAjB,KAA0BiP,KAAE,CAACxZ,KAAjC,EAAwC;MACtC2J,IAAI,CAACua,EAAL,GAAU,KAAK8E,0BAAL,EAAV;MACArf,IAAI,CAAC+Q,GAAL,GAAW,KAAKsI,wBAAL,EAAX;KAFF,MAGO;MACLrZ,IAAI,CAACua,EAAL,GAAU,IAAV;MACAva,IAAI,CAAC+Q,GAAL,GAAW,KAAK2I,aAAL,EAAX;;;SAEGD,MAAL,CAAY5J,KAAE,CAACna,QAAf;IACAsK,IAAI,CAACyM,KAAL,GAAa,KAAK4M,wBAAL,EAAb;IACArZ,IAAI,CAACwe,QAAL,GAAgBA,QAAhB;WAEO,KAAKlO,UAAL,CAAgBtQ,IAAhB,EAAsB,mBAAtB,CAAP;;;EAGF0f,+BAA+B,CAC7B1f,IAD6B,EAE7Buf,QAF6B,EAGC;IAC9Bvf,IAAI,CAACwf,MAAL,GAAcD,QAAd;IAEAvf,IAAI,CAACua,EAAL,GAAU,KAAK8E,0BAAL,EAAV;SACK5F,MAAL,CAAY5J,KAAE,CAACna,QAAf;SACK+jB,MAAL,CAAY5J,KAAE,CAACna,QAAf;;QACI,KAAKilB,YAAL,CAAkB,GAAlB,KAA0B,KAAKrc,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,CAA9B,EAAqD;MACnD+J,IAAI,CAACgM,MAAL,GAAc,IAAd;MACAhM,IAAI,CAACiR,QAAL,GAAgB,KAAhB;MACAjR,IAAI,CAACyM,KAAL,GAAa,KAAKkT,4BAAL,CACX,KAAKxS,WAAL,CAAiBnN,IAAI,CAAChC,KAAtB,EAA6BgC,IAAI,CAACN,GAAL,CAAS1B,KAAtC,CADW,CAAb;KAHF,MAMO;MACLgC,IAAI,CAACgM,MAAL,GAAc,KAAd;;UACI,KAAKgO,GAAL,CAASnK,KAAE,CAACrZ,QAAZ,CAAJ,EAA2B;QACzBwJ,IAAI,CAACiR,QAAL,GAAgB,IAAhB;;;MAEFjR,IAAI,CAACyM,KAAL,GAAa,KAAK4M,wBAAL,EAAb;;;WAEK,KAAK/I,UAAL,CAAgBtQ,IAAhB,EAAsB,wBAAtB,CAAP;;;EAGF2f,4BAA4B,CAC1B3f,IAD0B,EAEI;IAC9BA,IAAI,CAACiL,MAAL,GAAc,EAAd;IACAjL,IAAI,CAAC+a,IAAL,GAAY,IAAZ;IACA/a,IAAI,CAAC2P,cAAL,GAAsB,IAAtB;;QAEI,KAAKgL,YAAL,CAAkB,GAAlB,CAAJ,EAA4B;MAC1B3a,IAAI,CAAC2P,cAAL,GAAsB,KAAKiL,iCAAL,EAAtB;;;SAGGnB,MAAL,CAAY5J,KAAE,CAAC5Z,MAAf;;WACO,CAAC,KAAKqI,KAAL,CAAWuR,KAAE,CAAC3Z,MAAd,CAAD,IAA0B,CAAC,KAAKoI,KAAL,CAAWuR,KAAE,CAACjZ,QAAd,CAAlC,EAA2D;MACzDoJ,IAAI,CAACiL,MAAL,CAAYpL,IAAZ,CAAiB,KAAK+f,0BAAL,EAAjB;;UACI,CAAC,KAAKthB,KAAL,CAAWuR,KAAE,CAAC3Z,MAAd,CAAL,EAA4B;aACrBujB,MAAL,CAAY5J,KAAE,CAAC1Z,KAAf;;;;QAIA,KAAK6jB,GAAL,CAASnK,KAAE,CAACjZ,QAAZ,CAAJ,EAA2B;MACzBoJ,IAAI,CAAC+a,IAAL,GAAY,KAAK6E,0BAAL,EAAZ;;;SAEGnG,MAAL,CAAY5J,KAAE,CAAC3Z,MAAf;IACA8J,IAAI,CAACgb,UAAL,GAAkB,KAAK3B,wBAAL,EAAlB;WAEO,KAAK/I,UAAL,CAAgBtQ,IAAhB,EAAsB,wBAAtB,CAAP;;;EAGF6f,+BAA+B,CAC7B7f,IAD6B,EAE7Buf,QAF6B,EAGC;UACxBO,SAAS,GAAG,KAAKzP,SAAL,EAAlB;IACArQ,IAAI,CAACwf,MAAL,GAAcD,QAAd;IACAvf,IAAI,CAACyM,KAAL,GAAa,KAAKkT,4BAAL,CAAkCG,SAAlC,CAAb;WACO,KAAKxP,UAAL,CAAgBtQ,IAAhB,EAAsB,wBAAtB,CAAP;;;EAGFqd,mBAAmB,CAAC;IAClBC,WADkB;IAElBC,UAFkB;IAGlBC,WAHkB;IAIlBC,UAJkB;IAKlBC;GALiB,EAYY;UACvBnE,SAAS,GAAG,KAAK5Z,KAAL,CAAW6Z,MAA7B;SACK7Z,KAAL,CAAW6Z,MAAX,GAAoB,IAApB;UAEM+E,SAAS,GAAG,KAAKlO,SAAL,EAAlB;IAEAkO,SAAS,CAACwB,cAAV,GAA2B,EAA3B;IACAxB,SAAS,CAACpd,UAAV,GAAuB,EAAvB;IACAod,SAAS,CAACyB,QAAV,GAAqB,EAArB;IACAzB,SAAS,CAAC0B,aAAV,GAA0B,EAA1B;QAEIC,QAAJ;QACIC,KAAJ;QACIC,OAAO,GAAG,KAAd;;QACI7C,UAAU,IAAI,KAAKjf,KAAL,CAAWuR,KAAE,CAACha,SAAd,CAAlB,EAA4C;WACrC4jB,MAAL,CAAY5J,KAAE,CAACha,SAAf;MACAqqB,QAAQ,GAAGrQ,KAAE,CAAC7Z,SAAd;MACAmqB,KAAK,GAAG,IAAR;KAHF,MAIO;WACA1G,MAAL,CAAY5J,KAAE,CAACja,MAAf;MACAsqB,QAAQ,GAAGrQ,KAAE,CAAC9Z,MAAd;MACAoqB,KAAK,GAAG,KAAR;;;IAGF5B,SAAS,CAAC4B,KAAV,GAAkBA,KAAlB;;WAEO,CAAC,KAAK7hB,KAAL,CAAW4hB,QAAX,CAAR,EAA8B;UACxBX,QAAQ,GAAG,KAAf;UACIc,UAAmB,GAAG,IAA1B;UACIC,YAAqB,GAAG,IAA5B;YACMtgB,IAAI,GAAG,KAAKqQ,SAAL,EAAb;;UAEIoN,UAAU,IAAI,KAAK/B,YAAL,CAAkB,OAAlB,CAAlB,EAA8C;cACtC+D,SAAS,GAAG,KAAKA,SAAL,EAAlB;;YAEIA,SAAS,CAAC7e,IAAV,KAAmBiP,KAAE,CAACxZ,KAAtB,IAA+BopB,SAAS,CAAC7e,IAAV,KAAmBiP,KAAE,CAACrZ,QAAzD,EAAmE;eAC5D6e,IAAL;UACAgL,UAAU,GAAG,KAAK1gB,KAAL,CAAW3B,KAAxB;UACAsf,WAAW,GAAG,KAAd;;;;UAIAA,WAAW,IAAI,KAAK5B,YAAL,CAAkB,QAAlB,CAAnB,EAAgD;cACxC+D,SAAS,GAAG,KAAKA,SAAL,EAAlB;;YAGIA,SAAS,CAAC7e,IAAV,KAAmBiP,KAAE,CAACxZ,KAAtB,IAA+BopB,SAAS,CAAC7e,IAAV,KAAmBiP,KAAE,CAACrZ,QAAzD,EAAmE;eAC5D6e,IAAL;UACAkK,QAAQ,GAAG,IAAX;;;;YAIEf,QAAQ,GAAG,KAAKC,iBAAL,EAAjB;;UAEI,KAAKzE,GAAL,CAASnK,KAAE,CAACta,QAAZ,CAAJ,EAA2B;YACrB8qB,UAAU,IAAI,IAAlB,EAAwB;eACjBtE,UAAL,CAAgBsE,UAAhB;;;YAEE,KAAKrG,GAAL,CAASnK,KAAE,CAACta,QAAZ,CAAJ,EAA2B;cACrBipB,QAAJ,EAAc;iBACPzC,UAAL,CAAgByC,QAAQ,CAACxgB,KAAzB;;;UAEFugB,SAAS,CAAC0B,aAAV,CAAwBpgB,IAAxB,CACE,KAAK6f,+BAAL,CAAqC1f,IAArC,EAA2Cuf,QAA3C,CADF;SAJF,MAOO;UACLhB,SAAS,CAACyB,QAAV,CAAmBngB,IAAnB,CACE,KAAKyf,0BAAL,CAAgCtf,IAAhC,EAAsCuf,QAAtC,EAAgDf,QAAhD,CADF;;OAZJ,MAgBO,IAAI,KAAKlgB,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,KAAyB,KAAK0kB,YAAL,CAAkB,GAAlB,CAA7B,EAAqD;YACtD0F,UAAU,IAAI,IAAlB,EAAwB;eACjBtE,UAAL,CAAgBsE,UAAhB;;;YAEE7B,QAAJ,EAAc;eACPzC,UAAL,CAAgByC,QAAQ,CAACxgB,KAAzB;;;QAEFugB,SAAS,CAACwB,cAAV,CAAyBlgB,IAAzB,CACE,KAAKggB,+BAAL,CAAqC7f,IAArC,EAA2Cuf,QAA3C,CADF;OAPK,MAUA;YACDxT,IAAI,GAAG,MAAX;;YAEI,KAAK2P,YAAL,CAAkB,KAAlB,KAA4B,KAAKA,YAAL,CAAkB,KAAlB,CAAhC,EAA0D;gBAClD+D,SAAS,GAAG,KAAKA,SAAL,EAAlB;;cAEEA,SAAS,CAAC7e,IAAV,KAAmBiP,KAAE,CAAClb,IAAtB,IACA8qB,SAAS,CAAC7e,IAAV,KAAmBiP,KAAE,CAACxa,MADtB,IAEAoqB,SAAS,CAAC7e,IAAV,KAAmBiP,KAAE,CAAC5a,GAHxB,EAIE;YACA8W,IAAI,GAAG,KAAKpM,KAAL,CAAW8M,KAAlB;iBACK4I,IAAL;;;;cAIEkL,aAAa,GAAG,KAAKC,2BAAL,CACpBxgB,IADoB,EAEpBuf,QAFoB,EAGpBc,UAHoB,EAIpB7B,QAJoB,EAKpBzS,IALoB,EAMpByR,WANoB,EAOpBE,YAPoB,WAOpBA,YAPoB,GAOJ,CAACyC,KAPG,CAAtB;;YAUII,aAAa,KAAK,IAAtB,EAA4B;UAC1BH,OAAO,GAAG,IAAV;UACAE,YAAY,GAAG,KAAK3gB,KAAL,CAAW+K,YAA1B;SAFF,MAGO;UACL6T,SAAS,CAACpd,UAAV,CAAqBtB,IAArB,CAA0B0gB,aAA1B;;;;WAICE,uBAAL;;UAGEH,YAAY,IACZ,CAAC,KAAKhiB,KAAL,CAAWuR,KAAE,CAAC9Z,MAAd,CADD,IAEA,CAAC,KAAKuI,KAAL,CAAWuR,KAAE,CAAC7Z,SAAd,CAHH,EAIE;aACK+U,KAAL,CACEuV,YADF,EAEE/K,UAAU,CAAC8B,iCAFb;;;;SAOCoC,MAAL,CAAYyG,QAAZ;;QAOI1C,WAAJ,EAAiB;MACfe,SAAS,CAAC6B,OAAV,GAAoBA,OAApB;;;UAGIpN,GAAG,GAAG,KAAK1C,UAAL,CAAgBiO,SAAhB,EAA2B,sBAA3B,CAAZ;SAEK5e,KAAL,CAAW6Z,MAAX,GAAoBD,SAApB;WAEOvG,GAAP;;;EAGFwN,2BAA2B,CACzBxgB,IADyB,EAEzBuf,QAFyB,EAGzBc,UAHyB,EAIzB7B,QAJyB,EAKzBzS,IALyB,EAMzByR,WANyB,EAOzBE,YAPyB,EAQ2C;QAChE,KAAK1D,GAAL,CAASnK,KAAE,CAACjZ,QAAZ,CAAJ,EAA2B;YACnB8pB,cAAc,GAClB,KAAKpiB,KAAL,CAAWuR,KAAE,CAAC1Z,KAAd,KACA,KAAKmI,KAAL,CAAWuR,KAAE,CAACzZ,IAAd,CADA,IAEA,KAAKkI,KAAL,CAAWuR,KAAE,CAAC9Z,MAAd,CAFA,IAGA,KAAKuI,KAAL,CAAWuR,KAAE,CAAC7Z,SAAd,CAJF;;UAMI0qB,cAAJ,EAAoB;YACd,CAAClD,WAAL,EAAkB;eACXzS,KAAL,CACE,KAAKpL,KAAL,CAAW+K,YADb,EAEE6K,UAAU,CAACoB,sBAFb;SADF,MAKO,IAAI,CAAC+G,YAAL,EAAmB;eACnB3S,KAAL,CAAW,KAAKpL,KAAL,CAAW+K,YAAtB,EAAoC6K,UAAU,CAACmB,kBAA/C;;;YAEE8H,QAAJ,EAAc;eACPzT,KAAL,CAAWyT,QAAQ,CAACxgB,KAApB,EAA2BuX,UAAU,CAACqB,eAAtC;;;eAGK,IAAP;;;UAGE,CAAC4G,WAAL,EAAkB;aACXzS,KAAL,CAAW,KAAKpL,KAAL,CAAW+K,YAAtB,EAAoC6K,UAAU,CAACkC,oBAA/C;;;UAEE4I,UAAU,IAAI,IAAlB,EAAwB;aACjBtE,UAAL,CAAgBsE,UAAhB;;;UAEE7B,QAAJ,EAAc;aACPzT,KAAL,CAAWyT,QAAQ,CAACxgB,KAApB,EAA2BuX,UAAU,CAAC2B,cAAtC;;;MAGFlX,IAAI,CAAC2gB,QAAL,GAAgB,KAAKjH,aAAL,EAAhB;aACO,KAAKpJ,UAAL,CAAgBtQ,IAAhB,EAAsB,0BAAtB,CAAP;KAlCF,MAmCO;MACLA,IAAI,CAAC+Q,GAAL,GAAW,KAAKsO,0BAAL,EAAX;MACArf,IAAI,CAACwf,MAAL,GAAcD,QAAd;MACAvf,IAAI,CAAC4gB,KAAL,GAAaP,UAAU,IAAI,IAA3B;MACArgB,IAAI,CAAC+L,IAAL,GAAYA,IAAZ;UAEIkF,QAAQ,GAAG,KAAf;;UACI,KAAK0J,YAAL,CAAkB,GAAlB,KAA0B,KAAKrc,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,CAA9B,EAAqD;QAEnD+J,IAAI,CAACgM,MAAL,GAAc,IAAd;;YAEIqU,UAAU,IAAI,IAAlB,EAAwB;eACjBtE,UAAL,CAAgBsE,UAAhB;;;YAEE7B,QAAJ,EAAc;eACPzC,UAAL,CAAgByC,QAAQ,CAACxgB,KAAzB;;;QAGFgC,IAAI,CAACyM,KAAL,GAAa,KAAKkT,4BAAL,CACX,KAAKxS,WAAL,CAAiBnN,IAAI,CAAChC,KAAtB,EAA6BgC,IAAI,CAACN,GAAL,CAAS1B,KAAtC,CADW,CAAb;;YAGI+N,IAAI,KAAK,KAAT,IAAkBA,IAAI,KAAK,KAA/B,EAAsC;eAC/B8U,2BAAL,CAAiC7gB,IAAjC;;OAfJ,MAiBO;YACD+L,IAAI,KAAK,MAAb,EAAqB,KAAKgQ,UAAL;QAErB/b,IAAI,CAACgM,MAAL,GAAc,KAAd;;YAEI,KAAKgO,GAAL,CAASnK,KAAE,CAACrZ,QAAZ,CAAJ,EAA2B;UACzBya,QAAQ,GAAG,IAAX;;;QAEFjR,IAAI,CAACyM,KAAL,GAAa,KAAK4M,wBAAL,EAAb;QACArZ,IAAI,CAACwe,QAAL,GAAgBA,QAAhB;;;MAGFxe,IAAI,CAACiR,QAAL,GAAgBA,QAAhB;aAEO,KAAKX,UAAL,CAAgBtQ,IAAhB,EAAsB,oBAAtB,CAAP;;;;EAMJ6gB,2BAA2B,CACzBC,QADyB,EAEnB;UACAjT,UAAU,GAAGiT,QAAQ,CAAC/U,IAAT,KAAkB,KAAlB,GAA0B,CAA1B,GAA8B,CAAjD;UACM/N,KAAK,GAAG8iB,QAAQ,CAAC9iB,KAAvB;UACMqB,MAAM,GACVyhB,QAAQ,CAACrU,KAAT,CAAexB,MAAf,CAAsB5L,MAAtB,IAAgCyhB,QAAQ,CAACrU,KAAT,CAAesO,IAAf,GAAsB,CAAtB,GAA0B,CAA1D,CADF;;QAEI1b,MAAM,KAAKwO,UAAf,EAA2B;UACrBiT,QAAQ,CAAC/U,IAAT,KAAkB,KAAtB,EAA6B;aACtBhB,KAAL,CAAW/M,KAAX,EAAkB8P,aAAM,CAAC5L,cAAzB;OADF,MAEO;aACA6I,KAAL,CAAW/M,KAAX,EAAkB8P,aAAM,CAAC3L,cAAzB;;;;QAIA2e,QAAQ,CAAC/U,IAAT,KAAkB,KAAlB,IAA2B+U,QAAQ,CAACrU,KAAT,CAAesO,IAA9C,EAAoD;WAC7ChQ,KAAL,CAAW/M,KAAX,EAAkB8P,aAAM,CAAC1L,sBAAzB;;;;EAIJqe,uBAAuB,GAAS;QAE5B,CAAC,KAAKzG,GAAL,CAASnK,KAAE,CAACzZ,IAAZ,CAAD,IACA,CAAC,KAAK4jB,GAAL,CAASnK,KAAE,CAAC1Z,KAAZ,CADD,IAEA,CAAC,KAAKmI,KAAL,CAAWuR,KAAE,CAAC9Z,MAAd,CAFD,IAGA,CAAC,KAAKuI,KAAL,CAAWuR,KAAE,CAAC7Z,SAAd,CAJH,EAKE;WACK+lB,UAAL;;;;EAIJ4B,gCAAgC,CAC9B7N,QAD8B,EAE9BrF,QAF8B,EAG9B8P,EAH8B,EAIC;IAC/BzK,QAAQ,GAAGA,QAAQ,IAAI,KAAKnQ,KAAL,CAAW3B,KAAlC;IACAyM,QAAQ,GAAGA,QAAQ,IAAI,KAAK9K,KAAL,CAAW8K,QAAlC;QACIzK,IAAI,GAAGua,EAAE,IAAI,KAAKyC,6BAAL,CAAmC,IAAnC,CAAjB;;WAEO,KAAKhD,GAAL,CAASnK,KAAE,CAACtZ,GAAZ,CAAP,EAAyB;YACjBwqB,KAAK,GAAG,KAAK5T,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAd;MACAsW,KAAK,CAACC,aAAN,GAAsBhhB,IAAtB;MACA+gB,KAAK,CAACxG,EAAN,GAAW,KAAKyC,6BAAL,CAAmC,IAAnC,CAAX;MACAhd,IAAI,GAAG,KAAKsQ,UAAL,CAAgByQ,KAAhB,EAAuB,yBAAvB,CAAP;;;WAGK/gB,IAAP;;;EAGFihB,oBAAoB,CAClBnR,QADkB,EAElBrF,QAFkB,EAGlB8P,EAHkB,EAIW;UACvBva,IAAI,GAAG,KAAKmN,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAb;IAEAzK,IAAI,CAAC2P,cAAL,GAAsB,IAAtB;IACA3P,IAAI,CAACua,EAAL,GAAU,KAAKoD,gCAAL,CAAsC7N,QAAtC,EAAgDrF,QAAhD,EAA0D8P,EAA1D,CAAV;;QAEI,KAAKI,YAAL,CAAkB,GAAlB,CAAJ,EAA4B;MAC1B3a,IAAI,CAAC2P,cAAL,GAAsB,KAAKiO,mCAAL,EAAtB;;;WAGK,KAAKtN,UAAL,CAAgBtQ,IAAhB,EAAsB,uBAAtB,CAAP;;;EAGFkhB,mBAAmB,GAA+B;UAC1ClhB,IAAI,GAAG,KAAKqQ,SAAL,EAAb;SACKoJ,MAAL,CAAY5J,KAAE,CAACvV,OAAf;IACA0F,IAAI,CAAC2gB,QAAL,GAAgB,KAAKQ,oBAAL,EAAhB;WACO,KAAK7Q,UAAL,CAAgBtQ,IAAhB,EAAsB,sBAAtB,CAAP;;;EAGFohB,kBAAkB,GAA8B;UACxCphB,IAAI,GAAG,KAAKqQ,SAAL,EAAb;IACArQ,IAAI,CAAChL,KAAL,GAAa,EAAb;SACKykB,MAAL,CAAY5J,KAAE,CAACta,QAAf;;WAEO,KAAKoK,KAAL,CAAW6K,GAAX,GAAiB,KAAKnL,MAAtB,IAAgC,CAAC,KAAKf,KAAL,CAAWuR,KAAE,CAACna,QAAd,CAAxC,EAAiE;MAC/DsK,IAAI,CAAChL,KAAL,CAAW6K,IAAX,CAAgB,KAAK6Z,aAAL,EAAhB;UACI,KAAKpb,KAAL,CAAWuR,KAAE,CAACna,QAAd,CAAJ,EAA6B;WACxB+jB,MAAL,CAAY5J,KAAE,CAAC1Z,KAAf;;;SAEGsjB,MAAL,CAAY5J,KAAE,CAACna,QAAf;WACO,KAAK4a,UAAL,CAAgBtQ,IAAhB,EAAsB,qBAAtB,CAAP;;;EAGF4f,0BAA0B,GAA4B;QAChDjrB,IAAI,GAAG,IAAX;QACIsc,QAAQ,GAAG,KAAf;QACIgK,cAAc,GAAG,IAArB;UACMjb,IAAI,GAAG,KAAKqQ,SAAL,EAAb;UACMgR,EAAE,GAAG,KAAK5B,SAAL,EAAX;;QACI4B,EAAE,CAACzgB,IAAH,KAAYiP,KAAE,CAACxZ,KAAf,IAAwBgrB,EAAE,CAACzgB,IAAH,KAAYiP,KAAE,CAACrZ,QAA3C,EAAqD;MACnD7B,IAAI,GAAG,KAAK6lB,eAAL,EAAP;;UACI,KAAKR,GAAL,CAASnK,KAAE,CAACrZ,QAAZ,CAAJ,EAA2B;QACzBya,QAAQ,GAAG,IAAX;;;MAEFgK,cAAc,GAAG,KAAK5B,wBAAL,EAAjB;KALF,MAMO;MACL4B,cAAc,GAAG,KAAKvB,aAAL,EAAjB;;;IAEF1Z,IAAI,CAACrL,IAAL,GAAYA,IAAZ;IACAqL,IAAI,CAACiR,QAAL,GAAgBA,QAAhB;IACAjR,IAAI,CAACib,cAAL,GAAsBA,cAAtB;WACO,KAAK3K,UAAL,CAAgBtQ,IAAhB,EAAsB,mBAAtB,CAAP;;;EAGFshB,kCAAkC,CAChC1gB,IADgC,EAEP;UACnBZ,IAAI,GAAG,KAAKmN,WAAL,CAAiBvM,IAAI,CAAC5C,KAAtB,EAA6B4C,IAAI,CAAClB,GAAL,CAAS1B,KAAtC,CAAb;IACAgC,IAAI,CAACrL,IAAL,GAAY,IAAZ;IACAqL,IAAI,CAACiR,QAAL,GAAgB,KAAhB;IACAjR,IAAI,CAACib,cAAL,GAAsBra,IAAtB;WACO,KAAK0P,UAAL,CAAgBtQ,IAAhB,EAAsB,mBAAtB,CAAP;;;EAGF8a,2BAA2B,CACzB7P,MAAiC,GAAG,EADX,EAE8C;QACnE8P,IAA8B,GAAG,IAArC;;WACO,CAAC,KAAKzc,KAAL,CAAWuR,KAAE,CAAC3Z,MAAd,CAAD,IAA0B,CAAC,KAAKoI,KAAL,CAAWuR,KAAE,CAACjZ,QAAd,CAAlC,EAA2D;MACzDqU,MAAM,CAACpL,IAAP,CAAY,KAAK+f,0BAAL,EAAZ;;UACI,CAAC,KAAKthB,KAAL,CAAWuR,KAAE,CAAC3Z,MAAd,CAAL,EAA4B;aACrBujB,MAAL,CAAY5J,KAAE,CAAC1Z,KAAf;;;;QAGA,KAAK6jB,GAAL,CAASnK,KAAE,CAACjZ,QAAZ,CAAJ,EAA2B;MACzBmkB,IAAI,GAAG,KAAK6E,0BAAL,EAAP;;;WAEK;MAAE3U,MAAF;MAAU8P;KAAjB;;;EAGFwG,yBAAyB,CACvBzR,QADuB,EAEvBrF,QAFuB,EAGvBzK,IAHuB,EAIvBua,EAJuB,EAKD;YACdA,EAAE,CAAC5lB,IAAX;WACO,KAAL;eACS,KAAK2b,UAAL,CAAgBtQ,IAAhB,EAAsB,mBAAtB,CAAP;;WAEG,MAAL;WACK,SAAL;eACS,KAAKsQ,UAAL,CAAgBtQ,IAAhB,EAAsB,uBAAtB,CAAP;;WAEG,OAAL;eACS,KAAKsQ,UAAL,CAAgBtQ,IAAhB,EAAsB,qBAAtB,CAAP;;WAEG,OAAL;eACS,KAAKsQ,UAAL,CAAgBtQ,IAAhB,EAAsB,qBAAtB,CAAP;;WAEG,QAAL;eACS,KAAKsQ,UAAL,CAAgBtQ,IAAhB,EAAsB,sBAAtB,CAAP;;WAEG,QAAL;eACS,KAAKsQ,UAAL,CAAgBtQ,IAAhB,EAAsB,sBAAtB,CAAP;;WAEG,QAAL;eACS,KAAKsQ,UAAL,CAAgBtQ,IAAhB,EAAsB,sBAAtB,CAAP;;;aAGK8d,kBAAL,CAAwBvD,EAAE,CAAC5lB,IAA3B;eACO,KAAKssB,oBAAL,CAA0BnR,QAA1B,EAAoCrF,QAApC,EAA8C8P,EAA9C,CAAP;;;;EAON4G,oBAAoB,GAAyB;UACrCrR,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAA5B;UACMyM,QAAQ,GAAG,KAAK9K,KAAL,CAAW8K,QAA5B;UACMzK,IAAI,GAAG,KAAKqQ,SAAL,EAAb;QACIwK,GAAJ;QACIja,IAAJ;QACI4gB,aAAa,GAAG,KAApB;UACMxC,qBAAqB,GAAG,KAAKrf,KAAL,CAAWsf,kBAAzC;;YAEQ,KAAKtf,KAAL,CAAWiB,IAAnB;WACOiP,KAAE,CAAClb,IAAR;YACM,KAAK+mB,YAAL,CAAkB,WAAlB,CAAJ,EAAoC;iBAC3B,KAAK0D,sBAAL,EAAP;;;eAGK,KAAKmC,yBAAL,CACLzR,QADK,EAELrF,QAFK,EAGLzK,IAHK,EAIL,KAAKwa,eAAL,EAJK,CAAP;;WAOG3K,KAAE,CAACja,MAAR;eACS,KAAKynB,mBAAL,CAAyB;UAC9BC,WAAW,EAAE,KADiB;UAE9BC,UAAU,EAAE,KAFkB;UAG9BC,WAAW,EAAE,IAHiB;UAI9BC,UAAU,EAAE,KAJkB;UAK9BC,YAAY,EAAE;SALT,CAAP;;WAQG7N,KAAE,CAACha,SAAR;eACS,KAAKwnB,mBAAL,CAAyB;UAC9BC,WAAW,EAAE,KADiB;UAE9BC,UAAU,EAAE,IAFkB;UAG9BC,WAAW,EAAE,IAHiB;UAI9BC,UAAU,EAAE,KAJkB;UAK9BC,YAAY,EAAE;SALT,CAAP;;WAQG7N,KAAE,CAACta,QAAR;aACOoK,KAAL,CAAWsf,kBAAX,GAAgC,KAAhC;QACAre,IAAI,GAAG,KAAKwgB,kBAAL,EAAP;aACKzhB,KAAL,CAAWsf,kBAAX,GAAgCD,qBAAhC;eACOpe,IAAP;;WAEGiP,KAAE,CAAC9X,UAAR;YACM,KAAK4H,KAAL,CAAW8M,KAAX,KAAqB,GAAzB,EAA8B;UAC5BzM,IAAI,CAAC2P,cAAL,GAAsB,KAAKiL,iCAAL,EAAtB;eACKnB,MAAL,CAAY5J,KAAE,CAAC5Z,MAAf;UACA4kB,GAAG,GAAG,KAAKC,2BAAL,EAAN;UACA9a,IAAI,CAACiL,MAAL,GAAc4P,GAAG,CAAC5P,MAAlB;UACAjL,IAAI,CAAC+a,IAAL,GAAYF,GAAG,CAACE,IAAhB;eACKtB,MAAL,CAAY5J,KAAE,CAAC3Z,MAAf;eAEKujB,MAAL,CAAY5J,KAAE,CAACnZ,KAAf;UAEAsJ,IAAI,CAACgb,UAAL,GAAkB,KAAKtB,aAAL,EAAlB;iBAEO,KAAKpJ,UAAL,CAAgBtQ,IAAhB,EAAsB,wBAAtB,CAAP;;;;;WAIC6P,KAAE,CAAC5Z,MAAR;aACOof,IAAL;;YAGI,CAAC,KAAK/W,KAAL,CAAWuR,KAAE,CAAC3Z,MAAd,CAAD,IAA0B,CAAC,KAAKoI,KAAL,CAAWuR,KAAE,CAACjZ,QAAd,CAA/B,EAAwD;cAClD,KAAK0H,KAAL,CAAWuR,KAAE,CAAClb,IAAd,CAAJ,EAAyB;kBACjBE,KAAK,GAAG,KAAK4qB,SAAL,GAAiB7e,IAA/B;YACA4gB,aAAa,GAAG3sB,KAAK,KAAKgb,KAAE,CAACrZ,QAAb,IAAyB3B,KAAK,KAAKgb,KAAE,CAACxZ,KAAtD;WAFF,MAGO;YACLmrB,aAAa,GAAG,IAAhB;;;;YAIAA,aAAJ,EAAmB;eACZ7hB,KAAL,CAAWsf,kBAAX,GAAgC,KAAhC;UACAre,IAAI,GAAG,KAAK8Y,aAAL,EAAP;eACK/Z,KAAL,CAAWsf,kBAAX,GAAgCD,qBAAhC;;cAIE,KAAKrf,KAAL,CAAWsf,kBAAX,IACA,EACE,KAAK3gB,KAAL,CAAWuR,KAAE,CAAC1Z,KAAd,KACC,KAAKmI,KAAL,CAAWuR,KAAE,CAAC3Z,MAAd,KAAyB,KAAKupB,SAAL,GAAiB7e,IAAjB,KAA0BiP,KAAE,CAACnZ,KAFzD,CAFF,EAME;iBACK+iB,MAAL,CAAY5J,KAAE,CAAC3Z,MAAf;mBACO0K,IAAP;WARF,MASO;iBAEAoZ,GAAL,CAASnK,KAAE,CAAC1Z,KAAZ;;;;YAIAyK,IAAJ,EAAU;UACRia,GAAG,GAAG,KAAKC,2BAAL,CAAiC,CACrC,KAAKwG,kCAAL,CAAwC1gB,IAAxC,CADqC,CAAjC,CAAN;SADF,MAIO;UACLia,GAAG,GAAG,KAAKC,2BAAL,EAAN;;;QAGF9a,IAAI,CAACiL,MAAL,GAAc4P,GAAG,CAAC5P,MAAlB;QACAjL,IAAI,CAAC+a,IAAL,GAAYF,GAAG,CAACE,IAAhB;aAEKtB,MAAL,CAAY5J,KAAE,CAAC3Z,MAAf;aAEKujB,MAAL,CAAY5J,KAAE,CAACnZ,KAAf;QAEAsJ,IAAI,CAACgb,UAAL,GAAkB,KAAKtB,aAAL,EAAlB;QAEA1Z,IAAI,CAAC2P,cAAL,GAAsB,IAAtB;eAEO,KAAKW,UAAL,CAAgBtQ,IAAhB,EAAsB,wBAAtB,CAAP;;WAEG6P,KAAE,CAACxa,MAAR;eACS,KAAKyX,YAAL,CACL,KAAKnN,KAAL,CAAW8M,KADN,EAEL,6BAFK,CAAP;;WAKGoD,KAAE,CAAC3V,KAAR;WACK2V,KAAE,CAAC1V,MAAR;QACE6F,IAAI,CAACyM,KAAL,GAAa,KAAKnO,KAAL,CAAWuR,KAAE,CAAC3V,KAAd,CAAb;aACKmb,IAAL;eACO,KAAK/E,UAAL,CAAgBtQ,IAAhB,EAAsB,8BAAtB,CAAP;;WAEG6P,KAAE,CAAC5X,OAAR;YACM,KAAK0H,KAAL,CAAW8M,KAAX,KAAqB,GAAzB,EAA8B;eACvB4I,IAAL;;cACI,KAAK/W,KAAL,CAAWuR,KAAE,CAAC5a,GAAd,CAAJ,EAAwB;mBACf,KAAK6X,YAAL,CACL,CAAC,KAAKnN,KAAL,CAAW8M,KADP,EAEL,6BAFK,EAGLzM,IAAI,CAAChC,KAHA,EAILgC,IAAI,CAACN,GAAL,CAAS1B,KAJJ,CAAP;;;cAQE,KAAKM,KAAL,CAAWuR,KAAE,CAAC3a,MAAd,CAAJ,EAA2B;mBAClB,KAAK4X,YAAL,CACL,CAAC,KAAKnN,KAAL,CAAW8M,KADP,EAEL,6BAFK,EAGLzM,IAAI,CAAChC,KAHA,EAILgC,IAAI,CAACN,GAAL,CAAS1B,KAJJ,CAAP;;;gBAQI,KAAK+M,KAAL,CACJ,KAAKpL,KAAL,CAAW3B,KADP,EAEJuX,UAAU,CAACmC,4BAFP,CAAN;;;cAMI,KAAKqE,UAAL,EAAN;;WACGlM,KAAE,CAAC5a,GAAR;eACS,KAAK6X,YAAL,CACL,KAAKnN,KAAL,CAAW8M,KADN,EAEL,6BAFK,CAAP;;WAKGoD,KAAE,CAAC3a,MAAR;eACS,KAAK4X,YAAL,CACL,KAAKnN,KAAL,CAAW8M,KADN,EAEL,6BAFK,CAAP;;WAKGoD,KAAE,CAACtV,KAAR;aACO8a,IAAL;eACO,KAAK/E,UAAL,CAAgBtQ,IAAhB,EAAsB,oBAAtB,CAAP;;WAEG6P,KAAE,CAAC5V,KAAR;aACOob,IAAL;eACO,KAAK/E,UAAL,CAAgBtQ,IAAhB,EAAsB,2BAAtB,CAAP;;WAEG6P,KAAE,CAAClW,KAAR;aACO0b,IAAL;eACO,KAAK/E,UAAL,CAAgBtQ,IAAhB,EAAsB,oBAAtB,CAAP;;WAEG6P,KAAE,CAAC1X,IAAR;aACOkd,IAAL;eACO,KAAK/E,UAAL,CAAgBtQ,IAAhB,EAAsB,sBAAtB,CAAP;;;YAGI,KAAKL,KAAL,CAAWiB,IAAX,CAAgBxM,OAAhB,KAA4B,QAAhC,EAA0C;iBACjC,KAAK8sB,mBAAL,EAAP;SADF,MAEO,IAAI,KAAKvhB,KAAL,CAAWiB,IAAX,CAAgBxM,OAApB,EAA6B;gBAC5BF,KAAK,GAAG,KAAKyL,KAAL,CAAWiB,IAAX,CAAgB1M,KAA9B;eACKmhB,IAAL;iBACO,MAAMoM,gBAAN,CAAuBzhB,IAAvB,EAA6B9L,KAA7B,CAAP;;;;;UAIA,KAAK6nB,UAAL,EAAN;;;EAGF2F,oBAAoB,GAAyB;UACrC5R,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAA5B;UACEyM,QAAQ,GAAG,KAAK9K,KAAL,CAAW8K,QADxB;QAEI7J,IAAI,GAAG,KAAKugB,oBAAL,EAAX;;WACO,KAAK7iB,KAAL,CAAWuR,KAAE,CAACta,QAAd,KAA2B,CAAC,KAAKosB,kBAAL,EAAnC,EAA8D;YACtD3hB,IAAI,GAAG,KAAKmN,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAb;MACAzK,IAAI,CAAC4hB,WAAL,GAAmBhhB,IAAnB;WACK6Y,MAAL,CAAY5J,KAAE,CAACta,QAAf;WACKkkB,MAAL,CAAY5J,KAAE,CAACna,QAAf;MACAkL,IAAI,GAAG,KAAK0P,UAAL,CAAgBtQ,IAAhB,EAAsB,qBAAtB,CAAP;;;WAEKY,IAAP;;;EAGFihB,mBAAmB,GAAyB;UACpC7hB,IAAI,GAAG,KAAKqQ,SAAL,EAAb;;QACI,KAAK2J,GAAL,CAASnK,KAAE,CAACrZ,QAAZ,CAAJ,EAA2B;MACzBwJ,IAAI,CAACib,cAAL,GAAsB,KAAK4G,mBAAL,EAAtB;aACO,KAAKvR,UAAL,CAAgBtQ,IAAhB,EAAsB,wBAAtB,CAAP;KAFF,MAGO;aACE,KAAK0hB,oBAAL,EAAP;;;;EAIJI,kCAAkC,GAAyB;UACnDC,KAAK,GAAG,KAAKF,mBAAL,EAAd;;QACI,CAAC,KAAKliB,KAAL,CAAWsf,kBAAZ,IAAkC,KAAKjF,GAAL,CAASnK,KAAE,CAACnZ,KAAZ,CAAtC,EAA0D;YAElDsJ,IAAI,GAAG,KAAKmN,WAAL,CAAiB4U,KAAK,CAAC/jB,KAAvB,EAA8B+jB,KAAK,CAACriB,GAAN,CAAU1B,KAAxC,CAAb;MACAgC,IAAI,CAACiL,MAAL,GAAc,CAAC,KAAKqW,kCAAL,CAAwCS,KAAxC,CAAD,CAAd;MACA/hB,IAAI,CAAC+a,IAAL,GAAY,IAAZ;MACA/a,IAAI,CAACgb,UAAL,GAAkB,KAAKtB,aAAL,EAAlB;MACA1Z,IAAI,CAAC2P,cAAL,GAAsB,IAAtB;aACO,KAAKW,UAAL,CAAgBtQ,IAAhB,EAAsB,wBAAtB,CAAP;;;WAEK+hB,KAAP;;;EAGFC,yBAAyB,GAAyB;UAC1ChiB,IAAI,GAAG,KAAKqQ,SAAL,EAAb;SACK2J,GAAL,CAASnK,KAAE,CAAChY,UAAZ;UACM+I,IAAI,GAAG,KAAKkhB,kCAAL,EAAb;IACA9hB,IAAI,CAAChL,KAAL,GAAa,CAAC4L,IAAD,CAAb;;WACO,KAAKoZ,GAAL,CAASnK,KAAE,CAAChY,UAAZ,CAAP,EAAgC;MAC9BmI,IAAI,CAAChL,KAAL,CAAW6K,IAAX,CAAgB,KAAKiiB,kCAAL,EAAhB;;;WAEK9hB,IAAI,CAAChL,KAAL,CAAWqK,MAAX,KAAsB,CAAtB,GACHuB,IADG,GAEH,KAAK0P,UAAL,CAAgBtQ,IAAhB,EAAsB,4BAAtB,CAFJ;;;EAKFiiB,kBAAkB,GAAyB;UACnCjiB,IAAI,GAAG,KAAKqQ,SAAL,EAAb;SACK2J,GAAL,CAASnK,KAAE,CAAClY,SAAZ;UACMiJ,IAAI,GAAG,KAAKohB,yBAAL,EAAb;IACAhiB,IAAI,CAAChL,KAAL,GAAa,CAAC4L,IAAD,CAAb;;WACO,KAAKoZ,GAAL,CAASnK,KAAE,CAAClY,SAAZ,CAAP,EAA+B;MAC7BqI,IAAI,CAAChL,KAAL,CAAW6K,IAAX,CAAgB,KAAKmiB,yBAAL,EAAhB;;;WAEKhiB,IAAI,CAAChL,KAAL,CAAWqK,MAAX,KAAsB,CAAtB,GACHuB,IADG,GAEH,KAAK0P,UAAL,CAAgBtQ,IAAhB,EAAsB,qBAAtB,CAFJ;;;EAKF0Z,aAAa,GAAyB;UAC9BH,SAAS,GAAG,KAAK5Z,KAAL,CAAW6Z,MAA7B;SACK7Z,KAAL,CAAW6Z,MAAX,GAAoB,IAApB;UACM5Y,IAAI,GAAG,KAAKqhB,kBAAL,EAAb;SACKtiB,KAAL,CAAW6Z,MAAX,GAAoBD,SAApB;SAGK5Z,KAAL,CAAWoT,WAAX,GACE,KAAKpT,KAAL,CAAWoT,WAAX,IAA0B,KAAKpT,KAAL,CAAWsf,kBADvC;WAEOre,IAAP;;;EAGFue,oCAAoC,GAAyB;QACvD,KAAKxf,KAAL,CAAWiB,IAAX,KAAoBiP,KAAE,CAAClb,IAAvB,IAA+B,KAAKgL,KAAL,CAAW8M,KAAX,KAAqB,GAAxD,EAA6D;YACrDqD,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAA5B;YACMyM,QAAQ,GAAG,KAAK9K,KAAL,CAAW8K,QAA5B;YACMzK,IAAI,GAAG,KAAKwa,eAAL,EAAb;aACO,KAAKyG,oBAAL,CAA0BnR,QAA1B,EAAoCrF,QAApC,EAA8CzK,IAA9C,CAAP;KAJF,MAKO;aACE,KAAK0Z,aAAL,EAAP;;;;EAIJkD,uBAAuB,GAAyB;UACxC5c,IAAI,GAAG,KAAKqQ,SAAL,EAAb;IACArQ,IAAI,CAACib,cAAL,GAAsB,KAAK5B,wBAAL,EAAtB;WACO,KAAK/I,UAAL,CAAgBtQ,IAAhB,EAAsB,gBAAtB,CAAP;;;EAGFgc,kCAAkC,CAChCkG,sBADgC,EAElB;UACRxD,KAAK,GAAGwD,sBAAsB,GAChC,KAAK1H,eAAL,EADgC,GAEhC,KAAKwC,6BAAL,EAFJ;;QAGI,KAAK1e,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,CAAJ,EAA0B;MACxBqoB,KAAK,CAACzD,cAAN,GAAuB,KAAK2B,uBAAL,EAAvB;WACK1B,gBAAL,CAAsBwD,KAAtB;;;WAEKA,KAAP;;;EAGFyD,mBAAmB,CAACniB,IAAD,EAAuB;IACxCA,IAAI,CAACoN,UAAL,CAAgB6N,cAAhB,GAAiCjb,IAAI,CAACib,cAAtC;SAEKC,gBAAL,CACElb,IAAI,CAACoN,UADP,EAEEpN,IAAI,CAACib,cAAL,CAAoBhd,GAFtB,EAGE+B,IAAI,CAACib,cAAL,CAAoBvb,GAApB,CAAwBzB,GAH1B;WAMO+B,IAAI,CAACoN,UAAZ;;;EAGFqR,iBAAiB,GAAoB;QAC/BD,QAAQ,GAAG,IAAf;;QACI,KAAKlgB,KAAL,CAAWuR,KAAE,CAAC5X,OAAd,CAAJ,EAA4B;MAC1BumB,QAAQ,GAAG,KAAKnO,SAAL,EAAX;;UACI,KAAK1Q,KAAL,CAAW8M,KAAX,KAAqB,GAAzB,EAA8B;QAC5B+R,QAAQ,CAACzS,IAAT,GAAgB,MAAhB;OADF,MAEO;QACLyS,QAAQ,CAACzS,IAAT,GAAgB,OAAhB;;;WAEGsJ,IAAL;WACK/E,UAAL,CAAgBkO,QAAhB,EAA0B,UAA1B;;;WAEKA,QAAP;;;EAOFzO,iBAAiB,CACf/P,IADe,EAEfoiB,mBAFe,EAGfnS,QAAkB,GAAG,KAHN,EAIT;QACFmS,mBAAJ,EAAyB;aAChB,KAAKC,gCAAL,CAAsCriB,IAAtC,EAA4C,MACjD,MAAM+P,iBAAN,CAAwB/P,IAAxB,EAA8B,IAA9B,EAAoCiQ,QAApC,CADK,CAAP;;;WAKK,MAAMF,iBAAN,CAAwB/P,IAAxB,EAA8B,KAA9B,EAAqCiQ,QAArC,CAAP;;;EAGFqS,0BAA0B,CACxBtiB,IADwB,EAExBY,IAFwB,EAGxBqP,QAAkB,GAAG,KAHG,EAIlB;QACF,KAAK3R,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,CAAJ,EAA0B;YAClBokB,QAAQ,GAAG,KAAKpK,SAAL,EAAjB;OAIEoK,QAAQ,CAACQ,cAFX,EAIEjb,IAAI,CAACma,SAJP,IAKI,KAAKD,oCAAL,EALJ;MAOAla,IAAI,CAACgb,UAAL,GAAkBP,QAAQ,CAACQ,cAAT,GACd,KAAK3K,UAAL,CAAgBmK,QAAhB,EAA0B,gBAA1B,CADc,GAEd,IAFJ;;;UAKI6H,0BAAN,CAAiCtiB,IAAjC,EAAuCY,IAAvC,EAA6CqP,QAA7C;;;EAIFsS,cAAc,CAACzP,OAAD,EAAmB/D,QAAnB,EAAoD;QAG9D,KAAKpP,KAAL,CAAW2U,MAAX,IACA,KAAKhW,KAAL,CAAWuR,KAAE,CAAClb,IAAd,CADA,IAEA,KAAKgL,KAAL,CAAW8M,KAAX,KAAqB,WAHvB,EAIE;YACMzM,IAAI,GAAG,KAAKqQ,SAAL,EAAb;WACKgF,IAAL;aACO,KAAKwI,kBAAL,CAAwB7d,IAAxB,CAAP;KAPF,MAQO,IAAI,KAAKgZ,gBAAL,MAA2B,KAAK0C,YAAL,CAAkB,MAAlB,CAA/B,EAA0D;YACzD1b,IAAI,GAAG,KAAKqQ,SAAL,EAAb;WACKgF,IAAL;aACO,KAAKmN,wBAAL,CAA8BxiB,IAA9B,CAAP;KAHK,MAIA;YACCkN,IAAI,GAAG,MAAMqV,cAAN,CAAqBzP,OAArB,EAA8B/D,QAA9B,CAAb;;UAEI,KAAK+J,UAAL,KAAoBpY,SAApB,IAAiC,CAAC,KAAKgO,gBAAL,CAAsBxB,IAAtB,CAAtC,EAAmE;aAC5D4L,UAAL,GAAkB,IAAlB;;;aAEK5L,IAAP;;;;EAKJuV,wBAAwB,CACtBziB,IADsB,EAEtBgO,IAFsB,EAGC;QACnBA,IAAI,CAACpN,IAAL,KAAc,YAAlB,EAAgC;UAC1BoN,IAAI,CAACrZ,IAAL,KAAc,SAAlB,EAA6B;YAEzB,KAAK2J,KAAL,CAAWuR,KAAE,CAAChW,MAAd,KACA,KAAKyE,KAAL,CAAWuR,KAAE,CAAClb,IAAd,CADA,IAEA,KAAK2J,KAAL,CAAWuR,KAAE,CAAC7W,SAAd,CAFA,IAGA,KAAKsF,KAAL,CAAWuR,KAAE,CAACvW,IAAd,CAHA,IAIA,KAAKgF,KAAL,CAAWuR,KAAE,CAAC9V,OAAd,CALF,EAME;iBACO,KAAKqhB,gBAAL,CAAsBpb,IAAtB,CAAP;;OARJ,MAUO,IAAI,KAAK1B,KAAL,CAAWuR,KAAE,CAAClb,IAAd,CAAJ,EAAyB;YAC1BqZ,IAAI,CAACrZ,IAAL,KAAc,WAAlB,EAA+B;iBACtB,KAAKkpB,kBAAL,CAAwB7d,IAAxB,CAAP;SADF,MAEO,IAAIgO,IAAI,CAACrZ,IAAL,KAAc,MAAlB,EAA0B;iBACxB,KAAKkoB,kBAAL,CAAwB7c,IAAxB,CAAP;SADK,MAEA,IAAIgO,IAAI,CAACrZ,IAAL,KAAc,QAAlB,EAA4B;iBAC1B,KAAKmoB,mBAAL,CAAyB9c,IAAzB,EAA+B,KAA/B,CAAP;;;;;WAKC,MAAMyiB,wBAAN,CAA+BziB,IAA/B,EAAqCgO,IAArC,CAAP;;;EAIF0U,4BAA4B,GAAY;WAEpC,KAAKhH,YAAL,CAAkB,MAAlB,KACA,KAAKA,YAAL,CAAkB,WAAlB,CADA,IAEA,KAAKA,YAAL,CAAkB,QAAlB,CAFA,IAGC,KAAK1C,gBAAL,MAA2B,KAAK0C,YAAL,CAAkB,MAAlB,CAH5B,IAIA,MAAMgH,4BAAN,EALF;;;EASFC,wBAAwB,GAAY;QAEhC,KAAKrkB,KAAL,CAAWuR,KAAE,CAAClb,IAAd,MACC,KAAKgL,KAAL,CAAW8M,KAAX,KAAqB,MAArB,IACC,KAAK9M,KAAL,CAAW8M,KAAX,KAAqB,WADtB,IAEC,KAAK9M,KAAL,CAAW8M,KAAX,KAAqB,QAFtB,IAGE,KAAKuM,gBAAL,MAA2B,KAAKrZ,KAAL,CAAW8M,KAAX,KAAqB,MAJnD,CADF,EAME;aACO,KAAP;;;WAGK,MAAMkW,wBAAN,EAAP;;;EAGFC,4BAA4B,GAAiC;QACvD,KAAK5J,gBAAL,MAA2B,KAAK0C,YAAL,CAAkB,MAAlB,CAA/B,EAA0D;YAClD1b,IAAI,GAAG,KAAKqQ,SAAL,EAAb;WACKgF,IAAL;aACO,KAAKmN,wBAAL,CAA8BxiB,IAA9B,CAAP;;;WAEK,MAAM4iB,4BAAN,EAAP;;;EAGFC,gBAAgB,CACd7U,IADc,EAEd8U,IAFc,EAGdhT,QAHc,EAIdrF,QAJc,EAKdsY,gBALc,EAMA;QACV,CAAC,KAAKzkB,KAAL,CAAWuR,KAAE,CAACrZ,QAAd,CAAL,EAA8B,OAAOwX,IAAP;;QAI1B+U,gBAAJ,EAAsB;YACdC,MAAM,GAAG,KAAKC,QAAL,CAAc,MAC3B,MAAMJ,gBAAN,CAAuB7U,IAAvB,EAA6B8U,IAA7B,EAAmChT,QAAnC,EAA6CrF,QAA7C,CADa,CAAf;;UAII,CAACuY,MAAM,CAAChjB,IAAZ,EAAkB;QAEhB+iB,gBAAgB,CAAC/kB,KAAjB,GAAyBglB,MAAM,CAACE,KAAP,CAAa1Y,GAAb,IAAoB,KAAK7K,KAAL,CAAW3B,KAAxD;eACOgQ,IAAP;;;UAGEgV,MAAM,CAACE,KAAX,EAAkB,KAAKvjB,KAAL,GAAaqjB,MAAM,CAACG,SAApB;aACXH,MAAM,CAAChjB,IAAd;;;SAGGyZ,MAAL,CAAY5J,KAAE,CAACrZ,QAAf;UACMmJ,KAAK,GAAG,KAAKA,KAAL,CAAWyjB,KAAX,EAAd;UACMC,iBAAiB,GAAG,KAAK1jB,KAAL,CAAW2jB,SAArC;UACMtjB,IAAI,GAAG,KAAKmN,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAb;QACI;MAAE8Y,UAAF;MAAcC;QAAW,KAAKC,6BAAL,EAA7B;QACI,CAACC,KAAD,EAAQC,OAAR,IAAmB,KAAKC,uBAAL,CAA6BL,UAA7B,CAAvB;;QAEIC,MAAM,IAAIG,OAAO,CAACtkB,MAAR,GAAiB,CAA/B,EAAkC;YAC1BikB,SAAS,GAAG,CAAC,GAAGD,iBAAJ,CAAlB;;UAEIM,OAAO,CAACtkB,MAAR,GAAiB,CAArB,EAAwB;aACjBM,KAAL,GAAaA,KAAb;aACKA,KAAL,CAAW2jB,SAAX,GAAuBA,SAAvB;;aAEK,IAAIljB,CAAC,GAAG,CAAb,EAAgBA,CAAC,GAAGujB,OAAO,CAACtkB,MAA5B,EAAoCe,CAAC,EAArC,EAAyC;UACvCkjB,SAAS,CAACzjB,IAAV,CAAe8jB,OAAO,CAACvjB,CAAD,CAAP,CAAWpC,KAA1B;;;SAGD;UAAEulB,UAAF;UAAcC;YAAW,KAAKC,6BAAL,EAA1B;SACCC,KAAD,EAAQC,OAAR,IAAmB,KAAKC,uBAAL,CAA6BL,UAA7B,CAAnB;;;UAGEC,MAAM,IAAIE,KAAK,CAACrkB,MAAN,GAAe,CAA7B,EAAgC;aAMzB0L,KAAL,CAAWpL,KAAK,CAAC3B,KAAjB,EAAwBuX,UAAU,CAACC,yBAAnC;;;UAGEgO,MAAM,IAAIE,KAAK,CAACrkB,MAAN,KAAiB,CAA/B,EAAkC;aAC3BM,KAAL,GAAaA,KAAb;aACKA,KAAL,CAAW2jB,SAAX,GAAuBA,SAAS,CAAClU,MAAV,CAAiBsU,KAAK,CAAC,CAAD,CAAL,CAAS1lB,KAA1B,CAAvB;SACC;UAAEulB,UAAF;UAAcC;YAAW,KAAKC,6BAAL,EAA1B;;;;SAICG,uBAAL,CAA6BL,UAA7B,EAAyC,IAAzC;SAEK5jB,KAAL,CAAW2jB,SAAX,GAAuBD,iBAAvB;SACK5J,MAAL,CAAY5J,KAAE,CAACxZ,KAAf;IAEA2J,IAAI,CAACyT,IAAL,GAAYzF,IAAZ;IACAhO,IAAI,CAACujB,UAAL,GAAkBA,UAAlB;IACAvjB,IAAI,CAAC6jB,SAAL,GAAiB,KAAKxB,gCAAL,CAAsCriB,IAAtC,EAA4C,MAC3D,KAAK8jB,gBAAL,CAAsBhB,IAAtB,EAA4BpiB,SAA5B,EAAuCA,SAAvC,EAAkDA,SAAlD,CADe,CAAjB;WAIO,KAAK4P,UAAL,CAAgBtQ,IAAhB,EAAsB,uBAAtB,CAAP;;;EAGFyjB,6BAA6B,GAG3B;SACK9jB,KAAL,CAAWokB,yBAAX,CAAqClkB,IAArC,CAA0C,KAAKF,KAAL,CAAW3B,KAArD;UAEMulB,UAAU,GAAG,KAAKO,gBAAL,EAAnB;UACMN,MAAM,GAAG,CAAC,KAAKllB,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,CAAhB;SAEKsJ,KAAL,CAAWokB,yBAAX,CAAqC7iB,GAArC;WAEO;MAAEqiB,UAAF;MAAcC;KAArB;;;EAUFI,uBAAuB,CACrB5jB,IADqB,EAErBgkB,eAFqB,EAGuC;UACtD5kB,KAAK,GAAG,CAACY,IAAD,CAAd;UACMikB,MAAmC,GAAG,EAA5C;;WAEO7kB,KAAK,CAACC,MAAN,KAAiB,CAAxB,EAA2B;YACnBW,IAAI,GAAGZ,KAAK,CAAC8B,GAAN,EAAb;;UACIlB,IAAI,CAACY,IAAL,KAAc,yBAAlB,EAA6C;YACvCZ,IAAI,CAAC2P,cAAL,IAAuB,CAAC3P,IAAI,CAACgb,UAAjC,EAA6C;eAEtCkJ,qBAAL,CAA2BlkB,IAA3B;SAFF,MAGO;UACLikB,MAAM,CAACpkB,IAAP,CAAYG,IAAZ;;;QAEFZ,KAAK,CAACS,IAAN,CAAWG,IAAI,CAACa,IAAhB;OAPF,MAQO,IAAIb,IAAI,CAACY,IAAL,KAAc,uBAAlB,EAA2C;QAChDxB,KAAK,CAACS,IAAN,CAAWG,IAAI,CAACujB,UAAhB;QACAnkB,KAAK,CAACS,IAAN,CAAWG,IAAI,CAAC6jB,SAAhB;;;;QAIAG,eAAJ,EAAqB;MACnBC,MAAM,CAAC5V,OAAP,CAAerO,IAAI,IAAI,KAAKkkB,qBAAL,CAA2BlkB,IAA3B,CAAvB;aACO,CAACikB,MAAD,EAAS,EAAT,CAAP;;;WAGKxL,SAAS,CAACwL,MAAD,EAASjkB,IAAI,IAC3BA,IAAI,CAACiL,MAAL,CAAYkZ,KAAZ,CAAkBpC,KAAK,IAAI,KAAKqC,YAAL,CAAkBrC,KAAlB,EAAyB,IAAzB,CAA3B,CADc,CAAhB;;;EAKFmC,qBAAqB,CAAClkB,IAAD,EAAkC;;;SAChDqkB,gBAAL,CAGIrkB,IAAI,CAACiL,MAHT,iBAIEjL,IAAI,CAACsN,KAJP,qBAIE,YAAYgX,aAJd;SAOKrI,KAAL,CAAWE,KAAX,CAAiBxhB,cAAc,GAAGC,WAAlC;UAEM2pB,WAAN,CAAkBvkB,IAAlB,EAAwB,KAAxB,EAA+B,IAA/B;SACKic,KAAL,CAAWK,IAAX;;;EAGF+F,gCAAgC,CAAIriB,IAAJ,EAAkBwkB,KAAlB,EAAqC;QAC/DxB,MAAJ;;QACI,KAAKrjB,KAAL,CAAWokB,yBAAX,CAAqCU,OAArC,CAA6CzkB,IAAI,CAAChC,KAAlD,MAA6D,CAAC,CAAlE,EAAqE;WAC9D2B,KAAL,CAAWokB,yBAAX,CAAqClkB,IAArC,CAA0C,KAAKF,KAAL,CAAW3B,KAArD;MACAglB,MAAM,GAAGwB,KAAK,EAAd;WACK7kB,KAAL,CAAWokB,yBAAX,CAAqC7iB,GAArC;KAHF,MAIO;MACL8hB,MAAM,GAAGwB,KAAK,EAAd;;;WAGKxB,MAAP;;;EAGF0B,cAAc,CACZ1kB,IADY,EAEZ8P,QAFY,EAGZrF,QAHY,EAIE;IACdzK,IAAI,GAAG,MAAM0kB,cAAN,CAAqB1kB,IAArB,EAA2B8P,QAA3B,EAAqCrF,QAArC,CAAP;;QACI,KAAKuP,GAAL,CAASnK,KAAE,CAACrZ,QAAZ,CAAJ,EAA2B;MACzBwJ,IAAI,CAACiR,QAAL,GAAgB,IAAhB;WAIKiK,gBAAL,CAAsBlb,IAAtB;;;QAGE,KAAK1B,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,CAAJ,EAA0B;YAClBsuB,YAAY,GAAG,KAAKxX,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAArB;MACAka,YAAY,CAACvX,UAAb,GAA0BpN,IAA1B;MACA2kB,YAAY,CAAC1J,cAAb,GAA8B,KAAK2B,uBAAL,EAA9B;aAEO,KAAKtM,UAAL,CAAgBqU,YAAhB,EAA8B,oBAA9B,CAAP;;;WAGK3kB,IAAP;;;EAGF4kB,uBAAuB,CAAC5kB,IAAD,EAAe;QAEjCA,IAAI,CAACY,IAAL,KAAc,mBAAd,KACEZ,IAAI,CAACmY,UAAL,KAAoB,MAApB,IAA8BnY,IAAI,CAACmY,UAAL,KAAoB,QADpD,CAAD,IAECnY,IAAI,CAACY,IAAL,KAAc,wBAAd,IACCZ,IAAI,CAAC2c,UAAL,KAAoB,MAHtB,IAIC3c,IAAI,CAACY,IAAL,KAAc,sBAAd,IAAwCZ,IAAI,CAAC2c,UAAL,KAAoB,MAL/D,EAME;;;;UAMIiI,uBAAN,CAA8B5kB,IAA9B;;;EAGFsR,WAAW,CAACtR,IAAD,EAA4B;UAC/B6kB,IAAI,GAAG,MAAMvT,WAAN,CAAkBtR,IAAlB,CAAb;;QAEE6kB,IAAI,CAACjkB,IAAL,KAAc,wBAAd,IACAikB,IAAI,CAACjkB,IAAL,KAAc,sBAFhB,EAGE;MACAikB,IAAI,CAAClI,UAAL,GAAkBkI,IAAI,CAAClI,UAAL,IAAmB,OAArC;;;WAEKkI,IAAP;;;EAGFC,sBAAsB,CAAC9kB,IAAD,EAAiD;QACjE,KAAK0b,YAAL,CAAkB,MAAlB,CAAJ,EAA+B;MAC7B1b,IAAI,CAAC2c,UAAL,GAAkB,MAAlB;YAEMoI,eAAe,GAAG,KAAK1U,SAAL,EAAxB;WACKgF,IAAL;;UAEI,KAAK/W,KAAL,CAAWuR,KAAE,CAACja,MAAd,CAAJ,EAA2B;QAEzBoK,IAAI,CAACwR,UAAL,GAAkB,KAAKwT,qBAAL,EAAlB;aACKC,eAAL,CAAqBjlB,IAArB;eACO,IAAP;OAJF,MAKO;eAEE,KAAK6c,kBAAL,CAAwBkI,eAAxB,CAAP;;KAbJ,MAeO,IAAI,KAAKrJ,YAAL,CAAkB,QAAlB,CAAJ,EAAiC;MACtC1b,IAAI,CAAC2c,UAAL,GAAkB,MAAlB;YAEMoI,eAAe,GAAG,KAAK1U,SAAL,EAAxB;WACKgF,IAAL;aAEO,KAAKyH,mBAAL,CAAyBiI,eAAzB,EAA0C,KAA1C,CAAP;KANK,MAOA,IAAI,KAAKrJ,YAAL,CAAkB,WAAlB,CAAJ,EAAoC;MACzC1b,IAAI,CAAC2c,UAAL,GAAkB,MAAlB;YACMoI,eAAe,GAAG,KAAK1U,SAAL,EAAxB;WACKgF,IAAL;aACO,KAAKwI,kBAAL,CAAwBkH,eAAxB,CAAP;KAJK,MAKA,IAAI,KAAK/L,gBAAL,MAA2B,KAAK0C,YAAL,CAAkB,MAAlB,CAA/B,EAA0D;MAC/D1b,IAAI,CAAC2c,UAAL,GAAkB,OAAlB;YACMoI,eAAe,GAAG,KAAK1U,SAAL,EAAxB;WACKgF,IAAL;aACO,KAAKmN,wBAAL,CAA8BuC,eAA9B,CAAP;KAJK,MAKA;aACE,MAAMD,sBAAN,CAA6B9kB,IAA7B,CAAP;;;;EAIJklB,aAAa,CAACllB,IAAD,EAAwB;QAC/B,MAAMklB,aAAN,CAAoB,GAAG9jB,SAAvB,CAAJ,EAAuC,OAAO,IAAP;;QAEnC,KAAKsa,YAAL,CAAkB,MAAlB,KAA6B,KAAK+D,SAAL,GAAiB7e,IAAjB,KAA0BiP,KAAE,CAAC1X,IAA9D,EAAoE;MAClE6H,IAAI,CAAC2c,UAAL,GAAkB,MAAlB;WACKtH,IAAL;WACKA,IAAL;aACO,IAAP;;;WAGK,KAAP;;;EAGF8P,kCAAkC,CAACnlB,IAAD,EAAwB;UAClDwK,GAAG,GAAG,KAAK7K,KAAL,CAAW3B,KAAvB;UACMonB,YAAY,GAAG,MAAMD,kCAAN,CAAyCnlB,IAAzC,CAArB;;QACIolB,YAAY,IAAIplB,IAAI,CAAC2c,UAAL,KAAoB,MAAxC,EAAgD;WACzCZ,UAAL,CAAgBvR,GAAhB;;;WAEK4a,YAAP;;;EAGFC,YAAY,CAACrlB,IAAD,EAAgBslB,WAAhB,EAAsCC,UAAtC,EAA4D;UAChEF,YAAN,CAAmBrlB,IAAnB,EAAyBslB,WAAzB,EAAsCC,UAAtC;;QACI,KAAK5K,YAAL,CAAkB,GAAlB,CAAJ,EAA4B;MAC1B3a,IAAI,CAAC2P,cAAL,GAAsB,KAAKiL,iCAAL,EAAtB;;;;EAIJ4K,gBAAgB,CACdlW,SADc,EAEdmW,MAFc,EAGd9lB,KAHc,EAId+lB,sBAJc,EAKR;UACAlb,GAAG,GAAG,KAAK7K,KAAL,CAAW3B,KAAvB;;QACI,KAAK0d,YAAL,CAAkB,SAAlB,CAAJ,EAAkC;UAC5B,KAAKiK,4BAAL,CAAkCrW,SAAlC,EAA6CmW,MAA7C,CAAJ,EAA0D;;;;MAK1DA,MAAM,CAACvH,OAAP,GAAiB,IAAjB;;;UAGIsH,gBAAN,CAAuBlW,SAAvB,EAAkCmW,MAAlC,EAA0C9lB,KAA1C,EAAiD+lB,sBAAjD;;QAEID,MAAM,CAACvH,OAAX,EAAoB;UAEhBuH,MAAM,CAAC7kB,IAAP,KAAgB,eAAhB,IACA6kB,MAAM,CAAC7kB,IAAP,KAAgB,sBAFlB,EAGE;aACKmK,KAAL,CAAWP,GAAX,EAAgB+K,UAAU,CAACI,mBAA3B;OAJF,MAKO,IAAI8P,MAAM,CAAChZ,KAAX,EAAkB;aAClB1B,KAAL,CACE0a,MAAM,CAAChZ,KAAP,CAAazO,KADf,EAEEuX,UAAU,CAACK,4BAFb;;;;;EASNgQ,gBAAgB,CAACpoB,IAAD,EAAqB;UAC7B6X,IAAI,GAAG,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,CAAb;;QACIhN,IAAI,QAAJ,IAAqC6X,IAAI,QAA7C,EAAyE;aAChE,KAAKyQ,QAAL,CAAcjW,KAAE,CAACha,SAAjB,EAA4B,CAA5B,CAAP;KADF,MAEO,IACL,KAAK8J,KAAL,CAAW6Z,MAAX,KACChc,IAAI,OAAJ,IAAkCA,IAAI,OADvC,CADK,EAGL;aACO,KAAKsoB,QAAL,CAAcjW,KAAE,CAAC9X,UAAjB,EAA6B,CAA7B,CAAP;KAJK,MAKA,IAAI,KAAK4H,KAAL,CAAW6Z,MAAX,IAAqBhc,IAAI,OAA7B,EAA0D;aAExD,KAAKsoB,QAAL,CAAcjW,KAAE,CAACrZ,QAAjB,EAA2B,CAA3B,CAAP;KAFK,MAGA,IAAI2e,eAAe,CAAC3X,IAAD,EAAO6X,IAAP,CAAnB,EAAiC;WACjC1V,KAAL,CAAW2T,UAAX,GAAwB,IAAxB;aACO,MAAMyS,QAAN,EAAP;KAFK,MAGA;aACE,MAAMH,gBAAN,CAAuBpoB,IAAvB,CAAP;;;;EAIJ4mB,YAAY,CAACpkB,IAAD,EAAegmB,SAAf,EAA6C;YAC/ChmB,IAAI,CAACY,IAAb;WACO,YAAL;WACK,eAAL;WACK,cAAL;WACK,mBAAL;eACS,IAAP;;WAEG,kBAAL;;gBACQzB,IAAI,GAAGa,IAAI,CAACmB,UAAL,CAAgB9B,MAAhB,GAAyB,CAAtC;iBACOW,IAAI,CAACmB,UAAL,CAAgBgjB,KAAhB,CAAsB,CAACvW,IAAD,EAAOxN,CAAP,KAAa;mBAEtCwN,IAAI,CAAChN,IAAL,KAAc,cAAd,KACCR,CAAC,KAAKjB,IAAN,IAAcyO,IAAI,CAAChN,IAAL,KAAc,eAD7B,KAEA,KAAKwjB,YAAL,CAAkBxW,IAAlB,CAHF;WADK,CAAP;;;WASG,gBAAL;eACS,KAAKwW,YAAL,CAAkBpkB,IAAI,CAACyM,KAAvB,CAAP;;WAEG,eAAL;eACS,KAAK2X,YAAL,CAAkBpkB,IAAI,CAAC2gB,QAAvB,CAAP;;WAEG,iBAAL;eACS3gB,IAAI,CAACC,QAAL,CAAckkB,KAAd,CAAoB8B,OAAO,IAAI,KAAK7B,YAAL,CAAkB6B,OAAlB,CAA/B,CAAP;;WAEG,sBAAL;eACSjmB,IAAI,CAACkmB,QAAL,KAAkB,GAAzB;;WAEG,yBAAL;WACK,oBAAL;eACS,KAAK9B,YAAL,CAAkBpkB,IAAI,CAACoN,UAAvB,CAAP;;WAEG,kBAAL;WACK,0BAAL;eACS,CAAC4Y,SAAR;;;eAGO,KAAP;;;;EAINpV,YAAY,CAAC5Q,IAAD,EAAuB;QAC7BA,IAAI,CAACY,IAAL,KAAc,oBAAlB,EAAwC;aAC/B,MAAMgQ,YAAN,CAAmB,KAAKuR,mBAAL,CAAyBniB,IAAzB,CAAnB,CAAP;KADF,MAEO;aACE,MAAM4Q,YAAN,CAAmB5Q,IAAnB,CAAP;;;;EAKJqkB,gBAAgB,CACdjT,QADc,EAEd+U,gBAFc,EAGa;SACtB,IAAI/lB,CAAC,GAAG,CAAb,EAAgBA,CAAC,GAAGgR,QAAQ,CAAC/R,MAA7B,EAAqCe,CAAC,EAAtC,EAA0C;YAClC4N,IAAI,GAAGoD,QAAQ,CAAChR,CAAD,CAArB;;UACI,CAAA4N,IAAI,QAAJ,YAAAA,IAAI,CAAEpN,IAAN,MAAe,oBAAnB,EAAyC;QACvCwQ,QAAQ,CAAChR,CAAD,CAAR,GAAc,KAAK+hB,mBAAL,CAAyBnU,IAAzB,CAAd;;;;WAGG,MAAMqW,gBAAN,CAAuBjT,QAAvB,EAAiC+U,gBAAjC,CAAP;;;EAKFC,gBAAgB,CACdhV,QADc,EAEdC,mBAFc,EAGiB;SAC1B,IAAIjR,CAAC,GAAG,CAAb,EAAgBA,CAAC,GAAGgR,QAAQ,CAAC/R,MAA7B,EAAqCe,CAAC,EAAtC,EAA0C;;;YAClC4N,IAAI,GAAGoD,QAAQ,CAAChR,CAAD,CAArB;;UAEE4N,IAAI,IACJA,IAAI,CAACpN,IAAL,KAAc,oBADd,IAEA,iBAACoN,IAAI,CAACV,KAAN,qBAAC,YAAYqB,aAAb,CAFA,KAGCyC,QAAQ,CAAC/R,MAAT,GAAkB,CAAlB,IAAuB,CAACgS,mBAHzB,CADF,EAKE;aACKtG,KAAL,CAAWiD,IAAI,CAACiN,cAAL,CAAoBjd,KAA/B,EAAsCuX,UAAU,CAAC6B,iBAAjD;;;;WAIGhG,QAAP;;;EAGFrD,SAAS,CACPC,IADO,EAEPC,WAAyB,GAAG3R,SAFrB,EAGP4R,YAHO,EAIPC,kBAJO,EAKD;QACFH,IAAI,CAACpN,IAAL,KAAc,oBAAlB,EAAwC;aAC/B,MAAMmN,SAAN,CACLC,IADK,EAELC,WAFK,EAGLC,YAHK,EAILC,kBAJK,CAAP;;;;EAUJkY,kBAAkB,CAACrmB,IAAD,EAAyC;QACrD,KAAK1B,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,CAAJ,EAA0B;MACxB2J,IAAI,CAACib,cAAL,GAAsB,KAAK2B,uBAAL,EAAtB;;;WAEK,MAAMyJ,kBAAN,CAAyBrmB,IAAzB,CAAP;;;EAGFsmB,yBAAyB,CACvBtmB,IADuB,EAEC;QACpB,KAAK1B,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,CAAJ,EAA0B;MACxB2J,IAAI,CAACib,cAAL,GAAsB,KAAK2B,uBAAL,EAAtB;;;WAEK,MAAM0J,yBAAN,CAAgCtmB,IAAhC,CAAP;;;EAIFumB,aAAa,GAAY;WAChB,KAAK5L,YAAL,CAAkB,GAAlB,KAA0B,MAAM4L,aAAN,EAAjC;;;EAIFC,eAAe,GAAY;WAClB,KAAKloB,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,KAAwB,MAAMmwB,eAAN,EAA/B;;;EAGFC,sBAAsB,CAACza,MAAD,EAAmD;WAChE,CAAC,KAAK1N,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,CAAD,IAAyB,MAAMowB,sBAAN,CAA6Bza,MAA7B,CAAhC;;;EAIFqD,eAAe,CACbC,SADa,EAEbtD,MAFa,EAGbuD,WAHa,EAIb9B,OAJa,EAKb+B,aALa,EAMbC,iBANa,EAOP;QACDzD,MAAD,CAAqBwS,QAAzB,EAAmC;WAC5BzC,UAAL,CAAiB/P,MAAD,CAAqBwS,QAArB,CAA8BxgB,KAA9C;;;WAEMgO,MAAD,CAAqBwS,QAA5B;;QACI,KAAK7D,YAAL,CAAkB,GAAlB,CAAJ,EAA4B;MAC1B3O,MAAM,CAAC2D,cAAP,GAAwB,KAAKiL,iCAAL,EAAxB;;;UAGIvL,eAAN,CACEC,SADF,EAEEtD,MAFF,EAGEuD,WAHF,EAIE9B,OAJF,EAKE+B,aALF,EAMEC,iBANF;;;EAUFiX,sBAAsB,CACpBpX,SADoB,EAEpBtD,MAFoB,EAGpBuD,WAHoB,EAIpB9B,OAJoB,EAKd;QACDzB,MAAD,CAAqBwS,QAAzB,EAAmC;WAC5BzC,UAAL,CAAiB/P,MAAD,CAAqBwS,QAArB,CAA8BxgB,KAA9C;;;WAEMgO,MAAD,CAAqBwS,QAA5B;;QACI,KAAK7D,YAAL,CAAkB,GAAlB,CAAJ,EAA4B;MAC1B3O,MAAM,CAAC2D,cAAP,GAAwB,KAAKiL,iCAAL,EAAxB;;;UAGI8L,sBAAN,CAA6BpX,SAA7B,EAAwCtD,MAAxC,EAAgDuD,WAAhD,EAA6D9B,OAA7D;;;EAIFkZ,eAAe,CAAC3mB,IAAD,EAAsB;UAC7B2mB,eAAN,CAAsB3mB,IAAtB;;QACIA,IAAI,CAACiM,UAAL,IAAmB,KAAK0O,YAAL,CAAkB,GAAlB,CAAvB,EAA+C;MAC7C3a,IAAI,CAAC4mB,mBAAL,GAA2B,KAAKhJ,mCAAL,EAA3B;;;QAEE,KAAKlC,YAAL,CAAkB,YAAlB,CAAJ,EAAqC;WAC9BrG,IAAL;YACMwR,WAAoC,GAAI7mB,IAAI,CAACkd,UAAL,GAAkB,EAAhE;;SACG;cACKld,IAAI,GAAG,KAAKqQ,SAAL,EAAb;QACArQ,IAAI,CAACua,EAAL,GAAU,KAAKyC,6BAAL,CAA+C,IAA/C,CAAV;;YACI,KAAKrC,YAAL,CAAkB,GAAlB,CAAJ,EAA4B;UAC1B3a,IAAI,CAAC2P,cAAL,GAAsB,KAAKiO,mCAAL,EAAtB;SADF,MAEO;UACL5d,IAAI,CAAC2P,cAAL,GAAsB,IAAtB;;;QAEFkX,WAAW,CAAChnB,IAAZ,CAAiB,KAAKyQ,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB,CAAjB;OARF,QASS,KAAKga,GAAL,CAASnK,KAAE,CAAC1Z,KAAZ,CATT;;;;EAaJ2wB,iBAAiB,CACf9mB,IADe,EAEf+mB,oBAFe,EAGD;UACRvI,QAAQ,GAAG,KAAKC,iBAAL,EAAjB;UACM1N,GAAG,GAAG,MAAM+V,iBAAN,CAAwB9mB,IAAxB,EAA8B+mB,oBAA9B,CAAZ;IAEA/mB,IAAI,CAACwe,QAAL,GAAgBA,QAAhB;WACOzN,GAAP;;;EAIFiW,iBAAiB,CACfpZ,IADe,EAEfkC,QAFe,EAGfrF,QAHe,EAIf8E,WAJe,EAKf9B,OALe,EAMf+C,SANe,EAOfC,UAPe,EAQfhC,mBARe,EAST;QACDb,IAAD,CAAmB4Q,QAAvB,EAAiC;WAC1BzC,UAAL,CAAiBnO,IAAD,CAAmB4Q,QAAnB,CAA4BxgB,KAA5C;;;WAEM4P,IAAD,CAAmB4Q,QAA1B;QAEI7O,cAAJ;;QAGI,KAAKgL,YAAL,CAAkB,GAAlB,KAA0B,CAAClK,UAA/B,EAA2C;MACzCd,cAAc,GAAG,KAAKiL,iCAAL,EAAjB;UACI,CAAC,KAAKtc,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,CAAL,EAA4B,KAAK8lB,UAAL;;;UAGxBiL,iBAAN,CACEpZ,IADF,EAEEkC,QAFF,EAGErF,QAHF,EAIE8E,WAJF,EAKE9B,OALF,EAME+C,SANF,EAOEC,UAPF,EAQEhC,mBARF;;QAYIkB,cAAJ,EAAoB;OACjB/B,IAAI,CAACnB,KAAL,IAAcmB,IAAf,EAAqB+B,cAArB,GAAsCA,cAAtC;;;;EAIJsX,4BAA4B,CAAClF,KAAD,EAA8B;QACpD,KAAK/H,GAAL,CAASnK,KAAE,CAACrZ,QAAZ,CAAJ,EAA2B;UACrBurB,KAAK,CAACnhB,IAAN,KAAe,YAAnB,EAAiC;aAC1BmK,KAAL,CAAWgX,KAAK,CAAC/jB,KAAjB,EAAwBuX,UAAU,CAAC0B,sBAAnC;;;MAGA8K,KAAF,CAA6B9Q,QAA7B,GAAwC,IAAxC;;;QAEE,KAAK3S,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,CAAJ,EAA0B;MACxB0rB,KAAK,CAAC9G,cAAN,GAAuB,KAAK2B,uBAAL,EAAvB;;;SAEG1B,gBAAL,CAAsB6G,KAAtB;WACOA,KAAP;;;EAGFmF,iBAAiB,CACfpX,QADe,EAEfrF,QAFe,EAGf0c,IAHe,EAIJ;UACLnnB,IAAI,GAAG,MAAMknB,iBAAN,CAAwBpX,QAAxB,EAAkCrF,QAAlC,EAA4C0c,IAA5C,CAAb;;QAGEnnB,IAAI,CAACY,IAAL,KAAc,mBAAd,IACAZ,IAAI,CAACib,cADL,IAEAjb,IAAI,CAACie,KAAL,CAAWjgB,KAAX,GAAmBgC,IAAI,CAACib,cAAL,CAAoBjd,KAHzC,EAIE;WACK+M,KAAL,CAAW/K,IAAI,CAACib,cAAL,CAAoBjd,KAA/B,EAAsCuX,UAAU,CAAC4B,qBAAjD;;;WAGKnX,IAAP;;;EAGFonB,wBAAwB,CAACpnB,IAAD,EAAqC;QACvD,CAACkY,iBAAiB,CAAClY,IAAD,CAAtB,EAA8B;aACrB,MAAMonB,wBAAN,CAA+BpnB,IAA/B,CAAP;;;WAGKoY,oBAAoB,CAAC,KAAKzY,KAAN,CAA3B;;;EAGF0nB,yBAAyB,CACvBrnB,IADuB,EAEvBsnB,SAFuB,EAGvB1mB,IAHuB,EAIvBuN,kBAJuB,EAKjB;IACNmZ,SAAS,CAACC,KAAV,GAAkBrP,iBAAiB,CAAClY,IAAD,CAAjB,GACd,KAAKgd,6BAAL,CACgB,IADhB,EAEoB,IAFpB,CADc,GAKd,KAAKxC,eAAL,EALJ;SAOKzM,SAAL,CACEuZ,SAAS,CAACC,KADZ,EAEExrB,YAFF,EAGE2E,SAHF,EAIEyN,kBAJF;IAMAnO,IAAI,CAACwR,UAAL,CAAgB3R,IAAhB,CAAqB,KAAKyQ,UAAL,CAAgBgX,SAAhB,EAA2B1mB,IAA3B,CAArB;;;EAIF4mB,gCAAgC,CAACxnB,IAAD,EAAqC;IACnEA,IAAI,CAACmY,UAAL,GAAkB,OAAlB;QAEIpM,IAAI,GAAG,IAAX;;QACI,KAAKzN,KAAL,CAAWuR,KAAE,CAACvV,OAAd,CAAJ,EAA4B;MAC1ByR,IAAI,GAAG,QAAP;KADF,MAEO,IAAI,KAAK2P,YAAL,CAAkB,MAAlB,CAAJ,EAA+B;MACpC3P,IAAI,GAAG,MAAP;;;QAEEA,IAAJ,EAAU;YACFsV,EAAE,GAAG,KAAK5B,SAAL,EAAX;;UAGI1T,IAAI,KAAK,MAAT,IAAmBsV,EAAE,CAACzgB,IAAH,KAAYiP,KAAE,CAAC1X,IAAtC,EAA4C;aACrC4jB,UAAL,CAAgBsF,EAAE,CAACrjB,KAAnB;;;UAIAoa,oBAAoB,CAACiJ,EAAD,CAApB,IACAA,EAAE,CAACzgB,IAAH,KAAYiP,KAAE,CAACja,MADf,IAEAyrB,EAAE,CAACzgB,IAAH,KAAYiP,KAAE,CAAC1X,IAHjB,EAIE;aACKkd,IAAL;QACArV,IAAI,CAACmY,UAAL,GAAkBpM,IAAlB;;;;WAIG,MAAMyb,gCAAN,CAAuCxnB,IAAvC,CAAP;;;EAIFynB,oBAAoB,CAACznB,IAAD,EAAkC;UAC9CsnB,SAAS,GAAG,KAAKjX,SAAL,EAAlB;UACMqX,aAAa,GAAG,KAAK/nB,KAAL,CAAW3B,KAAjC;UACM2pB,UAAU,GAAG,KAAKnN,eAAL,CAAqB,IAArB,CAAnB;QAEIoN,iBAAiB,GAAG,IAAxB;;QACID,UAAU,CAAChzB,IAAX,KAAoB,MAAxB,EAAgC;MAC9BizB,iBAAiB,GAAG,MAApB;KADF,MAEO,IAAID,UAAU,CAAChzB,IAAX,KAAoB,QAAxB,EAAkC;MACvCizB,iBAAiB,GAAG,QAApB;;;QAGE5B,SAAS,GAAG,KAAhB;;QACI,KAAKtK,YAAL,CAAkB,IAAlB,KAA2B,CAAC,KAAKmM,qBAAL,CAA2B,IAA3B,CAAhC,EAAkE;YAC1DC,QAAQ,GAAG,KAAKtN,eAAL,CAAqB,IAArB,CAAjB;;UAEEoN,iBAAiB,KAAK,IAAtB,IACA,CAAC,KAAKtpB,KAAL,CAAWuR,KAAE,CAAClb,IAAd,CADD,IAEA,CAAC,KAAKgL,KAAL,CAAWiB,IAAX,CAAgBxM,OAHnB,EAIE;QAEAkzB,SAAS,CAACS,QAAV,GAAqBD,QAArB;QACAR,SAAS,CAACnP,UAAV,GAAuByP,iBAAvB;QACAN,SAAS,CAACC,KAAV,GAAkBO,QAAQ,CAACE,OAAT,EAAlB;OARF,MASO;QAELV,SAAS,CAACS,QAAV,GAAqBJ,UAArB;QACAL,SAAS,CAACnP,UAAV,GAAuB,IAAvB;QACAmP,SAAS,CAACC,KAAV,GAAkB,KAAK/M,eAAL,EAAlB;;KAfJ,MAiBO,IACLoN,iBAAiB,KAAK,IAAtB,KACC,KAAKtpB,KAAL,CAAWuR,KAAE,CAAClb,IAAd,KAAuB,KAAKgL,KAAL,CAAWiB,IAAX,CAAgBxM,OADxC,CADK,EAGL;MAEAkzB,SAAS,CAACS,QAAV,GAAqB,KAAKvN,eAAL,CAAqB,IAArB,CAArB;MACA8M,SAAS,CAACnP,UAAV,GAAuByP,iBAAvB;;UACI,KAAKrM,aAAL,CAAmB,IAAnB,CAAJ,EAA8B;QAC5B+L,SAAS,CAACC,KAAV,GAAkB,KAAK/M,eAAL,EAAlB;OADF,MAEO;QACLwL,SAAS,GAAG,IAAZ;QACAsB,SAAS,CAACC,KAAV,GAAkBD,SAAS,CAACS,QAAV,CAAmBC,OAAnB,EAAlB;;KAXG,MAaA;MACLhC,SAAS,GAAG,IAAZ;MACAsB,SAAS,CAACS,QAAV,GAAqBJ,UAArB;MACAL,SAAS,CAACnP,UAAV,GAAuB,IAAvB;MACAmP,SAAS,CAACC,KAAV,GAAkBD,SAAS,CAACS,QAAV,CAAmBC,OAAnB,EAAlB;;;UAGIC,gBAAgB,GAAG/P,iBAAiB,CAAClY,IAAD,CAA1C;UACMkoB,qBAAqB,GAAGhQ,iBAAiB,CAACoP,SAAD,CAA/C;;QAEIW,gBAAgB,IAAIC,qBAAxB,EAA+C;WACxCnd,KAAL,CACE2c,aADF,EAEEnS,UAAU,CAACkB,mCAFb;;;QAMEwR,gBAAgB,IAAIC,qBAAxB,EAA+C;WACxCnK,iBAAL,CACEuJ,SAAS,CAACC,KAAV,CAAgB5yB,IADlB,EAEE2yB,SAAS,CAACC,KAAV,CAAgBvpB,KAFlB,EAGoB,IAHpB;;;QAOEgoB,SAAS,IAAI,CAACiC,gBAAd,IAAkC,CAACC,qBAAvC,EAA8D;WACvDC,iBAAL,CACEb,SAAS,CAACC,KAAV,CAAgB5yB,IADlB,EAEE2yB,SAAS,CAACtpB,KAFZ,EAGE,IAHF,EAIE,IAJF;;;SAQG+P,SAAL,CACEuZ,SAAS,CAACC,KADZ,EAEExrB,YAFF,EAGE2E,SAHF,EAIE,kBAJF;IAMAV,IAAI,CAACwR,UAAL,CAAgB3R,IAAhB,CAAqB,KAAKyQ,UAAL,CAAgBgX,SAAhB,EAA2B,iBAA3B,CAArB;;;EAIFc,mBAAmB,CAACpoB,IAAD,EAAmBqoB,cAAnB,EAAmD;UAE9Dtc,IAAI,GAAG/L,IAAI,CAAC+L,IAAlB;;QACIA,IAAI,KAAK,KAAT,IAAkBA,IAAI,KAAK,KAA3B,IAAoC,KAAK4O,YAAL,CAAkB,GAAlB,CAAxC,EAAgE;MAC9D3a,IAAI,CAAC2P,cAAL,GAAsB,KAAKiL,iCAAL,EAAtB;;;UAEIwN,mBAAN,CAA0BpoB,IAA1B,EAAgCqoB,cAAhC;;;EAIFC,UAAU,CACRzD,IADQ,EAER9Y,IAFQ,EAGF;UACAuc,UAAN,CAAiBzD,IAAjB,EAAuB9Y,IAAvB;;QACI,KAAKzN,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,CAAJ,EAA0B;MACxBwuB,IAAI,CAACtK,EAAL,CAAQU,cAAR,GAAyB,KAAK2B,uBAAL,EAAzB;WACK1B,gBAAL,CAAsB2J,IAAI,CAACtK,EAA3B;;;;EAKJgO,iCAAiC,CAC/BvoB,IAD+B,EAE/BwoB,IAF+B,EAGJ;QACvB,KAAKlqB,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,CAAJ,EAA0B;YAClB2oB,qBAAqB,GAAG,KAAKrf,KAAL,CAAWsf,kBAAzC;WACKtf,KAAL,CAAWsf,kBAAX,GAAgC,IAAhC;MACAjf,IAAI,CAACgb,UAAL,GAAkB,KAAK4B,uBAAL,EAAlB;WACKjd,KAAL,CAAWsf,kBAAX,GAAgCD,qBAAhC;;;WAGK,MAAMuJ,iCAAN,CAAwCvoB,IAAxC,EAA8CwoB,IAA9C,CAAP;;;EAIFC,qBAAqB,GAAY;WACxB,KAAKnqB,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,KAAwB,MAAMoyB,qBAAN,EAA/B;;;EAaF3E,gBAAgB,CACdhB,IADc,EAEdrU,mBAFc,EAGdia,cAHc,EAId3F,gBAJc,EAKA;;;QACVpjB,KAAK,GAAG,IAAZ;QAEIgpB,GAAJ;;QAGE,KAAK9pB,SAAL,CAAe,KAAf,MACC,KAAKP,KAAL,CAAWuR,KAAE,CAAC+O,WAAd,KAA8B,KAAKjE,YAAL,CAAkB,GAAlB,CAD/B,CADF,EAGE;MACAhb,KAAK,GAAG,KAAKA,KAAL,CAAWyjB,KAAX,EAAR;MAEAuF,GAAG,GAAG,KAAK1F,QAAL,CACJ,MACE,MAAMa,gBAAN,CACEhB,IADF,EAEErU,mBAFF,EAGEia,cAHF,EAIE3F,gBAJF,CAFE,EAQJpjB,KARI,CAAN;UAYI,CAACgpB,GAAG,CAACzF,KAAT,EAAgB,OAAOyF,GAAG,CAAC3oB,IAAX;YAKV;QAAE8S;UAAY,KAAKnT,KAAzB;;UACImT,OAAO,CAACA,OAAO,CAACzT,MAAR,GAAiB,CAAlB,CAAP,KAAgCupB,OAAE,CAACC,MAAvC,EAA+C;QAC7C/V,OAAO,CAACzT,MAAR,IAAkB,CAAlB;OADF,MAEO,IAAIyT,OAAO,CAACA,OAAO,CAACzT,MAAR,GAAiB,CAAlB,CAAP,KAAgCupB,OAAE,CAACE,MAAvC,EAA+C;QACpDhW,OAAO,CAACzT,MAAR,IAAkB,CAAlB;;;;QAIA,SAAAspB,GAAG,SAAH,iBAAKzF,KAAL,KAAc,KAAKvI,YAAL,CAAkB,GAAlB,CAAlB,EAA0C;;;MACxChb,KAAK,GAAGA,KAAK,IAAI,KAAKA,KAAL,CAAWyjB,KAAX,EAAjB;UAEIzT,cAAJ;YAEMjZ,KAAK,GAAG,KAAKusB,QAAL,CAAc,MAAM;QAChCtT,cAAc,GAAG,KAAKiL,iCAAL,EAAjB;cAEMmO,eAAe,GAAG,KAAK1G,gCAAL,CACtB1S,cADsB,EAEtB,MACE,MAAMmU,gBAAN,CACEhB,IADF,EAEErU,mBAFF,EAGEia,cAHF,EAIE3F,gBAJF,CAHoB,CAAxB;QAUAgG,eAAe,CAACpZ,cAAhB,GAAiCA,cAAjC;aACKqZ,0BAAL,CAAgCD,eAAhC,EAAiDpZ,cAAjD;eAEOoZ,eAAP;OAhBY,EAiBXppB,KAjBW,CAAd;YAmBMopB,eAA2C,GAC/C,gBAAAryB,KAAK,CAACsJ,IAAN,iCAAYY,IAAZ,MAAqB,yBAArB,GAAiDlK,KAAK,CAACsJ,IAAvD,GAA8D,IADhE;UAGI,CAACtJ,KAAK,CAACwsB,KAAP,IAAgB6F,eAApB,EAAqC,OAAOA,eAAP;;mBAQjCJ,GAAJ,qBAAI,MAAK3oB,IAAT,EAAe;aAERL,KAAL,GAAagpB,GAAG,CAACxF,SAAjB;eACOwF,GAAG,CAAC3oB,IAAX;;;UAGE+oB,eAAJ,EAAqB;aAEdppB,KAAL,GAAajJ,KAAK,CAACysB,SAAnB;eACO4F,eAAP;;;mBAGEJ,GAAJ,qBAAI,MAAKM,MAAT,EAAiB,MAAMN,GAAG,CAACzF,KAAV;UACbxsB,KAAK,CAACuyB,MAAV,EAAkB,MAAMvyB,KAAK,CAACwsB,KAAZ;YAGZ,KAAKnY,KAAL,CACJ4E,cAAc,CAAC3R,KADX,EAEJuX,UAAU,CAACoC,iCAFP,CAAN;;;WAMK,MAAMmM,gBAAN,CACLhB,IADK,EAELrU,mBAFK,EAGLia,cAHK,EAIL3F,gBAJK,CAAP;;;EASFmG,UAAU,CAAClpB,IAAD,EAA8D;QAClE,KAAK1B,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,CAAJ,EAA0B;YAClB2sB,MAAM,GAAG,KAAKC,QAAL,CAAc,MAAM;cAC3BjE,qBAAqB,GAAG,KAAKrf,KAAL,CAAWsf,kBAAzC;aACKtf,KAAL,CAAWsf,kBAAX,GAAgC,IAAhC;cAEMxE,QAAQ,GAAG,KAAKpK,SAAL,EAAjB;SAIEoK,QAAQ,CAACQ,cAFX,EAIEjb,IAAI,CAACma,SAJP,IAKI,KAAKD,oCAAL,EALJ;aAOKva,KAAL,CAAWsf,kBAAX,GAAgCD,qBAAhC;YAEI,KAAK2C,kBAAL,EAAJ,EAA+B,KAAK5F,UAAL;YAC3B,CAAC,KAAKzd,KAAL,CAAWuR,KAAE,CAACnZ,KAAd,CAAL,EAA2B,KAAKqlB,UAAL;eAEpBtB,QAAP;OAlBa,CAAf;UAqBIuI,MAAM,CAACiG,MAAX,EAAmB,OAAO,IAAP;UAGfjG,MAAM,CAACE,KAAX,EAAkB,KAAKvjB,KAAL,GAAaqjB,MAAM,CAACG,SAApB;MAGlBnjB,IAAI,CAACgb,UAAL,GAAkBgI,MAAM,CAAChjB,IAAP,CAAYib,cAAZ,GACd,KAAK3K,UAAL,CAAgB0S,MAAM,CAAChjB,IAAvB,EAA6B,gBAA7B,CADc,GAEd,IAFJ;;;WAKK,MAAMkpB,UAAN,CAAiBlpB,IAAjB,CAAP;;;EAGFmpB,gBAAgB,GAAY;WACnB,KAAK7qB,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,KAAwB,MAAM8yB,gBAAN,EAA/B;;;EAGFC,0BAA0B,CACxBppB,IADwB,EAExBiL,MAFwB,EAGlB;QACF,KAAKtL,KAAL,CAAWokB,yBAAX,CAAqCU,OAArC,CAA6CzkB,IAAI,CAAChC,KAAlD,MAA6D,CAAC,CAAlE,EAAqE;MACnEgC,IAAI,CAACiL,MAAL,GAAcA,MAAd;KADF,MAEO;YACCme,0BAAN,CAAiCppB,IAAjC,EAAuCiL,MAAvC;;;;EAIJsZ,WAAW,CACTvkB,IADS,EAETqpB,eAFS,EAGTC,eAHS,EAIH;QAEJA,eAAe,IACf,KAAK3pB,KAAL,CAAWokB,yBAAX,CAAqCU,OAArC,CAA6CzkB,IAAI,CAAChC,KAAlD,MAA6D,CAAC,CAFhE,EAGE;;;;WAIK,MAAMumB,WAAN,CAAkB,GAAGnjB,SAArB,CAAP;;;EAGFmoB,kCAAkC,CAACC,UAAD,EAAoC;WAC7D,MAAMD,kCAAN,CACLC,UAAU,IAAI,KAAK7pB,KAAL,CAAW2jB,SAAX,CAAqBmB,OAArB,CAA6B,KAAK9kB,KAAL,CAAW3B,KAAxC,MAAmD,CAAC,CAD7D,CAAP;;;EAKFyrB,eAAe,CACb/X,IADa,EAEb5B,QAFa,EAGbrF,QAHa,EAIbkH,OAJa,EAKC;QAEZD,IAAI,CAAC9Q,IAAL,KAAc,YAAd,IACA8Q,IAAI,CAAC/c,IAAL,KAAc,OADd,IAEA,KAAKgL,KAAL,CAAW2jB,SAAX,CAAqBmB,OAArB,CAA6B3U,QAA7B,MAA2C,CAAC,CAH9C,EAIE;WACKuF,IAAL;YAEMrV,IAAI,GAAG,KAAKmN,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAb;MACAzK,IAAI,CAACkR,MAAL,GAAcQ,IAAd;MACA1R,IAAI,CAACoB,SAAL,GAAiB,KAAKsoB,4BAAL,CAAkC7Z,KAAE,CAAC3Z,MAArC,EAA6C,KAA7C,CAAjB;MACAwb,IAAI,GAAG,KAAKpB,UAAL,CAAgBtQ,IAAhB,EAAsB,gBAAtB,CAAP;KAVF,MAWO,IACL0R,IAAI,CAAC9Q,IAAL,KAAc,YAAd,IACA8Q,IAAI,CAAC/c,IAAL,KAAc,OADd,IAEA,KAAKgmB,YAAL,CAAkB,GAAlB,CAHK,EAIL;YACMhb,KAAK,GAAG,KAAKA,KAAL,CAAWyjB,KAAX,EAAd;YACM1sB,KAAK,GAAG,KAAKusB,QAAL,CACZ0G,KAAK,IACH,KAAKC,iCAAL,CAAuC9Z,QAAvC,EAAiDrF,QAAjD,KACAkf,KAAK,EAHK,EAIZhqB,KAJY,CAAd;UAOI,CAACjJ,KAAK,CAACwsB,KAAP,IAAgB,CAACxsB,KAAK,CAACmzB,OAA3B,EAAoC,OAAOnzB,KAAK,CAACsJ,IAAb;YAE9BgjB,MAAM,GAAG,KAAKC,QAAL,CACb,MAAM,MAAMwG,eAAN,CAAsB/X,IAAtB,EAA4B5B,QAA5B,EAAsCrF,QAAtC,EAAgDkH,OAAhD,CADO,EAEbhS,KAFa,CAAf;UAKIqjB,MAAM,CAAChjB,IAAP,IAAe,CAACgjB,MAAM,CAACE,KAA3B,EAAkC,OAAOF,MAAM,CAAChjB,IAAd;;UAE9BtJ,KAAK,CAACsJ,IAAV,EAAgB;aACTL,KAAL,GAAajJ,KAAK,CAACysB,SAAnB;eACOzsB,KAAK,CAACsJ,IAAb;;;UAGEgjB,MAAM,CAAChjB,IAAX,EAAiB;aACVL,KAAL,GAAaqjB,MAAM,CAACG,SAApB;eACOH,MAAM,CAAChjB,IAAd;;;YAGItJ,KAAK,CAACwsB,KAAN,IAAeF,MAAM,CAACE,KAA5B;;;WAGK,MAAMuG,eAAN,CAAsB/X,IAAtB,EAA4B5B,QAA5B,EAAsCrF,QAAtC,EAAgDkH,OAAhD,CAAP;;;EAGFF,cAAc,CACZC,IADY,EAEZ5B,QAFY,EAGZrF,QAHY,EAIZkH,OAJY,EAKZmY,cALY,EAME;QACV,KAAKxrB,KAAL,CAAWuR,KAAE,CAACpZ,WAAd,KAA8B,KAAKszB,mBAAL,EAAlC,EAA8D;MAC5DD,cAAc,CAAClY,mBAAf,GAAqC,IAArC;;UACID,OAAJ,EAAa;QACXmY,cAAc,CAAChY,IAAf,GAAsB,IAAtB;eACOJ,IAAP;;;WAEG2D,IAAL;YACMrV,IAA8B,GAAG,KAAKmN,WAAL,CACrC2C,QADqC,EAErCrF,QAFqC,CAAvC;MAIAzK,IAAI,CAACkR,MAAL,GAAcQ,IAAd;MACA1R,IAAI,CAACgqB,aAAL,GAAqB,KAAKpM,mCAAL,EAArB;WACKnE,MAAL,CAAY5J,KAAE,CAAC5Z,MAAf;MAEA+J,IAAI,CAACoB,SAAL,GAAiB,KAAKsoB,4BAAL,CAAkC7Z,KAAE,CAAC3Z,MAArC,EAA6C,KAA7C,CAAjB;MACA8J,IAAI,CAACiR,QAAL,GAAgB,IAAhB;aACO,KAAKD,oBAAL,CAA0BhR,IAA1B,EAA+C,IAA/C,CAAP;KAjBF,MAkBO,IACL,CAAC2R,OAAD,IACA,KAAKoH,gBAAL,EADA,IAEA,KAAK4B,YAAL,CAAkB,GAAlB,CAHK,EAIL;YACM3a,IAAI,GAAG,KAAKmN,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAb;MACAzK,IAAI,CAACkR,MAAL,GAAcQ,IAAd;YAEMsR,MAAM,GAAG,KAAKC,QAAL,CAAc,MAAM;QACjCjjB,IAAI,CAACgqB,aAAL,GAAqB,KAAK9K,4CAAL,EAArB;aACKzF,MAAL,CAAY5J,KAAE,CAAC5Z,MAAf;QACA+J,IAAI,CAACoB,SAAL,GAAiB,KAAKsoB,4BAAL,CAAkC7Z,KAAE,CAAC3Z,MAArC,EAA6C,KAA7C,CAAjB;YACI4zB,cAAc,CAAClY,mBAAnB,EAAwC5R,IAAI,CAACiR,QAAL,GAAgB,KAAhB;eACjC,KAAKD,oBAAL,CACLhR,IADK,EAEL8pB,cAAc,CAAClY,mBAFV,CAAP;OALa,CAAf;;UAWIoR,MAAM,CAAChjB,IAAX,EAAiB;YACXgjB,MAAM,CAACE,KAAX,EAAkB,KAAKvjB,KAAL,GAAaqjB,MAAM,CAACG,SAApB;eACXH,MAAM,CAAChjB,IAAd;;;;WAIG,MAAMyR,cAAN,CACLC,IADK,EAEL5B,QAFK,EAGLrF,QAHK,EAILkH,OAJK,EAKLmY,cALK,CAAP;;;EASFG,iBAAiB,CAACjqB,IAAD,EAA8B;QACzCkqB,KAAK,GAAG,IAAZ;;QACI,KAAKnR,gBAAL,MAA2B,KAAK4B,YAAL,CAAkB,GAAlB,CAA/B,EAAuD;MACrDuP,KAAK,GAAG,KAAKjH,QAAL,CAAc,MACpB,KAAK/D,4CAAL,EADM,EAENlf,IAFF;;;IAIFA,IAAI,CAACgqB,aAAL,GAAqBE,KAArB;UAEMD,iBAAN,CAAwBjqB,IAAxB;;;EAGF4pB,iCAAiC,CAC/B9Z,QAD+B,EAE/BrF,QAF+B,EAGH;UACtBzK,IAAI,GAAG,KAAKmN,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAb;SACK2d,mBAAL,CAAyBpoB,IAAzB;QACI,CAAC,KAAKkpB,UAAL,CAAgBlpB,IAAhB,CAAL,EAA4B;WACrB,KAAKmqB,oBAAL,CACLnqB,IADK,EAEQU,SAFR,EAGS,IAHT,CAAP;;;EAOF0pB,qBAAqB,CAAC5sB,IAAD,EAAqB;UAClC6X,IAAI,GAAG,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,CAAb;;QAEEhN,IAAI,OAAJ,IACA6X,IAAI,OADJ,IAEA,KAAK1V,KAAL,CAAW0qB,cAHb,EAIE;WACK1qB,KAAL,CAAW0qB,cAAX,GAA4B,KAA5B;WACK1qB,KAAL,CAAW6K,GAAX,IAAkB,CAAlB;WACK8f,SAAL;;;;UAIIF,qBAAN,CAA4B5sB,IAA5B;;;EAGF+sB,kBAAkB,CAAC/sB,IAAD,EAAqB;UAC/B6X,IAAI,GAAG,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,CAAb;;QAEEhN,IAAI,QAAJ,IACA6X,IAAI,QAFN,EAGE;WAEKyQ,QAAL,CAAcjW,KAAE,CAAC7Z,SAAjB,EAA4B,CAA5B;;;;UAIIu0B,kBAAN,CAAyB/sB,IAAzB;;;EAGFgtB,aAAa,CAACC,IAAD,EAAeC,OAAf,EAA2C;UAChDC,QAAQ,GAAG,MAAMH,aAAN,CAAoBC,IAApB,EAA0BC,OAA1B,CAAjB;;QACI,KAAK/qB,KAAL,CAAW0qB,cAAf,EAA+B;WACxBtf,KAAL,CAAW,KAAKpL,KAAL,CAAW6K,GAAtB,EAA2B+K,UAAU,CAACuC,uBAAtC;;;WAEK6S,QAAP;;;EAGFC,gBAAgB,GAAS;QACnB,KAAK/rB,SAAL,CAAe,cAAf,KAAkC,KAAKgsB,eAAL,EAAtC,EAA8D;UACxD,KAAKlrB,KAAL,CAAW0qB,cAAf,EAA+B;aACxBtO,UAAL,CAAgB,IAAhB,EAAsBxG,UAAU,CAACyB,iBAAjC;;;WAEG8T,wBAAL;WACKnrB,KAAL,CAAW6K,GAAX,IAAkB,KAAKqgB,eAAL,EAAlB;WACKlrB,KAAL,CAAW0qB,cAAX,GAA4B,IAA5B;;;;QAIE,KAAK1qB,KAAL,CAAW0qB,cAAf,EAA+B;YACvBpsB,GAAG,GAAG,KAAKE,KAAL,CAAWsmB,OAAX,CAAmB,KAAnB,EAA2B,KAAK9kB,KAAL,CAAW6K,GAAX,IAAkB,CAA7C,CAAZ;;UACIvM,GAAG,KAAK,CAAC,CAAb,EAAgB;cACR,KAAK8M,KAAL,CAAW,KAAKpL,KAAL,CAAW6K,GAAX,GAAiB,CAA5B,EAA+BsD,aAAM,CAAChE,mBAAtC,CAAN;;;WAEGnK,KAAL,CAAW6K,GAAX,GAAiBvM,GAAG,GAAG,CAAvB;;;;UAII2sB,gBAAN;;;EAGFC,eAAe,GAAqB;UAC5B;MAAErgB;QAAQ,KAAK7K,KAArB;QACIorB,yBAAyB,GAAG,CAAhC;;WAEE,QAAiCC,QAAjC,CACE,KAAK7sB,KAAL,CAAW0nB,UAAX,CAAsBrb,GAAG,GAAGugB,yBAA5B,CADF,CADF,EAIE;MACAA,yBAAyB;;;UAGrBE,GAAG,GAAG,KAAK9sB,KAAL,CAAW0nB,UAAX,CAAsBkF,yBAAyB,GAAGvgB,GAAlD,CAAZ;UACM0gB,GAAG,GAAG,KAAK/sB,KAAL,CAAW0nB,UAAX,CAAsBkF,yBAAyB,GAAGvgB,GAA5B,GAAkC,CAAxD,CAAZ;;QAEIygB,GAAG,OAAH,IAA2BC,GAAG,OAAlC,EAAwD;aAC/CH,yBAAyB,GAAG,CAAnC;;;QAGA,KAAK5sB,KAAL,CAAWkD,KAAX,CACE0pB,yBAAyB,GAAGvgB,GAD9B,EAEEugB,yBAAyB,GAAGvgB,GAA5B,GAAkC,EAFpC,MAGM,cAJR,EAKE;aACOugB,yBAAyB,GAAG,EAAnC;;;QAEEE,GAAG,OAAH,IAA2BC,GAAG,OAAlC,EAAwD;aAC/CH,yBAAP;;;WAEK,KAAP;;;EAGFD,wBAAwB,GAAS;UACzB7sB,GAAG,GAAG,KAAKE,KAAL,CAAWsmB,OAAX,CAAmB,IAAnB,EAAyB,KAAK9kB,KAAL,CAAW6K,GAApC,CAAZ;;QACIvM,GAAG,KAAK,CAAC,CAAb,EAAgB;YACR,KAAK8M,KAAL,CAAW,KAAKpL,KAAL,CAAW6K,GAAtB,EAA2BsD,aAAM,CAAChE,mBAAlC,CAAN;;;;EAMJqhB,wCAAwC,CACtC3gB,GADsC,EAEtC;IAAE4gB,QAAF;IAAYC;GAF0B,EAGhC;SACDtgB,KAAL,CACEP,GADF,EAEE+K,UAAU,CAACO,+BAFb,EAGEuV,UAHF,EAIED,QAJF;;;EAQFE,8BAA8B,CAC5B9gB,GAD4B,EAE5B;IAAE4gB,QAAF;IAAYC;GAFgB,EAGtB;UACA3O,UAAU,GAAG2O,UAAU,CAAC,CAAD,CAAV,CAAcE,WAAd,KAA8BF,UAAU,CAAChqB,KAAX,CAAiB,CAAjB,CAAjD;SACK0J,KAAL,CACEP,GADF,EAEE+K,UAAU,CAACe,qBAFb,EAGE+U,UAHF,EAIE3O,UAJF,EAKE0O,QALF;;;EASFI,gCAAgC,CAC9BhhB,GAD8B,EAE9B;IAAE4gB,QAAF;IAAYC;GAFkB,EAGxB;SACDtgB,KAAL,CAAWP,GAAX,EAAgB+K,UAAU,CAACQ,uBAA3B,EAAoDsV,UAApD,EAAgED,QAAhE;;;EAGFK,qCAAqC,CACnCjhB,GADmC,EAEnC;IAAE4gB;GAFiC,EAG7B;SACDrgB,KAAL,CAAWP,GAAX,EAAgB+K,UAAU,CAACS,4BAA3B,EAAyDoV,QAAzD;;;EAGFM,gCAAgC,CAC9BlhB,GAD8B,EAE9B;IACE4gB,QADF;IAEEO;GAJ4B,EAM9B;WACO,KAAK5gB,KAAL,CACLP,GADK,EAELmhB,YAAY,KAAK,IAAjB,GACIpW,UAAU,CAACW,sCADf,GAEIX,UAAU,CAACU,uBAJV,EAKLmV,QALK,EAMLO,YANK,CAAP;;;EAUFC,qCAAqC,CACnCphB,GADmC,EAEnC;IAAE4gB,QAAF;IAAYS,YAAZ;IAA0BR;GAFS,EAGnC;QACIjgB,OAAO,GAAG,IAAd;;YACQygB,YAAR;WACO,SAAL;WACK,QAAL;WACK,QAAL;QACEzgB,OAAO,GAAGmK,UAAU,CAACY,uCAArB;;;WAEG,QAAL;QACE/K,OAAO,GAAGmK,UAAU,CAACa,sCAArB;;;;QAIAhL,OAAO,GAAGmK,UAAU,CAACc,uCAArB;;;WAEG,KAAKtL,KAAL,CAAWP,GAAX,EAAgBY,OAAhB,EAAyBggB,QAAzB,EAAmCC,UAAnC,EAA+CQ,YAA/C,CAAP;;;EAGFC,uCAAuC,CACrCthB,GADqC,EAErC;IAAE4gB,QAAF;IAAYC;GAFyB,EAG/B;SACDtgB,KAAL,CACEP,GADF,EAEE+K,UAAU,CAACgB,8BAFb,EAGE6U,QAHF,EAIEC,UAJF;;;EAQFU,kDAAkD,CAChDvhB,GADgD,EAEhD;IAAE4gB;GAF8C,EAG1C;SACDrgB,KAAL,CACEP,GADF,EAEE+K,UAAU,CAACiB,yCAFb,EAGE4U,QAHF;;;EAOFY,kBAAkB,GAAmB;UAC7Blc,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAA5B;;UACMiuB,SAAS,GAAG,MAAM,KAAK3tB,KAAL,CAAWuR,KAAE,CAAC1Z,KAAd,KAAwB,KAAKmI,KAAL,CAAWuR,KAAE,CAAC9Z,MAAd,CAAhD;;YACQ,KAAK4J,KAAL,CAAWiB,IAAnB;WACOiP,KAAE,CAAC5a,GAAR;;gBACQi3B,OAAO,GAAG,KAAKpf,YAAL,CAAkB,KAAKnN,KAAL,CAAW8M,KAA7B,EAAoC,gBAApC,CAAhB;;cACIwf,SAAS,EAAb,EAAiB;mBACR;cAAErrB,IAAI,EAAE,QAAR;cAAkB4J,GAAG,EAAE0hB,OAAO,CAACluB,KAA/B;cAAsCyO,KAAK,EAAEyf;aAApD;;;iBAEK;YAAEtrB,IAAI,EAAE,SAAR;YAAmB4J,GAAG,EAAEsF;WAA/B;;;WAEGD,KAAE,CAACxa,MAAR;;gBACQ62B,OAAO,GAAG,KAAKpf,YAAL,CAAkB,KAAKnN,KAAL,CAAW8M,KAA7B,EAAoC,eAApC,CAAhB;;cACIwf,SAAS,EAAb,EAAiB;mBACR;cAAErrB,IAAI,EAAE,QAAR;cAAkB4J,GAAG,EAAE0hB,OAAO,CAACluB,KAA/B;cAAsCyO,KAAK,EAAEyf;aAApD;;;iBAEK;YAAEtrB,IAAI,EAAE,SAAR;YAAmB4J,GAAG,EAAEsF;WAA/B;;;WAEGD,KAAE,CAAC3V,KAAR;WACK2V,KAAE,CAAC1V,MAAR;;gBACQ+xB,OAAO,GAAG,KAAKC,mBAAL,EAAhB;;cACIF,SAAS,EAAb,EAAiB;mBACR;cACLrrB,IAAI,EAAE,SADD;cAEL4J,GAAG,EAAE0hB,OAAO,CAACluB,KAFR;cAGLyO,KAAK,EAAEyf;aAHT;;;iBAMK;YAAEtrB,IAAI,EAAE,SAAR;YAAmB4J,GAAG,EAAEsF;WAA/B;;;;eAGO;UAAElP,IAAI,EAAE,SAAR;UAAmB4J,GAAG,EAAEsF;SAA/B;;;;EAINsc,iBAAiB,GAAyC;UAClD5hB,GAAG,GAAG,KAAK7K,KAAL,CAAW3B,KAAvB;UACMuc,EAAE,GAAG,KAAKC,eAAL,CAAqB,IAArB,CAAX;UACM6R,IAAI,GAAG,KAAKrS,GAAL,CAASnK,KAAE,CAAC3Y,EAAZ,IACT,KAAK80B,kBAAL,EADS,GAET;MAAEprB,IAAI,EAAE,MAAR;MAAgB4J;KAFpB;WAGO;MAAE+P,EAAF;MAAM8R;KAAb;;;EAGFC,iCAAiC,CAC/B9hB,GAD+B,EAE/BsI,OAF+B,EAG/ByZ,YAH+B,EAIzB;UACA;MAAEV;QAAiB/Y,OAAzB;;QACI+Y,YAAY,KAAK,IAArB,EAA2B;;;;QAGvBA,YAAY,KAAKU,YAArB,EAAmC;WAC5BX,qCAAL,CAA2CphB,GAA3C,EAAgDsI,OAAhD;;;;EAIJ0Z,eAAe,CAAC;IACdpB,QADc;IAEdS;GAFa,EAWZ;UACKY,SAAS,GAAG,IAAIjY,GAAJ,EAAlB;UACMkY,OAAO,GAAG;MACdC,cAAc,EAAE,EADF;MAEdC,aAAa,EAAE,EAFD;MAGdC,aAAa,EAAE,EAHD;MAIdC,gBAAgB,EAAE;KAJpB;;WAMO,CAAC,KAAKxuB,KAAL,CAAWuR,KAAE,CAAC9Z,MAAd,CAAR,EAA+B;YACvBg3B,UAAU,GAAG,KAAK1c,SAAL,EAAnB;YACM;QAAEkK,EAAF;QAAM8R;UAAS,KAAKD,iBAAL,EAArB;YACMf,UAAU,GAAG9Q,EAAE,CAAC5lB,IAAtB;;UACI02B,UAAU,KAAK,EAAnB,EAAuB;;;;UAGnB,SAAS5X,IAAT,CAAc4X,UAAd,CAAJ,EAA+B;aACxBC,8BAAL,CAAoC/Q,EAAE,CAACvc,KAAvC,EAA8C;UAC5CotB,QAD4C;UAE5CC;SAFF;;;UAKEoB,SAAS,CAAC1tB,GAAV,CAAcssB,UAAd,CAAJ,EAA+B;aACxBG,gCAAL,CAAsCjR,EAAE,CAACvc,KAAzC,EAAgD;UAC9CotB,QAD8C;UAE9CC;SAFF;;;MAKFoB,SAAS,CAACO,GAAV,CAAc3B,UAAd;YACMvY,OAAO,GAAG;QAAEsY,QAAF;QAAYS,YAAZ;QAA0BR;OAA1C;MACA0B,UAAU,CAACxS,EAAX,GAAgBA,EAAhB;;cACQ8R,IAAI,CAACzrB,IAAb;aACO,SAAL;;iBACO0rB,iCAAL,CACED,IAAI,CAAC7hB,GADP,EAEEsI,OAFF,EAGE,SAHF;YAKAia,UAAU,CAACV,IAAX,GAAkBA,IAAI,CAAC5f,KAAvB;YACAigB,OAAO,CAACC,cAAR,CAAuB9sB,IAAvB,CACE,KAAKyQ,UAAL,CAAgByc,UAAhB,EAA4B,mBAA5B,CADF;;;;aAKG,QAAL;;iBACOT,iCAAL,CAAuCD,IAAI,CAAC7hB,GAA5C,EAAiDsI,OAAjD,EAA0D,QAA1D;YACAia,UAAU,CAACV,IAAX,GAAkBA,IAAI,CAAC5f,KAAvB;YACAigB,OAAO,CAACE,aAAR,CAAsB/sB,IAAtB,CACE,KAAKyQ,UAAL,CAAgByc,UAAhB,EAA4B,kBAA5B,CADF;;;;aAKG,QAAL;;iBACOT,iCAAL,CAAuCD,IAAI,CAAC7hB,GAA5C,EAAiDsI,OAAjD,EAA0D,QAA1D;YACAia,UAAU,CAACV,IAAX,GAAkBA,IAAI,CAAC5f,KAAvB;YACAigB,OAAO,CAACG,aAAR,CAAsBhtB,IAAtB,CACE,KAAKyQ,UAAL,CAAgByc,UAAhB,EAA4B,kBAA5B,CADF;;;;aAKG,SAAL;;kBACQ,KAAKnB,qCAAL,CAA2CS,IAAI,CAAC7hB,GAAhD,EAAqDsI,OAArD,CAAN;;;aAEG,MAAL;;oBACU+Y,YAAR;mBACO,SAAL;qBACOV,wCAAL,CACEkB,IAAI,CAAC7hB,GADP,EAEEsI,OAFF;;;mBAKG,QAAL;qBACOgZ,uCAAL,CAA6CO,IAAI,CAAC7hB,GAAlD,EAAuDsI,OAAvD;;;;gBAGA4Z,OAAO,CAACI,gBAAR,CAAyBjtB,IAAzB,CACE,KAAKyQ,UAAL,CAAgByc,UAAhB,EAA4B,qBAA5B,CADF;;;;;UAOJ,CAAC,KAAKzuB,KAAL,CAAWuR,KAAE,CAAC9Z,MAAd,CAAL,EAA4B;aACrB0jB,MAAL,CAAY5J,KAAE,CAAC1Z,KAAf;;;;WAGGu2B,OAAP;;;EAGFO,qBAAqB,CACnBC,kBADmB,EAEnBJ,gBAFmB,EAGnB;IAAE1B;GAHiB,EAIJ;QACX8B,kBAAkB,CAAC7tB,MAAnB,KAA8B,CAAlC,EAAqC;aAC5BytB,gBAAP;KADF,MAEO,IAAIA,gBAAgB,CAACztB,MAAjB,KAA4B,CAAhC,EAAmC;aACjC6tB,kBAAP;KADK,MAEA,IAAIJ,gBAAgB,CAACztB,MAAjB,GAA0B6tB,kBAAkB,CAAC7tB,MAAjD,EAAyD;4BACzC6tB,kBADyC,eACrB;cAA9BzH,MAAM,GAAIyH,kBAAJ,IAAZ;aACEnB,kDAAL,CACEtG,MAAM,CAACznB,KADT,EAEE;UAAEotB;SAFJ;;;aAKK0B,gBAAP;KAPK,MAQA;8BACgBA,gBADhB,gBACkC;cAA5BrH,MAAM,GAAIqH,gBAAJ,KAAZ;aACEf,kDAAL,CACEtG,MAAM,CAACznB,KADT,EAEE;UAAEotB;SAFJ;;;aAKK8B,kBAAP;;;;EAIJC,yBAAyB,CAAC;IACxB/B;GADuB,EAIJ;QACf,KAAK7P,aAAL,CAAmB,IAAnB,CAAJ,EAA8B;UACxB,CAAC,KAAKjd,KAAL,CAAWuR,KAAE,CAAClb,IAAd,CAAL,EAA0B;cAClB,KAAK+2B,gCAAL,CAAsC,KAAK/rB,KAAL,CAAW3B,KAAjD,EAAwD;UAC5DotB,QAD4D;UAE5DO,YAAY,EAAE;SAFV,CAAN;;;YAMI;QAAElf;UAAU,KAAK9M,KAAvB;WACK0V,IAAL;;UAGE5I,KAAK,KAAK,SAAV,IACAA,KAAK,KAAK,QADV,IAEAA,KAAK,KAAK,QAFV,IAGAA,KAAK,KAAK,QAJZ,EAKE;aACKif,gCAAL,CAAsC,KAAK/rB,KAAL,CAAW3B,KAAjD,EAAwD;UACtDotB,QADsD;UAEtDO,YAAY,EAAElf;SAFhB;;;aAMKA,KAAP;;;WAEK,IAAP;;;EAGF2gB,YAAY,CAACptB,IAAD,EAAe;IAAEorB,QAAF;IAAYiC;GAA3B,EAA8C;UAClDxB,YAAY,GAAG,KAAKsB,yBAAL,CAA+B;MAAE/B;KAAjC,CAArB;SACK3R,MAAL,CAAY5J,KAAE,CAACja,MAAf;UACM82B,OAAO,GAAG,KAAKF,eAAL,CAAqB;MAAEpB,QAAF;MAAYS;KAAjC,CAAhB;;YAEQA,YAAR;WACO,SAAL;QACE7rB,IAAI,CAAC6rB,YAAL,GAAoB,IAApB;QACA7rB,IAAI,CAAC0sB,OAAL,GAAeA,OAAO,CAACC,cAAvB;aACKlT,MAAL,CAAY5J,KAAE,CAAC9Z,MAAf;eACO,KAAKua,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB,CAAP;;WACG,QAAL;QACEA,IAAI,CAAC6rB,YAAL,GAAoB,IAApB;QACA7rB,IAAI,CAAC0sB,OAAL,GAAeA,OAAO,CAACE,aAAvB;aACKnT,MAAL,CAAY5J,KAAE,CAAC9Z,MAAf;eACO,KAAKua,UAAL,CAAgBtQ,IAAhB,EAAsB,gBAAtB,CAAP;;WACG,QAAL;QACEA,IAAI,CAAC6rB,YAAL,GAAoB,IAApB;QACA7rB,IAAI,CAAC0sB,OAAL,GAAe,KAAKO,qBAAL,CACbP,OAAO,CAACG,aADK,EAEbH,OAAO,CAACI,gBAFK,EAGb;UAAE1B;SAHW,CAAf;aAKK3R,MAAL,CAAY5J,KAAE,CAAC9Z,MAAf;eACO,KAAKua,UAAL,CAAgBtQ,IAAhB,EAAsB,gBAAtB,CAAP;;WACG,QAAL;QACEA,IAAI,CAAC0sB,OAAL,GAAeA,OAAO,CAACI,gBAAvB;aACKrT,MAAL,CAAY5J,KAAE,CAAC9Z,MAAf;eACO,KAAKua,UAAL,CAAgBtQ,IAAhB,EAAsB,gBAAtB,CAAP;;;;gBAGMstB,KAAK,GAAG,MAAM;YAClBttB,IAAI,CAAC0sB,OAAL,GAAe,EAAf;iBACKjT,MAAL,CAAY5J,KAAE,CAAC9Z,MAAf;mBACO,KAAKua,UAAL,CAAgBtQ,IAAhB,EAAsB,gBAAtB,CAAP;WAHF;;UAKAA,IAAI,CAAC6rB,YAAL,GAAoB,KAApB;gBAEM0B,QAAQ,GAAGb,OAAO,CAACC,cAAR,CAAuBttB,MAAxC;gBACMmuB,OAAO,GAAGd,OAAO,CAACE,aAAR,CAAsBvtB,MAAtC;gBACMouB,OAAO,GAAGf,OAAO,CAACG,aAAR,CAAsBxtB,MAAtC;gBACMquB,YAAY,GAAGhB,OAAO,CAACI,gBAAR,CAAyBztB,MAA9C;;cAEI,CAACkuB,QAAD,IAAa,CAACC,OAAd,IAAyB,CAACC,OAA1B,IAAqC,CAACC,YAA1C,EAAwD;mBAC/CJ,KAAK,EAAZ;WADF,MAEO,IAAI,CAACC,QAAD,IAAa,CAACC,OAAlB,EAA2B;YAChCxtB,IAAI,CAAC0sB,OAAL,GAAe,KAAKO,qBAAL,CACbP,OAAO,CAACG,aADK,EAEbH,OAAO,CAACI,gBAFK,EAGb;cAAE1B;aAHW,CAAf;iBAKK3R,MAAL,CAAY5J,KAAE,CAAC9Z,MAAf;mBACO,KAAKua,UAAL,CAAgBtQ,IAAhB,EAAsB,gBAAtB,CAAP;WAPK,MAQA,IAAI,CAACwtB,OAAD,IAAY,CAACC,OAAb,IAAwBF,QAAQ,IAAIG,YAAxC,EAAsD;sDACtChB,OAAO,CAACI,gBAD8B,6CACZ;oBAApCrH,MAAM,6BAAZ;mBACE0F,wCAAL,CAA8C1F,MAAM,CAACznB,KAArD,EAA4D;gBAC1DotB,QAD0D;gBAE1DC,UAAU,EAAE5F,MAAM,CAAClL,EAAP,CAAU5lB;eAFxB;;;YAKFqL,IAAI,CAAC0sB,OAAL,GAAeA,OAAO,CAACC,cAAvB;iBACKlT,MAAL,CAAY5J,KAAE,CAAC9Z,MAAf;mBACO,KAAKua,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB,CAAP;WATK,MAUA,IAAI,CAACutB,QAAD,IAAa,CAACE,OAAd,IAAyBD,OAAO,IAAIE,YAAxC,EAAsD;uDACtChB,OAAO,CAACI,gBAD8B,8CACZ;oBAApCrH,MAAM,8BAAZ;mBACEqG,uCAAL,CAA6CrG,MAAM,CAACznB,KAApD,EAA2D;gBACzDotB,QADyD;gBAEzDC,UAAU,EAAE5F,MAAM,CAAClL,EAAP,CAAU5lB;eAFxB;;;YAKFqL,IAAI,CAAC0sB,OAAL,GAAeA,OAAO,CAACE,aAAvB;iBACKnT,MAAL,CAAY5J,KAAE,CAAC9Z,MAAf;mBACO,KAAKua,UAAL,CAAgBtQ,IAAhB,EAAsB,gBAAtB,CAAP;WATK,MAUA;iBACAyrB,qCAAL,CAA2C4B,OAA3C,EAAoD;cAAEjC;aAAtD;mBACOkC,KAAK,EAAZ;;;;;;EAMR9K,wBAAwB,CAACxiB,IAAD,EAAuB;UACvCua,EAAE,GAAG,KAAKC,eAAL,EAAX;IACAxa,IAAI,CAACua,EAAL,GAAUA,EAAV;IACAva,IAAI,CAACa,IAAL,GAAY,KAAKusB,YAAL,CAAkB,KAAK/c,SAAL,EAAlB,EAAoC;MAC9C+a,QAAQ,EAAE7Q,EAAE,CAAC5lB,IADiC;MAE9C04B,OAAO,EAAE9S,EAAE,CAACvc;KAFF,CAAZ;WAIO,KAAKsS,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB,CAAP;;;EAGFzL,aAAa,CAAC2e,QAAD,EAA4B;QAErC,KAAK5U,KAAL,CAAWuR,KAAE,CAAClb,IAAd,KACA,KAAKgL,KAAL,CAAW8M,KAAX,KAAqB,IADrB,IAEAyG,QAAQ,KAAKrD,KAAE,CAAClb,IAFhB,IAGA,KAAKwJ,KAAL,CAAWkD,KAAX,CAAiB,KAAK1B,KAAL,CAAW+K,YAA5B,EAA0C,KAAK/K,KAAL,CAAWkL,UAArD,MACE,WALJ,EAME;WACKlL,KAAL,CAAWoT,WAAX,GAAyB,KAAzB;KAPF,MAQO;YACCxe,aAAN,CAAoB2e,QAApB;;;;EAKJ6W,mBAAmB,GAAY;UACvB1U,IAAI,GAAG,KAAKsY,cAAL,EAAb;;QACI,KAAKxvB,KAAL,CAAW0nB,UAAX,CAAsBxQ,IAAtB,QAAJ,EAAwD;YAChDuY,SAAS,GAAG,KAAKzvB,KAAL,CAAW0nB,UAAX,CAAsBxQ,IAAI,GAAG,CAA7B,CAAlB;aAEEuY,SAAS,OAAT,IAAoCA,SAAS,OAD/C;;;WAIK,KAAP;;;CA1uGN;;ACnLA,MAAMC,QAAoC,GAAG;EAC3CC,IAAI,EAAE,QADqC;EAE3CC,GAAG,EAAE,GAFsC;EAG3CC,IAAI,EAAE,QAHqC;EAI3CC,EAAE,EAAE,GAJuC;EAK3CC,EAAE,EAAE,GALuC;EAM3CC,IAAI,EAAE,QANqC;EAO3CC,KAAK,EAAE,QAPoC;EAQ3CC,IAAI,EAAE,QARqC;EAS3CC,KAAK,EAAE,QAToC;EAU3CC,MAAM,EAAE,QAVmC;EAW3CC,GAAG,EAAE,QAXsC;EAY3CC,MAAM,EAAE,QAZmC;EAa3CC,IAAI,EAAE,QAbqC;EAc3CC,GAAG,EAAE,QAdsC;EAe3CC,IAAI,EAAE,QAfqC;EAgB3CC,IAAI,EAAE,QAhBqC;EAiB3CC,KAAK,EAAE,QAjBoC;EAkB3CC,GAAG,EAAE,QAlBsC;EAmB3CC,GAAG,EAAE,QAnBsC;EAoB3CC,GAAG,EAAE,QApBsC;EAqB3CC,IAAI,EAAE,QArBqC;EAsB3CC,GAAG,EAAE,QAtBsC;EAuB3CC,MAAM,EAAE,QAvBmC;EAwB3CC,IAAI,EAAE,QAxBqC;EAyB3CC,IAAI,EAAE,QAzBqC;EA0B3CC,KAAK,EAAE,QA1BoC;EA2B3CC,KAAK,EAAE,QA3BoC;EA4B3CC,IAAI,EAAE,QA5BqC;EA6B3CC,MAAM,EAAE,QA7BmC;EA8B3CC,KAAK,EAAE,QA9BoC;EA+B3CC,IAAI,EAAE,QA/BqC;EAgC3CC,IAAI,EAAE,QAhCqC;EAiC3CC,KAAK,EAAE,QAjCoC;EAkC3CC,MAAM,EAAE,QAlCmC;EAmC3CC,MAAM,EAAE,QAnCmC;EAoC3CC,MAAM,EAAE,QApCmC;EAqC3CC,MAAM,EAAE,QArCmC;EAsC3CC,MAAM,EAAE,QAtCmC;EAuC3CC,MAAM,EAAE,QAvCmC;EAwC3CC,KAAK,EAAE,QAxCoC;EAyC3CC,MAAM,EAAE,QAzCmC;EA0C3CC,IAAI,EAAE,QA1CqC;EA2C3CC,KAAK,EAAE,QA3CoC;EA4C3CC,KAAK,EAAE,QA5CoC;EA6C3CC,MAAM,EAAE,QA7CmC;EA8C3CC,MAAM,EAAE,QA9CmC;EA+C3CC,MAAM,EAAE,QA/CmC;EAgD3CC,KAAK,EAAE,QAhDoC;EAiD3CC,IAAI,EAAE,QAjDqC;EAkD3CC,MAAM,EAAE,QAlDmC;EAmD3CC,MAAM,EAAE,QAnDmC;EAoD3CC,KAAK,EAAE,QApDoC;EAqD3CC,IAAI,EAAE,QArDqC;EAsD3CC,GAAG,EAAE,QAtDsC;EAuD3CC,MAAM,EAAE,QAvDmC;EAwD3CC,MAAM,EAAE,QAxDmC;EAyD3CC,MAAM,EAAE,QAzDmC;EA0D3CC,KAAK,EAAE,QA1DoC;EA2D3CC,MAAM,EAAE,QA3DmC;EA4D3CC,IAAI,EAAE,QA5DqC;EA6D3CC,KAAK,EAAE,QA7DoC;EA8D3CC,MAAM,EAAE,QA9DmC;EA+D3CC,MAAM,EAAE,QA/DmC;EAgE3CC,MAAM,EAAE,QAhEmC;EAiE3CC,KAAK,EAAE,QAjEoC;EAkE3CC,IAAI,EAAE,QAlEqC;EAmE3CC,MAAM,EAAE,QAnEmC;EAoE3CC,KAAK,EAAE,QApEoC;EAqE3CC,KAAK,EAAE,QArEoC;EAsE3CC,MAAM,EAAE,QAtEmC;EAuE3CC,MAAM,EAAE,QAvEmC;EAwE3CC,KAAK,EAAE,QAxEoC;EAyE3CC,MAAM,EAAE,QAzEmC;EA0E3CC,IAAI,EAAE,QA1EqC;EA2E3CC,KAAK,EAAE,QA3EoC;EA4E3CC,KAAK,EAAE,QA5EoC;EA6E3CC,MAAM,EAAE,QA7EmC;EA8E3CC,MAAM,EAAE,QA9EmC;EA+E3CC,MAAM,EAAE,QA/EmC;EAgF3CC,KAAK,EAAE,QAhFoC;EAiF3CC,IAAI,EAAE,QAjFqC;EAkF3CC,MAAM,EAAE,QAlFmC;EAmF3CC,MAAM,EAAE,QAnFmC;EAoF3CC,KAAK,EAAE,QApFoC;EAqF3CC,IAAI,EAAE,QArFqC;EAsF3CC,GAAG,EAAE,QAtFsC;EAuF3CC,MAAM,EAAE,QAvFmC;EAwF3CC,MAAM,EAAE,QAxFmC;EAyF3CC,MAAM,EAAE,QAzFmC;EA0F3CC,KAAK,EAAE,QA1FoC;EA2F3CC,MAAM,EAAE,QA3FmC;EA4F3CC,IAAI,EAAE,QA5FqC;EA6F3CC,MAAM,EAAE,QA7FmC;EA8F3CC,MAAM,EAAE,QA9FmC;EA+F3CC,MAAM,EAAE,QA/FmC;EAgG3CC,MAAM,EAAE,QAhGmC;EAiG3CC,KAAK,EAAE,QAjGoC;EAkG3CC,IAAI,EAAE,QAlGqC;EAmG3CC,MAAM,EAAE,QAnGmC;EAoG3CC,KAAK,EAAE,QApGoC;EAqG3CC,IAAI,EAAE,QArGqC;EAsG3CC,KAAK,EAAE,QAtGoC;EAuG3CC,KAAK,EAAE,QAvGoC;EAwG3CC,MAAM,EAAE,QAxGmC;EAyG3CC,MAAM,EAAE,QAzGmC;EA0G3CC,IAAI,EAAE,QA1GqC;EA2G3CC,IAAI,EAAE,QA3GqC;EA4G3CC,IAAI,EAAE,QA5GqC;EA6G3Cn9B,KAAK,EAAE,QA7GoC;EA8G3Co9B,KAAK,EAAE,QA9GoC;EA+G3CC,IAAI,EAAE,QA/GqC;EAgH3CC,KAAK,EAAE,QAhHoC;EAiH3CC,KAAK,EAAE,QAjHoC;EAkH3CC,OAAO,EAAE,QAlHkC;EAmH3CC,IAAI,EAAE,QAnHqC;EAoH3CC,GAAG,EAAE,QApHsC;EAqH3CC,KAAK,EAAE,QArHoC;EAsH3CC,IAAI,EAAE,QAtHqC;EAuH3CC,KAAK,EAAE,QAvHoC;EAwH3CC,MAAM,EAAE,QAxHmC;EAyH3CC,EAAE,EAAE,QAzHuC;EA0H3CC,EAAE,EAAE,QA1HuC;EA2H3CC,EAAE,EAAE,QA3HuC;EA4H3CC,OAAO,EAAE,QA5HkC;EA6H3CC,EAAE,EAAE,QA7HuC;EA8H3CC,GAAG,EAAE,QA9HsC;EA+H3CC,KAAK,EAAE,QA/HoC;EAgI3CC,GAAG,EAAE,QAhIsC;EAiI3CC,OAAO,EAAE,QAjIkC;EAkI3CC,GAAG,EAAE,QAlIsC;EAmI3CC,GAAG,EAAE,QAnIsC;EAoI3CC,GAAG,EAAE,QApIsC;EAqI3CC,KAAK,EAAE,QArIoC;EAsI3CC,KAAK,EAAE,QAtIoC;EAuI3CC,IAAI,EAAE,QAvIqC;EAwI3CC,KAAK,EAAE,QAxIoC;EAyI3CC,KAAK,EAAE,QAzIoC;EA0I3CC,OAAO,EAAE,QA1IkC;EA2I3CC,IAAI,EAAE,QA3IqC;EA4I3CC,GAAG,EAAE,QA5IsC;EA6I3CC,KAAK,EAAE,QA7IoC;EA8I3CC,IAAI,EAAE,QA9IqC;EA+I3CC,KAAK,EAAE,QA/IoC;EAgJ3CC,MAAM,EAAE,QAhJmC;EAiJ3CC,EAAE,EAAE,QAjJuC;EAkJ3CC,EAAE,EAAE,QAlJuC;EAmJ3CC,EAAE,EAAE,QAnJuC;EAoJ3CC,OAAO,EAAE,QApJkC;EAqJ3CC,EAAE,EAAE,QArJuC;EAsJ3CC,GAAG,EAAE,QAtJsC;EAuJ3CC,MAAM,EAAE,QAvJmC;EAwJ3CC,KAAK,EAAE,QAxJoC;EAyJ3CC,GAAG,EAAE,QAzJsC;EA0J3CC,OAAO,EAAE,QA1JkC;EA2J3CC,GAAG,EAAE,QA3JsC;EA4J3CC,GAAG,EAAE,QA5JsC;EA6J3CC,GAAG,EAAE,QA7JsC;EA8J3CC,KAAK,EAAE,QA9JoC;EA+J3CC,QAAQ,EAAE,QA/JiC;EAgK3CC,KAAK,EAAE,QAhKoC;EAiK3CC,GAAG,EAAE,QAjKsC;EAkK3CC,IAAI,EAAE,QAlKqC;EAmK3CC,IAAI,EAAE,QAnKqC;EAoK3CC,MAAM,EAAE,QApKmC;EAqK3CC,IAAI,EAAE,QArKqC;EAsK3CC,GAAG,EAAE,QAtKsC;EAuK3CC,GAAG,EAAE,QAvKsC;EAwK3CC,GAAG,EAAE,QAxKsC;EAyK3CC,KAAK,EAAE,QAzKoC;EA0K3CC,KAAK,EAAE,QA1KoC;EA2K3CC,KAAK,EAAE,QA3KoC;EA4K3CC,KAAK,EAAE,QA5KoC;EA6K3CC,KAAK,EAAE,QA7KoC;EA8K3CC,KAAK,EAAE,QA9KoC;EA+K3CC,KAAK,EAAE,QA/KoC;EAgL3CC,KAAK,EAAE,QAhLoC;EAiL3CC,MAAM,EAAE,QAjLmC;EAkL3CC,MAAM,EAAE,QAlLmC;EAmL3CC,IAAI,EAAE,QAnLqC;EAoL3CC,MAAM,EAAE,QApLmC;EAqL3CC,MAAM,EAAE,QArLmC;EAsL3CC,KAAK,EAAE,QAtLoC;EAuL3CC,KAAK,EAAE,QAvLoC;EAwL3CC,MAAM,EAAE,QAxLmC;EAyL3CC,MAAM,EAAE,QAzLmC;EA0L3CC,KAAK,EAAE,QA1LoC;EA2L3CC,KAAK,EAAE,QA3LoC;EA4L3CC,IAAI,EAAE,QA5LqC;EA6L3CC,KAAK,EAAE,QA7LoC;EA8L3CC,MAAM,EAAE,QA9LmC;EA+L3CC,IAAI,EAAE,QA/LqC;EAgM3CC,KAAK,EAAE,QAhMoC;EAiM3CC,OAAO,EAAE,QAjMkC;EAkM3CC,IAAI,EAAE,QAlMqC;EAmM3CC,IAAI,EAAE,QAnMqC;EAoM3CC,IAAI,EAAE,QApMqC;EAqM3CC,IAAI,EAAE,QArMqC;EAsM3CC,IAAI,EAAE,QAtMqC;EAuM3CC,KAAK,EAAE,QAvMoC;EAwM3CC,IAAI,EAAE,QAxMqC;EAyM3CC,IAAI,EAAE,QAzMqC;EA0M3CC,IAAI,EAAE,QA1MqC;EA2M3CC,IAAI,EAAE,QA3MqC;EA4M3CC,IAAI,EAAE,QA5MqC;EA6M3CC,MAAM,EAAE,QA7MmC;EA8M3CC,IAAI,EAAE,QA9MqC;EA+M3CC,KAAK,EAAE,QA/MoC;EAgN3CrN,KAAK,EAAE,QAhNoC;EAiN3CsN,KAAK,EAAE,QAjNoC;EAkN3CC,IAAI,EAAE,QAlNqC;EAmN3CC,KAAK,EAAE,QAnNoC;EAoN3CC,EAAE,EAAE,QApNuC;EAqN3CC,IAAI,EAAE,QArNqC;EAsN3CC,GAAG,EAAE,QAtNsC;EAuN3CC,KAAK,EAAE,QAvNoC;EAwN3CC,MAAM,EAAE,QAxNmC;EAyN3CC,KAAK,EAAE,QAzNoC;EA0N3CxtB,IAAI,EAAE,QA1NqC;EA2N3CytB,KAAK,EAAE,QA3NoC;EA4N3CC,GAAG,EAAE,QA5NsC;EA6N3CC,GAAG,EAAE,QA7NsC;EA8N3CC,EAAE,EAAE,QA9NuC;EA+N3CC,GAAG,EAAE,QA/NsC;EAgO3CC,GAAG,EAAE,QAhOsC;EAiO3CC,GAAG,EAAE,QAjOsC;EAkO3CC,MAAM,EAAE,QAlOmC;EAmO3CC,GAAG,EAAE,QAnOsC;EAoO3CC,IAAI,EAAE,QApOqC;EAqO3CC,KAAK,EAAE,QArOoC;EAsO3CC,EAAE,EAAE,QAtOuC;EAuO3CC,KAAK,EAAE,QAvOoC;EAwO3CC,EAAE,EAAE,QAxOuC;EAyO3CC,EAAE,EAAE,QAzOuC;EA0O3CC,GAAG,EAAE,QA1OsC;EA2O3CC,GAAG,EAAE,QA3OsC;EA4O3CC,IAAI,EAAE,QA5OqC;EA6O3CC,IAAI,EAAE,QA7OqC;EA8O3CC,IAAI,EAAE,QA9OqC;EA+O3CC,KAAK,EAAE,QA/OoC;EAgP3CC,MAAM,EAAE,QAhPmC;EAiP3CC,IAAI,EAAE,QAjPqC;EAkP3CC,IAAI,EAAE,QAlPqC;EAmP3CC,KAAK,EAAE,QAnPoC;EAoP3CC,KAAK,EAAE,QApPoC;EAqP3CC,MAAM,EAAE,QArPmC;EAsP3CC,MAAM,EAAE,QAtPmC;EAuP3CC,IAAI,EAAE,QAvPqC;EAwP3CC,IAAI,EAAE,QAxPqC;EAyP3CC,GAAG,EAAE,QAzPsC;EA0P3CC,MAAM,EAAE,QA1PmC;EA2P3CC,KAAK,EAAE,QA3PoC;EA4P3CC,MAAM,EAAE,QA5PmC;EA6P3CC,KAAK,EAAE;CA7PT;;ACgBA,MAAMC,UAAU,GAAG,eAAnB;AACA,MAAMC,cAAc,GAAG,OAAvB;AAEA,MAAMC,SAAS,GAAGh8B,MAAM,CAACC,MAAP,CAAc;EAC9Bg8B,gBAAgB,EACd,6DAF4B;EAG9BC,yBAAyB,EAAE,+CAHG;EAI9BC,wBAAwB,EAAE,iDAJI;EAK9BC,mBAAmB,EACjB,+DAN4B;EAO9BC,sBAAsB,EAAE,2BAPM;EAQ9BC,4BAA4B,EAC1B;CATc,CAAlB;AAcApV,OAAE,CAACC,MAAH,GAAY,IAAI5W,UAAJ,CAAe,MAAf,EAAuB,KAAvB,CAAZ;AACA2W,OAAE,CAACqV,MAAH,GAAY,IAAIhsB,UAAJ,CAAe,OAAf,EAAwB,KAAxB,CAAZ;AACA2W,OAAE,CAACE,MAAH,GAAY,IAAI7W,UAAJ,CAAe,gBAAf,EAAiC,IAAjC,EAAuC,IAAvC,CAAZ;AAEApC,KAAE,CAACquB,OAAH,GAAa,IAAIlqC,SAAJ,CAAc,SAAd,CAAb;AACA6b,KAAE,CAACsuB,OAAH,GAAa,IAAInqC,SAAJ,CAAc,SAAd,EAAyB;EAAEN,UAAU,EAAE;CAAvC,CAAb;AACAmc,KAAE,CAAC+O,WAAH,GAAiB,IAAI5qB,SAAJ,CAAc,aAAd,EAA6B;EAAEL,UAAU,EAAE;CAA3C,CAAjB;AACAkc,KAAE,CAACuuB,SAAH,GAAe,IAAIpqC,SAAJ,CAAc,WAAd,CAAf;;AAEA6b,KAAE,CAAC+O,WAAH,CAAerqB,aAAf,GAA+B,YAAY;OACpCoL,KAAL,CAAWmT,OAAX,CAAmBjT,IAAnB,CAAwB+oB,OAAE,CAACE,MAA3B;OACKnpB,KAAL,CAAWmT,OAAX,CAAmBjT,IAAnB,CAAwB+oB,OAAE,CAACC,MAA3B;OACKlpB,KAAL,CAAWoT,WAAX,GAAyB,KAAzB;CAHF;;AAMAlD,KAAE,CAACuuB,SAAH,CAAa7pC,aAAb,GAA6B,UAAU2e,QAAV,EAAoB;QACzCF,GAAG,GAAG,KAAKrT,KAAL,CAAWmT,OAAX,CAAmB5R,GAAnB,EAAZ;;MACK8R,GAAG,KAAK4V,OAAE,CAACC,MAAX,IAAqB3V,QAAQ,KAAKrD,KAAE,CAACzX,KAAtC,IAAgD4a,GAAG,KAAK4V,OAAE,CAACqV,MAA/D,EAAuE;SAChEt+B,KAAL,CAAWmT,OAAX,CAAmB5R,GAAnB;SACKvB,KAAL,CAAWoT,WAAX,GAAyB,KAAKE,UAAL,OAAsB2V,OAAE,CAACE,MAAlD;GAFF,MAGO;SACAnpB,KAAL,CAAWoT,WAAX,GAAyB,IAAzB;;CANJ;;AAUA,SAASsrB,UAAT,CAAoBC,MAApB,EAAoD;SAC3CA,MAAM,GACTA,MAAM,CAAC19B,IAAP,KAAgB,oBAAhB,IACE09B,MAAM,CAAC19B,IAAP,KAAgB,oBAFT,GAGT,KAHJ;;;AAQF,SAAS29B,mBAAT,CACED,MADF,EAEU;MACJA,MAAM,CAAC19B,IAAP,KAAgB,eAApB,EAAqC;WAC5B09B,MAAM,CAAC3pC,IAAd;;;MAGE2pC,MAAM,CAAC19B,IAAP,KAAgB,mBAApB,EAAyC;WAChC09B,MAAM,CAACE,SAAP,CAAiB7pC,IAAjB,GAAwB,GAAxB,GAA8B2pC,MAAM,CAAC3pC,IAAP,CAAYA,IAAjD;;;MAGE2pC,MAAM,CAAC19B,IAAP,KAAgB,qBAApB,EAA2C;WAEvC29B,mBAAmB,CAACD,MAAM,CAACA,MAAR,CAAnB,GACA,GADA,GAEAC,mBAAmB,CAACD,MAAM,CAACxd,QAAR,CAHrB;;;QAQI,IAAI1H,KAAJ,CAAU,+BAA+BklB,MAAM,CAAC19B,IAAhD,CAAN;;;AAGF,WAAgBqL,UAAD,IACb,cAAcA,UAAd,CAAyB;EAGvBwyB,YAAY,GAAS;QACfzrB,GAAG,GAAG,EAAV;QACI0rB,UAAU,GAAG,KAAK/+B,KAAL,CAAW6K,GAA5B;;aACS;UACH,KAAK7K,KAAL,CAAW6K,GAAX,IAAkB,KAAKnL,MAA3B,EAAmC;cAC3B,KAAK0L,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B0/B,SAAS,CAACK,sBAAvC,CAAN;;;YAGIY,EAAE,GAAG,KAAKxgC,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAjC,CAAX;;cAEQm0B,EAAR;;;cAGQ,KAAKh/B,KAAL,CAAW6K,GAAX,KAAmB,KAAK7K,KAAL,CAAW3B,KAAlC,EAAyC;gBACnC2gC,EAAE,OAAF,IAA6B,KAAKh/B,KAAL,CAAWoT,WAA5C,EAAyD;gBACrD,KAAKpT,KAAL,CAAW6K,GAAb;qBACO,KAAKyO,WAAL,CAAiBpJ,KAAE,CAAC+O,WAApB,CAAP;;;mBAEK,MAAMgH,gBAAN,CAAuB+Y,EAAvB,CAAP;;;UAEF3rB,GAAG,IAAI,KAAK7U,KAAL,CAAWkD,KAAX,CAAiBq9B,UAAjB,EAA6B,KAAK/+B,KAAL,CAAW6K,GAAxC,CAAP;iBACO,KAAKyO,WAAL,CAAiBpJ,KAAE,CAACsuB,OAApB,EAA6BnrB,GAA7B,CAAP;;;UAGAA,GAAG,IAAI,KAAK7U,KAAL,CAAWkD,KAAX,CAAiBq9B,UAAjB,EAA6B,KAAK/+B,KAAL,CAAW6K,GAAxC,CAAP;UACAwI,GAAG,IAAI,KAAK4rB,aAAL,EAAP;UACAF,UAAU,GAAG,KAAK/+B,KAAL,CAAW6K,GAAxB;;;;cAIIjN,SAAS,CAACohC,EAAD,CAAb,EAAmB;YACjB3rB,GAAG,IAAI,KAAK7U,KAAL,CAAWkD,KAAX,CAAiBq9B,UAAjB,EAA6B,KAAK/+B,KAAL,CAAW6K,GAAxC,CAAP;YACAwI,GAAG,IAAI,KAAK6rB,cAAL,CAAoB,IAApB,CAAP;YACAH,UAAU,GAAG,KAAK/+B,KAAL,CAAW6K,GAAxB;WAHF,MAIO;cACH,KAAK7K,KAAL,CAAW6K,GAAb;;;;;;;EAMVq0B,cAAc,CAACC,aAAD,EAAiC;UACvCH,EAAE,GAAG,KAAKxgC,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAjC,CAAX;QACIwI,GAAJ;MACE,KAAKrT,KAAL,CAAW6K,GAAb;;QAEEm0B,EAAE,OAAF,IACA,KAAKxgC,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAjC,QAFF,EAGE;QACE,KAAK7K,KAAL,CAAW6K,GAAb;MACAwI,GAAG,GAAG8rB,aAAa,GAAG,IAAH,GAAU,MAA7B;KALF,MAMO;MACL9rB,GAAG,GAAGpG,MAAM,CAACuH,YAAP,CAAoBwqB,EAApB,CAAN;;;MAEA,KAAKh/B,KAAL,CAAWo/B,OAAb;SACKp/B,KAAL,CAAWtB,SAAX,GAAuB,KAAKsB,KAAL,CAAW6K,GAAlC;WAEOwI,GAAP;;;EAGFgsB,aAAa,CAACC,KAAD,EAAsB;QAC7BjsB,GAAG,GAAG,EAAV;QACI0rB,UAAU,GAAG,EAAE,KAAK/+B,KAAL,CAAW6K,GAA9B;;aACS;UACH,KAAK7K,KAAL,CAAW6K,GAAX,IAAkB,KAAKnL,MAA3B,EAAmC;cAC3B,KAAK0L,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAAC9D,kBAApC,CAAN;;;YAGI20B,EAAE,GAAG,KAAKxgC,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAjC,CAAX;UACIm0B,EAAE,KAAKM,KAAX,EAAkB;;UACdN,EAAE,OAAN,EAAgC;QAC9B3rB,GAAG,IAAI,KAAK7U,KAAL,CAAWkD,KAAX,CAAiBq9B,UAAjB,EAA6B,KAAK/+B,KAAL,CAAW6K,GAAxC,CAAP;QACAwI,GAAG,IAAI,KAAK4rB,aAAL,EAAP;QACAF,UAAU,GAAG,KAAK/+B,KAAL,CAAW6K,GAAxB;OAHF,MAIO,IAAIjN,SAAS,CAACohC,EAAD,CAAb,EAAmB;QACxB3rB,GAAG,IAAI,KAAK7U,KAAL,CAAWkD,KAAX,CAAiBq9B,UAAjB,EAA6B,KAAK/+B,KAAL,CAAW6K,GAAxC,CAAP;QACAwI,GAAG,IAAI,KAAK6rB,cAAL,CAAoB,KAApB,CAAP;QACAH,UAAU,GAAG,KAAK/+B,KAAL,CAAW6K,GAAxB;OAHK,MAIA;UACH,KAAK7K,KAAL,CAAW6K,GAAb;;;;IAGJwI,GAAG,IAAI,KAAK7U,KAAL,CAAWkD,KAAX,CAAiBq9B,UAAjB,EAA6B,KAAK/+B,KAAL,CAAW6K,GAAX,EAA7B,CAAP;WACO,KAAKyO,WAAL,CAAiBpJ,KAAE,CAACxa,MAApB,EAA4B2d,GAA5B,CAAP;;;EAGF4rB,aAAa,GAAW;QAClBM,GAAG,GAAG,EAAV;QACIC,KAAK,GAAG,CAAZ;QACIC,MAAJ;QACIT,EAAE,GAAG,KAAKxgC,KAAL,CAAW,KAAKwB,KAAL,CAAW6K,GAAtB,CAAT;UAEMsF,QAAQ,GAAG,EAAE,KAAKnQ,KAAL,CAAW6K,GAA9B;;WACO,KAAK7K,KAAL,CAAW6K,GAAX,GAAiB,KAAKnL,MAAtB,IAAgC8/B,KAAK,KAAK,EAAjD,EAAqD;MACnDR,EAAE,GAAG,KAAKxgC,KAAL,CAAW,KAAKwB,KAAL,CAAW6K,GAAX,EAAX,CAAL;;UACIm0B,EAAE,KAAK,GAAX,EAAgB;YACVO,GAAG,CAAC,CAAD,CAAH,KAAW,GAAf,EAAoB;cACdA,GAAG,CAAC,CAAD,CAAH,KAAW,GAAf,EAAoB;YAClBA,GAAG,GAAGA,GAAG,CAACG,MAAJ,CAAW,CAAX,CAAN;;gBACI7B,UAAU,CAAC/pB,IAAX,CAAgByrB,GAAhB,CAAJ,EAA0B;cACxBE,MAAM,GAAGxyB,MAAM,CAAC0yB,aAAP,CAAqBC,QAAQ,CAACL,GAAD,EAAM,EAAN,CAA7B,CAAT;;WAHJ,MAKO;YACLA,GAAG,GAAGA,GAAG,CAACG,MAAJ,CAAW,CAAX,CAAN;;gBACI5B,cAAc,CAAChqB,IAAf,CAAoByrB,GAApB,CAAJ,EAA8B;cAC5BE,MAAM,GAAGxyB,MAAM,CAAC0yB,aAAP,CAAqBC,QAAQ,CAACL,GAAD,EAAM,EAAN,CAA7B,CAAT;;;SATN,MAYO;UACLE,MAAM,GAAGI,QAAa,CAACN,GAAD,CAAtB;;;;;;MAIJA,GAAG,IAAIP,EAAP;;;QAEE,CAACS,MAAL,EAAa;WACNz/B,KAAL,CAAW6K,GAAX,GAAiBsF,QAAjB;aACO,GAAP;;;WAEKsvB,MAAP;;;EAUFK,WAAW,GAAS;QACdd,EAAJ;UACM3gC,KAAK,GAAG,KAAK2B,KAAL,CAAW6K,GAAzB;;OACG;MACDm0B,EAAE,GAAG,KAAKxgC,KAAL,CAAW0nB,UAAX,CAAsB,EAAE,KAAKlmB,KAAL,CAAW6K,GAAnC,CAAL;KADF,QAES4J,gBAAgB,CAACuqB,EAAD,CAAhB,IAAwBA,EAAE,OAFnC;;WAGO,KAAK1lB,WAAL,CACLpJ,KAAE,CAACquB,OADE,EAEL,KAAK//B,KAAL,CAAWkD,KAAX,CAAiBrD,KAAjB,EAAwB,KAAK2B,KAAL,CAAW6K,GAAnC,CAFK,CAAP;;;EAQFk1B,kBAAkB,GAAoB;UAC9B1/B,IAAI,GAAG,KAAKqQ,SAAL,EAAb;;QACI,KAAK/R,KAAL,CAAWuR,KAAE,CAACquB,OAAd,CAAJ,EAA4B;MAC1Bl+B,IAAI,CAACrL,IAAL,GAAY,KAAKgL,KAAL,CAAW8M,KAAvB;KADF,MAEO,IAAI,KAAK9M,KAAL,CAAWiB,IAAX,CAAgBxM,OAApB,EAA6B;MAClC4L,IAAI,CAACrL,IAAL,GAAY,KAAKgL,KAAL,CAAWiB,IAAX,CAAgBxM,OAA5B;KADK,MAEA;WACA2nB,UAAL;;;SAEG1G,IAAL;WACO,KAAK/E,UAAL,CAAgBtQ,IAAhB,EAAsB,eAAtB,CAAP;;;EAKF2/B,sBAAsB,GAAwB;UACtC7vB,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAA5B;UACMyM,QAAQ,GAAG,KAAK9K,KAAL,CAAW8K,QAA5B;UACM9V,IAAI,GAAG,KAAK+qC,kBAAL,EAAb;QACI,CAAC,KAAK1lB,GAAL,CAASnK,KAAE,CAACxZ,KAAZ,CAAL,EAAyB,OAAO1B,IAAP;UAEnBqL,IAAI,GAAG,KAAKmN,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAb;IACAzK,IAAI,CAACw+B,SAAL,GAAiB7pC,IAAjB;IACAqL,IAAI,CAACrL,IAAL,GAAY,KAAK+qC,kBAAL,EAAZ;WACO,KAAKpvB,UAAL,CAAgBtQ,IAAhB,EAAsB,mBAAtB,CAAP;;;EAMF4/B,mBAAmB,GAGO;UAClB9vB,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAA5B;UACMyM,QAAQ,GAAG,KAAK9K,KAAL,CAAW8K,QAA5B;QACIzK,IAAI,GAAG,KAAK2/B,sBAAL,EAAX;;QACI3/B,IAAI,CAACY,IAAL,KAAc,mBAAlB,EAAuC;aAC9BZ,IAAP;;;WAEK,KAAKga,GAAL,CAASnK,KAAE,CAACtZ,GAAZ,CAAP,EAAyB;YACjBspC,OAAO,GAAG,KAAK1yB,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAhB;MACAo1B,OAAO,CAACvB,MAAR,GAAiBt+B,IAAjB;MACA6/B,OAAO,CAAC/e,QAAR,GAAmB,KAAK4e,kBAAL,EAAnB;MACA1/B,IAAI,GAAG,KAAKsQ,UAAL,CAAgBuvB,OAAhB,EAAyB,qBAAzB,CAAP;;;WAEK7/B,IAAP;;;EAKF8/B,sBAAsB,GAAiB;QACjC9/B,IAAJ;;YACQ,KAAKL,KAAL,CAAWiB,IAAnB;WACOiP,KAAE,CAACja,MAAR;QACEoK,IAAI,GAAG,KAAKqQ,SAAL,EAAP;aACKgF,IAAL;QACArV,IAAI,GAAG,KAAK+/B,2BAAL,CAAiC//B,IAAjC,CAAP;;YACIA,IAAI,CAACoN,UAAL,CAAgBxM,IAAhB,KAAyB,oBAA7B,EAAmD;eAC5CmK,KAAL,CAAW/K,IAAI,CAAChC,KAAhB,EAAuB0/B,SAAS,CAACC,gBAAjC;;;eAEK39B,IAAP;;WAEG6P,KAAE,CAAC+O,WAAR;WACK/O,KAAE,CAACxa,MAAR;eACS,KAAKua,aAAL,EAAP;;;cAGM,KAAK7E,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B0/B,SAAS,CAACI,mBAAvC,CAAN;;;;EAQNkC,uBAAuB,GAAyB;UACxChgC,IAAI,GAAG,KAAKmN,WAAL,CACX,KAAKxN,KAAL,CAAWkL,UADA,EAEX,KAAKlL,KAAL,CAAWmL,aAFA,CAAb;WAIO,KAAKyC,YAAL,CACLvN,IADK,EAEL,oBAFK,EAGL,KAAKL,KAAL,CAAW3B,KAHN,EAIL,KAAK2B,KAAL,CAAW8K,QAJN,CAAP;;;EAUFw1B,mBAAmB,CAACjgC,IAAD,EAA2C;SACvDqV,IAAL;IACArV,IAAI,CAACoN,UAAL,GAAkB,KAAK6M,eAAL,EAAlB;SACKR,MAAL,CAAY5J,KAAE,CAAC9Z,MAAf;WAEO,KAAKua,UAAL,CAAgBtQ,IAAhB,EAAsB,gBAAtB,CAAP;;;EAKF+/B,2BAA2B,CACzB//B,IADyB,EAEC;QACtB,KAAK1B,KAAL,CAAWuR,KAAE,CAAC9Z,MAAd,CAAJ,EAA2B;MACzBiK,IAAI,CAACoN,UAAL,GAAkB,KAAK4yB,uBAAL,EAAlB;KADF,MAEO;MACLhgC,IAAI,CAACoN,UAAL,GAAkB,KAAK6M,eAAL,EAAlB;;;SAEGR,MAAL,CAAY5J,KAAE,CAAC9Z,MAAf;WACO,KAAKua,UAAL,CAAgBtQ,IAAhB,EAAsB,wBAAtB,CAAP;;;EAKFkgC,iBAAiB,GAAmB;UAC5BlgC,IAAI,GAAG,KAAKqQ,SAAL,EAAb;;QACI,KAAK2J,GAAL,CAASnK,KAAE,CAACja,MAAZ,CAAJ,EAAyB;WAClB6jB,MAAL,CAAY5J,KAAE,CAACjZ,QAAf;MACAoJ,IAAI,CAAC2gB,QAAL,GAAgB,KAAKmD,gBAAL,EAAhB;WACKrK,MAAL,CAAY5J,KAAE,CAAC9Z,MAAf;aACO,KAAKua,UAAL,CAAgBtQ,IAAhB,EAAsB,oBAAtB,CAAP;;;IAEFA,IAAI,CAACrL,IAAL,GAAY,KAAKgrC,sBAAL,EAAZ;IACA3/B,IAAI,CAACyM,KAAL,GAAa,KAAKuN,GAAL,CAASnK,KAAE,CAAC3Y,EAAZ,IAAkB,KAAK4oC,sBAAL,EAAlB,GAAkD,IAA/D;WACO,KAAKxvB,UAAL,CAAgBtQ,IAAhB,EAAsB,cAAtB,CAAP;;;EAKFmgC,wBAAwB,CACtBrwB,QADsB,EAEtBrF,QAFsB,EAGD;UACfzK,IAAI,GAAG,KAAKmN,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAb;;QACI,KAAKnM,KAAL,CAAWuR,KAAE,CAACuuB,SAAd,CAAJ,EAA8B;WACvB3kB,MAAL,CAAY5J,KAAE,CAACuuB,SAAf;aACO,KAAK9tB,UAAL,CAAgBtQ,IAAhB,EAAsB,oBAAtB,CAAP;;;IAEFA,IAAI,CAACrL,IAAL,GAAY,KAAKirC,mBAAL,EAAZ;WACO,KAAKQ,+BAAL,CAAqCpgC,IAArC,CAAP;;;EAGFogC,+BAA+B,CAC7BpgC,IAD6B,EAER;UACfqgC,UAA4B,GAAG,EAArC;;WACO,CAAC,KAAK/hC,KAAL,CAAWuR,KAAE,CAACzX,KAAd,CAAD,IAAyB,CAAC,KAAKkG,KAAL,CAAWuR,KAAE,CAACuuB,SAAd,CAAjC,EAA2D;MACzDiC,UAAU,CAACxgC,IAAX,CAAgB,KAAKqgC,iBAAL,EAAhB;;;IAEFlgC,IAAI,CAACqgC,UAAL,GAAkBA,UAAlB;IACArgC,IAAI,CAACsgC,WAAL,GAAmB,KAAKtmB,GAAL,CAASnK,KAAE,CAACzX,KAAZ,CAAnB;SACKqhB,MAAL,CAAY5J,KAAE,CAACuuB,SAAf;WACO,KAAK9tB,UAAL,CAAgBtQ,IAAhB,EAAsB,mBAAtB,CAAP;;;EAKFugC,wBAAwB,CACtBzwB,QADsB,EAEtBrF,QAFsB,EAGD;UACfzK,IAAI,GAAG,KAAKmN,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAb;;QACI,KAAKnM,KAAL,CAAWuR,KAAE,CAACuuB,SAAd,CAAJ,EAA8B;WACvB3kB,MAAL,CAAY5J,KAAE,CAACuuB,SAAf;aACO,KAAK9tB,UAAL,CAAgBtQ,IAAhB,EAAsB,oBAAtB,CAAP;;;IAEFA,IAAI,CAACrL,IAAL,GAAY,KAAKirC,mBAAL,EAAZ;SACKnmB,MAAL,CAAY5J,KAAE,CAACuuB,SAAf;WACO,KAAK9tB,UAAL,CAAgBtQ,IAAhB,EAAsB,mBAAtB,CAAP;;;EAMFwgC,iBAAiB,CAAC1wB,QAAD,EAAmBrF,QAAnB,EAAqD;UAC9DzK,IAAI,GAAG,KAAKmN,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAb;UACMg2B,QAAQ,GAAG,EAAjB;UACMC,cAAc,GAAG,KAAKP,wBAAL,CAA8BrwB,QAA9B,EAAwCrF,QAAxC,CAAvB;QACIk2B,cAAc,GAAG,IAArB;;QAEI,CAACD,cAAc,CAACJ,WAApB,EAAiC;MAC/BM,QAAQ,EAAE,SAAS;gBACT,KAAKjhC,KAAL,CAAWiB,IAAnB;eACOiP,KAAE,CAAC+O,WAAR;YACE9O,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAAtB;YACAyM,QAAQ,GAAG,KAAK9K,KAAL,CAAW8K,QAAtB;iBACK4K,IAAL;;gBACI,KAAK2E,GAAL,CAASnK,KAAE,CAACzX,KAAZ,CAAJ,EAAwB;cACtBuoC,cAAc,GAAG,KAAKJ,wBAAL,CACfzwB,QADe,EAEfrF,QAFe,CAAjB;oBAIMm2B,QAAN;;;YAEFH,QAAQ,CAAC5gC,IAAT,CAAc,KAAK2gC,iBAAL,CAAuB1wB,QAAvB,EAAiCrF,QAAjC,CAAd;;;eAGGoF,KAAE,CAACsuB,OAAR;YACEsC,QAAQ,CAAC5gC,IAAT,CAAc,KAAK+P,aAAL,EAAd;;;eAGGC,KAAE,CAACja,MAAR;;oBACQoK,IAAI,GAAG,KAAKqQ,SAAL,EAAb;mBACKgF,IAAL;;kBACI,KAAK/W,KAAL,CAAWuR,KAAE,CAACjZ,QAAd,CAAJ,EAA6B;gBAC3B6pC,QAAQ,CAAC5gC,IAAT,CAAc,KAAKogC,mBAAL,CAAyBjgC,IAAzB,CAAd;eADF,MAEO;gBACLygC,QAAQ,CAAC5gC,IAAT,CAAc,KAAKkgC,2BAAL,CAAiC//B,IAAjC,CAAd;;;;;;;kBAOI,KAAK+b,UAAL,EAAN;;;;UAIFsiB,UAAU,CAACqC,cAAD,CAAV,IAA8B,CAACrC,UAAU,CAACsC,cAAD,CAA7C,EAA+D;aACxD51B,KAAL,CAEE41B,cAAc,CAAC3iC,KAFjB,EAGE0/B,SAAS,CAACE,yBAHZ;OADF,MAMO,IAAI,CAACS,UAAU,CAACqC,cAAD,CAAX,IAA+BrC,UAAU,CAACsC,cAAD,CAA7C,EAA+D;aAC/D51B,KAAL,CAEE41B,cAAc,CAAC3iC,KAFjB,EAGE0/B,SAAS,CAACG,wBAHZ,EAIEU,mBAAmB,CAACmC,cAAc,CAAC/rC,IAAhB,CAJrB;OADK,MAOA,IAAI,CAAC0pC,UAAU,CAACqC,cAAD,CAAX,IAA+B,CAACrC,UAAU,CAACsC,cAAD,CAA9C,EAAgE;YAGnEpC,mBAAmB,CAACoC,cAAc,CAAChsC,IAAhB,CAAnB,KACA4pC,mBAAmB,CAACmC,cAAc,CAAC/rC,IAAhB,CAHrB,EAIE;eACKoW,KAAL,CAEE41B,cAAc,CAAC3iC,KAFjB,EAGE0/B,SAAS,CAACG,wBAHZ,EAIEU,mBAAmB,CAACmC,cAAc,CAAC/rC,IAAhB,CAJrB;;;;;QAUF0pC,UAAU,CAACqC,cAAD,CAAd,EAAgC;MAC9B1gC,IAAI,CAAC6gC,eAAL,GAAuBH,cAAvB;MACA1gC,IAAI,CAAC8gC,eAAL,GAAuBH,cAAvB;KAFF,MAGO;MACL3gC,IAAI,CAAC0gC,cAAL,GAAsBA,cAAtB;MACA1gC,IAAI,CAAC2gC,cAAL,GAAsBA,cAAtB;;;IAEF3gC,IAAI,CAACygC,QAAL,GAAgBA,QAAhB;;QACI,KAAK9lB,YAAL,CAAkB,GAAlB,CAAJ,EAA4B;YACpB,KAAK5P,KAAL,CACJ,KAAKpL,KAAL,CAAW3B,KADP,EAEJ0/B,SAAS,CAACM,4BAFN,CAAN;;;WAMKK,UAAU,CAACqC,cAAD,CAAV,GACH,KAAKpwB,UAAL,CAAgBtQ,IAAhB,EAAsB,aAAtB,CADG,GAEH,KAAKsQ,UAAL,CAAgBtQ,IAAhB,EAAsB,YAAtB,CAFJ;;;EAOF+gC,eAAe,GAAiB;UACxBjxB,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAA5B;UACMyM,QAAQ,GAAG,KAAK9K,KAAL,CAAW8K,QAA5B;SACK4K,IAAL;WACO,KAAKmrB,iBAAL,CAAuB1wB,QAAvB,EAAiCrF,QAAjC,CAAP;;;EAOFmF,aAAa,CAACnB,mBAAD,EAAuD;QAC9D,KAAKnQ,KAAL,CAAWuR,KAAE,CAACsuB,OAAd,CAAJ,EAA4B;aACnB,KAAKrxB,YAAL,CAAkB,KAAKnN,KAAL,CAAW8M,KAA7B,EAAoC,SAApC,CAAP;KADF,MAEO,IAAI,KAAKnO,KAAL,CAAWuR,KAAE,CAAC+O,WAAd,CAAJ,EAAgC;aAC9B,KAAKmiB,eAAL,EAAP;KADK,MAEA,IACL,KAAKpmB,YAAL,CAAkB,GAAlB,KACA,KAAKxc,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAjC,QAFK,EAGL;WAGKyO,WAAL,CAAiBpJ,KAAE,CAAC+O,WAApB;aACO,KAAKmiB,eAAL,EAAP;KAPK,MAQA;aACE,MAAMnxB,aAAN,CAAoBnB,mBAApB,CAAP;;;;EAIJmX,gBAAgB,CAACpoB,IAAD,EAAqB;QAC/B,KAAKmC,KAAL,CAAWqhC,cAAf,EAA+B,OAAO,MAAMpb,gBAAN,CAAuBpoB,IAAvB,CAAP;UAEzBsV,OAAO,GAAG,KAAKG,UAAL,EAAhB;;QAEIH,OAAO,KAAK8V,OAAE,CAACE,MAAnB,EAA2B;aAClB,KAAK2V,YAAL,EAAP;;;QAGE3rB,OAAO,KAAK8V,OAAE,CAACC,MAAf,IAAyB/V,OAAO,KAAK8V,OAAE,CAACqV,MAA5C,EAAoD;UAC9C/pB,iBAAiB,CAAC1W,IAAD,CAArB,EAA6B;eACpB,KAAKiiC,WAAL,EAAP;;;UAGEjiC,IAAI,OAAR,EAAoC;UAChC,KAAKmC,KAAL,CAAW6K,GAAb;eACO,KAAKyO,WAAL,CAAiBpJ,KAAE,CAACuuB,SAApB,CAAP;;;UAIA,CAAC5gC,IAAI,OAAJ,IAAoCA,IAAI,OAAzC,KACAsV,OAAO,KAAK8V,OAAE,CAACC,MAFjB,EAGE;eACO,KAAKmW,aAAL,CAAmBxhC,IAAnB,CAAP;;;;QAKFA,IAAI,OAAJ,IACA,KAAKmC,KAAL,CAAWoT,WADX,IAEA,KAAK5U,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,QAHF,EAIE;QACE,KAAK7K,KAAL,CAAW6K,GAAb;aACO,KAAKyO,WAAL,CAAiBpJ,KAAE,CAAC+O,WAApB,CAAP;;;WAGK,MAAMgH,gBAAN,CAAuBpoB,IAAvB,CAAP;;;EAGFjJ,aAAa,CAAC2e,QAAD,EAA4B;QACnC,KAAK5U,KAAL,CAAWuR,KAAE,CAACja,MAAd,CAAJ,EAA2B;YACnBqd,UAAU,GAAG,KAAKA,UAAL,EAAnB;;UACIA,UAAU,KAAK2V,OAAE,CAACC,MAAtB,EAA8B;aACvBlpB,KAAL,CAAWmT,OAAX,CAAmBjT,IAAnB,CAAwB+oB,OAAE,CAACtW,eAA3B;OADF,MAEO,IAAIW,UAAU,KAAK2V,OAAE,CAACE,MAAtB,EAA8B;aAC9BnpB,KAAL,CAAWmT,OAAX,CAAmBjT,IAAnB,CAAwB+oB,OAAE,CAACrW,aAA3B;OADK,MAEA;cACChe,aAAN,CAAoB2e,QAApB;;;WAEGvT,KAAL,CAAWoT,WAAX,GAAyB,IAAzB;KATF,MAUO,IAAI,KAAKzU,KAAL,CAAWuR,KAAE,CAACzX,KAAd,KAAwB8a,QAAQ,KAAKrD,KAAE,CAAC+O,WAA5C,EAAyD;WACzDjf,KAAL,CAAWmT,OAAX,CAAmBzT,MAAnB,IAA6B,CAA7B;WACKM,KAAL,CAAWmT,OAAX,CAAmBjT,IAAnB,CAAwB+oB,OAAE,CAACqV,MAA3B;WACKt+B,KAAL,CAAWoT,WAAX,GAAyB,KAAzB;KAHK,MAIA;aACE,MAAMxe,aAAN,CAAoB2e,QAApB,CAAP;;;;CArfR;;ACvEO,MAAM+tB,KAAN,CAAY;EASjBhtC,WAAW,CAACmY,KAAD,EAAoB;SAN/B80B,GAM+B,GANf,EAMe;SAJ/BC,OAI+B,GAJX,EAIW;SAF/BC,SAE+B,GAFT,EAES;SACxBh1B,KAAL,GAAaA,KAAb;;;;AAQJ,AAAe,MAAMi1B,YAAN,CAA0C;EAOvDptC,WAAW,CAAC8W,KAAD,EAAuB8J,QAAvB,EAA0C;SANrDysB,UAMqD,GANzB,EAMyB;SAHrDC,gBAGqD,GAHb,IAAI9sC,GAAJ,EAGa;SAFrD+sC,qBAEqD,GAFR,IAAI/sC,GAAJ,EAEQ;SAC9CsW,KAAL,GAAaA,KAAb;SACK8J,QAAL,GAAgBA,QAAhB;;;MAGE4sB,UAAJ,GAAiB;WACR,CAAC,KAAKC,eAAL,GAAuBt1B,KAAvB,GAA+BzR,cAAhC,IAAkD,CAAzD;;;MAEEgnC,UAAJ,GAAiB;WACR,CAAC,KAAKC,gBAAL,GAAwBx1B,KAAxB,GAAgCtR,WAAjC,IAAgD,CAAvD;;;MAEEoV,gBAAJ,GAAuB;WACd,CAAC,KAAK0xB,gBAAL,GAAwBx1B,KAAxB,GAAgCrR,kBAAjC,IAAuD,CAA9D;;;MAEE8mC,OAAJ,GAAc;WACL,CAAC,KAAKD,gBAAL,GAAwBx1B,KAAxB,GAAgCpR,WAAjC,IAAgD,CAAvD;;;MAEE8mC,kBAAJ,GAAyB;WAChB,CAAC,KAAKF,gBAAL,GAAwBx1B,KAAxB,GAAgCzR,cAAjC,IAAmD,CAA1D;;;MAEEonC,mBAAJ,GAA0B;WACjB,KAAKC,0BAAL,CAAgC,KAAKC,YAAL,EAAhC,CAAP;;;EAGFC,WAAW,CAAC91B,KAAD,EAA2B;WAC7B,IAAI60B,KAAJ,CAAU70B,KAAV,CAAP;;;EAKF+P,KAAK,CAAC/P,KAAD,EAAoB;SAClBk1B,UAAL,CAAgBzhC,IAAhB,CAAqB,KAAKqiC,WAAL,CAAiB91B,KAAjB,CAArB;;;EAGFkQ,IAAI,GAAG;SACAglB,UAAL,CAAgBpgC,GAAhB;;;EAMF8gC,0BAA0B,CAAC/lB,KAAD,EAAyB;WAC1C,CAAC,EACNA,KAAK,CAAC7P,KAAN,GAAczR,cAAd,IACC,CAAC,KAAKka,QAAN,IAAkBoH,KAAK,CAAC7P,KAAN,GAAc1R,aAF3B,CAAR;;;EAMFwhB,WAAW,CAACvnB,IAAD,EAAesZ,WAAf,EAA0CzD,GAA1C,EAAuD;QAC5DyR,KAAK,GAAG,KAAKgmB,YAAL,EAAZ;;QACIh0B,WAAW,GAAG3S,kBAAd,IAAoC2S,WAAW,GAAG1S,mBAAtD,EAA2E;WACpE4mC,yBAAL,CAA+BlmB,KAA/B,EAAsCtnB,IAAtC,EAA4CsZ,WAA5C,EAAyDzD,GAAzD;;UAEIyD,WAAW,GAAG1S,mBAAlB,EAAuC;QACrC0gB,KAAK,CAACmlB,SAAN,CAAgBvhC,IAAhB,CAAqBlL,IAArB;OADF,MAEO;QACLsnB,KAAK,CAACklB,OAAN,CAActhC,IAAd,CAAmBlL,IAAnB;;;UAGEsZ,WAAW,GAAG3S,kBAAlB,EAAsC;aAC/B8mC,kBAAL,CAAwBnmB,KAAxB,EAA+BtnB,IAA/B;;KAVJ,MAYO,IAAIsZ,WAAW,GAAG5S,cAAlB,EAAkC;WAClC,IAAI+E,CAAC,GAAG,KAAKkhC,UAAL,CAAgBjiC,MAAhB,GAAyB,CAAtC,EAAyCe,CAAC,IAAI,CAA9C,EAAiD,EAAEA,CAAnD,EAAsD;QACpD6b,KAAK,GAAG,KAAKqlB,UAAL,CAAgBlhC,CAAhB,CAAR;aACK+hC,yBAAL,CAA+BlmB,KAA/B,EAAsCtnB,IAAtC,EAA4CsZ,WAA5C,EAAyDzD,GAAzD;QACAyR,KAAK,CAACilB,GAAN,CAAUrhC,IAAV,CAAelL,IAAf;aACKytC,kBAAL,CAAwBnmB,KAAxB,EAA+BtnB,IAA/B;YAEIsnB,KAAK,CAAC7P,KAAN,GAAclR,SAAlB,EAA6B;;;;QAG7B,KAAK2Z,QAAL,IAAiBoH,KAAK,CAAC7P,KAAN,GAAc1R,aAAnC,EAAkD;WAC3C6mC,gBAAL,CAAsBc,MAAtB,CAA6B1tC,IAA7B;;;;EAIJytC,kBAAkB,CAACnmB,KAAD,EAAgBtnB,IAAhB,EAA8B;QAC1C,KAAKkgB,QAAL,IAAiBoH,KAAK,CAAC7P,KAAN,GAAc1R,aAAnC,EAAkD;WAC3C6mC,gBAAL,CAAsBc,MAAtB,CAA6B1tC,IAA7B;;;;EAIJwtC,yBAAyB,CACvBlmB,KADuB,EAEvBtnB,IAFuB,EAGvBsZ,WAHuB,EAIvBzD,GAJuB,EAKvB;QACI,KAAK83B,mBAAL,CAAyBrmB,KAAzB,EAAgCtnB,IAAhC,EAAsCsZ,WAAtC,CAAJ,EAAwD;WACjDlD,KAAL,CAAWP,GAAX,EAAgBsD,aAAM,CAAC5D,gBAAvB,EAAyCvV,IAAzC;;;;EAIJ2tC,mBAAmB,CACjBrmB,KADiB,EAEjBtnB,IAFiB,EAGjBsZ,WAHiB,EAIR;QACL,EAAEA,WAAW,GAAG9S,eAAhB,CAAJ,EAAsC,OAAO,KAAP;;QAElC8S,WAAW,GAAG3S,kBAAlB,EAAsC;aAElC2gB,KAAK,CAACklB,OAAN,CAAc1c,OAAd,CAAsB9vB,IAAtB,IAA8B,CAAC,CAA/B,IACAsnB,KAAK,CAACmlB,SAAN,CAAgB3c,OAAhB,CAAwB9vB,IAAxB,IAAgC,CAAC,CADjC,IAEAsnB,KAAK,CAACilB,GAAN,CAAUzc,OAAV,CAAkB9vB,IAAlB,IAA0B,CAAC,CAH7B;;;QAOEsZ,WAAW,GAAG1S,mBAAlB,EAAuC;aAEnC0gB,KAAK,CAACklB,OAAN,CAAc1c,OAAd,CAAsB9vB,IAAtB,IAA8B,CAAC,CAA/B,IACC,CAAC,KAAKqtC,0BAAL,CAAgC/lB,KAAhC,CAAD,IACCA,KAAK,CAACilB,GAAN,CAAUzc,OAAV,CAAkB9vB,IAAlB,IAA0B,CAAC,CAH/B;;;WAQCsnB,KAAK,CAACklB,OAAN,CAAc1c,OAAd,CAAsB9vB,IAAtB,IAA8B,CAAC,CAA/B,IACC,EAAEsnB,KAAK,CAAC7P,KAAN,GAAcvR,kBAAd,IAAoCohB,KAAK,CAACklB,OAAN,CAAc,CAAd,MAAqBxsC,IAA3D,CADF,IAEC,CAAC,KAAKqtC,0BAAL,CAAgC/lB,KAAhC,CAAD,IACCA,KAAK,CAACmlB,SAAN,CAAgB3c,OAAhB,CAAwB9vB,IAAxB,IAAgC,CAAC,CAJrC;;;EAQF4tC,gBAAgB,CAAChoB,EAAD,EAAmB;QAE/B,KAAK+mB,UAAL,CAAgB,CAAhB,EAAmBH,OAAnB,CAA2B1c,OAA3B,CAAmClK,EAAE,CAAC5lB,IAAtC,MAAgD,CAAC,CAAjD,IACA,KAAK2sC,UAAL,CAAgB,CAAhB,EAAmBJ,GAAnB,CAAuBzc,OAAvB,CAA+BlK,EAAE,CAAC5lB,IAAlC,MAA4C,CAAC,CAD7C,IAKA,KAAK2sC,UAAL,CAAgB,CAAhB,EAAmBF,SAAnB,CAA6B3c,OAA7B,CAAqClK,EAAE,CAAC5lB,IAAxC,MAAkD,CAAC,CANrD,EAOE;WACK4sC,gBAAL,CAAsBzsC,GAAtB,CAA0BylB,EAAE,CAAC5lB,IAA7B,EAAmC4lB,EAAE,CAACvc,KAAtC;;;;EAIJikC,YAAY,GAAW;WACd,KAAKX,UAAL,CAAgB,KAAKA,UAAL,CAAgBjiC,MAAhB,GAAyB,CAAzC,CAAP;;;EAIFqiC,eAAe,GAAW;SACnB,IAAIthC,CAAC,GAAG,KAAKkhC,UAAL,CAAgBjiC,MAAhB,GAAyB,CAAtC,GAA2Ce,CAAC,EAA5C,EAAgD;YACxC6b,KAAK,GAAG,KAAKqlB,UAAL,CAAgBlhC,CAAhB,CAAd;;UACI6b,KAAK,CAAC7P,KAAN,GAAclR,SAAlB,EAA6B;eACpB+gB,KAAP;;;;;EAON2lB,gBAAgB,GAAW;SACpB,IAAIxhC,CAAC,GAAG,KAAKkhC,UAAL,CAAgBjiC,MAAhB,GAAyB,CAAtC,GAA2Ce,CAAC,EAA5C,EAAgD;YACxC6b,KAAK,GAAG,KAAKqlB,UAAL,CAAgBlhC,CAAhB,CAAd;;UAEE,CAAC6b,KAAK,CAAC7P,KAAN,GAAclR,SAAd,IAA2B+gB,KAAK,CAAC7P,KAAN,GAAcpR,WAA1C,KACA,EAAEihB,KAAK,CAAC7P,KAAN,GAAcxR,WAAhB,CAFF,EAGE;eACOqhB,KAAP;;;;;;;AChMR,MAAMumB,eAAN,SAA8BvB,KAA9B,CAAoC;;;SAClCjsC,KADkC,GAChB,EADgB;SAIlCytC,KAJkC,GAIhB,EAJgB;SAOlCC,UAPkC,GAOX,EAPW;SAUlCC,OAVkC,GAUd,EAVc;SAgBlCC,kBAhBkC,GAgBH,EAhBG;;;;;AAsBpC,AAAe,MAAMC,sBAAN,SAAqCxB,YAArC,CAAmE;EAChFa,WAAW,CAAC91B,KAAD,EAAqC;WACvC,IAAIo2B,eAAJ,CAAoBp2B,KAApB,CAAP;;;EAGF8P,WAAW,CAACvnB,IAAD,EAAesZ,WAAf,EAA0CzD,GAA1C,EAAuD;UAC1DyR,KAAK,GAAG,KAAKgmB,YAAL,EAAd;;QACIh0B,WAAW,GAAGpS,yBAAlB,EAA6C;WACtCumC,kBAAL,CAAwBnmB,KAAxB,EAA+BtnB,IAA/B;MACAsnB,KAAK,CAAC2mB,kBAAN,CAAyB/iC,IAAzB,CAA8BlL,IAA9B;;;;UAIIunB,WAAN,CAAkB,GAAG9a,SAArB;;QAEI6M,WAAW,GAAG7S,cAAlB,EAAkC;UAC5B,EAAE6S,WAAW,GAAG9S,eAAhB,CAAJ,EAAsC;aAE/BgnC,yBAAL,CAA+BlmB,KAA/B,EAAsCtnB,IAAtC,EAA4CsZ,WAA5C,EAAyDzD,GAAzD;aACK43B,kBAAL,CAAwBnmB,KAAxB,EAA+BtnB,IAA/B;;;MAEFsnB,KAAK,CAACjnB,KAAN,CAAY6K,IAAZ,CAAiBlL,IAAjB;;;QAEEsZ,WAAW,GAAGtS,kBAAlB,EAAsCsgB,KAAK,CAACwmB,KAAN,CAAY5iC,IAAZ,CAAiBlL,IAAjB;QAClCsZ,WAAW,GAAGrS,wBAAlB,EAA4CqgB,KAAK,CAACymB,UAAN,CAAiB7iC,IAAjB,CAAsBlL,IAAtB;QACxCsZ,WAAW,GAAGvS,gBAAlB,EAAoCugB,KAAK,CAAC0mB,OAAN,CAAc9iC,IAAd,CAAmBlL,IAAnB;;;EAGtC2tC,mBAAmB,CACjBrmB,KADiB,EAEjBtnB,IAFiB,EAGjBsZ,WAHiB,EAIR;QACLgO,KAAK,CAACwmB,KAAN,CAAYhe,OAAZ,CAAoB9vB,IAApB,IAA4B,CAAC,CAAjC,EAAoC;UAC9BsZ,WAAW,GAAGtS,kBAAlB,EAAsC;cAG9BmnC,OAAO,GAAG,CAAC,EAAE70B,WAAW,GAAGrS,wBAAhB,CAAjB;cACMmnC,QAAQ,GAAG9mB,KAAK,CAACymB,UAAN,CAAiBje,OAAjB,CAAyB9vB,IAAzB,IAAiC,CAAC,CAAnD;eACOmuC,OAAO,KAAKC,QAAnB;;;aAEK,IAAP;;;QAEE90B,WAAW,GAAGvS,gBAAd,IAAkCugB,KAAK,CAAC0mB,OAAN,CAAcle,OAAd,CAAsB9vB,IAAtB,IAA8B,CAAC,CAArE,EAAwE;UAClEsnB,KAAK,CAACklB,OAAN,CAAc1c,OAAd,CAAsB9vB,IAAtB,IAA8B,CAAC,CAAnC,EAAsC;eAE7B,CAAC,EAAEsZ,WAAW,GAAG9S,eAAhB,CAAR;OAFF,MAGO;eAEE,KAAP;;;;QAGA8S,WAAW,GAAG7S,cAAd,IAAgC6gB,KAAK,CAACjnB,KAAN,CAAYyvB,OAAZ,CAAoB9vB,IAApB,IAA4B,CAAC,CAAjE,EAAoE;aAC3D,IAAP;;;WAGK,MAAM2tC,mBAAN,CAA0B,GAAGlhC,SAA7B,CAAP;;;EAGFmhC,gBAAgB,CAAChoB,EAAD,EAAmB;QAE/B,KAAK+mB,UAAL,CAAgB,CAAhB,EAAmBtsC,KAAnB,CAAyByvB,OAAzB,CAAiClK,EAAE,CAAC5lB,IAApC,MAA8C,CAAC,CAA/C,IACA,KAAK2sC,UAAL,CAAgB,CAAhB,EAAmBsB,kBAAnB,CAAsCne,OAAtC,CAA8ClK,EAAE,CAAC5lB,IAAjD,MAA2D,CAAC,CAF9D,EAGE;YACM4tC,gBAAN,CAAuBhoB,EAAvB;;;;;;ACpGC,MAAMyoB,KAAK,GAAG,KAAd;MACLC,WAAW,GAAG,KADT;MAELC,WAAW,GAAG,KAFT;MAGLC,YAAY,GAAG,KAHV;AA6BP,AAAe,MAAMC,0BAAN,CAAiC;;SAC9CC,MAD8C,GACnB,EADmB;;;EAE9ClnB,KAAK,CAAC/P,KAAD,EAAmB;SACjBi3B,MAAL,CAAYxjC,IAAZ,CAAiBuM,KAAjB;;;EAGFkQ,IAAI,GAAG;SACA+mB,MAAL,CAAYniC,GAAZ;;;EAGFoiC,YAAY,GAAc;WACjB,KAAKD,MAAL,CAAY,KAAKA,MAAL,CAAYhkC,MAAZ,GAAqB,CAAjC,CAAP;;;MAGEkkC,QAAJ,GAAwB;WACf,CAAC,KAAKD,YAAL,KAAsBJ,WAAvB,IAAsC,CAA7C;;;MAGE7vB,QAAJ,GAAwB;WACf,CAAC,KAAKiwB,YAAL,KAAsBL,WAAvB,IAAsC,CAA7C;;;MAGEO,SAAJ,GAAyB;WAChB,CAAC,KAAKF,YAAL,KAAsBH,YAAvB,IAAuC,CAA9C;;;;AAIJ,AAAO,SAASM,aAAT,CACLh2B,OADK,EAEL8B,WAFK,EAGM;SACJ,CAAC9B,OAAO,GAAGy1B,WAAH,GAAiB,CAAzB,KAA+B3zB,WAAW,GAAG0zB,WAAH,GAAiB,CAA3D,CAAP;;;AClBF,SAASS,OAAT,CAAoBC,CAApB,EAA8B;MACxBA,CAAC,IAAI,IAAT,EAAe;UAEP,IAAIvqB,KAAJ,CAAW,cAAauqB,CAAE,SAA1B,CAAN;;;SAEKA,CAAP;;;AAGF,SAASC,MAAT,CAAgBD,CAAhB,EAAkC;MAC5B,CAACA,CAAL,EAAQ;UACA,IAAIvqB,KAAJ,CAAU,aAAV,CAAN;;;;AAWJ,MAAMyqB,QAAQ,GAAGniC,MAAM,CAACC,MAAP,CAAc;EAC7BmiC,qBAAqB,EAAE,kDADM;EAE7BC,sBAAsB,EAAE,mDAFK;EAG7BC,+BAA+B,EAC7B,mDAJ2B;EAK7BC,iBAAiB,EAAE,0BALU;EAM7BC,uBAAuB,EAAE,4BANI;EAO7BC,yBAAyB,EACvB,sDAR2B;EAS7BC,8BAA8B,EAC5B,+DAV2B;EAW7BC,uBAAuB,EAAE,oDAXI;EAY7BC,uBAAuB,EACrB,yDAb2B;EAc7BC,gCAAgC,EAC9B,0DAf2B;EAgB7BC,0BAA0B,EACxB,uDAjB2B;EAkB7BC,iBAAiB,EACf,gFAnB2B;EAoB7BC,yBAAyB,EACvB,uDArB2B;EAsB7BC,8BAA8B,EAC5B,+DAvB2B;EAwB7BC,2BAA2B,EACzB,qDAzB2B;EA0B7BC,yBAAyB,EACvB,kHA3B2B;EA4B7BC,kBAAkB,EAChB,8EA7B2B;EA8B7BC,wBAAwB,EAAE,wCA9BG;EA+B7BC,6BAA6B,EAAE,6CA/BF;EAgC7BC,6BAA6B,EAC3B,oDAjC2B;EAkC7BC,gCAAgC,EAC9B,mEAnC2B;EAoC7BC,iCAAiC,EAC/B;CArCa,CAAjB;;AAyCA,SAASC,mBAAT,CACE34B,KADF,EAE0C;UAChCA,KAAR;SACO,KAAL;aACS,cAAP;;SACG,SAAL;aACS,kBAAP;;SACG,QAAL;aACS,iBAAP;;SACG,OAAL;aACS,gBAAP;;SACG,QAAL;aACS,iBAAP;;SACG,QAAL;aACS,iBAAP;;SACG,QAAL;aACS,iBAAP;;SACG,QAAL;aACS,iBAAP;;SACG,WAAL;aACS,oBAAP;;SACG,SAAL;aACS,kBAAP;;;aAEO/L,SAAP;;;;AAIN,kBAAgBuL,UAAD,IACb,cAAcA,UAAd,CAAyB;EACvBo5B,eAAe,GAAkC;WACxCxC,sBAAP;;;EAGFyC,cAAc,GAAY;WAGjB,KAAKhnC,KAAL,CAAWuR,KAAE,CAAClb,IAAd,CAAP;;;EAGF4wC,4BAA4B,GAAG;SAKxBlwB,IAAL;WAEE,CAAC,KAAKmwB,qBAAL,EAAD,IACA,CAAC,KAAKlnC,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,CADD,IAEA,CAAC,KAAKqI,KAAL,CAAWuR,KAAE,CAAC3Z,MAAd,CAFD,IAGA,CAAC,KAAKoI,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,CAHD,IAIA,CAAC,KAAKiI,KAAL,CAAWuR,KAAE,CAAC3Y,EAAd,CAJD,IAKA,CAAC,KAAKoH,KAAL,CAAWuR,KAAE,CAACrZ,QAAd,CALD,IAMA,CAAC,KAAK8H,KAAL,CAAWuR,KAAE,CAACxY,IAAd,CAPH;;;EAYFouC,eAAe,CAAgBC,gBAAhB,EAA2C;QACpD,CAAC,KAAKpnC,KAAL,CAAWuR,KAAE,CAAClb,IAAd,CAAL,EAA0B;aACjB+L,SAAP;;;UAGIilC,QAAQ,GAAG,KAAKhmC,KAAL,CAAW8M,KAA5B;;QAEEi5B,gBAAgB,CAACjhB,OAAjB,CAAyBkhB,QAAzB,MAAuC,CAAC,CAAxC,IACA,KAAKC,UAAL,CAAgB,KAAKL,4BAAL,CAAkCM,IAAlC,CAAuC,IAAvC,CAAhB,CAFF,EAGE;aACOF,QAAP;;;WAEKjlC,SAAP;;;EAQFolC,gBAAgB,CACdC,QADc,EAEdL,gBAFc,EAGR;aACG;YACD51B,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAA5B;YACM2nC,QAAY,GAAG,KAAKF,eAAL,CAAqBC,gBAArB,CAArB;UAEI,CAACC,QAAL,EAAe;;UAEXjkC,MAAM,CAACskC,cAAP,CAAsBxd,IAAtB,CAA2Bud,QAA3B,EAAqCJ,QAArC,CAAJ,EAAoD;aAC7C56B,KAAL,CAAW+E,QAAX,EAAqB+zB,QAAQ,CAACI,iBAA9B,EAAiD0B,QAAjD;;;MAEFI,QAAQ,CAACJ,QAAD,CAAR,GAAqB,IAArB;;;;EAIJM,kBAAkB,CAACl6B,IAAD,EAAgC;YACxCA,IAAR;WACO,aAAL;WACK,aAAL;eACS,KAAKzN,KAAL,CAAWuR,KAAE,CAAC9Z,MAAd,CAAP;;WACG,uBAAL;eACS,KAAKuI,KAAL,CAAWuR,KAAE,CAACja,MAAd,CAAP;;WACG,mBAAL;eACS,KAAK0I,KAAL,CAAWuR,KAAE,CAACna,QAAd,CAAP;;WACG,2BAAL;eACS,KAAKilB,YAAL,CAAkB,GAAlB,CAAP;;;UAGE,IAAIvB,KAAJ,CAAU,aAAV,CAAN;;;EAGF8sB,WAAW,CAAYn6B,IAAZ,EAAkCo6B,YAAlC,EAA8D;UACjEnjB,MAAW,GAAG,EAApB;;WACO,CAAC,KAAKijB,kBAAL,CAAwBl6B,IAAxB,CAAR,EAAuC;MAErCiX,MAAM,CAACnjB,IAAP,CAAYsmC,YAAY,EAAxB;;;WAEKnjB,MAAP;;;EAGFojB,oBAAoB,CAClBr6B,IADkB,EAElBo6B,YAFkB,EAGb;WACEzC,OAAO,CACZ,KAAK2C,0BAAL,CACEt6B,IADF,EAEEo6B,YAFF,EAGsB,IAHtB,CADY,CAAd;;;EAaFE,0BAA0B,CACxBt6B,IADwB,EAExBo6B,YAFwB,EAGxBG,aAHwB,EAIhB;UACFtjB,MAAM,GAAG,EAAf;;aAES;UACH,KAAKijB,kBAAL,CAAwBl6B,IAAxB,CAAJ,EAAmC;;;;YAI7Bka,OAAO,GAAGkgB,YAAY,EAA5B;;UACIlgB,OAAO,IAAI,IAAf,EAAqB;eACZvlB,SAAP;;;MAEFsiB,MAAM,CAACnjB,IAAP,CAAYomB,OAAZ;;UAEI,KAAKjM,GAAL,CAASnK,KAAE,CAAC1Z,KAAZ,CAAJ,EAAwB;;;;UAIpB,KAAK8vC,kBAAL,CAAwBl6B,IAAxB,CAAJ,EAAmC;;;;UAI/Bu6B,aAAJ,EAAmB;aAEZ7sB,MAAL,CAAY5J,KAAE,CAAC1Z,KAAf;;;aAEKuK,SAAP;;;WAGKsiB,MAAP;;;EAGFujB,oBAAoB,CAClBx6B,IADkB,EAElBo6B,YAFkB,EAGlBK,OAHkB,EAIlBC,cAJkB,EAKb;QACD,CAACA,cAAL,EAAqB;UACfD,OAAJ,EAAa;aACN/sB,MAAL,CAAY5J,KAAE,CAACta,QAAf;OADF,MAEO;aACAwpB,gBAAL,CAAsB,GAAtB;;;;UAIEiE,MAAM,GAAG,KAAKojB,oBAAL,CAA0Br6B,IAA1B,EAAgCo6B,YAAhC,CAAf;;QAEIK,OAAJ,EAAa;WACN/sB,MAAL,CAAY5J,KAAE,CAACna,QAAf;KADF,MAEO;WACAqpB,gBAAL,CAAsB,GAAtB;;;WAGKiE,MAAP;;;EAGF0jB,iBAAiB,GAAmB;UAC5B1mC,IAAoB,GAAG,KAAKqQ,SAAL,EAA7B;SACKoJ,MAAL,CAAY5J,KAAE,CAAC7V,OAAf;SACKyf,MAAL,CAAY5J,KAAE,CAAC5Z,MAAf;;QACI,CAAC,KAAKqI,KAAL,CAAWuR,KAAE,CAACxa,MAAd,CAAL,EAA4B;WACrB0V,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B6lC,QAAQ,CAACoB,6BAAtC;;;IAIFjlC,IAAI,CAAC2gB,QAAL,GAAgB,KAAK/Q,aAAL,EAAhB;SACK6J,MAAL,CAAY5J,KAAE,CAAC3Z,MAAf;;QAEI,KAAK8jB,GAAL,CAASnK,KAAE,CAACtZ,GAAZ,CAAJ,EAAsB;MACpByJ,IAAI,CAAC2mC,SAAL,GAAiB,KAAKC,iBAAL,CAAgD,IAAhD,CAAjB;;;QAEE,KAAKjsB,YAAL,CAAkB,GAAlB,CAAJ,EAA4B;MAC1B3a,IAAI,CAAC2P,cAAL,GAAsB,KAAKk3B,oBAAL,EAAtB;;;WAEK,KAAKv2B,UAAL,CAAgBtQ,IAAhB,EAAsB,cAAtB,CAAP;;;EAGF4mC,iBAAiB,CAACE,kBAAD,EAA8C;QACzD1H,MAAsB,GAAG,KAAK5kB,eAAL,EAA7B;;WACO,KAAKR,GAAL,CAASnK,KAAE,CAACtZ,GAAZ,CAAP,EAAyB;YACjByJ,IAAuB,GAAG,KAAKgS,eAAL,CAAqBotB,MAArB,CAAhC;MACAp/B,IAAI,CAACmnB,IAAL,GAAYiY,MAAZ;MACAp/B,IAAI,CAACie,KAAL,GAAa,KAAKzD,eAAL,CAAqBssB,kBAArB,CAAb;MACA1H,MAAM,GAAG,KAAK9uB,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB,CAAT;;;WAEKo/B,MAAP;;;EAGF2H,oBAAoB,GAAsB;UAClC/mC,IAAuB,GAAG,KAAKqQ,SAAL,EAAhC;IACArQ,IAAI,CAACgnC,QAAL,GAAgB,KAAKJ,iBAAL,CAAgD,KAAhD,CAAhB;;QACI,CAAC,KAAKpB,qBAAL,EAAD,IAAiC,KAAK7qB,YAAL,CAAkB,GAAlB,CAArC,EAA6D;MAC3D3a,IAAI,CAAC2P,cAAL,GAAsB,KAAKk3B,oBAAL,EAAtB;;;WAEK,KAAKv2B,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB,CAAP;;;EAGFinC,wBAAwB,CAACC,GAAD,EAAuC;SACxD7xB,IAAL;UACMrV,IAAuB,GAAG,KAAKgS,eAAL,CAAqBk1B,GAArB,CAAhC;IACAlnC,IAAI,CAACmnC,aAAL,GAAqBD,GAArB;IACAlnC,IAAI,CAACib,cAAL,GAAsB,KAAKmsB,qBAAL,CAA0C,KAA1C,CAAtB;WACO,KAAK92B,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB,CAAP;;;EAGFqnC,mBAAmB,GAAiB;UAC5BrnC,IAAkB,GAAG,KAAKqQ,SAAL,EAA3B;SACKgF,IAAL;WACO,KAAK/E,UAAL,CAAgBtQ,IAAhB,EAAsB,YAAtB,CAAP;;;EAGFsnC,gBAAgB,GAAkB;UAC1BtnC,IAAmB,GAAG,KAAKqQ,SAAL,EAA5B;SACKoJ,MAAL,CAAY5J,KAAE,CAACvV,OAAf;;QACI,KAAKgE,KAAL,CAAWuR,KAAE,CAAC7V,OAAd,CAAJ,EAA4B;MAC1BgG,IAAI,CAACunC,QAAL,GAAgB,KAAKb,iBAAL,EAAhB;KADF,MAEO;MACL1mC,IAAI,CAACunC,QAAL,GAAgB,KAAKX,iBAAL,CAAgD,IAAhD,CAAhB;;;WAEK,KAAKt2B,UAAL,CAAgBtQ,IAAhB,EAAsB,aAAtB,CAAP;;;EAGFwnC,oBAAoB,GAAsB;UAClCxnC,IAAuB,GAAG,KAAKqQ,SAAL,EAAhC;IACArQ,IAAI,CAACrL,IAAL,GAAY,KAAK8yC,mBAAL,CAAyBznC,IAAI,CAAChC,KAA9B,CAAZ;IACAgC,IAAI,CAAC0nC,UAAL,GAAkB,KAAKC,kBAAL,CAAwB93B,KAAE,CAAC/V,QAA3B,CAAlB;IACAkG,IAAI,CAACwc,OAAL,GAAe,KAAKmrB,kBAAL,CAAwB93B,KAAE,CAAC3Y,EAA3B,CAAf;WACO,KAAKoZ,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB,CAAP;;;EAGF4nC,wBAAwB,GAAkC;QACpD,KAAKjtB,YAAL,CAAkB,GAAlB,CAAJ,EAA4B;aACnB,KAAKktB,qBAAL,EAAP;;;;EAIJA,qBAAqB,GAAG;UAChB7nC,IAAkC,GAAG,KAAKqQ,SAAL,EAA3C;;QAEI,KAAKsK,YAAL,CAAkB,GAAlB,KAA0B,KAAKrc,KAAL,CAAWuR,KAAE,CAAC+O,WAAd,CAA9B,EAA0D;WACnDvJ,IAAL;KADF,MAEO;WACA0G,UAAL;;;IAGF/b,IAAI,CAACiL,MAAL,GAAc,KAAKs7B,oBAAL,CACZ,2BADY,EAEZ,KAAKiB,oBAAL,CAA0B3B,IAA1B,CAA+B,IAA/B,CAFY,EAGE,KAHF,EAIS,IAJT,CAAd;WAMO,KAAKv1B,UAAL,CAAgBtQ,IAAhB,EAAsB,4BAAtB,CAAP;;;EAGF8nC,6BAA6B,GAAuB;QAC9C,KAAKroB,SAAL,GAAiB7e,IAAjB,KAA0BiP,KAAE,CAACtW,MAAjC,EAAyC;WAClC8b,IAAL;aACO,KAAK0xB,oBAAL,EAAP;;;WAEK,IAAP;;;EAKFgB,eAAe,CACbC,WADa,EAEbC,SAFa,EAGP;UAEAC,mBAAmB,GAAGF,WAAW,KAAKn4B,KAAE,CAACnZ,KAA/C;IACAuxC,SAAS,CAACt4B,cAAV,GAA2B,KAAKi4B,wBAAL,EAA3B;SACKnuB,MAAL,CAAY5J,KAAE,CAAC5Z,MAAf;IACAgyC,SAAS,CAACE,UAAV,GAAuB,KAAKC,8BAAL,EAAvB;;QACIF,mBAAJ,EAAyB;MACvBD,SAAS,CAAChtB,cAAV,GAA2B,KAAKotB,oCAAL,CACzBL,WADyB,CAA3B;KADF,MAIO,IAAI,KAAK1pC,KAAL,CAAW0pC,WAAX,CAAJ,EAA6B;MAClCC,SAAS,CAAChtB,cAAV,GAA2B,KAAKotB,oCAAL,CACzBL,WADyB,CAA3B;;;;EAMJI,8BAA8B,GAE5B;WACO,KAAKE,gBAAL,CAAsBz4B,KAAE,CAAC3Z,MAAzB,MAA6DgZ,GAA7D,CACL/C,OAAO,IAAI;UAEPA,OAAO,CAACvL,IAAR,KAAiB,YAAjB,IACAuL,OAAO,CAACvL,IAAR,KAAiB,aADjB,IAEAuL,OAAO,CAACvL,IAAR,KAAiB,eAFjB,IAGAuL,OAAO,CAACvL,IAAR,KAAiB,cAJnB,EAKE;aACKmK,KAAL,CACEoB,OAAO,CAACnO,KADV,EAEE6lC,QAAQ,CAACsB,iCAFX,EAGEh5B,OAAO,CAACvL,IAHV;;;aAMMuL,OAAR;KAdG,CAAP;;;EAmBFo8B,0BAA0B,GAAS;QAC7B,CAAC,KAAKvuB,GAAL,CAASnK,KAAE,CAAC1Z,KAAZ,CAAL,EAAyB;WAClBglB,SAAL;;;;EAIJqtB,sBAAsB,CACpBz8B,IADoB,EAEpB/L,IAFoB,EAG8C;SAC7D+nC,eAAL,CAAqBl4B,KAAE,CAACxZ,KAAxB,EAA+B2J,IAA/B;SACKuoC,0BAAL;WACO,KAAKj4B,UAAL,CAAgBtQ,IAAhB,EAAsB+L,IAAtB,CAAP;;;EAGF08B,+BAA+B,GAAG;SAC3BpzB,IAAL;WACO,KAAK2E,GAAL,CAASnK,KAAE,CAAClb,IAAZ,KAAqB,KAAK2J,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,CAA5B;;;EAGFqyC,wBAAwB,CAAC1oC,IAAD,EAAoC;QAExD,EACE,KAAK1B,KAAL,CAAWuR,KAAE,CAACta,QAAd,KACA,KAAKozC,WAAL,CAAiB,KAAKF,+BAAL,CAAqC5C,IAArC,CAA0C,IAA1C,CAAjB,CAFF,CADF,EAKE;aACOnlC,SAAP;;;SAGG+Y,MAAL,CAAY5J,KAAE,CAACta,QAAf;UACMglB,EAAE,GAAG,KAAKC,eAAL,EAAX;IACAD,EAAE,CAACU,cAAH,GAAoB,KAAKmsB,qBAAL,EAApB;SACKlsB,gBAAL,CAAsBX,EAAtB;SAEKd,MAAL,CAAY5J,KAAE,CAACna,QAAf;IACAsK,IAAI,CAACmoC,UAAL,GAAkB,CAAC5tB,EAAD,CAAlB;UAEM3Z,IAAI,GAAG,KAAKgoC,wBAAL,EAAb;QACIhoC,IAAJ,EAAUZ,IAAI,CAACib,cAAL,GAAsBra,IAAtB;SACL2nC,0BAAL;WACO,KAAKj4B,UAAL,CAAgBtQ,IAAhB,EAAsB,kBAAtB,CAAP;;;EAGF6oC,gCAAgC,CAC9B7oC,IAD8B,EAE9B8oC,QAF8B,EAGe;QACzC,KAAK9uB,GAAL,CAASnK,KAAE,CAACrZ,QAAZ,CAAJ,EAA2BwJ,IAAI,CAACiR,QAAL,GAAgB,IAAhB;UACrB83B,OAAY,GAAG/oC,IAArB;;QAEI,CAAC8oC,QAAD,KAAc,KAAKxqC,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,KAAyB,KAAK0kB,YAAL,CAAkB,GAAlB,CAAvC,CAAJ,EAAoE;YAC5D3O,MAA2B,GAAG+8B,OAApC;WACKhB,eAAL,CAAqBl4B,KAAE,CAACxZ,KAAxB,EAA+B2V,MAA/B;WACKu8B,0BAAL;aACO,KAAKj4B,UAAL,CAAgBtE,MAAhB,EAAwB,mBAAxB,CAAP;KAJF,MAKO;YACC8U,QAA+B,GAAGioB,OAAxC;UACID,QAAJ,EAAchoB,QAAQ,CAACgoB,QAAT,GAAoB,IAApB;YACRloC,IAAI,GAAG,KAAKgoC,wBAAL,EAAb;UACIhoC,IAAJ,EAAUkgB,QAAQ,CAAC7F,cAAT,GAA0Bra,IAA1B;WACL2nC,0BAAL;aACO,KAAKj4B,UAAL,CAAgBwQ,QAAhB,EAA0B,qBAA1B,CAAP;;;;EAIJkoB,iBAAiB,GAAoB;UAC7BhpC,IAAS,GAAG,KAAKqQ,SAAL,EAAlB;;QAEI,KAAK/R,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,KAAyB,KAAK0kB,YAAL,CAAkB,GAAlB,CAA7B,EAAqD;aAC5C,KAAK6tB,sBAAL,CAA4B,4BAA5B,EAA0DxoC,IAA1D,CAAP;;;QAGE,KAAK1B,KAAL,CAAWuR,KAAE,CAACnW,IAAd,CAAJ,EAAyB;YACjB6gB,EAAgB,GAAG,KAAKlK,SAAL,EAAzB;WACKgF,IAAL;;UACI,KAAK/W,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,KAAyB,KAAK0kB,YAAL,CAAkB,GAAlB,CAA7B,EAAqD;eAC5C,KAAK6tB,sBAAL,CACL,iCADK,EAELxoC,IAFK,CAAP;OADF,MAKO;QACLA,IAAI,CAAC+Q,GAAL,GAAW,KAAK0Q,gBAAL,CAAsBlH,EAAtB,EAA0B,KAA1B,CAAX;eACO,KAAKsuB,gCAAL,CAAsC7oC,IAAtC,EAA4C,KAA5C,CAAP;;;;UAIE8oC,QAAQ,GAAG,CAAC,CAAC,KAAKrD,eAAL,CAAqB,CAAC,UAAD,CAArB,CAAnB;UAEMwD,GAAG,GAAG,KAAKP,wBAAL,CAA8B1oC,IAA9B,CAAZ;;QACIipC,GAAJ,EAAS;UACHH,QAAJ,EAAc9oC,IAAI,CAAC8oC,QAAL,GAAgB,IAAhB;aACPG,GAAP;;;SAGGniB,iBAAL,CAAuB9mB,IAAvB,EAAwD,KAAxD;WACO,KAAK6oC,gCAAL,CAAsC7oC,IAAtC,EAA4C8oC,QAA5C,CAAP;;;EAGFI,kBAAkB,GAAoB;UAC9BlpC,IAAqB,GAAG,KAAKqQ,SAAL,EAA9B;IACArQ,IAAI,CAAC0sB,OAAL,GAAe,KAAKyc,wBAAL,EAAf;WACO,KAAK74B,UAAL,CAAgBtQ,IAAhB,EAAsB,eAAtB,CAAP;;;EAGFmpC,wBAAwB,GAAoC;SACrD1vB,MAAL,CAAY5J,KAAE,CAACja,MAAf;UACM82B,OAAO,GAAG,KAAKwZ,WAAL,CACd,aADc,EAEd,KAAK8C,iBAAL,CAAuBnD,IAAvB,CAA4B,IAA5B,CAFc,CAAhB;SAIKpsB,MAAL,CAAY5J,KAAE,CAAC9Z,MAAf;WACO22B,OAAP;;;EAGF0c,qBAAqB,GAAY;SAC1B/zB,IAAL;;QACI,KAAK2E,GAAL,CAASnK,KAAE,CAAC5X,OAAZ,CAAJ,EAA0B;aACjB,KAAKyjB,YAAL,CAAkB,UAAlB,CAAP;;;QAEE,KAAKA,YAAL,CAAkB,UAAlB,CAAJ,EAAmC;WAC5BrG,IAAL;;;QAEE,CAAC,KAAK/W,KAAL,CAAWuR,KAAE,CAACta,QAAd,CAAL,EAA8B;aACrB,KAAP;;;SAEG8f,IAAL;;QACI,CAAC,KAAKiwB,cAAL,EAAL,EAA4B;aACnB,KAAP;;;SAEGjwB,IAAL;WACO,KAAK/W,KAAL,CAAWuR,KAAE,CAACzV,GAAd,CAAP;;;EAGFivC,0BAA0B,GAAsB;UACxCrpC,IAAuB,GAAG,KAAKqQ,SAAL,EAAhC;IACArQ,IAAI,CAACrL,IAAL,GAAY,KAAK8yC,mBAAL,CAAyBznC,IAAI,CAAChC,KAA9B,CAAZ;IACAgC,IAAI,CAAC0nC,UAAL,GAAkB,KAAK4B,qBAAL,CAA2Bz5B,KAAE,CAACzV,GAA9B,CAAlB;WACO,KAAKkW,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB,CAAP;;;EAGFupC,iBAAiB,GAAmB;UAC5BvpC,IAAoB,GAAG,KAAKqQ,SAAL,EAA7B;SAEKoJ,MAAL,CAAY5J,KAAE,CAACja,MAAf;;QAEI,KAAK0I,KAAL,CAAWuR,KAAE,CAAC5X,OAAd,CAAJ,EAA4B;MAC1B+H,IAAI,CAAC8oC,QAAL,GAAgB,KAAKnpC,KAAL,CAAW8M,KAA3B;WACK4I,IAAL;WACK0E,gBAAL,CAAsB,UAAtB;KAHF,MAIO,IAAI,KAAKwB,aAAL,CAAmB,UAAnB,CAAJ,EAAoC;MACzCvb,IAAI,CAAC8oC,QAAL,GAAgB,IAAhB;;;SAGGrvB,MAAL,CAAY5J,KAAE,CAACta,QAAf;IACAyK,IAAI,CAAC8e,aAAL,GAAqB,KAAKuqB,0BAAL,EAArB;SACK5vB,MAAL,CAAY5J,KAAE,CAACna,QAAf;;QAEI,KAAK4I,KAAL,CAAWuR,KAAE,CAAC5X,OAAd,CAAJ,EAA4B;MAC1B+H,IAAI,CAACiR,QAAL,GAAgB,KAAKtR,KAAL,CAAW8M,KAA3B;WACK4I,IAAL;WACKoE,MAAL,CAAY5J,KAAE,CAACrZ,QAAf;KAHF,MAIO,IAAI,KAAKwjB,GAAL,CAASnK,KAAE,CAACrZ,QAAZ,CAAJ,EAA2B;MAChCwJ,IAAI,CAACiR,QAAL,GAAgB,IAAhB;;;IAGFjR,IAAI,CAACib,cAAL,GAAsB,KAAKuuB,cAAL,EAAtB;SACKruB,SAAL;SACK1B,MAAL,CAAY5J,KAAE,CAAC9Z,MAAf;WAEO,KAAKua,UAAL,CAAgBtQ,IAAhB,EAAsB,cAAtB,CAAP;;;EAGFypC,gBAAgB,GAAkB;UAC1BzpC,IAAmB,GAAG,KAAKqQ,SAAL,EAA5B;IACArQ,IAAI,CAAC0pC,YAAL,GAAoB,KAAKnD,oBAAL,CAClB,mBADkB,EAElB,KAAKoD,uBAAL,CAA6B9D,IAA7B,CAAkC,IAAlC,CAFkB,EAGJ,IAHI,EAIG,KAJH,CAApB;QASI+D,mBAAmB,GAAG,KAA1B;QACIC,eAAe,GAAG,IAAtB;IACA7pC,IAAI,CAAC0pC,YAAL,CAAkBr7B,OAAlB,CAA0By7B,WAAW,IAAI;;;UACnC;QAAElpC;UAASkpC,WAAf;;UAGEF,mBAAmB,IACnBhpC,IAAI,KAAK,YADT,IAEAA,IAAI,KAAK,gBAFT,IAGA,EAAEA,IAAI,KAAK,oBAAT,IAAiCkpC,WAAW,CAAC74B,QAA/C,CAJF,EAKE;aACKlG,KAAL,CAAW++B,WAAW,CAAC9rC,KAAvB,EAA8B6lC,QAAQ,CAACW,0BAAvC;;;MAIFoF,mBAAmB,GACjBA,mBAAmB,IAClBhpC,IAAI,KAAK,oBAAT,IAAiCkpC,WAAW,CAAC74B,QAD9C,IAEArQ,IAAI,KAAK,gBAHX;;UAMIA,IAAI,KAAK,YAAb,EAA2B;QACzBkpC,WAAW,GAAGA,WAAW,CAAC7uB,cAA1B;QACAra,IAAI,GAAGkpC,WAAW,CAAClpC,IAAnB;;;YAGImpC,SAAS,GAAGnpC,IAAI,KAAK,oBAA3B;MAEAipC,eAAe,uBAAGA,eAAH,+BAAsBE,SAArC;;UACIF,eAAe,KAAKE,SAAxB,EAAmC;aAC5Bh/B,KAAL,CACE++B,WAAW,CAAC9rC,KADd,EAEE6lC,QAAQ,CAACU,gCAFX;;KA5BJ;WAmCO,KAAKj0B,UAAL,CAAgBtQ,IAAhB,EAAsB,aAAtB,CAAP;;;EAGF2pC,uBAAuB,GAAoC;UAGnD;MAAE3rC,KAAK,EAAE8R,QAAT;MAAmBrF;QAAa,KAAK9K,KAA3C;UAEMob,IAAI,GAAG,KAAKf,GAAL,CAASnK,KAAE,CAACjZ,QAAZ,CAAb;QACIgK,IAAI,GAAG,KAAKopC,WAAL,EAAX;UACM/4B,QAAQ,GAAG,KAAK+I,GAAL,CAASnK,KAAE,CAACrZ,QAAZ,CAAjB;UACMyzC,OAAO,GAAG,KAAKjwB,GAAL,CAASnK,KAAE,CAACxZ,KAAZ,CAAhB;;QAEI4zC,OAAJ,EAAa;YACLC,WAAiC,GAAG,KAAKl4B,eAAL,CAAqBpR,IAArB,CAA1C;MACAspC,WAAW,CAACj5B,QAAZ,GAAuBA,QAAvB;;UAGErQ,IAAI,CAACA,IAAL,KAAc,iBAAd,IACA,CAACA,IAAI,CAAC+O,cADN,IAEA/O,IAAI,CAAComC,QAAL,CAAcpmC,IAAd,KAAuB,YAHzB,EAIE;QACAspC,WAAW,CAACh2C,KAAZ,GAAqB0M,IAAI,CAAComC,QAA1B;OALF,MAMO;aACAj8B,KAAL,CAAWnK,IAAI,CAAC5C,KAAhB,EAAuB6lC,QAAQ,CAACS,uBAAhC;QAIA4F,WAAW,CAACh2C,KAAZ,GAAoB0M,IAApB;;;MAGFspC,WAAW,CAACtoB,WAAZ,GAA0B,KAAKooB,WAAL,EAA1B;MACAppC,IAAI,GAAG,KAAK0P,UAAL,CAAgB45B,WAAhB,EAA6B,oBAA7B,CAAP;KAnBF,MAoBO,IAAIj5B,QAAJ,EAAc;YACbk5B,gBAAkC,GAAG,KAAKn4B,eAAL,CAAqBpR,IAArB,CAA3C;MACAupC,gBAAgB,CAAClvB,cAAjB,GAAkCra,IAAlC;MACAA,IAAI,GAAG,KAAK0P,UAAL,CAAgB65B,gBAAhB,EAAkC,gBAAlC,CAAP;;;QAGEpvB,IAAJ,EAAU;YACFqvB,QAAsB,GAAG,KAAKj9B,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAA/B;MACA2/B,QAAQ,CAACnvB,cAAT,GAA0Bra,IAA1B;MACAA,IAAI,GAAG,KAAK0P,UAAL,CAAgB85B,QAAhB,EAA0B,YAA1B,CAAP;;;WAGKxpC,IAAP;;;EAGFypC,wBAAwB,GAA0B;UAC1CrqC,IAAI,GAAG,KAAKqQ,SAAL,EAAb;SACKoJ,MAAL,CAAY5J,KAAE,CAAC5Z,MAAf;IACA+J,IAAI,CAACib,cAAL,GAAsB,KAAK+uB,WAAL,EAAtB;SACKvwB,MAAL,CAAY5J,KAAE,CAAC3Z,MAAf;WACO,KAAKoa,UAAL,CAAgBtQ,IAAhB,EAAsB,qBAAtB,CAAP;;;EAGFsqC,gCAAgC,CAC9B1pC,IAD8B,EAEC;UACzBZ,IAAmC,GAAG,KAAKqQ,SAAL,EAA5C;;QACIzP,IAAI,KAAK,mBAAb,EAAkC;WAC3B6Y,MAAL,CAAY5J,KAAE,CAACnW,IAAf;;;SAEGquC,eAAL,CAAqBl4B,KAAE,CAACnZ,KAAxB,EAA+BsJ,IAA/B;WACO,KAAKsQ,UAAL,CAAgBtQ,IAAhB,EAAsBY,IAAtB,CAAP;;;EAGF2pC,sBAAsB,GAAoB;UAClCvqC,IAAqB,GAAG,KAAKqQ,SAAL,EAA9B;;IACArQ,IAAI,CAACksB,OAAL,GAAe,CAAC,MAAM;cACZ,KAAKvsB,KAAL,CAAWiB,IAAnB;aACOiP,KAAE,CAAC5a,GAAR;aACK4a,KAAE,CAAC3a,MAAR;aACK2a,KAAE,CAACxa,MAAR;aACKwa,KAAE,CAAC3V,KAAR;aACK2V,KAAE,CAAC1V,MAAR;iBAES,KAAKyV,aAAL,EAAP;;;gBAEM,KAAKmM,UAAL,EAAN;;KAVS,GAAf;;WAaO,KAAKzL,UAAL,CAAgBtQ,IAAhB,EAAsB,eAAtB,CAAP;;;EAGFwqC,0BAA0B,GAAa;UAC/BxqC,IAAqB,GAAG,KAAKqQ,SAAL,EAA9B;UACMo6B,YAAY,GAAG,KAAKC,aAAL,CAAmB,KAAnB,CAArB;;QACID,YAAY,CAACE,WAAb,CAAyBtrC,MAAzB,GAAkC,CAAtC,EAAyC;WAClC0L,KAAL,CACE0/B,YAAY,CAACE,WAAb,CAAyB,CAAzB,EAA4B3sC,KAD9B,EAEE6lC,QAAQ,CAACe,2BAFX;;;IAKF5kC,IAAI,CAACksB,OAAL,GAAeue,YAAf;WACO,KAAKn6B,UAAL,CAAgBtQ,IAAhB,EAAsB,eAAtB,CAAP;;;EAGF4qC,kCAAkC,GAAqC;UAC/DC,WAAW,GAAG,KAAKxD,mBAAL,EAApB;;QACI,KAAK3rB,YAAL,CAAkB,IAAlB,KAA2B,CAAC,KAAK8pB,qBAAL,EAAhC,EAA8D;aACrD,KAAKyB,wBAAL,CAA8B4D,WAA9B,CAAP;KADF,MAEO;aACEA,WAAP;;;;EAIJC,mBAAmB,GAAa;YACtB,KAAKnrC,KAAL,CAAWiB,IAAnB;WACOiP,KAAE,CAAClb,IAAR;WACKkb,KAAE,CAACtV,KAAR;WACKsV,KAAE,CAAC5V,KAAR;;gBACQ2G,IAAI,GAAG,KAAKtC,KAAL,CAAWuR,KAAE,CAACtV,KAAd,IACT,eADS,GAET,KAAK+D,KAAL,CAAWuR,KAAE,CAAC5V,KAAd,IACA,eADA,GAEAmrC,mBAAmB,CAAC,KAAKzlC,KAAL,CAAW8M,KAAZ,CAJvB;;cAME7L,IAAI,KAAKF,SAAT,IACA,KAAKqqC,iBAAL,SAFF,EAGE;kBACM/qC,IAAqB,GAAG,KAAKqQ,SAAL,EAA9B;iBACKgF,IAAL;mBACO,KAAK/E,UAAL,CAAgBtQ,IAAhB,EAAsBY,IAAtB,CAAP;;;iBAEK,KAAKmmC,oBAAL,EAAP;;;WAEGl3B,KAAE,CAACxa,MAAR;WACKwa,KAAE,CAAC5a,GAAR;WACK4a,KAAE,CAAC3a,MAAR;WACK2a,KAAE,CAAC3V,KAAR;WACK2V,KAAE,CAAC1V,MAAR;eACS,KAAKowC,sBAAL,EAAP;;WACG16B,KAAE,CAAC5X,OAAR;YACM,KAAK0H,KAAL,CAAW8M,KAAX,KAAqB,GAAzB,EAA8B;gBACtBzM,IAAqB,GAAG,KAAKqQ,SAAL,EAA9B;gBACMia,SAAS,GAAG,KAAK7K,SAAL,EAAlB;;cACI6K,SAAS,CAAC1pB,IAAV,KAAmBiP,KAAE,CAAC5a,GAAtB,IAA6Bq1B,SAAS,CAAC1pB,IAAV,KAAmBiP,KAAE,CAAC3a,MAAvD,EAA+D;kBACvD,KAAK6mB,UAAL,EAAN;;;UAEF/b,IAAI,CAACksB,OAAL,GAAe,KAAK8e,eAAL,EAAf;iBACO,KAAK16B,UAAL,CAAgBtQ,IAAhB,EAAsB,eAAtB,CAAP;;;;;WAGC6P,KAAE,CAAClW,KAAR;eACS,KAAKixC,kCAAL,EAAP;;WACG/6B,KAAE,CAACvV,OAAR;eACS,KAAKgtC,gBAAL,EAAP;;WACGz3B,KAAE,CAAC7V,OAAR;eACS,KAAK0sC,iBAAL,EAAP;;WACG72B,KAAE,CAACja,MAAR;eACS,KAAK+yC,WAAL,CAAiB,KAAKS,qBAAL,CAA2BvD,IAA3B,CAAgC,IAAhC,CAAjB,IACH,KAAK0D,iBAAL,EADG,GAEH,KAAKL,kBAAL,EAFJ;;WAGGr5B,KAAE,CAACta,QAAR;eACS,KAAKk0C,gBAAL,EAAP;;WACG55B,KAAE,CAAC5Z,MAAR;eACS,KAAKo0C,wBAAL,EAAP;;WACGx6B,KAAE,CAAChZ,SAAR;eACS,KAAK2zC,0BAAL,EAAP;;;UAGE,KAAKzuB,UAAL,EAAN;;;EAGFkvB,wBAAwB,GAAa;QAC/BrqC,IAAI,GAAG,KAAKkqC,mBAAL,EAAX;;WACO,CAAC,KAAKtF,qBAAL,EAAD,IAAiC,KAAKxrB,GAAL,CAASnK,KAAE,CAACta,QAAZ,CAAxC,EAA+D;UACzD,KAAK+I,KAAL,CAAWuR,KAAE,CAACna,QAAd,CAAJ,EAA6B;cACrBsK,IAAmB,GAAG,KAAKgS,eAAL,CAAqBpR,IAArB,CAA5B;QACAZ,IAAI,CAAC4hB,WAAL,GAAmBhhB,IAAnB;aACK6Y,MAAL,CAAY5J,KAAE,CAACna,QAAf;QACAkL,IAAI,GAAG,KAAK0P,UAAL,CAAgBtQ,IAAhB,EAAsB,aAAtB,CAAP;OAJF,MAKO;cACCA,IAA2B,GAAG,KAAKgS,eAAL,CAAqBpR,IAArB,CAApC;QACAZ,IAAI,CAACkrC,UAAL,GAAkBtqC,IAAlB;QACAZ,IAAI,CAACmrC,SAAL,GAAiB,KAAKnB,WAAL,EAAjB;aACKvwB,MAAL,CAAY5J,KAAE,CAACna,QAAf;QACAkL,IAAI,GAAG,KAAK0P,UAAL,CAAgBtQ,IAAhB,EAAsB,qBAAtB,CAAP;;;;WAGGY,IAAP;;;EAGFwqC,mBAAmB,CACjBllB,QADiB,EAEC;UACZlmB,IAAsB,GAAG,KAAKqQ,SAAL,EAA/B;SACK0J,gBAAL,CAAsBmM,QAAtB;IACAlmB,IAAI,CAACkmB,QAAL,GAAgBA,QAAhB;IACAlmB,IAAI,CAACib,cAAL,GAAsB,KAAKowB,2BAAL,EAAtB;;QAEInlB,QAAQ,KAAK,UAAjB,EAA6B;WACtBolB,gCAAL,CAAsCtrC,IAAtC;;;WAGK,KAAKsQ,UAAL,CAAgBtQ,IAAhB,EAAsB,gBAAtB,CAAP;;;EAGFsrC,gCAAgC,CAACtrC,IAAD,EAAe;YACrCA,IAAI,CAACib,cAAL,CAAoBra,IAA5B;WACO,aAAL;WACK,aAAL;;;;aAGOmK,KAAL,CAAW/K,IAAI,CAAChC,KAAhB,EAAuB6lC,QAAQ,CAACiB,kBAAhC;;;;EAINyG,gBAAgB,GAAkB;UAC1BvrC,IAAI,GAAG,KAAKqQ,SAAL,EAAb;SACK0J,gBAAL,CAAsB,OAAtB;UACM+E,aAAa,GAAG,KAAKzO,SAAL,EAAtB;IACAyO,aAAa,CAACnqB,IAAd,GAAqB,KAAK8yC,mBAAL,CAAyB3oB,aAAa,CAAC9gB,KAAvC,CAArB;IACAgC,IAAI,CAAC8e,aAAL,GAAqB,KAAKxO,UAAL,CAAgBwO,aAAhB,EAA+B,iBAA/B,CAArB;WACO,KAAKxO,UAAL,CAAgBtQ,IAAhB,EAAsB,aAAtB,CAAP;;;EAGFqrC,2BAA2B,GAAa;UAChCnlB,QAAQ,GAAG,CAAC,OAAD,EAAU,QAAV,EAAoB,UAApB,EAAgCslB,IAAhC,CAAqCC,EAAE,IACtD,KAAK/vB,YAAL,CAAkB+vB,EAAlB,CADe,CAAjB;WAGOvlB,QAAQ,GACX,KAAKklB,mBAAL,CAAyBllB,QAAzB,CADW,GAEX,KAAKxK,YAAL,CAAkB,OAAlB,IACA,KAAK6vB,gBAAL,EADA,GAEA,KAAKN,wBAAL,EAJJ;;;EAOFS,8BAA8B,CAC5B3/B,IAD4B,EAE5B4/B,oBAF4B,EAG5BzlB,QAH4B,EAIlB;SACLlM,GAAL,CAASkM,QAAT;QACItlB,IAAI,GAAG+qC,oBAAoB,EAA/B;;QACI,KAAKrtC,KAAL,CAAW4nB,QAAX,CAAJ,EAA0B;YAClBlxB,KAAK,GAAG,CAAC4L,IAAD,CAAd;;aACO,KAAKoZ,GAAL,CAASkM,QAAT,CAAP,EAA2B;QACzBlxB,KAAK,CAAC6K,IAAN,CAAW8rC,oBAAoB,EAA/B;;;YAEI3rC,IAA0C,GAAG,KAAKgS,eAAL,CACjDpR,IADiD,CAAnD;MAGAZ,IAAI,CAAChL,KAAL,GAAaA,KAAb;MACA4L,IAAI,GAAG,KAAK0P,UAAL,CAAgBtQ,IAAhB,EAAsB+L,IAAtB,CAAP;;;WAEKnL,IAAP;;;EAGFgrC,+BAA+B,GAAa;WACnC,KAAKF,8BAAL,CACL,oBADK,EAEL,KAAKL,2BAAL,CAAiCxF,IAAjC,CAAsC,IAAtC,CAFK,EAGLh2B,KAAE,CAAChY,UAHE,CAAP;;;EAOFg0C,wBAAwB,GAAG;WAClB,KAAKH,8BAAL,CACL,aADK,EAEL,KAAKE,+BAAL,CAAqC/F,IAArC,CAA0C,IAA1C,CAFK,EAGLh2B,KAAE,CAAClY,SAHE,CAAP;;;EAOFm0C,uBAAuB,GAAG;QACpB,KAAKnxB,YAAL,CAAkB,GAAlB,CAAJ,EAA4B;aACnB,IAAP;;;WAGA,KAAKrc,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,KACA,KAAK0yC,WAAL,CAAiB,KAAKoD,oCAAL,CAA0ClG,IAA1C,CAA+C,IAA/C,CAAjB,CAFF;;;EAMFmG,oBAAoB,GAAY;QAC1B,KAAK1tC,KAAL,CAAWuR,KAAE,CAAClb,IAAd,KAAuB,KAAK2J,KAAL,CAAWuR,KAAE,CAAClW,KAAd,CAA3B,EAAiD;WAC1C0b,IAAL;aACO,IAAP;;;QAGE,KAAK/W,KAAL,CAAWuR,KAAE,CAACja,MAAd,CAAJ,EAA2B;UACrBq2C,iBAAiB,GAAG,CAAxB;WACK52B,IAAL;;aAEO42B,iBAAiB,GAAG,CAA3B,EAA8B;YACxB,KAAK3tC,KAAL,CAAWuR,KAAE,CAACja,MAAd,CAAJ,EAA2B;YACvBq2C,iBAAF;SADF,MAEO,IAAI,KAAK3tC,KAAL,CAAWuR,KAAE,CAAC9Z,MAAd,CAAJ,EAA2B;YAC9Bk2C,iBAAF;;;aAEG52B,IAAL;;;aAEK,IAAP;;;QAGE,KAAK/W,KAAL,CAAWuR,KAAE,CAACta,QAAd,CAAJ,EAA6B;UACvB02C,iBAAiB,GAAG,CAAxB;WACK52B,IAAL;;aAEO42B,iBAAiB,GAAG,CAA3B,EAA8B;YACxB,KAAK3tC,KAAL,CAAWuR,KAAE,CAACta,QAAd,CAAJ,EAA6B;YACzB02C,iBAAF;SADF,MAEO,IAAI,KAAK3tC,KAAL,CAAWuR,KAAE,CAACna,QAAd,CAAJ,EAA6B;YAChCu2C,iBAAF;;;aAEG52B,IAAL;;;aAEK,IAAP;;;WAGK,KAAP;;;EAGF02B,oCAAoC,GAAY;SACzC12B,IAAL;;QACI,KAAK/W,KAAL,CAAWuR,KAAE,CAAC3Z,MAAd,KAAyB,KAAKoI,KAAL,CAAWuR,KAAE,CAACjZ,QAAd,CAA7B,EAAsD;aAG7C,IAAP;;;QAEE,KAAKo1C,oBAAL,EAAJ,EAAiC;UAE7B,KAAK1tC,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,KACA,KAAKiI,KAAL,CAAWuR,KAAE,CAAC1Z,KAAd,CADA,IAEA,KAAKmI,KAAL,CAAWuR,KAAE,CAACrZ,QAAd,CAFA,IAGA,KAAK8H,KAAL,CAAWuR,KAAE,CAAC3Y,EAAd,CAJF,EAKE;eAKO,IAAP;;;UAEE,KAAKoH,KAAL,CAAWuR,KAAE,CAAC3Z,MAAd,CAAJ,EAA2B;aACpBmf,IAAL;;YACI,KAAK/W,KAAL,CAAWuR,KAAE,CAACnZ,KAAd,CAAJ,EAA0B;iBAEjB,IAAP;;;;;WAIC,KAAP;;;EAGF2xC,oCAAoC,CAClCL,WADkC,EAEd;WACb,KAAKkE,QAAL,CAAc,MAAM;YACnBC,CAAqB,GAAG,KAAK97B,SAAL,EAA9B;WACKoJ,MAAL,CAAYuuB,WAAZ;YAEMoE,OAAO,GAAG,KAAKxG,UAAL,CACd,KAAKyG,2BAAL,CAAiCxG,IAAjC,CAAsC,IAAtC,CADc,CAAhB;;UAIIuG,OAAO,IAAI,KAAK9tC,KAAL,CAAWuR,KAAE,CAAClW,KAAd,CAAf,EAAqC;YAG/B2yC,iBAAiB,GAAG,KAAK1B,kCAAL,EAAxB;;YAGI0B,iBAAiB,CAAC1rC,IAAlB,KAA2B,YAA/B,EAA6C;gBACrCZ,IAAuB,GAAG,KAAKgS,eAAL,CAAqBm6B,CAArB,CAAhC;UACAnsC,IAAI,CAACmnC,aAAL,GAAsBmF,iBAAtB;UACAtsC,IAAI,CAACosC,OAAL,GAAe,IAAf;UACAE,iBAAiB,GAAG,KAAKh8B,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB,CAApB;SAJF,MAKO;UACJssC,iBAAD,CAAuCF,OAAvC,GAAiD,IAAjD;;;QAEFD,CAAC,CAAClxB,cAAF,GAAmBqxB,iBAAnB;eACO,KAAKh8B,UAAL,CAAgB67B,CAAhB,EAAmB,kBAAnB,CAAP;;;YAGII,qBAAqB,GACzB,KAAKjH,cAAL,MACA,KAAKM,UAAL,CAAgB,KAAK4G,0BAAL,CAAgC3G,IAAhC,CAAqC,IAArC,CAAhB,CAFF;;UAII,CAAC0G,qBAAL,EAA4B;YACtB,CAACH,OAAL,EAAc;iBAEL,KAAKhF,qBAAL,CAA0C,KAA1C,EAAiD+E,CAAjD,CAAP;;;cAGInsC,IAAuB,GAAG,KAAKgS,eAAL,CAAqBm6B,CAArB,CAAhC;QAEAnsC,IAAI,CAACmnC,aAAL,GAAqB,KAAK3sB,eAAL,EAArB;QACAxa,IAAI,CAACosC,OAAL,GAAeA,OAAf;QACAD,CAAC,CAAClxB,cAAF,GAAmB,KAAK3K,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB,CAAnB;eACO,KAAKsQ,UAAL,CAAgB67B,CAAhB,EAAmB,kBAAnB,CAAP;;;YAIIvrC,IAAI,GAAG,KAAKwmC,qBAAL,CAA0C,KAA1C,CAAb;YACMpnC,IAAI,GAAG,KAAKgS,eAAL,CAAqBm6B,CAArB,CAAb;MACAnsC,IAAI,CAACmnC,aAAL,GAAqBoF,qBAArB;MACAvsC,IAAI,CAACib,cAAL,GAAsBra,IAAtB;MACAZ,IAAI,CAACosC,OAAL,GAAeA,OAAf;MACAD,CAAC,CAAClxB,cAAF,GAAmB,KAAK3K,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB,CAAnB;aACO,KAAKsQ,UAAL,CAAgB67B,CAAhB,EAAmB,kBAAnB,CAAP;KAnDK,CAAP;;;EAuDFM,uCAAuC,GAAwB;WACtD,KAAKnuC,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,IACH,KAAKgyC,oCAAL,CAA0Cx4B,KAAE,CAACxZ,KAA7C,CADG,GAEHqK,SAFJ;;;EAKFkoC,wBAAwB,GAAwB;WACvC,KAAKtqC,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,IAAuB,KAAK+wC,qBAAL,EAAvB,GAAsD1mC,SAA7D;;;EAGF8oC,cAAc,GAAc;WACnB,KAAK7B,kBAAL,CAAwB93B,KAAE,CAACxZ,KAA3B,CAAP;;;EAGFm2C,0BAA0B,GAAkB;UACpCjyB,EAAE,GAAG,KAAKC,eAAL,EAAX;;QACI,KAAKkB,YAAL,CAAkB,IAAlB,KAA2B,CAAC,KAAK8pB,qBAAL,EAAhC,EAA8D;WACvDnwB,IAAL;aACOkF,EAAP;;;;EAIJ8xB,2BAA2B,GAAY;QAEnC,CAAC,KAAK/tC,KAAL,CAAWuR,KAAE,CAAClb,IAAd,CAAD,IACA,KAAKgL,KAAL,CAAW8M,KAAX,KAAqB,SADrB,IAEA,KAAK+4B,qBAAL,EAHF,EAIE;aACO,KAAP;;;UAEIkH,WAAW,GAAG,KAAK/sC,KAAL,CAAW+sC,WAA/B;SACKr3B,IAAL;;QACI,CAAC,KAAK/W,KAAL,CAAWuR,KAAE,CAAClb,IAAd,CAAD,IAAwB,CAAC,KAAK2J,KAAL,CAAWuR,KAAE,CAAClW,KAAd,CAA7B,EAAmD;aAC1C,KAAP;;;QAGE+yC,WAAJ,EAAiB;WACV3hC,KAAL,CACE,KAAKpL,KAAL,CAAW+K,YADb,EAEEoD,aAAM,CAACpJ,0BAFT,EAGE,SAHF;;;WAOK,IAAP;;;EAGF0iC,qBAAqB,CACnBuF,QAAQ,GAAG,IADQ,EAEnBR,CAAqB,GAAG,KAAK97B,SAAL,EAFL,EAGC;SACf67B,QAAL,CAAc,MAAM;UACdS,QAAJ,EAAc,KAAKlzB,MAAL,CAAY5J,KAAE,CAACxZ,KAAf;MACd81C,CAAC,CAAClxB,cAAF,GAAmB,KAAK+uB,WAAL,EAAnB;KAFF;WAIO,KAAK15B,UAAL,CAAgB67B,CAAhB,EAAmB,kBAAnB,CAAP;;;EAIFnC,WAAW,GAAa;IAEtBpG,MAAM,CAAC,KAAKjkC,KAAL,CAAW6Z,MAAZ,CAAN;UACM5Y,IAAI,GAAG,KAAKgsC,yBAAL,EAAb;;QACI,KAAKpH,qBAAL,MAAgC,CAAC,KAAKxrB,GAAL,CAASnK,KAAE,CAAC/V,QAAZ,CAArC,EAA4D;aACnD8G,IAAP;;;UAEIZ,IAAyB,GAAG,KAAKgS,eAAL,CAAqBpR,IAArB,CAAlC;IACAZ,IAAI,CAAC6sC,SAAL,GAAiBjsC,IAAjB;IACAZ,IAAI,CAAC8sC,WAAL,GAAmB,KAAKF,yBAAL,EAAnB;SACKnzB,MAAL,CAAY5J,KAAE,CAACrZ,QAAf;IACAwJ,IAAI,CAAC+sC,QAAL,GAAgB,KAAK/C,WAAL,EAAhB;SACKvwB,MAAL,CAAY5J,KAAE,CAACxZ,KAAf;IACA2J,IAAI,CAACgtC,SAAL,GAAiB,KAAKhD,WAAL,EAAjB;WACO,KAAK15B,UAAL,CAAgBtQ,IAAhB,EAAsB,mBAAtB,CAAP;;;EAGF4sC,yBAAyB,GAAa;QAChC,KAAKd,uBAAL,EAAJ,EAAoC;aAC3B,KAAKxB,gCAAL,CAAsC,gBAAtC,CAAP;;;QAEE,KAAKhsC,KAAL,CAAWuR,KAAE,CAACnW,IAAd,CAAJ,EAAyB;aAEhB,KAAK4wC,gCAAL,CAAsC,mBAAtC,CAAP;;;WAEK,KAAKuB,wBAAL,EAAP;;;EAGFoB,oBAAoB,GAAsB;UAClCjtC,IAAuB,GAAG,KAAKqQ,SAAL,EAAhC;;UACM9W,MAAM,GAAG,KAAKuuC,6BAAL,EAAf;;IACA9nC,IAAI,CAACib,cAAL,GAAsB1hB,MAAM,IAAI,KAAK2zC,mBAAL,EAAhC;SACKnuB,gBAAL,CAAsB,GAAtB;IACA/e,IAAI,CAACoN,UAAL,GAAkB,KAAK49B,eAAL,EAAlB;WACO,KAAK16B,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB,CAAP;;;EAGFmtC,qBAAqB,CACnBC,UADmB,EAE8B;UAC3CC,aAAa,GAAG,KAAK1tC,KAAL,CAAW3B,KAAjC;UAEMsvC,aAAa,GAAG,KAAKlH,oBAAL,CACpB,uBADoB,EAEpB,KAAKmH,kCAAL,CAAwC1H,IAAxC,CAA6C,IAA7C,CAFoB,CAAtB;;QAKI,CAACyH,aAAa,CAACjuC,MAAnB,EAA2B;WACpB0L,KAAL,CAAWsiC,aAAX,EAA0BxJ,QAAQ,CAACK,uBAAnC,EAA4DkJ,UAA5D;;;WAGKE,aAAP;;;EAGFC,kCAAkC,GAAoC;UAC9DvtC,IAAqC,GAAG,KAAKqQ,SAAL,EAA9C;IAGArQ,IAAI,CAACoN,UAAL,GAAkB,KAAKw5B,iBAAL,CAAgD,KAAhD,CAAlB;;QACI,KAAKjsB,YAAL,CAAkB,GAAlB,CAAJ,EAA4B;MAC1B3a,IAAI,CAAC2P,cAAL,GAAsB,KAAKk3B,oBAAL,EAAtB;;;WAGK,KAAKv2B,UAAL,CAAgBtQ,IAAhB,EAAsB,+BAAtB,CAAP;;;EAGFwtC,2BAA2B,CACzBxtC,IADyB,EAEC;IAC1BA,IAAI,CAACua,EAAL,GAAU,KAAKC,eAAL,EAAV;SACKzM,SAAL,CACE/N,IAAI,CAACua,EADP,EAEEre,iBAFF,EAGEwE,SAHF,EAIE,kCAJF;IAMAV,IAAI,CAAC2P,cAAL,GAAsB,KAAKi4B,wBAAL,EAAtB;;QACI,KAAK5tB,GAAL,CAASnK,KAAE,CAAC/V,QAAZ,CAAJ,EAA2B;MACzBkG,IAAI,CAACid,OAAL,GAAe,KAAKkwB,qBAAL,CAA2B,SAA3B,CAAf;;;UAEItsC,IAAuB,GAAG,KAAKwP,SAAL,EAAhC;IACAxP,IAAI,CAACA,IAAL,GAAY,KAAKqrC,QAAL,CAAc,KAAK/C,wBAAL,CAA8BtD,IAA9B,CAAmC,IAAnC,CAAd,CAAZ;IACA7lC,IAAI,CAACa,IAAL,GAAY,KAAKyP,UAAL,CAAgBzP,IAAhB,EAAsB,iBAAtB,CAAZ;WACO,KAAKyP,UAAL,CAAgBtQ,IAAhB,EAAsB,wBAAtB,CAAP;;;EAGFytC,2BAA2B,CACzBztC,IADyB,EAEC;IAC1BA,IAAI,CAACua,EAAL,GAAU,KAAKC,eAAL,EAAV;SACKzM,SAAL,CAAe/N,IAAI,CAACua,EAApB,EAAwBpe,YAAxB,EAAsCuE,SAAtC,EAAiD,uBAAjD;IAEAV,IAAI,CAAC2P,cAAL,GAAsB,KAAKi4B,wBAAL,EAAtB;IACA5nC,IAAI,CAACib,cAAL,GAAsB,KAAKquB,qBAAL,CAA2Bz5B,KAAE,CAAC3Y,EAA9B,CAAtB;SACKikB,SAAL;WACO,KAAK7K,UAAL,CAAgBtQ,IAAhB,EAAsB,wBAAtB,CAAP;;;EAGF0tC,aAAa,CAAIC,EAAJ,EAAoB;UACzBC,UAAU,GAAG,KAAKjuC,KAAL,CAAWmT,OAA9B;SACKnT,KAAL,CAAWmT,OAAX,GAAqB,CAAC86B,UAAU,CAAC,CAAD,CAAX,CAArB;;QACI;aACKD,EAAE,EAAT;KADF,SAEU;WACHhuC,KAAL,CAAWmT,OAAX,GAAqB86B,UAArB;;;;EASJ1B,QAAQ,CAAIyB,EAAJ,EAAoB;UACpBp0B,SAAS,GAAG,KAAK5Z,KAAL,CAAW6Z,MAA7B;SACK7Z,KAAL,CAAW6Z,MAAX,GAAoB,IAApB;;QACI;aACKm0B,EAAE,EAAT;KADF,SAEU;WACHhuC,KAAL,CAAW6Z,MAAX,GAAoBD,SAApB;;;;EAIJouB,kBAAkB,CAAC9yC,KAAD,EAAgD;WACzD,CAAC,KAAKyJ,KAAL,CAAWzJ,KAAX,CAAD,GAAqB6L,SAArB,GAAiC,KAAKwsC,mBAAL,EAAxC;;;EAGF5D,qBAAqB,CAACz0C,KAAD,EAA6B;WACzC,KAAKg5C,iBAAL,CAAuB,MAAM,KAAKp0B,MAAL,CAAY5kB,KAAZ,CAA7B,CAAP;;;EAGFq4C,mBAAmB,GAAa;WACvB,KAAKW,iBAAL,CAAuB,MAAM,KAAKx4B,IAAL,EAA7B,CAAP;;;EAGFw4B,iBAAiB,CAACF,EAAD,EAA2B;WACnC,KAAKzB,QAAL,CAAc,MAAM;MACzByB,EAAE;aACK,KAAK3D,WAAL,EAAP;KAFK,CAAP;;;EAMF8D,iBAAiB,GAAmB;UAC5B9tC,IAAoB,GAAG,KAAKqQ,SAAL,EAA7B;IAEArQ,IAAI,CAACua,EAAL,GAAU,KAAKjc,KAAL,CAAWuR,KAAE,CAACxa,MAAd,IACN,KAAKua,aAAL,EADM,GAEN,KAAK4K,eAAL,CAAmC,IAAnC,CAFJ;;QAGI,KAAKR,GAAL,CAASnK,KAAE,CAAC3Y,EAAZ,CAAJ,EAAqB;MACnB8I,IAAI,CAAC+tC,WAAL,GAAmB,KAAKjqB,gBAAL,EAAnB;;;WAEK,KAAKxT,UAAL,CAAgBtQ,IAAhB,EAAsB,cAAtB,CAAP;;;EAGFguC,sBAAsB,CACpBhuC,IADoB,EAEpB8iC,OAFoB,EAGC;QACjBA,OAAJ,EAAa9iC,IAAI,CAACsY,KAAL,GAAa,IAAb;IACbtY,IAAI,CAACua,EAAL,GAAU,KAAKC,eAAL,EAAV;SACKzM,SAAL,CACE/N,IAAI,CAACua,EADP,EAEEuoB,OAAO,GAAGtmC,kBAAH,GAAwBJ,YAFjC,EAGEsE,SAHF,EAIE,6BAJF;SAOK+Y,MAAL,CAAY5J,KAAE,CAACja,MAAf;IACAoK,IAAI,CAAC0sB,OAAL,GAAe,KAAK0Z,oBAAL,CACb,aADa,EAEb,KAAK0H,iBAAL,CAAuBjI,IAAvB,CAA4B,IAA5B,CAFa,CAAf;SAIKpsB,MAAL,CAAY5J,KAAE,CAAC9Z,MAAf;WACO,KAAKua,UAAL,CAAgBtQ,IAAhB,EAAsB,mBAAtB,CAAP;;;EAGFiuC,kBAAkB,GAAoB;UAC9BjuC,IAAqB,GAAG,KAAKqQ,SAAL,EAA9B;SACK4L,KAAL,CAAWE,KAAX,CAAiB1hB,WAAjB;SAEKgf,MAAL,CAAY5J,KAAE,CAACja,MAAf;SAEKs4C,2BAAL,CACGluC,IAAI,CAACa,IAAL,GAAY,EADf,EAEmBH,SAFnB,EAGiB,IAHjB,EAIYmP,KAAE,CAAC9Z,MAJf;SAMKkmB,KAAL,CAAWK,IAAX;WACO,KAAKhM,UAAL,CAAgBtQ,IAAhB,EAAsB,eAAtB,CAAP;;;EAGFmuC,mCAAmC,CACjCnuC,IADiC,EAEjCouC,MAAgB,GAAG,KAFc,EAGV;IACvBpuC,IAAI,CAACua,EAAL,GAAU,KAAKC,eAAL,EAAV;;QAEI,CAAC4zB,MAAL,EAAa;WACNrgC,SAAL,CACE/N,IAAI,CAACua,EADP,EAEE9d,iBAFF,EAGE,IAHF,EAIE,iCAJF;;;QAQE,KAAKud,GAAL,CAASnK,KAAE,CAACtZ,GAAZ,CAAJ,EAAsB;YACd83C,KAAK,GAAG,KAAKh+B,SAAL,EAAd;WACK89B,mCAAL,CAAyCE,KAAzC,EAAgD,IAAhD;MACAruC,IAAI,CAACa,IAAL,GAAYwtC,KAAZ;KAHF,MAIO;WACApyB,KAAL,CAAWE,KAAX,CAAiBlhB,eAAjB;WACKmY,SAAL,CAAe+I,KAAf,CAAqB6mB,KAArB;MACAhjC,IAAI,CAACa,IAAL,GAAY,KAAKotC,kBAAL,EAAZ;WACK76B,SAAL,CAAekJ,IAAf;WACKL,KAAL,CAAWK,IAAX;;;WAEK,KAAKhM,UAAL,CAAgBtQ,IAAhB,EAAsB,qBAAtB,CAAP;;;EAGFsuC,uCAAuC,CACrCtuC,IADqC,EAEd;QACnB,KAAK0b,YAAL,CAAkB,QAAlB,CAAJ,EAAiC;MAC/B1b,IAAI,CAACuuC,MAAL,GAAc,IAAd;MACAvuC,IAAI,CAACua,EAAL,GAAU,KAAKC,eAAL,EAAV;KAFF,MAGO,IAAI,KAAKlc,KAAL,CAAWuR,KAAE,CAACxa,MAAd,CAAJ,EAA2B;MAChC2K,IAAI,CAACua,EAAL,GAAU,KAAK3K,aAAL,EAAV;KADK,MAEA;WACAmM,UAAL;;;QAEE,KAAKzd,KAAL,CAAWuR,KAAE,CAACja,MAAd,CAAJ,EAA2B;WACpBqmB,KAAL,CAAWE,KAAX,CAAiBlhB,eAAjB;WACKmY,SAAL,CAAe+I,KAAf,CAAqB6mB,KAArB;MACAhjC,IAAI,CAACa,IAAL,GAAY,KAAKotC,kBAAL,EAAZ;WACK76B,SAAL,CAAekJ,IAAf;WACKL,KAAL,CAAWK,IAAX;KALF,MAMO;WACAnB,SAAL;;;WAGK,KAAK7K,UAAL,CAAgBtQ,IAAhB,EAAsB,qBAAtB,CAAP;;;EAGFwuC,8BAA8B,CAC5BxuC,IAD4B,EAE5ByuC,QAF4B,EAGC;IAC7BzuC,IAAI,CAACyuC,QAAL,GAAgBA,QAAQ,IAAI,KAA5B;IACAzuC,IAAI,CAACua,EAAL,GAAU,KAAKC,eAAL,EAAV;SACKzM,SAAL,CACE/N,IAAI,CAACua,EADP,EAEExe,YAFF,EAGE2E,SAHF,EAIE,2BAJF;SAMK+Y,MAAL,CAAY5J,KAAE,CAAC3Y,EAAf;IACA8I,IAAI,CAAC0uC,eAAL,GAAuB,KAAKC,sBAAL,EAAvB;SACKxzB,SAAL;WACO,KAAK7K,UAAL,CAAgBtQ,IAAhB,EAAsB,2BAAtB,CAAP;;;EAGF4uC,2BAA2B,GAAY;WAEnC,KAAKlzB,YAAL,CAAkB,SAAlB,KACA,KAAKqvB,iBAAL,SAFF;;;EAMF4D,sBAAsB,GAAwB;WACrC,KAAKC,2BAAL,KACH,KAAKC,8BAAL,EADG,GAEH,KAAKjI,iBAAL,CAAgD,KAAhD,CAFJ;;;EAKFiI,8BAA8B,GAAgC;UACtD7uC,IAAiC,GAAG,KAAKqQ,SAAL,EAA1C;SACK0J,gBAAL,CAAsB,SAAtB;SACKN,MAAL,CAAY5J,KAAE,CAAC5Z,MAAf;;QACI,CAAC,KAAKqI,KAAL,CAAWuR,KAAE,CAACxa,MAAd,CAAL,EAA4B;YACpB,KAAK0mB,UAAL,EAAN;;;IAGF/b,IAAI,CAACoN,UAAL,GAAkB,KAAKwC,aAAL,EAAlB;SACK6J,MAAL,CAAY5J,KAAE,CAAC3Z,MAAf;WACO,KAAKoa,UAAL,CAAgBtQ,IAAhB,EAAsB,2BAAtB,CAAP;;;EAKF2oC,WAAW,CAAImG,CAAJ,EAAmB;UACtBnvC,KAAK,GAAG,KAAKA,KAAL,CAAWyjB,KAAX,EAAd;UACM2rB,GAAG,GAAGD,CAAC,EAAb;SACKnvC,KAAL,GAAaA,KAAb;WACOovC,GAAP;;;EAGFC,kBAAkB,CAAiBF,CAAjB,EAAiC;UAC3C9rB,MAAM,GAAG,KAAKC,QAAL,CAAc0G,KAAK,IAAImlB,CAAC,MAAMnlB,KAAK,EAAnC,CAAf;QAEI3G,MAAM,CAAC6G,OAAP,IAAkB,CAAC7G,MAAM,CAAChjB,IAA9B,EAAoC,OAAOU,SAAP;QAChCsiB,MAAM,CAACE,KAAX,EAAkB,KAAKvjB,KAAL,GAAaqjB,MAAM,CAACG,SAApB;WACXH,MAAM,CAAChjB,IAAd;;;EAGF4lC,UAAU,CAAIkJ,CAAJ,EAAqB;UACvBnvC,KAAK,GAAG,KAAKA,KAAL,CAAWyjB,KAAX,EAAd;UACMJ,MAAM,GAAG8rB,CAAC,EAAhB;;QACI9rB,MAAM,KAAKtiB,SAAX,IAAwBsiB,MAAM,KAAK,KAAvC,EAA8C;aACrCA,MAAP;KADF,MAEO;WACArjB,KAAL,GAAaA,KAAb;aACOe,SAAP;;;;EAIJuuC,iBAAiB,CAACC,IAAD,EAA4B;QACvC,KAAKC,gBAAL,EAAJ,EAA6B;;;;QAGzBC,SAAS,GAAG,KAAKzvC,KAAL,CAAWiB,IAA3B;QACImL,IAAJ;;QAEI,KAAK2P,YAAL,CAAkB,KAAlB,CAAJ,EAA8B;MAC5B0zB,SAAS,GAAGv/B,KAAE,CAACvW,IAAf;MACAyS,IAAI,GAAG,KAAP;;;YAGMqjC,SAAR;WACOv/B,KAAE,CAAC7W,SAAR;eACS,KAAKq2C,sBAAL,CACLH,IADK,EAEO,KAFP,EAGqB,IAHrB,CAAP;;WAKGr/B,KAAE,CAAChW,MAAR;QAGEq1C,IAAI,CAAChxB,OAAL,GAAe,IAAf;eACO,KAAKoxB,UAAL,CACLJ,IADK,EAEa,IAFb,EAGY,KAHZ,CAAP;;WAKGr/B,KAAE,CAACtW,MAAR;YACM,KAAK+E,KAAL,CAAWuR,KAAE,CAACtW,MAAd,KAAyB,KAAKsuB,qBAAL,CAA2B,MAA3B,CAA7B,EAAiE;eAE1DpO,MAAL,CAAY5J,KAAE,CAACtW,MAAf;eACKwgB,gBAAL,CAAsB,MAAtB;iBACO,KAAKi0B,sBAAL,CAA4BkB,IAA5B,EAAgD,IAAhD,CAAP;;;WAGCr/B,KAAE,CAACvW,IAAR;QACEyS,IAAI,GAAGA,IAAI,IAAI,KAAKpM,KAAL,CAAW8M,KAA1B;eACO,KAAK8iC,iBAAL,CAAuBL,IAAvB,EAA6BnjC,IAA7B,CAAP;;WACG8D,KAAE,CAAClb,IAAR;;gBACQ8X,KAAK,GAAG,KAAK9M,KAAL,CAAW8M,KAAzB;;cACIA,KAAK,KAAK,QAAd,EAAwB;mBACf,KAAK6hC,uCAAL,CAA6CY,IAA7C,CAAP;WADF,MAEO;mBACE,KAAKM,kBAAL,CAAwBN,IAAxB,EAA8BziC,KAA9B,EAAgD,IAAhD,CAAP;;;;;;EAORgjC,2BAA2B,GAAmB;WACrC,KAAKD,kBAAL,CACL,KAAKn/B,SAAL,EADK,EAEL,KAAK1Q,KAAL,CAAW8M,KAFN,EAGM,IAHN,CAAP;;;EAOFijC,0BAA0B,CAAC1vC,IAAD,EAAYgO,IAAZ,EAAgD;YAChEA,IAAI,CAACrZ,IAAb;WACO,SAAL;;gBACQsjB,WAAW,GAAG,KAAKg3B,iBAAL,CAAuBjvC,IAAvB,CAApB;;cACIiY,WAAJ,EAAiB;YACfA,WAAW,CAACiG,OAAZ,GAAsB,IAAtB;mBACOjG,WAAP;;;;;;WAIC,QAAL;YAGM,KAAK3Z,KAAL,CAAWuR,KAAE,CAACja,MAAd,CAAJ,EAA2B;eACpBqmB,KAAL,CAAWE,KAAX,CAAiBlhB,eAAjB;eACKmY,SAAL,CAAe+I,KAAf,CAAqB6mB,KAArB;gBACM2M,GAA0B,GAAG3vC,IAAnC;UACA2vC,GAAG,CAACpB,MAAJ,GAAa,IAAb;UACAoB,GAAG,CAACp1B,EAAJ,GAASvM,IAAT;UACA2hC,GAAG,CAAC9uC,IAAJ,GAAW,KAAKotC,kBAAL,EAAX;eACKhyB,KAAL,CAAWK,IAAX;eACKlJ,SAAL,CAAekJ,IAAf;iBACO,KAAKhM,UAAL,CAAgBq/B,GAAhB,EAAqB,qBAArB,CAAP;;;;;;eAKK,KAAKH,kBAAL,CAAwBxvC,IAAxB,EAA8BgO,IAAI,CAACrZ,IAAnC,EAAoD,KAApD,CAAP;;;;EAKN66C,kBAAkB,CAChBxvC,IADgB,EAEhByM,KAFgB,EAGhB4I,IAHgB,EAIA;YACR5I,KAAR;WACO,UAAL;YACM,KAAKmjC,6BAAL,CAAmC//B,KAAE,CAAChW,MAAtC,EAA8Cwb,IAA9C,CAAJ,EAAyD;gBACjDw6B,GAAuB,GAAG7vC,IAAhC;UACA6vC,GAAG,CAACC,QAAJ,GAAe,IAAf;;cACIz6B,IAAJ,EAAU;iBACHA,IAAL;;gBACI,CAAC,KAAK/W,KAAL,CAAWuR,KAAE,CAAChW,MAAd,CAAL,EAA4B;mBACrBkiB,UAAL,CAAgB,IAAhB,EAAsBlM,KAAE,CAAChW,MAAzB;;;;iBAGG,KAAKy1C,UAAL,CACLO,GADK,EAEa,IAFb,EAGY,KAHZ,CAAP;;;;;WAQC,MAAL;YACMx6B,IAAI,IAAI,KAAK/W,KAAL,CAAWuR,KAAE,CAAClb,IAAd,CAAZ,EAAiC;cAC3B0gB,IAAJ,EAAU,KAAKA,IAAL;iBACH,KAAK24B,sBAAL,CAA4BhuC,IAA5B,EAAgD,KAAhD,CAAP;;;;;WAIC,WAAL;YACM,KAAK4vC,6BAAL,CAAmC//B,KAAE,CAAClb,IAAtC,EAA4C0gB,IAA5C,CAAJ,EAAuD;cACjDA,IAAJ,EAAU,KAAKA,IAAL;iBACH,KAAKm4B,2BAAL,CAAiCxtC,IAAjC,CAAP;;;;;WAIC,QAAL;YACMqV,IAAJ,EAAU,KAAKA,IAAL;;YACN,KAAK/W,KAAL,CAAWuR,KAAE,CAACxa,MAAd,CAAJ,EAA2B;iBAClB,KAAKi5C,uCAAL,CAA6CtuC,IAA7C,CAAP;SADF,MAEO,IAAI,KAAK4vC,6BAAL,CAAmC//B,KAAE,CAAClb,IAAtC,EAA4C0gB,IAA5C,CAAJ,EAAuD;iBACrD,KAAK84B,mCAAL,CAAyCnuC,IAAzC,CAAP;;;;;WAIC,WAAL;YACM,KAAK4vC,6BAAL,CAAmC//B,KAAE,CAAClb,IAAtC,EAA4C0gB,IAA5C,CAAJ,EAAuD;cACjDA,IAAJ,EAAU,KAAKA,IAAL;iBACH,KAAK84B,mCAAL,CAAyCnuC,IAAzC,CAAP;;;;;WAIC,MAAL;YACM,KAAK4vC,6BAAL,CAAmC//B,KAAE,CAAClb,IAAtC,EAA4C0gB,IAA5C,CAAJ,EAAuD;cACjDA,IAAJ,EAAU,KAAKA,IAAL;iBACH,KAAKo4B,2BAAL,CAAiCztC,IAAjC,CAAP;;;;;;;EAMR4vC,6BAA6B,CAACG,SAAD,EAAuB16B,IAAvB,EAAsC;WAC1D,CAACA,IAAI,IAAI,KAAK/W,KAAL,CAAWyxC,SAAX,CAAT,KAAmC,CAAC,KAAKZ,gBAAL,EAA3C;;;EAGFa,mCAAmC,CACjClgC,QADiC,EAEjCrF,QAFiC,EAGL;QACxB,CAAC,KAAKkQ,YAAL,CAAkB,GAAlB,CAAL,EAA6B;aACpBja,SAAP;;;UAGIuvC,yBAAyB,GAAG,KAAKtwC,KAAL,CAAWuwC,sBAA7C;UACMC,WAAW,GAAG,KAAKxwC,KAAL,CAAWywC,QAA/B;UACMC,WAAW,GAAG,KAAK1wC,KAAL,CAAW2wC,QAA/B;SACK3wC,KAAL,CAAWuwC,sBAAX,GAAoC,IAApC;SACKvwC,KAAL,CAAWywC,QAAX,GAAsB,CAAC,CAAvB;SACKzwC,KAAL,CAAW2wC,QAAX,GAAsB,CAAC,CAAvB;UAEMvB,GAA+B,GAAG,KAAKC,kBAAL,CAAwB,MAAM;YAC9DhvC,IAA+B,GAAG,KAAKmN,WAAL,CACtC2C,QADsC,EAEtCrF,QAFsC,CAAxC;MAIAzK,IAAI,CAAC2P,cAAL,GAAsB,KAAKk4B,qBAAL,EAAtB;YAEMzf,mBAAN,CAA0BpoB,IAA1B;MACAA,IAAI,CAACgb,UAAL,GAAkB,KAAKyxB,uCAAL,EAAlB;WACKhzB,MAAL,CAAY5J,KAAE,CAACnZ,KAAf;aACOsJ,IAAP;KAVsC,CAAxC;SAaKL,KAAL,CAAWuwC,sBAAX,GAAoCD,yBAApC;SACKtwC,KAAL,CAAWywC,QAAX,GAAsBD,WAAtB;SACKxwC,KAAL,CAAW2wC,QAAX,GAAsBD,WAAtB;;QAEI,CAACtB,GAAL,EAAU;aACDruC,SAAP;;;WAGK,KAAKypB,oBAAL,CACL4kB,GADK,EAEwB,IAFxB,EAGO,IAHP,CAAP;;;EAOFlI,oBAAoB,GAAmC;UAC/C7mC,IAAI,GAAG,KAAKqQ,SAAL,EAAb;IACArQ,IAAI,CAACiL,MAAL,GAAc,KAAKihC,QAAL,CAAc,MAE1B,KAAKwB,aAAL,CAAmB,MAAM;WAClB3uB,gBAAL,CAAsB,GAAtB;aACO,KAAKqnB,oBAAL,CACL,2BADK,EAEL,KAAK4D,WAAL,CAAiBnE,IAAjB,CAAsB,IAAtB,CAFK,CAAP;KAFF,CAFY,CAAd;SAYKlmC,KAAL,CAAWoT,WAAX,GAAyB,KAAzB;SACKgM,gBAAL,CAAsB,GAAtB;WACO,KAAKzO,UAAL,CAAgBtQ,IAAhB,EAAsB,8BAAtB,CAAP;;;EAGFuwC,oBAAoB,GAAY;QAC1B,KAAKjyC,KAAL,CAAWuR,KAAE,CAAClb,IAAd,CAAJ,EAAyB;cACf,KAAKgL,KAAL,CAAW8M,KAAnB;aACO,UAAL;aACK,SAAL;aACK,MAAL;aACK,WAAL;aACK,QAAL;aACK,WAAL;aACK,MAAL;iBACS,IAAP;;;;WAIC,KAAP;;;EAOFkW,wBAAwB,GAAY;QAC9B,KAAK4tB,oBAAL,EAAJ,EAAiC,OAAO,KAAP;WAC1B,MAAM5tB,wBAAN,EAAP;;;EAGF6tB,uBAAuB,CACrBnoB,cADqB,EAErBooB,UAFqB,EAGc;UAE7B3gC,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAA5B;UACMyM,QAAQ,GAAG,KAAK9K,KAAL,CAAW8K,QAA5B;QAEIimC,aAAJ;QACI5H,QAAQ,GAAG,KAAf;;QACIzgB,cAAJ,EAAoB;MAClBqoB,aAAa,GAAG,KAAKC,mBAAL,EAAhB;MACA7H,QAAQ,GAAG,CAAC,CAAC,KAAKrD,eAAL,CAAqB,CAAC,UAAD,CAArB,CAAb;;;UAGIte,IAAI,GAAG,KAAKD,iBAAL,EAAb;SACKD,4BAAL,CAAkCE,IAAlC;UACMypB,GAAG,GAAG,KAAK1pB,iBAAL,CAAuBC,IAAI,CAACnpB,KAA5B,EAAmCmpB,IAAI,CAACznB,GAAL,CAAS1B,KAA5C,EAAmDmpB,IAAnD,CAAZ;;QACIupB,aAAa,IAAI5H,QAArB,EAA+B;YACvB+H,EAAyB,GAAG,KAAK1jC,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAlC;;UACIgmC,UAAU,CAACpxC,MAAf,EAAuB;QACrBwxC,EAAE,CAACJ,UAAH,GAAgBA,UAAhB;;;UAEEC,aAAJ,EAAmBG,EAAE,CAACH,aAAH,GAAmBA,aAAnB;UACf5H,QAAJ,EAAc+H,EAAE,CAAC/H,QAAH,GAAcA,QAAd;;UACV8H,GAAG,CAAChwC,IAAJ,KAAa,YAAb,IAA6BgwC,GAAG,CAAChwC,IAAJ,KAAa,mBAA9C,EAAmE;aAC5DmK,KAAL,CAAW8lC,EAAE,CAAC7yC,KAAd,EAAqB6lC,QAAQ,CAACqB,gCAA9B;;;MAEF2L,EAAE,CAACC,SAAH,GAAiBF,GAAjB;aACO,KAAKtgC,UAAL,CAAgBugC,EAAhB,EAAoB,qBAApB,CAAP;;;QAGEJ,UAAU,CAACpxC,MAAf,EAAuB;MACrB8nB,IAAI,CAACspB,UAAL,GAAkBA,UAAlB;;;WAGKG,GAAP;;;EAGFtuB,0BAA0B,CACxBtiB,IADwB,EAExBY,IAFwB,EAGxBqP,QAAkB,GAAG,KAHG,EAIlB;QACF,KAAK3R,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,CAAJ,EAA0B;MACxB2J,IAAI,CAACgb,UAAL,GAAkB,KAAKqtB,oCAAL,CAA0Cx4B,KAAE,CAACxZ,KAA7C,CAAlB;;;UAGI06C,YAAY,GAChBnwC,IAAI,KAAK,qBAAT,GACI,mBADJ,GAEIA,IAAI,KAAK,aAAT,GACA,iBADA,GAEAF,SALN;;QAMIqwC,YAAY,IAAI,CAAC,KAAKzyC,KAAL,CAAWuR,KAAE,CAACja,MAAd,CAAjB,IAA0C,KAAKu5C,gBAAL,EAA9C,EAAuE;WAChE7+B,UAAL,CAAgBtQ,IAAhB,EAAsB+wC,YAAtB;;;;UAIIzuB,0BAAN,CAAiCtiB,IAAjC,EAAuCY,IAAvC,EAA6CqP,QAA7C;;;EAGF+gC,2BAA2B,CAAChxC,IAAD,EAAyB;QAC9C,CAACA,IAAI,CAACa,IAAN,IAAcb,IAAI,CAACua,EAAvB,EAA2B;WAGpBxM,SAAL,CAAe/N,IAAI,CAACua,EAApB,EAAwBle,eAAxB,EAAyC,IAAzC,EAA+C,eAA/C;KAHF,MAIO;YACC20C,2BAAN,CAAkC,GAAG5vC,SAArC;;;;EAIJqQ,cAAc,CACZC,IADY,EAEZ5B,QAFY,EAGZrF,QAHY,EAIZkH,OAJY,EAKZhS,KALY,EAME;QACV,CAAC,KAAK6lC,qBAAL,EAAD,IAAiC,KAAKlnC,KAAL,CAAWuR,KAAE,CAACxY,IAAd,CAArC,EAA0D;WACnDsI,KAAL,CAAWoT,WAAX,GAAyB,KAAzB;WACKsC,IAAL;YAEM47B,iBAAwC,GAAG,KAAK9jC,WAAL,CAC/C2C,QAD+C,EAE/CrF,QAF+C,CAAjD;MAIAwmC,iBAAiB,CAAC7jC,UAAlB,GAA+BsE,IAA/B;aACO,KAAKpB,UAAL,CAAgB2gC,iBAAhB,EAAmC,qBAAnC,CAAP;;;QAGE,KAAKt2B,YAAL,CAAkB,GAAlB,CAAJ,EAA4B;YAIpBqI,MAAM,GAAG,KAAKgsB,kBAAL,CAAwB,MAAM;YACvC,CAACr9B,OAAD,IAAY,KAAKu/B,oBAAL,CAA0Bx/B,IAA1B,CAAhB,EAAiD;gBAGzCy/B,YAAY,GAAG,KAAKnB,mCAAL,CACnBlgC,QADmB,EAEnBrF,QAFmB,CAArB;;cAII0mC,YAAJ,EAAkB;mBACTA,YAAP;;;;cAIEnxC,IAAsB,GAAG,KAAKmN,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAA/B;QACAzK,IAAI,CAACkR,MAAL,GAAcQ,IAAd;cAEMsY,aAAa,GAAG,KAAK6c,oBAAL,EAAtB;;YAEI7c,aAAJ,EAAmB;cACb,CAACrY,OAAD,IAAY,KAAKqI,GAAL,CAASnK,KAAE,CAAC5Z,MAAZ,CAAhB,EAAqC;YAGnC+J,IAAI,CAACoB,SAAL,GAAiB,KAAKsoB,4BAAL,CACf7Z,KAAE,CAAC3Z,MADY,EAEK,KAFL,CAAjB;YAIA8J,IAAI,CAAC2P,cAAL,GAAsBqa,aAAtB;mBACO,KAAKhZ,oBAAL,CAA0BhR,IAA1B,EAAgCL,KAAK,CAACiS,mBAAtC,CAAP;WARF,MASO,IAAI,KAAKtT,KAAL,CAAWuR,KAAE,CAAChZ,SAAd,CAAJ,EAA8B;kBAC7BmsB,MAAM,GAAG,KAAKouB,6BAAL,CACb1/B,IADa,EAEb5B,QAFa,EAGbrF,QAHa,EAIb9K,KAJa,CAAf;YAMAqjB,MAAM,CAACrT,cAAP,GAAwBqa,aAAxB;mBACOhH,MAAP;;;;aAICjH,UAAL;OAxCa,CAAf;UA2CIiH,MAAJ,EAAY,OAAOA,MAAP;;;WAGP,MAAMvR,cAAN,CAAqBC,IAArB,EAA2B5B,QAA3B,EAAqCrF,QAArC,EAA+CkH,OAA/C,EAAwDhS,KAAxD,CAAP;;;EAGFsqB,iBAAiB,CAACjqB,IAAD,EAA8B;QACzC,KAAK2a,YAAL,CAAkB,GAAlB,CAAJ,EAA4B;YAGpBhL,cAAc,GAAG,KAAKq/B,kBAAL,CAAwB,MAAM;cAC7CqC,IAAI,GAAG,KAAKxK,oBAAL,EAAb;YACI,CAAC,KAAKvoC,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,CAAL,EAA4B,KAAK8lB,UAAL;eACrBs1B,IAAP;OAHqB,CAAvB;;UAKI1hC,cAAJ,EAAoB;QAClB3P,IAAI,CAAC2P,cAAL,GAAsBA,cAAtB;;;;UAIEsa,iBAAN,CAAwBjqB,IAAxB;;;EAGFsxC,WAAW,CACTnqB,IADS,EAEToqB,YAFS,EAGTC,YAHS,EAITC,OAJS,EAKT3uB,IALS,EAMT;QAEE4gB,OAAO,CAAC7zB,KAAE,CAACzV,GAAH,CAAO9F,KAAR,CAAP,GAAwBm9C,OAAxB,IACA,CAAC,KAAKjM,qBAAL,EADD,IAEA,KAAK9pB,YAAL,CAAkB,IAAlB,CAHF,EAIE;YACM1b,IAAsB,GAAG,KAAKmN,WAAL,CAC7BokC,YAD6B,EAE7BC,YAF6B,CAA/B;MAIAxxC,IAAI,CAACoN,UAAL,GAAkB+Z,IAAlB;;YACM5tB,MAAM,GAAG,KAAKuuC,6BAAL,EAAf;;UACIvuC,MAAJ,EAAY;QACVyG,IAAI,CAACib,cAAL,GAAsB1hB,MAAtB;OADF,MAEO;QACLyG,IAAI,CAACib,cAAL,GAAsB,KAAKiyB,mBAAL,EAAtB;;;WAEG58B,UAAL,CAAgBtQ,IAAhB,EAAsB,gBAAtB;WAEK0xC,YAAL;aACO,KAAKJ,WAAL,CACLtxC,IADK,EAELuxC,YAFK,EAGLC,YAHK,EAILC,OAJK,EAKL3uB,IALK,CAAP;;;WASK,MAAMwuB,WAAN,CAAkBnqB,IAAlB,EAAwBoqB,YAAxB,EAAsCC,YAAtC,EAAoDC,OAApD,EAA6D3uB,IAA7D,CAAP;;;EAGFqF,iBAAiB,CACfvT,IADe,EAEfnK,QAFe,EAGfknC,aAHe,EAKf3rB,SALe,EAMT;;EAeR4rB,qBAAqB,GAAG;;EAExBv1B,WAAW,CAACrc,IAAD,EAA4B;QACjC,KAAK1B,KAAL,CAAWuR,KAAE,CAAClb,IAAd,KAAuB,KAAK2J,KAAL,CAAWuR,KAAE,CAAC1X,IAAd,CAAvB,IAA8C,KAAKmG,KAAL,CAAWuR,KAAE,CAACja,MAAd,CAAlD,EAAyE;YACjEi8C,KAAK,GAAG,KAAKpyB,SAAL,EAAd;;UAEI,KAAKnhB,KAAL,CAAWuR,KAAE,CAAClb,IAAd,KAAuBk9C,KAAK,CAACjxC,IAAN,KAAeiP,KAAE,CAAC3Y,EAA7C,EAAiD;eACxC,KAAKs3C,8BAAL,CAAoCxuC,IAApC,CAAP;;;UAIA,KAAK0b,YAAL,CAAkB,MAAlB,KAEAm2B,KAAK,CAACjxC,IAAN,KAAeiP,KAAE,CAAC1Z,KAFlB,IAIA,EAAE07C,KAAK,CAACjxC,IAAN,KAAeiP,KAAE,CAAClb,IAAlB,IAA0Bk9C,KAAK,CAACplC,KAAN,KAAgB,MAA5C,CALF,EAME;QACAzM,IAAI,CAACmY,UAAL,GAAkB,MAAlB;aACK9C,IAAL;OARF,MASO;QACLrV,IAAI,CAACmY,UAAL,GAAkB,OAAlB;;;;UAIE25B,UAAU,GAAG,MAAMz1B,WAAN,CAAkBrc,IAAlB,CAAnB;;QAME8xC,UAAU,CAAC35B,UAAX,KAA0B,MAA1B,IACA25B,UAAU,CAACtgC,UAAX,CAAsBnS,MAAtB,GAA+B,CAD/B,IAEAyyC,UAAU,CAACtgC,UAAX,CAAsB,CAAtB,EAAyB5Q,IAAzB,KAAkC,wBAHpC,EAIE;WACKmK,KAAL,CACE+mC,UAAU,CAAC9zC,KADb,EAEE,kFAFF;;;WAMK8zC,UAAP;;;EAGFxgC,WAAW,CAACtR,IAAD,EAA4B;QACjC,KAAK1B,KAAL,CAAWuR,KAAE,CAAC7V,OAAd,CAAJ,EAA4B;WAErByf,MAAL,CAAY5J,KAAE,CAAC7V,OAAf;aACO,KAAKw0C,8BAAL,CAAoCxuC,IAApC,EAAyD,IAAzD,CAAP;KAHF,MAIO,IAAI,KAAKga,GAAL,CAASnK,KAAE,CAAC3Y,EAAZ,CAAJ,EAAqB;YAEpBC,MAA4B,GAAG6I,IAArC;MACA7I,MAAM,CAACiW,UAAP,GAAoB,KAAK6M,eAAL,EAApB;WACKkB,SAAL;aACO,KAAK7K,UAAL,CAAgBnZ,MAAhB,EAAwB,oBAAxB,CAAP;KALK,MAMA,IAAI,KAAKokB,aAAL,CAAmB,IAAnB,CAAJ,EAA8B;YAE7BsJ,IAAoC,GAAG7kB,IAA7C;WAEK+Z,gBAAL,CAAsB,WAAtB;MACA8K,IAAI,CAACtK,EAAL,GAAU,KAAKC,eAAL,EAAV;WACKW,SAAL;aACO,KAAK7K,UAAL,CAAgBuU,IAAhB,EAAsB,8BAAtB,CAAP;KAPK,MAQA;UACD,KAAKnJ,YAAL,CAAkB,MAAlB,KAA6B,KAAK+D,SAAL,GAAiB7e,IAAjB,KAA0BiP,KAAE,CAACja,MAA9D,EAAsE;aAC/Dyf,IAAL;QACArV,IAAI,CAAC2c,UAAL,GAAkB,MAAlB;OAFF,MAGO;QACL3c,IAAI,CAAC2c,UAAL,GAAkB,OAAlB;;;aAGK,MAAMrL,WAAN,CAAkBtR,IAAlB,CAAP;;;;EAIJ+xC,eAAe,GAAY;WAEvB,KAAKr2B,YAAL,CAAkB,UAAlB,KAAiC,KAAK+D,SAAL,GAAiB7e,IAAjB,KAA0BiP,KAAE,CAAChW,MADhE;;;EAKF+oB,4BAA4B,GAAiC;QACvD,KAAKmvB,eAAL,EAAJ,EAA4B;YACpBlC,GAAG,GAAG,KAAKx/B,SAAL,EAAZ;WACKgF,IAAL;WACKi6B,UAAL,CAAgBO,GAAhB,EAAqB,IAArB,EAA2B,IAA3B;MACAA,GAAG,CAACC,QAAJ,GAAe,IAAf;aACOD,GAAP;;;QAKE,KAAKlwC,KAAL,CAAW8M,KAAX,KAAqB,WAAzB,EAAsC;YAC9BuW,MAAM,GAAG,KAAKwsB,kBAAL,CACb,KAAKn/B,SAAL,EADa,EAEb,KAAK1Q,KAAL,CAAW8M,KAFE,EAGb,IAHa,CAAf;UAMIuW,MAAJ,EAAY,OAAOA,MAAP;;;WAGP,MAAMJ,4BAAN,EAAP;;;EAGFovB,qBAAqB,CAACl/B,OAAD,EAAmB/D,QAAnB,EAAoD;QACnE,KAAKpP,KAAL,CAAWiB,IAAX,KAAoBiP,KAAE,CAACtW,MAA3B,EAAmC;YAC3Bs4C,KAAK,GAAG,KAAKpyB,SAAL,EAAd;;UACIoyB,KAAK,CAACjxC,IAAN,KAAeiP,KAAE,CAAClb,IAAlB,IAA0Bk9C,KAAK,CAACplC,KAAN,KAAgB,MAA9C,EAAsD;cAC9CzM,IAAyB,GAAG,KAAKqQ,SAAL,EAAlC;aACKoJ,MAAL,CAAY5J,KAAE,CAACtW,MAAf;aACKwgB,gBAAL,CAAsB,MAAtB;eACO,KAAKi0B,sBAAL,CAA4BhuC,IAA5B,EAAgD,IAAhD,CAAP;;;;WAGG,MAAMgyC,qBAAN,CAA4Bl/B,OAA5B,EAAqC/D,QAArC,CAAP;;;EAGF4hC,mBAAmB,GAAqB;WAC/B,KAAKlL,eAAL,CAAqB,CAAC,QAAD,EAAW,WAAX,EAAwB,SAAxB,CAArB,CAAP;;;EAGFjgB,gBAAgB,CACdlW,SADc,EAEdmW,MAFc,EAGd9lB,KAHc,EAId+lB,sBAJc,EAKR;SACDogB,gBAAL,CAAsBrgB,MAAtB,EAA8B,CAAC,SAAD,CAA9B;UACMirB,aAAa,GAAG,KAAKC,mBAAL,EAAtB;QACID,aAAJ,EAAmBjrB,MAAM,CAACirB,aAAP,GAAuBA,aAAvB;SACd5K,gBAAL,CAAsBrgB,MAAtB,EAA8B,CAAC,SAAD,CAA9B;UAEMD,gBAAN,CAAuBlW,SAAvB,EAAkCmW,MAAlC,EAA0C9lB,KAA1C,EAAiD+lB,sBAAjD;;;EAGFusB,4BAA4B,CAC1B3iC,SAD0B,EAE1BmW,MAF0B,EAG1B9lB,KAH0B,EAI1B4f,QAJ0B,EAK1BmG,sBAL0B,EAMpB;SACDogB,gBAAL,CAAsBrgB,MAAtB,EAA8B,CAAC,UAAD,EAAa,UAAb,EAAyB,SAAzB,CAA9B;UAEMwjB,GAAG,GAAG,KAAKP,wBAAL,CAA8BjjB,MAA9B,CAAZ;;QACIwjB,GAAJ,EAAS;MACP35B,SAAS,CAACzO,IAAV,CAAehB,IAAf,CAAoBopC,GAApB;;UAEKxjB,MAAD,CAAcqqB,QAAlB,EAA4B;aACrB/kC,KAAL,CAAW0a,MAAM,CAACznB,KAAlB,EAAyB6lC,QAAQ,CAACM,yBAAlC;;;UAEE5kB,QAAJ,EAAc;aACPxU,KAAL,CAAW0a,MAAM,CAACznB,KAAlB,EAAyB6lC,QAAQ,CAACQ,uBAAlC;;;UAEG5e,MAAD,CAAcirB,aAAlB,EAAiC;aAC1B3lC,KAAL,CACE0a,MAAM,CAACznB,KADT,EAEE6lC,QAAQ,CAACO,8BAFX,EAGG3e,MAAD,CAAcirB,aAHhB;;;;;;UAYEuB,4BAAN,CACE3iC,SADF,EAEEmW,MAFF,EAGE9lB,KAHF,EAIE4f,QAJF,EAKEmG,sBALF;;;EASFwsB,4BAA4B,CAC1BC,YAD0B,EAEpB;UACAlhC,QAAQ,GAAG,KAAK+I,GAAL,CAASnK,KAAE,CAACrZ,QAAZ,CAAjB;QACIya,QAAJ,EAAckhC,YAAY,CAAClhC,QAAb,GAAwB,IAAxB;;QAETkhC,YAAD,CAAoBrJ,QAApB,IAAgC,KAAKxqC,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,CAApC,EAA2D;WACpD8U,KAAL,CAAWonC,YAAY,CAACn0C,KAAxB,EAA+B6lC,QAAQ,CAACE,sBAAxC;;;QAGGoO,YAAD,CAAoBj0B,OAApB,IAA+B,KAAK5f,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,CAAnC,EAA0D;WACnD8U,KAAL,CAAWonC,YAAY,CAACn0C,KAAxB,EAA+B6lC,QAAQ,CAACC,qBAAxC;;;;EAQJrhB,wBAAwB,CACtBziB,IADsB,EAEtBgO,IAFsB,EAGT;UACP6W,IAAI,GACR7W,IAAI,CAACpN,IAAL,KAAc,YAAd,GACI,KAAK8uC,0BAAL,CAAgC1vC,IAAhC,EAAsCgO,IAAtC,CADJ,GAEItN,SAHN;WAIOmkB,IAAI,IAAI,MAAMpC,wBAAN,CAA+BziB,IAA/B,EAAqCgO,IAArC,CAAf;;;EAKF0U,4BAA4B,GAAY;QAClC,KAAK6tB,oBAAL,EAAJ,EAAiC,OAAO,IAAP;WAC1B,MAAM7tB,4BAAN,EAAP;;;EAIFG,gBAAgB,CACd7U,IADc,EAEd8U,IAFc,EAGdhT,QAHc,EAIdrF,QAJc,EAKdsY,gBALc,EAMA;QAGV,CAACA,gBAAD,IAAqB,CAAC,KAAKzkB,KAAL,CAAWuR,KAAE,CAACrZ,QAAd,CAA1B,EAAmD;aAC1C,MAAMqsB,gBAAN,CACL7U,IADK,EAEL8U,IAFK,EAGLhT,QAHK,EAILrF,QAJK,EAKLsY,gBALK,CAAP;;;UASIC,MAAM,GAAG,KAAKC,QAAL,CAAc,MAC3B,MAAMJ,gBAAN,CAAuB7U,IAAvB,EAA6B8U,IAA7B,EAAmChT,QAAnC,EAA6CrF,QAA7C,CADa,CAAf;;QAII,CAACuY,MAAM,CAAChjB,IAAZ,EAAkB;MAEhB+iB,gBAAgB,CAAC/kB,KAAjB,GAAyBglB,MAAM,CAACE,KAAP,CAAa1Y,GAAb,IAAoB,KAAK7K,KAAL,CAAW3B,KAAxD;aACOgQ,IAAP;;;QAEEgV,MAAM,CAACE,KAAX,EAAkB,KAAKvjB,KAAL,GAAaqjB,MAAM,CAACG,SAApB;WACXH,MAAM,CAAChjB,IAAd;;;EAKF0kB,cAAc,CACZ1kB,IADY,EAEZ8P,QAFY,EAGZrF,QAHY,EAIE;IACdzK,IAAI,GAAG,MAAM0kB,cAAN,CAAqB1kB,IAArB,EAA2B8P,QAA3B,EAAqCrF,QAArC,CAAP;;QACI,KAAKuP,GAAL,CAASnK,KAAE,CAACrZ,QAAZ,CAAJ,EAA2B;MACzBwJ,IAAI,CAACiR,QAAL,GAAgB,IAAhB;WAIKiK,gBAAL,CAAsBlb,IAAtB;;;QAGE,KAAK1B,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,CAAJ,EAA0B;YAClBsuB,YAAoC,GAAG,KAAKxX,WAAL,CAC3C2C,QAD2C,EAE3CrF,QAF2C,CAA7C;MAIAka,YAAY,CAACvX,UAAb,GAA0BpN,IAA1B;MACA2kB,YAAY,CAAC1J,cAAb,GAA8B,KAAKmsB,qBAAL,EAA9B;aAEO,KAAK92B,UAAL,CAAgBqU,YAAhB,EAA8B,sBAA9B,CAAP;;;WAGK3kB,IAAP;;;EAGF8kB,sBAAsB,CAAC9kB,IAAD,EAAiD;UAE/D8P,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAA5B;UACMyM,QAAQ,GAAG,KAAK9K,KAAL,CAAW8K,QAA5B;UAGM2nC,SAAS,GAAG,KAAK72B,aAAL,CAAmB,SAAnB,CAAlB;QAEItD,WAAJ;;QAEI,KAAK3Z,KAAL,CAAWuR,KAAE,CAAClb,IAAd,CAAJ,EAAyB;MACvBsjB,WAAW,GAAG,KAAKw3B,2BAAL,EAAd;;;QAEE,CAACx3B,WAAL,EAAkB;MAChBA,WAAW,GAAG,MAAM6M,sBAAN,CAA6B9kB,IAA7B,CAAd;;;QAGAiY,WAAW,KACVA,WAAW,CAACrX,IAAZ,KAAqB,wBAArB,IACCqX,WAAW,CAACrX,IAAZ,KAAqB,wBADtB,IAECwxC,SAHS,CADb,EAKE;MACApyC,IAAI,CAAC2c,UAAL,GAAkB,MAAlB;;;QAGE1E,WAAW,IAAIm6B,SAAnB,EAA8B;WAEvBC,kBAAL,CAAwBp6B,WAAxB,EAAqCnI,QAArC,EAA+CrF,QAA/C;MAEAwN,WAAW,CAACiG,OAAZ,GAAsB,IAAtB;;;WAGKjG,WAAP;;;EAGFoN,YAAY,CACVrlB,IADU,EAEVslB,WAFU,EAGVC,UAHU,EAIJ;QACF,CAAC,CAACD,WAAD,IAAgBC,UAAjB,KAAgC,KAAK7J,YAAL,CAAkB,YAAlB,CAApC,EAAqE;;;;UAI/D2J,YAAN,CACErlB,IADF,EAEEslB,WAFF,EAGEC,UAHF,EAIGvlB,IAAD,CAAYke,OAAZ,GAAsB7hB,eAAtB,GAAwCP,UAJ1C;UAMM6T,cAAc,GAAG,KAAKi4B,wBAAL,EAAvB;QACIj4B,cAAJ,EAAoB3P,IAAI,CAAC2P,cAAL,GAAsBA,cAAtB;;;EAGtB2iC,4BAA4B,CAC1BtyC,IAD0B,EAEpB;QACF,CAACA,IAAI,CAACiR,QAAN,IAAkB,KAAK+I,GAAL,CAASnK,KAAE,CAACxY,IAAZ,CAAtB,EAAyC;MACvC2I,IAAI,CAACuyC,QAAL,GAAgB,IAAhB;;;UAGI3xC,IAAI,GAAG,KAAKgoC,wBAAL,EAAb;QACIhoC,IAAJ,EAAUZ,IAAI,CAACib,cAAL,GAAsBra,IAAtB;;;EAGZylB,kBAAkB,CAACrmB,IAAD,EAAyC;SACpDsyC,4BAAL,CAAkCtyC,IAAlC;;QAEIA,IAAI,CAACke,OAAL,IAAgB,KAAK5f,KAAL,CAAWuR,KAAE,CAAC2iC,KAAd,CAApB,EAA0C;WACnCznC,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B6lC,QAAQ,CAACG,+BAAtC;;;WAGK,MAAM3d,kBAAN,CAAyBrmB,IAAzB,CAAP;;;EAGFsmB,yBAAyB,CACvBtmB,IADuB,EAEC;QAEpBA,IAAI,CAAC8vC,QAAT,EAAmB;WACZ/kC,KAAL,CAAW/K,IAAI,CAAChC,KAAhB,EAAuB6lC,QAAQ,CAACa,yBAAhC;;;QAIE1kC,IAAI,CAAC0wC,aAAT,EAAwB;WACjB3lC,KAAL,CACE/K,IAAI,CAAChC,KADP,EAEE6lC,QAAQ,CAACc,8BAFX,EAGE3kC,IAAI,CAAC0wC,aAHP;;;SAOG4B,4BAAL,CAAkCtyC,IAAlC;WACO,MAAMsmB,yBAAN,CAAgCtmB,IAAhC,CAAP;;;EAGFqP,eAAe,CACbC,SADa,EAEbtD,MAFa,EAGbuD,WAHa,EAIb9B,OAJa,EAKb+B,aALa,EAMbC,iBANa,EAOP;UACAE,cAAc,GAAG,KAAKi4B,wBAAL,EAAvB;QACIj4B,cAAJ,EAAoB3D,MAAM,CAAC2D,cAAP,GAAwBA,cAAxB;UACdN,eAAN,CACEC,SADF,EAEEtD,MAFF,EAGEuD,WAHF,EAIE9B,OAJF,EAKE+B,aALF,EAMEC,iBANF;;;EAUFiX,sBAAsB,CACpBpX,SADoB,EAEpBtD,MAFoB,EAGpBuD,WAHoB,EAIpB9B,OAJoB,EAKd;UACAkC,cAAc,GAAG,KAAKi4B,wBAAL,EAAvB;QACIj4B,cAAJ,EAAoB3D,MAAM,CAAC2D,cAAP,GAAwBA,cAAxB;UACd+W,sBAAN,CAA6BpX,SAA7B,EAAwCtD,MAAxC,EAAgDuD,WAAhD,EAA6D9B,OAA7D;;;EAGFkZ,eAAe,CAAC3mB,IAAD,EAAsB;UAC7B2mB,eAAN,CAAsB3mB,IAAtB;;QACIA,IAAI,CAACiM,UAAL,IAAmB,KAAK0O,YAAL,CAAkB,GAAlB,CAAvB,EAA+C;MAC7C3a,IAAI,CAAC4mB,mBAAL,GAA2B,KAAKigB,oBAAL,EAA3B;;;QAEE,KAAKtrB,aAAL,CAAmB,YAAnB,CAAJ,EAAsC;MACpCvb,IAAI,CAACkd,UAAL,GAAkB,KAAKiwB,qBAAL,CAA2B,YAA3B,CAAlB;;;;EAIJnmB,iBAAiB,CAACpZ,IAAD,EAAuB,GAAGyjC,IAA1B,EAAsC;UAC/C1hC,cAAc,GAAG,KAAKi4B,wBAAL,EAAvB;QACIj4B,cAAJ,EAAoB/B,IAAI,CAAC+B,cAAL,GAAsBA,cAAtB;UAEdqX,iBAAN,CAAwBpZ,IAAxB,EAA8B,GAAGyjC,IAAjC;;;EAGFjpB,mBAAmB,CAACpoB,IAAD,EAAmBqoB,cAAnB,EAAmD;UAC9D1Y,cAAc,GAAG,KAAKi4B,wBAAL,EAAvB;QACIj4B,cAAJ,EAAoB3P,IAAI,CAAC2P,cAAL,GAAsBA,cAAtB;UACdyY,mBAAN,CAA0BpoB,IAA1B,EAAgCqoB,cAAhC;;;EAIFC,UAAU,CACRzD,IADQ,EAER9Y,IAFQ,EAGF;UACAuc,UAAN,CAAiBzD,IAAjB,EAAuB9Y,IAAvB;;QACI8Y,IAAI,CAACtK,EAAL,CAAQ3Z,IAAR,KAAiB,YAAjB,IAAiC,KAAKoZ,GAAL,CAASnK,KAAE,CAACxY,IAAZ,CAArC,EAAwD;MACtDwtB,IAAI,CAAC0tB,QAAL,GAAgB,IAAhB;;;UAGI3xC,IAAI,GAAG,KAAKgoC,wBAAL,EAAb;;QACIhoC,IAAJ,EAAU;MACRikB,IAAI,CAACtK,EAAL,CAAQU,cAAR,GAAyBra,IAAzB;WACKsa,gBAAL,CAAsB2J,IAAI,CAACtK,EAA3B;;;;EAKJgO,iCAAiC,CAC/BvoB,IAD+B,EAE/BwoB,IAF+B,EAGJ;QACvB,KAAKlqB,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,CAAJ,EAA0B;MACxB2J,IAAI,CAACgb,UAAL,GAAkB,KAAKosB,qBAAL,EAAlB;;;WAEK,MAAM7e,iCAAN,CAAwCvoB,IAAxC,EAA8CwoB,IAA9C,CAAP;;;EAGF1E,gBAAgB,CAAC,GAAGutB,IAAJ,EAAwB;;;QAGlC1xC,KAAJ;QACIgpB,GAAJ;QACI8pB,QAAJ;;QAEI,KAAKn0C,KAAL,CAAWuR,KAAE,CAAC+O,WAAd,CAAJ,EAAgC;MAE9Bjf,KAAK,GAAG,KAAKA,KAAL,CAAWyjB,KAAX,EAAR;MAEAuF,GAAG,GAAG,KAAK1F,QAAL,CAAc,MAAM,MAAMa,gBAAN,CAAuB,GAAGutB,IAA1B,CAApB,EAAqD1xC,KAArD,CAAN;UAGI,CAACgpB,GAAG,CAACzF,KAAT,EAAgB,OAAOyF,GAAG,CAAC3oB,IAAX;YAKV;QAAE8S;UAAY,KAAKnT,KAAzB;;UACImT,OAAO,CAACA,OAAO,CAACzT,MAAR,GAAiB,CAAlB,CAAP,KAAgCqzC,OAAE,CAAC7pB,MAAvC,EAA+C;QAC7C/V,OAAO,CAACzT,MAAR,IAAkB,CAAlB;OADF,MAEO,IAAIyT,OAAO,CAACA,OAAO,CAACzT,MAAR,GAAiB,CAAlB,CAAP,KAAgCqzC,OAAE,CAAC5pB,MAAvC,EAA+C;QACpDhW,OAAO,CAACzT,MAAR,IAAkB,CAAlB;;;;QAIA,UAACspB,GAAD,qBAAC,KAAKzF,KAAN,KAAe,CAAC,KAAKvI,YAAL,CAAkB,GAAlB,CAApB,EAA4C;aACnC,MAAMmJ,gBAAN,CAAuB,GAAGutB,IAA1B,CAAP;;;QAKE1hC,cAAJ;IACAhQ,KAAK,GAAGA,KAAK,IAAI,KAAKA,KAAL,CAAWyjB,KAAX,EAAjB;UAEM1sB,KAAK,GAAG,KAAKusB,QAAL,CAAc0G,KAAK,IAAI;;;MAEnCha,cAAc,GAAG,KAAKk4B,qBAAL,EAAjB;YACM75B,IAAI,GAAG,MAAM8V,gBAAN,CAAuB,GAAGutB,IAA1B,CAAb;;UAGErjC,IAAI,CAACpN,IAAL,KAAc,yBAAd,IACCoN,IAAI,CAACV,KAAL,IAAcU,IAAI,CAACV,KAAL,CAAWqB,aAF5B,EAGE;QACAgb,KAAK;;;UAIH,oBAAAha,cAAc,SAAd,4BAAgB1E,MAAhB,CAAuB5L,MAAvB,MAAkC,CAAtC,EAAyC;aAClC2pB,0BAAL,CAAgChb,IAAhC,EAAsC2B,cAAtC;;;MAEF3B,IAAI,CAAC2B,cAAL,GAAsBA,cAAtB;aACO3B,IAAP;KAjBY,EAkBXrO,KAlBW,CAAd;QAoBI,CAACjJ,KAAK,CAACwsB,KAAP,IAAgB,CAACxsB,KAAK,CAACmzB,OAA3B,EAAoC,OAAOnzB,KAAK,CAACsJ,IAAb;;QAEhC,CAAC2oB,GAAL,EAAU;MAIRib,MAAM,CAAC,CAAC,KAAK/kC,SAAL,CAAe,KAAf,CAAF,CAAN;MAIA4zC,QAAQ,GAAG,KAAKxvB,QAAL,CAAc,MAAM,MAAMa,gBAAN,CAAuB,GAAGutB,IAA1B,CAApB,EAAqD1xC,KAArD,CAAX;UAEI,CAAC8yC,QAAQ,CAACvvB,KAAd,EAAqB,OAAOuvB,QAAQ,CAACzyC,IAAhB;;;iBAGnB2oB,GAAJ,qBAAI,MAAK3oB,IAAT,EAAe;WAERL,KAAL,GAAagpB,GAAG,CAACxF,SAAjB;aACOwF,GAAG,CAAC3oB,IAAX;;;QAGEtJ,KAAK,CAACsJ,IAAV,EAAgB;WAETL,KAAL,GAAajJ,KAAK,CAACysB,SAAnB;aACOzsB,KAAK,CAACsJ,IAAb;;;qBAGEyyC,QAAJ,qBAAI,UAAUzyC,IAAd,EAAoB;WAEbL,KAAL,GAAa8yC,QAAQ,CAACtvB,SAAtB;aACOsvB,QAAQ,CAACzyC,IAAhB;;;iBAGE2oB,GAAJ,qBAAI,MAAKM,MAAT,EAAiB,MAAMN,GAAG,CAACzF,KAAV;QACbxsB,KAAK,CAACuyB,MAAV,EAAkB,MAAMvyB,KAAK,CAACwsB,KAAZ;sBACduvB,QAAJ,qBAAI,WAAUxpB,MAAd,EAAsB,MAAMwpB,QAAQ,CAACvvB,KAAf;UAEhB,UAAAyF,GAAG,SAAH,kBAAKzF,KAAL,KAAcxsB,KAAK,CAACwsB,KAApB,mBAA6BuvB,QAA7B,qBAA6B,WAAUvvB,KAAvC,CAAN;;;EAIF8nB,eAAe,CAACv8B,mBAAD,EAAwD;QACjE,CAAC,KAAK5P,SAAL,CAAe,KAAf,CAAD,IAA0B,KAAK8b,YAAL,CAAkB,GAAlB,CAA9B,EAAsD;aAC7C,KAAKsyB,oBAAL,EAAP;KADF,MAEO;aACE,MAAMjC,eAAN,CAAsBv8B,mBAAtB,CAAP;;;;EAIJya,UAAU,CAAClpB,IAAD,EAA8D;QAClE,KAAK1B,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,CAAJ,EAA0B;YAIlB2sB,MAAM,GAAG,KAAKC,QAAL,CAAc0G,KAAK,IAAI;cAC9B3O,UAAU,GAAG,KAAKqtB,oCAAL,CACjBx4B,KAAE,CAACxZ,KADc,CAAnB;YAGI,KAAKsrB,kBAAL,MAA6B,CAAC,KAAKrjB,KAAL,CAAWuR,KAAE,CAACnZ,KAAd,CAAlC,EAAwDizB,KAAK;eACtD3O,UAAP;OALa,CAAf;UAQIgI,MAAM,CAAC6G,OAAX,EAAoB;;UAEhB,CAAC7G,MAAM,CAACiG,MAAZ,EAAoB;YACdjG,MAAM,CAACE,KAAX,EAAkB,KAAKvjB,KAAL,GAAaqjB,MAAM,CAACG,SAApB;QAClBnjB,IAAI,CAACgb,UAAL,GAAkBgI,MAAM,CAAChjB,IAAzB;;;;WAIG,MAAMkpB,UAAN,CAAiBlpB,IAAjB,CAAP;;;EAIFinB,4BAA4B,CAAClF,KAAD,EAAmB;QACzC,KAAK/H,GAAL,CAASnK,KAAE,CAACrZ,QAAZ,CAAJ,EAA2B;UACrBurB,KAAK,CAACnhB,IAAN,KAAe,YAAnB,EAAiC;aAC1BmK,KAAL,CAAWgX,KAAK,CAAC/jB,KAAjB,EAAwB6lC,QAAQ,CAACY,iBAAjC;;;MAGA1iB,KAAF,CAA6B9Q,QAA7B,GAAwC,IAAxC;;;UAEIrQ,IAAI,GAAG,KAAKgoC,wBAAL,EAAb;QACIhoC,IAAJ,EAAUmhB,KAAK,CAAC9G,cAAN,GAAuBra,IAAvB;SACLsa,gBAAL,CAAsB6G,KAAtB;WAEOA,KAAP;;;EAGFnR,YAAY,CAAC5Q,IAAD,EAAuB;YACzBA,IAAI,CAACY,IAAb;WACO,sBAAL;eACS,MAAMgQ,YAAN,CAAmB,KAAKuR,mBAAL,CAAyBniB,IAAzB,CAAnB,CAAP;;WACG,qBAAL;eACS,MAAM4Q,YAAN,CAAmB5Q,IAAnB,CAAP;;WACG,gBAAL;WACK,qBAAL;WACK,iBAAL;QACEA,IAAI,CAACoN,UAAL,GAAkB,KAAKwD,YAAL,CAAkB5Q,IAAI,CAACoN,UAAvB,CAAlB;eACOpN,IAAP;;;eAEO,MAAM4Q,YAAN,CAAmB5Q,IAAnB,CAAP;;;;EAIN+N,SAAS,CACPC,IADO,EAEPC,WAAyB,GAAG3R,SAFrB,EAGP4R,YAHO,EAIPC,kBAJO,EAKD;YACEH,IAAI,CAACpN,IAAb;WACO,sBAAL;;;WAKK,qBAAL;aACOmN,SAAL,CACEC,IAAI,CAAC8iC,SADP,EAEE7iC,WAFF,EAGEC,YAHF,EAIE,oBAJF;;;WAOG,gBAAL;WACK,qBAAL;WACK,iBAAL;aACOH,SAAL,CACEC,IAAI,CAACZ,UADP,EAEEa,WAFF,EAGEC,YAHF,EAIEC,kBAJF;;;;cAQMJ,SAAN,CAAgBC,IAAhB,EAAsBC,WAAtB,EAAmCC,YAAnC,EAAiDC,kBAAjD;;;;;EAKNwkC,gBAAgB,GAAc;YACpB,KAAKhzC,KAAL,CAAWiB,IAAnB;WACOiP,KAAE,CAAClW,KAAR;eAES,KAAK6gB,eAAL,CAAmC,IAAnC,CAAP;;;eAEO,MAAMm4B,gBAAN,EAAP;;;;EAINC,4BAA4B,CAAC5kC,IAAD,EAAmC;QACzD,KAAK2M,YAAL,CAAkB,GAAlB,CAAJ,EAA4B;YACpBqP,aAAa,GAAG,KAAK6c,oBAAL,EAAtB;;UAEI,KAAKvoC,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,CAAJ,EAA2B;cACnBuyB,IAAI,GAAG,MAAMoqB,4BAAN,CAAmC5kC,IAAnC,CAAb;QACAwa,IAAI,CAAC7Y,cAAL,GAAsBqa,aAAtB;eACOxB,IAAP;;;WAGGzM,UAAL,CAAgB,KAAKpc,KAAL,CAAW3B,KAA3B,EAAkC6R,KAAE,CAAC5Z,MAArC;;;WAGK,MAAM28C,4BAAN,CAAmC5kC,IAAnC,CAAP;;;EAQFuY,aAAa,GAAY;WAChB,KAAK5L,YAAL,CAAkB,GAAlB,KAA0B,MAAM4L,aAAN,EAAjC;;;EAGFC,eAAe,GAAY;WAEvB,KAAKloB,KAAL,CAAWuR,KAAE,CAACxY,IAAd,KAAuB,KAAKiH,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,CAAvB,IAA+C,MAAMmwB,eAAN,EADjD;;;EAKFU,iBAAiB,CAAC,GAAGmqB,IAAJ,EAAqB;UAC9BrxC,IAAI,GAAG,MAAMknB,iBAAN,CAAwB,GAAGmqB,IAA3B,CAAb;;QAGErxC,IAAI,CAACY,IAAL,KAAc,mBAAd,IACAZ,IAAI,CAACib,cADL,IAEAjb,IAAI,CAACie,KAAL,CAAWjgB,KAAX,GAAmBgC,IAAI,CAACib,cAAL,CAAoBjd,KAHzC,EAIE;WACK+M,KAAL,CACE/K,IAAI,CAACib,cAAL,CAAoBjd,KADtB,EAEE6lC,QAAQ,CAACgB,yBAFX;;;WAMK7kC,IAAP;;;EAIF4lB,gBAAgB,CAACpoB,IAAD,EAAqB;QAEjC,KAAKmC,KAAL,CAAW6Z,MAAX,KACChc,IAAI,OAAJ,IAAkCA,IAAI,OADvC,CADF,EAGE;aACO,KAAKsoB,QAAL,CAAcjW,KAAE,CAAC9X,UAAjB,EAA6B,CAA7B,CAAP;KAJF,MAKO;aACE,MAAM6tB,gBAAN,CAAuBpoB,IAAvB,CAAP;;;;EAKJk0C,YAAY,GAAG;QACT,KAAKpzC,KAAL,CAAWuR,KAAE,CAAC9X,UAAd,CAAJ,EAA+B;YACvByF,IAAI,GAAG,KAAKW,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW3B,KAAjC,CAAb;;UACIR,IAAI,OAAJ,IAA+BA,IAAI,OAAvC,EAAmE;aAC5DmC,KAAL,CAAW6K,GAAX,IAAkB,CAAlB;aACKqoC,eAAL,CAAqBr1C,IAArB;;;;;EAKN6mB,gBAAgB,CAACjT,QAAD,EAAsD;SAC/D,IAAIhR,CAAC,GAAG,CAAb,EAAgBA,CAAC,GAAGgR,QAAQ,CAAC/R,MAA7B,EAAqCe,CAAC,EAAtC,EAA0C;YAClC4N,IAAI,GAAGoD,QAAQ,CAAChR,CAAD,CAArB;UACI,CAAC4N,IAAL,EAAW;;cACHA,IAAI,CAACpN,IAAb;aACO,sBAAL;UACEwQ,QAAQ,CAAChR,CAAD,CAAR,GAAc,KAAK+hB,mBAAL,CAAyBnU,IAAzB,CAAd;;;aAEG,gBAAL;aACK,iBAAL;cACM,CAAC,KAAKrO,KAAL,CAAWuwC,sBAAhB,EAAwC;YACtC9+B,QAAQ,CAAChR,CAAD,CAAR,GAAc,KAAK+hB,mBAAL,CAAyBnU,IAAzB,CAAd;WADF,MAEO;iBACAjD,KAAL,CAAWiD,IAAI,CAAChQ,KAAhB,EAAuB6lC,QAAQ,CAACmB,6BAAhC;;;;;;;WAKD,MAAM3gB,gBAAN,CAAuB,GAAGjjB,SAA1B,CAAP;;;EAGF+gB,mBAAmB,CAACniB,IAAD,EAAuC;IACxDA,IAAI,CAACoN,UAAL,CAAgB6N,cAAhB,GAAiCjb,IAAI,CAACib,cAAtC;SAEKC,gBAAL,CACElb,IAAI,CAACoN,UADP,EAEEpN,IAAI,CAACib,cAAL,CAAoBhd,GAFtB,EAGE+B,IAAI,CAACib,cAAL,CAAoBvb,GAApB,CAAwBzB,GAH1B;WAMO+B,IAAI,CAACoN,UAAZ;;;EAGFgZ,gBAAgB,CACdhV,QADc,EAEd0hC,UAFc,EAGiB;SAC1B,IAAI1yC,CAAC,GAAG,CAAb,EAAgBA,CAAC,GAAGgR,QAAQ,CAAC/R,MAA7B,EAAqCe,CAAC,EAAtC,EAA0C;YAClC4N,IAAI,GAAGoD,QAAQ,CAAChR,CAAD,CAArB;;UACI,CAAA4N,IAAI,QAAJ,YAAAA,IAAI,CAAEpN,IAAN,MAAe,sBAAnB,EAA2C;aACpCmK,KAAL,CAAWiD,IAAI,CAAChQ,KAAhB,EAAuB6lC,QAAQ,CAACkB,wBAAhC;;;;WAIG3zB,QAAP;;;EAGF+X,gBAAgB,GAAG;WACV,KAAK7qB,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,KAAwB,MAAM8yB,gBAAN,EAA/B;;;EAGFV,qBAAqB,GAAY;WACxB,KAAKnqB,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,KAAwB,MAAMoyB,qBAAN,EAA/B;;;EAGFsqB,uBAAuB,GAAG;WAEjB,MAAMA,uBAAN,MAAmC,KAAKhB,eAAL,EAA1C;;;EAGF3R,+BAA+B,CAC7BpgC,IAD6B,EAER;QACjB,KAAK2a,YAAL,CAAkB,GAAlB,CAAJ,EAA4B;YACpBqP,aAAa,GAAG,KAAKglB,kBAAL,CAAwB,MAC5C,KAAKnI,oBAAL,EADoB,CAAtB;UAGI7c,aAAJ,EAAmBhqB,IAAI,CAAC2P,cAAL,GAAsBqa,aAAtB;;;WAEd,MAAMoW,+BAAN,CAAsCpgC,IAAtC,CAAP;;;EAGFgzC,iCAAiC,CAC/BhnC,MAD+B,EAEvB;UACFinC,SAAS,GAAG,MAAMD,iCAAN,CAAwChnC,MAAxC,CAAlB;UACMknC,UAAU,GAAGlnC,MAAM,CAACf,MAAP,CAAc,CAAd,CAAnB;UACMkoC,eAAe,GACnBD,UAAU,IACVA,UAAU,CAACtyC,IAAX,KAAoB,YADpB,IAEAsyC,UAAU,CAACv+C,IAAX,KAAoB,MAHtB;WAKOw+C,eAAe,GAAGF,SAAS,GAAG,CAAf,GAAmBA,SAAzC;;;EAGFG,qBAAqB,GAAiB;UAC9BrxB,KAAK,GAAG,MAAMqxB,qBAAN,EAAd;UACMxyC,IAAI,GAAG,KAAKgoC,wBAAL,EAAb;;QAEIhoC,IAAJ,EAAU;MACRmhB,KAAK,CAAC9G,cAAN,GAAuBra,IAAvB;;;WAGKmhB,KAAP;;;CApjFN;;AC9HAlS,KAAE,CAACwjC,WAAH,GAAiB,IAAIr/C,SAAJ,CAAc,IAAd,EAAoB;EAAEL,UAAU,EAAE;CAAlC,CAAjB;AAyCA,oBAAgBsY,UAAD,IACb,cAAcA,UAAd,CAAyB;EACvBqnC,gBAAgB,CACdC,YADc,EAE8B;QACxC,KAAKj1C,KAAL,CAAWuR,KAAE,CAACwjC,WAAd,CAAJ,EAAgC;YACxBrzC,IAAI,GAAG,KAAKqQ,SAAL,EAAb;WACKgF,IAAL;WACKm+B,aAAL,CAAmB,kCAAnB;MAIAxzC,IAAI,CAACrL,IAAL,GAAY,MAAM6lB,eAAN,CAAoC,IAApC,CAAZ;WAEKg5B,aAAL,CAAmB,kCAAnB;WACK/5B,MAAL,CAAY5J,KAAE,CAACwjC,WAAf;aACO,KAAKI,iBAAL,CAAuBzzC,IAAvB,EAA6BuzC,YAA7B,CAAP;;;;EAIJE,iBAAiB,CACfzzC,IADe,EAEfuzC,YAFe,EAG2B;UACpCG,UAAU,GAAG,CAAC,EAAE1zC,IAAI,CAACuzC,YAAL,IAAqBvzC,IAAI,CAACY,IAAL,KAAc,aAArC,CAApB;IACAZ,IAAI,CAACuzC,YAAL,GAAoBA,YAApB;WAEOG,UAAU,GAAG1zC,IAAH,GAAU,KAAKsQ,UAAL,CAAgBtQ,IAAhB,EAAsB,aAAtB,CAA3B;;;EAOF4lB,gBAAgB,CAACpoB,IAAD,EAAe;QAE3BA,IAAI,OAAJ,IACA,KAAKW,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,QAFF,EAGE;aACO,KAAKsb,QAAL,CAAcjW,KAAE,CAACwjC,WAAjB,EAA8B,CAA9B,CAAP;;;WAGK,MAAMztB,gBAAN,CAAuB,GAAGxkB,SAA1B,CAAP;;;EAOFwO,aAAa,GAAmC;WAE5C,KAAK0jC,gBAAL,CAAsB,YAAtB,KAAuC,MAAM1jC,aAAN,CAAoB,GAAGxO,SAAvB,CADzC;;;EAKFoZ,eAAe,GAAmC;WAM9C,KAAK84B,gBAAL,CAAsB,YAAtB,KACA,MAAM94B,eAAN,CAAsB,GAAGpZ,SAAzB,CAFF;;;EAMF+mB,iBAAiB,CAACvT,IAAD,EAAqB;QAIhCA,IAAI,KAAKlU,SAAb,EAAwB,MAAMynB,iBAAN,CAAwB,GAAG/mB,SAA3B;;;EAO1BuxC,gBAAgB,GAAgC;WAE5C,KAAKW,gBAAL,CAAsB,SAAtB,KAAoC,MAAMX,gBAAN,CAAuB,GAAGvxC,SAA1B,CADtC;;;EAKF2M,SAAS,CAACC,IAAD,EAA2B;QAC9BA,IAAI,CAACpN,IAAL,KAAc,aAAlB,EAAiC,MAAMmN,SAAN,CAAgB,GAAG3M,SAAnB;;;EAGnCwP,YAAY,CAAC5Q,IAAD,EAAuB;QAE/BA,IAAI,IACJA,IAAI,CAACY,IAAL,KAAc,aADd,IAEAZ,IAAI,CAACuzC,YAAL,KAAsB,YAHxB,EAIE;MACAvzC,IAAI,CAACuzC,YAAL,GAAoB,SAApB;aACOvzC,IAAP;;;WAEK,MAAM4Q,YAAN,CAAmB,GAAGxP,SAAtB,CAAP;;;EAOFuyC,mBAAmB,CAAC3zC,IAAD,EAA+C;QAC5DA,IAAI,CAAC9L,KAAL,IAAc8L,IAAI,CAAC9L,KAAL,CAAW0M,IAAX,KAAoB,aAAtC,EAAqD;UAC/C+yC,mBAAN,CAA0B,GAAGvyC,SAA7B;;;EAGFqhB,wBAAwB,CACtBziB,IADsB,EAEtBgO,IAFsB,EAGS;QAE7BA,IAAI,CAACpN,IAAL,KAAc,aAAd,IACCoN,IAAI,CAACV,KAAL,IAAcU,IAAI,CAACV,KAAL,CAAWqB,aAF5B,EAGE;aACO,MAAM8T,wBAAN,CAA+B,GAAGrhB,SAAlC,CAAP;;;QAGE,KAAK9C,KAAL,CAAWuR,KAAE,CAACxZ,KAAd,CAAJ,EAA0B;YAClB6W,IAAwB,GAAGlN,IAAjC;MACAkN,IAAI,CAAChZ,KAAL,GAAa,KAAKu/C,iBAAL,CAAuBzlC,IAAvB,EAA6B,YAA7B,CAAb;WACKqH,IAAL;MACAnI,IAAI,CAACrM,IAAL,GAAY,KAAK0hB,cAAL,CAAoB,OAApB,CAAZ;aACO,KAAKjS,UAAL,CAAgBpD,IAAhB,EAAsB,kBAAtB,CAAP;;;SAGGiO,SAAL;IAEAnb,IAAI,CAACrL,IAAL,GAAYqZ,IAAI,CAACrZ,IAAjB;WACO,KAAK8+C,iBAAL,CAAuBzzC,IAAvB,EAA6B,WAA7B,CAAP;;;EAGF4zC,UAAU,GAAuC;WAE7C,KAAKN,gBAAL,CAAsB,gBAAtB,KACA,MAAMM,UAAN,CAAiB,GAAGxyC,SAApB,CAFF;;;EAMFyyC,eAAe,GAAoC;WAE/C,KAAKP,gBAAL,CAAsB,YAAtB,KACA,MAAMO,eAAN,CAAsB,GAAGzyC,SAAzB,CAFF;;;EAMFkuC,UAAU,CACRtvC,IADQ,EAERslB,WAFQ,EAGRC,UAHQ,EAIL;UACG3kB,IAAI,GAAG0kB,WAAW,GAAG,kBAAH,GAAwB,iBAAhD;SAEKjQ,IAAL;SACKy+B,cAAL,CAAoB9zC,IAApB;UAEMqzC,WAAW,GAAG,KAAKC,gBAAL,CAAsB,YAAtB,CAApB;;QACID,WAAJ,EAAiB;UAEb,KAAK/0C,KAAL,CAAWuR,KAAE,CAAC/V,QAAd,KACA,KAAKwE,KAAL,CAAWuR,KAAE,CAACwjC,WAAd,CADA,IAEA,KAAK/0C,KAAL,CAAWuR,KAAE,CAACja,MAAd,CAHF,EAIE;QACAoK,IAAI,CAACua,EAAL,GAAU84B,WAAV;OALF,MAMO,IAAI9tB,UAAU,IAAI,CAACD,WAAnB,EAAgC;QACrCtlB,IAAI,CAACua,EAAL,GAAU,IAAV;QACAva,IAAI,CAACa,IAAL,GAAY,KAAK4yC,iBAAL,CAAuBJ,WAAvB,EAAoC,WAApC,CAAZ;eACO,KAAK/iC,UAAL,CAAgBtQ,IAAhB,EAAsBY,IAAtB,CAAP;OAHK,MAIA;aACAmb,UAAL,CAAgB,IAAhB,EAAsB,0BAAtB;;KAZJ,MAcO;WACAsJ,YAAL,CAAkBrlB,IAAlB,EAAwBslB,WAAxB,EAAqCC,UAArC;;;SAGGoB,eAAL,CAAqB3mB,IAArB;IACAA,IAAI,CAACa,IAAL,GACE,KAAKyyC,gBAAL,CAAsB,WAAtB,KACA,KAAKS,cAAL,CAAoB,CAAC,CAAC/zC,IAAI,CAACiM,UAA3B,CAFF;WAGO,KAAKqE,UAAL,CAAgBtQ,IAAhB,EAAsBY,IAAtB,CAAP;;;EAGF0Q,WAAW,CAACtR,IAAD,EAAuB;UAC1BqzC,WAAW,GAAG,KAAKC,gBAAL,CAAsB,YAAtB,CAApB;QACI,CAACD,WAAL,EAAkB,OAAO,MAAM/hC,WAAN,CAAkB,GAAGlQ,SAArB,CAAP;;QAEd,CAAC,KAAKsa,YAAL,CAAkB,MAAlB,CAAD,IAA8B,CAAC,KAAKpd,KAAL,CAAWuR,KAAE,CAAC1Z,KAAd,CAAnC,EAAyD;MAEvD6J,IAAI,CAACwR,UAAL,GAAkB,EAAlB;MACAxR,IAAI,CAAC1C,MAAL,GAAc,IAAd;MACA0C,IAAI,CAACiY,WAAL,GAAmB,KAAKw7B,iBAAL,CAAuBJ,WAAvB,EAAoC,aAApC,CAAnB;aACO,KAAK/iC,UAAL,CAAgBtQ,IAAhB,EAAsB,wBAAtB,CAAP;;;SAIGg0C,YAAL,CAAkB,mBAAlB;UACM1sB,SAAS,GAAG,KAAKjX,SAAL,EAAlB;IACAiX,SAAS,CAAC/V,QAAV,GAAqB8hC,WAArB;IACArzC,IAAI,CAACwR,UAAL,GAAkB,CAAC,KAAKlB,UAAL,CAAgBgX,SAAhB,EAA2B,wBAA3B,CAAD,CAAlB;WAEO,MAAMhW,WAAN,CAAkBtR,IAAlB,CAAP;;;EAGF2iB,wBAAwB,GAAY;QAC9B,KAAKrkB,KAAL,CAAWuR,KAAE,CAAClX,QAAd,CAAJ,EAA6B;YACrB0c,IAAI,GAAG,KAAKsY,cAAL,EAAb;;UACI,KAAKsmB,oBAAL,CAA0B5+B,IAA1B,EAAgC,MAAhC,CAAJ,EAA6C;YAEzC,KAAKlX,KAAL,CAAW+1C,UAAX,CACErkC,KAAE,CAACwjC,WAAH,CAAen/C,KADjB,EAEE,KAAKigD,mBAAL,CAAyB9+B,IAAI,GAAG,CAAhC,CAFF,CADF,EAKE;iBACO,IAAP;;;;;WAIC,MAAMsN,wBAAN,EAAP;;;EAGFyxB,gCAAgC,CAACp0C,IAAD,EAAwB;QAClDA,IAAI,CAACwR,UAAL,IAAmBxR,IAAI,CAACwR,UAAL,CAAgBnS,MAAhB,GAAyB,CAAhD,EAAmD;aAE1C,IAAP;;;WAEK,MAAM+0C,gCAAN,CAAuC,GAAGhzC,SAA1C,CAAP;;;EAGFizC,WAAW,CAACr0C,IAAD,EAAuC;UAC1C;MAAEwR;QAAexR,IAAvB;;QACIwR,UAAJ,oBAAIA,UAAU,CAAEnS,MAAhB,EAAwB;MACtBW,IAAI,CAACwR,UAAL,GAAkBA,UAAU,CAAC8iC,MAAX,CAChBt0C,IAAI,IAAIA,IAAI,CAACuR,QAAL,CAAc3Q,IAAd,KAAuB,aADf,CAAlB;;;UAIIyzC,WAAN,CAAkBr0C,IAAlB;IACAA,IAAI,CAACwR,UAAL,GAAkBA,UAAlB;;;EAGF6K,WAAW,CACTrc,IADS,EAE0C;UAC7CqzC,WAAW,GAAG,KAAKC,gBAAL,CAAsB,YAAtB,CAApB;QACI,CAACD,WAAL,EAAkB,OAAO,MAAMh3B,WAAN,CAAkB,GAAGjb,SAArB,CAAP;IAElBpB,IAAI,CAACwR,UAAL,GAAkB,EAAlB;;QAEI,CAAC,KAAKkK,YAAL,CAAkB,MAAlB,CAAD,IAA8B,CAAC,KAAKpd,KAAL,CAAWuR,KAAE,CAAC1Z,KAAd,CAAnC,EAAyD;MAEvD6J,IAAI,CAAC1C,MAAL,GAAc,KAAKm2C,iBAAL,CAAuBJ,WAAvB,EAAoC,eAApC,CAAd;WACKl4B,SAAL;aACO,KAAK7K,UAAL,CAAgBtQ,IAAhB,EAAsB,mBAAtB,CAAP;;;UAIIsnB,SAAS,GAAG,KAAKtV,eAAL,CAAqBqhC,WAArB,CAAlB;IACA/rB,SAAS,CAACC,KAAV,GAAkB8rB,WAAlB;SACK/iC,UAAL,CAAgBgX,SAAhB,EAA2B,wBAA3B;IACAtnB,IAAI,CAACwR,UAAL,CAAgB3R,IAAhB,CAAqBynB,SAArB;;QAEI,KAAKtN,GAAL,CAASnK,KAAE,CAAC1Z,KAAZ,CAAJ,EAAwB;YAEhBo+C,aAAa,GAAG,KAAKC,6BAAL,CAAmCx0C,IAAnC,CAAtB;UAGI,CAACu0C,aAAL,EAAoB,KAAKE,0BAAL,CAAgCz0C,IAAhC;;;SAGjB+Z,gBAAL,CAAsB,MAAtB;IACA/Z,IAAI,CAAC1C,MAAL,GAAc,KAAKo3C,iBAAL,EAAd;SACKv5B,SAAL;WACO,KAAK7K,UAAL,CAAgBtQ,IAAhB,EAAsB,mBAAtB,CAAP;;;EAGF00C,iBAAiB,GAAsC;WAInD,KAAKpB,gBAAL,CAAsB,eAAtB,KACA,MAAMoB,iBAAN,CAAwB,GAAGtzC,SAA3B,CAFF;;;CAtRN;;AC7CA,mBAAgB6K,UAAD,IACb,cAAcA,UAAd,CAAyB;EACvB0oC,gBAAgB,GAAiB;QAC3B,KAAKr2C,KAAL,CAAWuR,KAAE,CAAC3X,MAAd,CAAJ,EAA2B;YACnB08C,gBAAgB,GAAG,KAAKj1C,KAAL,CAAW3B,KAApC;YAEMgC,IAAI,GAAG,KAAKqQ,SAAL,EAAb;WACK2J,GAAL,CAASnK,KAAE,CAAC3X,MAAZ;;UACI,KAAKoG,KAAL,CAAWuR,KAAE,CAAClb,IAAd,CAAJ,EAAyB;cACjBA,IAAI,GAAG,KAAK8yC,mBAAL,CAAyB,KAAK9nC,KAAL,CAAW3B,KAApC,CAAb;cACM62C,UAAU,GAAG,KAAKpzB,gBAAL,CAAsBzhB,IAAtB,EAA4BrL,IAA5B,CAAnB;QACAkgD,UAAU,CAACj0C,IAAX,GAAkB,uBAAlB;;YACI,KAAKtC,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,CAAJ,EAA2B;iBAClB4+C,UAAP;;;;WAGC94B,UAAL,CAAgB64B,gBAAhB;;;;EAQJhlC,aAAa,GAAiB;WACrB,KAAK+kC,gBAAL,MAA2B,MAAM/kC,aAAN,CAAoB,GAAGxO,SAAvB,CAAlC;;;CAzBN;;ACMO,SAASvC,SAAT,CAAmBC,OAAnB,EAAwCnK,IAAxC,EAA+D;SAC7DmK,OAAO,CAACg2C,IAAR,CAAa71C,MAAM,IAAI;QACxB81C,KAAK,CAACC,OAAN,CAAc/1C,MAAd,CAAJ,EAA2B;aAClBA,MAAM,CAAC,CAAD,CAAN,KAActK,IAArB;KADF,MAEO;aACEsK,MAAM,KAAKtK,IAAlB;;GAJG,CAAP;;AASF,AAAO,SAASqK,eAAT,CACLF,OADK,EAELnK,IAFK,EAGLsgD,MAHK,EAIL;QACMh2C,MAAM,GAAGH,OAAO,CAAC0sC,IAAR,CAAavsC,MAAM,IAAI;QAChC81C,KAAK,CAACC,OAAN,CAAc/1C,MAAd,CAAJ,EAA2B;aAClBA,MAAM,CAAC,CAAD,CAAN,KAActK,IAArB;KADF,MAEO;aACEsK,MAAM,KAAKtK,IAAlB;;GAJW,CAAf;;MAQIsK,MAAM,IAAI81C,KAAK,CAACC,OAAN,CAAc/1C,MAAd,CAAd,EAAqC;WAC5BA,MAAM,CAAC,CAAD,CAAN,CAAUg2C,MAAV,CAAP;;;SAGK,IAAP;;AAGF,MAAMC,kBAAkB,GAAG,CAAC,SAAD,EAAY,OAAZ,EAAqB,QAArB,CAA3B;AACA,MAAMC,6BAA6B,GAAG,CAAC,MAAD,EAAS,KAAT,CAAtC;AAEA,AAAO,SAASC,eAAT,CAAyBt2C,OAAzB,EAA8C;MAC/CD,SAAS,CAACC,OAAD,EAAU,YAAV,CAAb,EAAsC;QAChCD,SAAS,CAACC,OAAD,EAAU,mBAAV,CAAb,EAA6C;YACrC,IAAIsa,KAAJ,CACJ,iEADI,CAAN;;;UAKIi8B,sBAAsB,GAAGr2C,eAAe,CAC5CF,OAD4C,EAE5C,YAF4C,EAG5C,wBAH4C,CAA9C;;QAKIu2C,sBAAsB,IAAI,IAA9B,EAAoC;YAC5B,IAAIj8B,KAAJ,CACJ,wEACE,2DADF,GAEE,kEAFF,GAGE,qEAJE,CAAN;KADF,MAOO,IAAI,OAAOi8B,sBAAP,KAAkC,SAAtC,EAAiD;YAChD,IAAIj8B,KAAJ,CAAU,6CAAV,CAAN;;;;MAIAva,SAAS,CAACC,OAAD,EAAU,MAAV,CAAT,IAA8BD,SAAS,CAACC,OAAD,EAAU,YAAV,CAA3C,EAAoE;UAC5D,IAAIsa,KAAJ,CAAU,6CAAV,CAAN;;;MAGEva,SAAS,CAACC,OAAD,EAAU,cAAV,CAAT,IAAsCD,SAAS,CAACC,OAAD,EAAU,aAAV,CAAnD,EAA6E;UACrE,IAAIsa,KAAJ,CAAU,sDAAV,CAAN;;;MAIAva,SAAS,CAACC,OAAD,EAAU,kBAAV,CAAT,IACA,CAACo2C,kBAAkB,CAAClqB,QAAnB,CACChsB,eAAe,CAACF,OAAD,EAAU,kBAAV,EAA8B,UAA9B,CADhB,CAFH,EAKE;UACM,IAAIsa,KAAJ,CACJ,iFACE87B,kBAAkB,CAAChmC,GAAnB,CAAuBwD,CAAC,IAAK,IAAGA,CAAE,GAAlC,EAAsC4iC,IAAtC,CAA2C,IAA3C,CAFE,CAAN;;;MAMEz2C,SAAS,CAACC,OAAD,EAAU,kBAAV,CAAb,EAA4C;UACpCy2C,kCAAkC,GAAGv2C,eAAe,CACxDF,OADwD,EAExD,kBAFwD,EAGxD,SAHwD,CAA1D;;QAKIy2C,kCAAkC,KAAK,UAA3C,EAAuD;YAC/C,IAAIn8B,KAAJ,CACJ,+DACE,wDADF,GAEE,sCAHE,CAAN;;;;MAQFva,SAAS,CAACC,OAAD,EAAU,gBAAV,CAAT,IACA,CAACq2C,6BAA6B,CAACnqB,QAA9B,CACChsB,eAAe,CAACF,OAAD,EAAU,gBAAV,EAA4B,YAA5B,CADhB,CAFH,EAKE;UACM,IAAIsa,KAAJ,CACJ,iFACE+7B,6BAA6B,CAACjmC,GAA9B,CAAkCwD,CAAC,IAAK,IAAGA,CAAE,GAA7C,EAAiD4iC,IAAjD,CAAsD,IAAtD,CAFE,CAAN;;;AASJ,AAQO,MAAME,YAA6C,GAAG;EAC3DC,MAD2D;EAE3D9sB,GAF2D;EAG3D+sB,IAH2D;EAI3DC,UAJ2D;EAK3DC,WAL2D;EAM3DC;CANK;AASP,AAAO,MAAMC,gBAAwC,GAAGp0C,MAAM,CAACq0C,IAAP,CACtDP,YADsD,CAAjD;;AC5GA,MAAMQ,cAAuB,GAAG;EAErCC,UAAU,EAAE,QAFyB;EAIrCC,cAAc,EAAEx1C,SAJqB;EAOrCy1C,SAAS,EAAE,CAP0B;EAUrCC,yBAAyB,EAAE,KAVU;EAarCC,0BAA0B,EAAE,KAbS;EAgBrCC,2BAA2B,EAAE,KAhBQ;EAkBrCC,uBAAuB,EAAE,KAlBY;EAoBrCC,sBAAsB,EAAE,KApBa;EAsBrC13C,OAAO,EAAE,EAtB4B;EAwBrC23C,UAAU,EAAE,IAxByB;EAiCrCC,MAAM,EAAE,KAjC6B;EAmCrCC,MAAM,EAAE,KAnC6B;EAsCrCC,8BAA8B,EAAE,KAtCK;EAyCrCjrC,aAAa,EAAE;CAzCV;AA8CP,AAAO,SAASkrC,UAAT,CAAoBC,IAApB,EAA6C;QAC5CliD,OAAY,GAAG,EAArB;;kCACkB8M,MAAM,CAACq0C,IAAP,CAAYC,cAAZ,CAFgC,kCAEH;UAApCjlC,GAAG,mBAAT;IACHnc,OAAO,CAACmc,GAAD,CAAP,GAAe+lC,IAAI,IAAIA,IAAI,CAAC/lC,GAAD,CAAJ,IAAa,IAArB,GAA4B+lC,IAAI,CAAC/lC,GAAD,CAAhC,GAAwCilC,cAAc,CAACjlC,GAAD,CAArE;;;SAEKnc,OAAP;;;ACvDa,MAAMmiD,KAAN,CAAY;;SAiBzBlrC,MAjByB,GAiBD,EAjBC;SAoBzBmrC,gBApByB,GAoBE,CAAC,CApBH;SA0BzB1zB,SA1ByB,GA0BH,EA1BG;SAkCzBS,yBAlCyB,GAkCa,EAlCb;SAqCzBkzB,YArCyB,GAqCD,KArCC;SAsCzB/G,sBAtCyB,GAsCS,KAtCT;SA2CzBgH,qBA3CyB,GA2CQ,KA3CR;SA4CzBC,UA5CyB,GA4CH,KA5CG;SA6CzB39B,MA7CyB,GA6CP,KA7CO;SA8CzByF,kBA9CyB,GA8CK,KA9CL;SA+CzB+hB,cA/CyB,GA+CC,KA/CD;SAgDzB3W,cAhDyB,GAgDC,KAhDD;SAiDzB/W,UAjDyB,GAiDH,KAjDG;SAoDzB8jC,YApDyB,GAoDS;MAChCC,wBAAwB,EAAE,CADM;MAEhCC,aAAa,EAAE;KAtDQ;SA0DzBC,SA1DyB,GA0DJ,KA1DI;SA2DzBC,0BA3DyB,GA2Da,KA3Db;SA8DzBC,MA9DyB,GAkEpB,EAlEoB;SAuEzBC,cAvEyB,GAuEmB,CAAC,EAAD,CAvEnB;SA0EzBtH,QA1EyB,GA0EN,CAAC,CA1EK;SA2EzBE,QA3EyB,GA2EN,CAAC,CA3EK;SA8EzBqH,QA9EyB,GA8EI,EA9EJ;SAiFzB/3C,gBAjFyB,GAiFY,EAjFZ;SAkFzBE,eAlFyB,GAkFW,EAlFX;SAmFzBgB,YAnFyB,GAwFpB,EAxFoB;SA0FzBR,mBA1FyB,GA0FK,IA1FL;SA6FzBkK,GA7FyB,GA6FX,CA7FW;SA8FzBnM,SA9FyB,GA8FL,CA9FK;SAkGzBuC,IAlGyB,GAkGPiP,KAAE,CAACva,GAlGI;SAqGzBmX,KArGyB,GAqGZ,IArGY;SAwGzBzO,KAxGyB,GAwGT,CAxGS;SAyGzBC,GAzGyB,GAyGX,CAzGW;SA6GzB6M,aA7GyB,GA6GC,IA7GD;SA+GzBH,eA/GyB,GA+GG,IA/GH;SAgHzBD,YAhHyB,GAgHF,CAhHE;SAiHzBG,UAjHyB,GAiHJ,CAjHI;SAsHzBiI,OAtHyB,GAsHI,CAAC4/B,OAAE,CAACrgC,cAAJ,CAtHJ;SAuHzBU,WAvHyB,GAuHF,IAvHE;SA4HzB25B,WA5HyB,GA4HF,KA5HE;SAiIzBkL,cAjIyB,GAiIE,EAjIF;SAqIzBC,mBArIyB,GAqIY,EArIZ;SAwIzBC,YAxIyB,GAwIF,CAxIE;;;EASzBzrB,IAAI,CAACz3B,OAAD,EAAyB;SACtB0f,MAAL,GACE1f,OAAO,CAAC6hD,UAAR,KAAuB,KAAvB,GAA+B,KAA/B,GAAuC7hD,OAAO,CAACqhD,UAAR,KAAuB,QADhE;SAGKlX,OAAL,GAAenqC,OAAO,CAACuhD,SAAvB;SACK1rC,QAAL,GAAgB,KAAKG,MAAL,GAAc,KAAKmtC,WAAL,EAA9B;;;EA4HFA,WAAW,GAAa;WACf,IAAIp6C,QAAJ,CAAa,KAAKohC,OAAlB,EAA2B,KAAKv0B,GAAL,GAAW,KAAKnM,SAA3C,CAAP;;;EAGF+kB,KAAK,CAAC40B,UAAD,EAA8B;UAC3Br4C,KAAK,GAAG,IAAIo3C,KAAJ,EAAd;UACMhB,IAAI,GAAGr0C,MAAM,CAACq0C,IAAP,CAAY,IAAZ,CAAb;;SACK,IAAI31C,CAAC,GAAG,CAAR,EAAWf,MAAM,GAAG02C,IAAI,CAAC12C,MAA9B,EAAsCe,CAAC,GAAGf,MAA1C,EAAkDe,CAAC,EAAnD,EAAuD;YAC/C2Q,GAAG,GAAGglC,IAAI,CAAC31C,CAAD,CAAhB;UAEI8Y,GAAG,GAAG,KAAKnI,GAAL,CAAV;;UAEI,CAACinC,UAAD,IAAejD,KAAK,CAACC,OAAN,CAAc97B,GAAd,CAAnB,EAAuC;QACrCA,GAAG,GAAGA,GAAG,CAAC7X,KAAJ,EAAN;;;MAIF1B,KAAK,CAACoR,GAAD,CAAL,GAAamI,GAAb;;;WAGKvZ,KAAP;;;;;eCpLJ,SAASs4C,OAAT,CAAiBz6C,IAAjB,EAAuB;SACdA,IAAI,MAAJ,IAAkBA,IAAI,MAA7B;;AAqBF,MAAM06C,iBAAiB,GAAG,IAAI1jC,GAAJ,CAAQ,CAAC,GAAD,EAAM,GAAN,EAAW,GAAX,EAAgB,GAAhB,EAAqB,GAArB,EAA0B,GAA1B,CAAR,CAA1B;AAKA,MAAM2jC,iCAAiC,GAAG;EACxCC,SAAS,EAAE,kCAD6B;EAWxCC,GAAG,EAAE;CAXP;AAmBA,MAAMC,+BAA+B,GAAG,EAAxC;AACAA,+BAA+B,CAACC,GAAhC,GAAsC,QAAtC;AAKAD,+BAA+B,CAACE,GAAhC,GAAsC,CAEpC,GAAGF,+BAA+B,CAACC,GAFC,yBAAtC;AAWAD,+BAA+B,CAACG,GAAhC,GAAsC,CAEpC,GAAGH,+BAA+B,CAACE,GAFC,SAAtC;AAQAF,+BAA+B,CAACD,GAAhC,GAAsC,CAEpC,GAAGC,+BAA+B,CAACG,GAFC,oDAAtC;AAuBA,AAAO,MAAMC,KAAN,CAAY;EACjBzkD,WAAW,CAAC0L,KAAD,EAAe;SACnBiB,IAAL,GAAYjB,KAAK,CAACiB,IAAlB;SACK6L,KAAL,GAAa9M,KAAK,CAAC8M,KAAnB;SACKzO,KAAL,GAAa2B,KAAK,CAAC3B,KAAnB;SACKC,GAAL,GAAW0B,KAAK,CAAC1B,GAAjB;SACKyB,GAAL,GAAW,IAAI3B,cAAJ,CAAmB4B,KAAK,CAAC8K,QAAzB,EAAmC9K,KAAK,CAACiL,MAAzC,CAAX;;;;AAYJ,AAAe,MAAM+tC,SAAN,SAAwBC,WAAxB,CAAqC;EAalD3kD,WAAW,CAACW,OAAD,EAAmBuJ,KAAnB,EAAkC;;SAF7Cw4C,MAE6C,GAFV,EAEU;SAEtCh3C,KAAL,GAAa,IAAIo3C,KAAJ,EAAb;SACKp3C,KAAL,CAAW0sB,IAAX,CAAgBz3B,OAAhB;SACKuJ,KAAL,GAAaA,KAAb;SACKkB,MAAL,GAAclB,KAAK,CAACkB,MAApB;SACKuM,WAAL,GAAmB,KAAnB;;;EAGFitC,SAAS,CAAChkD,KAAD,EAA2B;SAG7B8hD,MAAL,CAAYt3C,MAAZ,GAAqB,KAAKM,KAAL,CAAWm4C,YAAhC;SACKnB,MAAL,CAAY92C,IAAZ,CAAiBhL,KAAjB;MACE,KAAK8K,KAAL,CAAWm4C,YAAb;;;EAKFziC,IAAI,GAAS;QACP,CAAC,KAAKzJ,WAAV,EAAuB;WAChBktC,mBAAL;;UACI,KAAKlkD,OAAL,CAAa+hD,MAAjB,EAAyB;aAClBkC,SAAL,CAAe,IAAIH,KAAJ,CAAU,KAAK/4C,KAAf,CAAf;;;;SAICA,KAAL,CAAWkL,UAAX,GAAwB,KAAKlL,KAAL,CAAW1B,GAAnC;SACK0B,KAAL,CAAW+K,YAAX,GAA0B,KAAK/K,KAAL,CAAW3B,KAArC;SACK2B,KAAL,CAAWmL,aAAX,GAA2B,KAAKnL,KAAL,CAAWiL,MAAtC;SACKjL,KAAL,CAAWgL,eAAX,GAA6B,KAAKhL,KAAL,CAAW8K,QAAxC;SACK6f,SAAL;;;EAKFtQ,GAAG,CAACpZ,IAAD,EAA2B;QACxB,KAAKtC,KAAL,CAAWsC,IAAX,CAAJ,EAAsB;WACfyU,IAAL;aACO,IAAP;KAFF,MAGO;aACE,KAAP;;;;EAMJ/W,KAAK,CAACsC,IAAD,EAA2B;WACvB,KAAKjB,KAAL,CAAWiB,IAAX,KAAoBA,IAA3B;;;EAKF6e,SAAS,GAAU;UACXs5B,GAAG,GAAG,KAAKp5C,KAAjB;SACKA,KAAL,GAAao5C,GAAG,CAAC31B,KAAJ,CAAU,IAAV,CAAb;SAEKxX,WAAL,GAAmB,IAAnB;SACKyJ,IAAL;SACKzJ,WAAL,GAAmB,KAAnB;UAEMotC,IAAI,GAAG,KAAKr5C,KAAlB;SACKA,KAAL,GAAao5C,GAAb;WACOC,IAAP;;;EAGFrrB,cAAc,GAAW;WAChB,KAAKwmB,mBAAL,CAAyB,KAAKx0C,KAAL,CAAW6K,GAApC,CAAP;;;EAGF2pC,mBAAmB,CAAC3pC,GAAD,EAAsB;IACvC/M,cAAc,CAACc,SAAf,GAA2BiM,GAA3B;UACMyuC,IAAI,GAAGx7C,cAAc,CAACe,IAAf,CAAoB,KAAKL,KAAzB,CAAb;WAEOqM,GAAG,GAAGyuC,IAAI,CAAC,CAAD,CAAJ,CAAQ55C,MAArB;;;EAGF0rC,iBAAiB,GAAW;WACnB,KAAK5sC,KAAL,CAAW0nB,UAAX,CAAsB,KAAK8H,cAAL,EAAtB,CAAP;;;EAMFurB,SAAS,CAAC5kC,MAAD,EAAwB;SAC1B3U,KAAL,CAAW2U,MAAX,GAAoBA,MAApB;QACI,CAAC,KAAKhW,KAAL,CAAWuR,KAAE,CAAC5a,GAAd,CAAD,IAAuB,CAAC,KAAKqJ,KAAL,CAAWuR,KAAE,CAACxa,MAAd,CAA5B,EAAmD;SAC9CsK,KAAL,CAAW6K,GAAX,GAAiB,KAAK7K,KAAL,CAAW3B,KAA5B;;WACO,KAAK2B,KAAL,CAAW6K,GAAX,GAAiB,KAAK7K,KAAL,CAAWtB,SAAnC,EAA8C;WACvCsB,KAAL,CAAWtB,SAAX,GACE,KAAKF,KAAL,CAAWg7C,WAAX,CAAuB,IAAvB,EAA6B,KAAKx5C,KAAL,CAAWtB,SAAX,GAAuB,CAApD,IAAyD,CAD3D;QAEE,KAAKsB,KAAL,CAAWo/B,OAAb;;;SAEGzU,SAAL;;;EAGFrX,UAAU,GAAe;WAChB,KAAKtT,KAAL,CAAWmT,OAAX,CAAmB,KAAKnT,KAAL,CAAWmT,OAAX,CAAmBzT,MAAnB,GAA4B,CAA/C,CAAP;;;EAMFirB,SAAS,GAAS;UACVrX,UAAU,GAAG,KAAKA,UAAL,EAAnB;QACI,EAACA,UAAD,oBAACA,UAAU,CAAEd,aAAb,CAAJ,EAAgC,KAAKinC,SAAL;SAE3Bz5C,KAAL,CAAWi4C,cAAX,GAA4B,EAA5B;SACKj4C,KAAL,CAAW3B,KAAX,GAAmB,KAAK2B,KAAL,CAAW6K,GAA9B;SACK7K,KAAL,CAAW8K,QAAX,GAAsB,KAAK9K,KAAL,CAAWo4C,WAAX,EAAtB;;QACI,KAAKp4C,KAAL,CAAW6K,GAAX,IAAkB,KAAKnL,MAA3B,EAAmC;WAC5B4Z,WAAL,CAAiBpJ,KAAE,CAACva,GAApB;;;;UAII8c,QAAQ,GAAGa,UAAH,oBAAGA,UAAU,CAAEb,QAA7B;;QACIA,QAAJ,EAAc;MACZA,QAAQ,CAAC,IAAD,CAAR;KADF,MAEO;WACAwT,gBAAL,CAAsB,KAAKznB,KAAL,CAAWk7C,WAAX,CAAuB,KAAK15C,KAAL,CAAW6K,GAAlC,CAAtB;;;;EAIJ8uC,WAAW,CACTC,KADS,EAETC,IAFS,EAGTx7C,KAHS,EAITC,GAJS,EAKTwM,QALS,EAMTG,MANS,EAOH;UACApL,OAAO,GAAG;MACdoB,IAAI,EAAE24C,KAAK,GAAG,cAAH,GAAoB,aADjB;MAEd9sC,KAAK,EAAE+sC,IAFO;MAGdx7C,KAAK,EAAEA,KAHO;MAIdC,GAAG,EAAEA,GAJS;MAKdyB,GAAG,EAAE,IAAI3B,cAAJ,CAAmB0M,QAAnB,EAA6BG,MAA7B;KALP;QAQI,KAAKhW,OAAL,CAAa+hD,MAAjB,EAAyB,KAAKkC,SAAL,CAAer5C,OAAf;SACpBG,KAAL,CAAWg4C,QAAX,CAAoB93C,IAApB,CAAyBL,OAAzB;SACKD,UAAL,CAAgBC,OAAhB;;;EAGForB,gBAAgB,GAAS;UACjBngB,QAAQ,GAAG,KAAK9K,KAAL,CAAWo4C,WAAX,EAAjB;UACM/5C,KAAK,GAAG,KAAK2B,KAAL,CAAW6K,GAAzB;UACMvM,GAAG,GAAG,KAAKE,KAAL,CAAWsmB,OAAX,CAAmB,IAAnB,EAAyB,KAAK9kB,KAAL,CAAW6K,GAAX,GAAiB,CAA1C,CAAZ;QACIvM,GAAG,KAAK,CAAC,CAAb,EAAgB,MAAM,KAAK8M,KAAL,CAAW/M,KAAX,EAAkB8P,aAAM,CAAChE,mBAAzB,CAAN;SAEXnK,KAAL,CAAW6K,GAAX,GAAiBvM,GAAG,GAAG,CAAvB;IACAb,UAAU,CAACmB,SAAX,GAAuBP,KAAvB;QACIM,KAAJ;;WAEE,CAACA,KAAK,GAAGlB,UAAU,CAACoB,IAAX,CAAgB,KAAKL,KAArB,CAAT,KACAG,KAAK,CAACG,KAAN,GAAc,KAAKkB,KAAL,CAAW6K,GAF3B,EAGE;QACE,KAAK7K,KAAL,CAAWo/B,OAAb;WACKp/B,KAAL,CAAWtB,SAAX,GAAuBC,KAAK,CAACG,KAAN,GAAcH,KAAK,CAAC,CAAD,CAAL,CAASe,MAA9C;;;QAKE,KAAKuM,WAAT,EAAsB;SAEjB0tC,WAAL,CACE,IADF,EAEE,KAAKn7C,KAAL,CAAWkD,KAAX,CAAiBrD,KAAK,GAAG,CAAzB,EAA4BC,GAA5B,CAFF,EAGED,KAHF,EAIE,KAAK2B,KAAL,CAAW6K,GAJb,EAKEC,QALF,EAME,KAAK9K,KAAL,CAAWo4C,WAAX,EANF;;;EAUF0B,eAAe,CAACC,SAAD,EAA0B;UACjC17C,KAAK,GAAG,KAAK2B,KAAL,CAAW6K,GAAzB;UACMC,QAAQ,GAAG,KAAK9K,KAAL,CAAWo4C,WAAX,EAAjB;QACIpZ,EAAE,GAAG,KAAKxgC,KAAL,CAAW0nB,UAAX,CAAuB,KAAKlmB,KAAL,CAAW6K,GAAX,IAAkBkvC,SAAzC,CAAT;;QACI,KAAK/5C,KAAL,CAAW6K,GAAX,GAAiB,KAAKnL,MAA1B,EAAkC;aACzB,CAAC9B,SAAS,CAACohC,EAAD,CAAV,IAAkB,EAAE,KAAKh/B,KAAL,CAAW6K,GAAb,GAAmB,KAAKnL,MAAjD,EAAyD;QACvDs/B,EAAE,GAAG,KAAKxgC,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAjC,CAAL;;;;QAMA,KAAKoB,WAAT,EAAsB;SAEjB0tC,WAAL,CACE,KADF,EAEE,KAAKn7C,KAAL,CAAWkD,KAAX,CAAiBrD,KAAK,GAAG07C,SAAzB,EAAoC,KAAK/5C,KAAL,CAAW6K,GAA/C,CAFF,EAGExM,KAHF,EAIE,KAAK2B,KAAL,CAAW6K,GAJb,EAKEC,QALF,EAME,KAAK9K,KAAL,CAAWo4C,WAAX,EANF;;;EAaFqB,SAAS,GAAS;IAChBO,IAAI,EAAE,OAAO,KAAKh6C,KAAL,CAAW6K,GAAX,GAAiB,KAAKnL,MAA7B,EAAqC;YACnCs/B,EAAE,GAAG,KAAKxgC,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAjC,CAAX;;cACQm0B,EAAR;;;;YAIM,KAAKh/B,KAAL,CAAW6K,GAAb;;;;cAIE,KAAKrM,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,QADF,EAEE;cACE,KAAK7K,KAAL,CAAW6K,GAAb;;;;;;YAMA,KAAK7K,KAAL,CAAW6K,GAAb;YACE,KAAK7K,KAAL,CAAWo/B,OAAb;eACKp/B,KAAL,CAAWtB,SAAX,GAAuB,KAAKsB,KAAL,CAAW6K,GAAlC;;;;kBAIQ,KAAKrM,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,CAAR;;mBAESogB,gBAAL;;;;mBAIK6uB,eAAL,CAAqB,CAArB;;;;oBAIME,IAAN;;;;;;cAKAj8C,YAAY,CAACihC,EAAD,CAAhB,EAAsB;cAClB,KAAKh/B,KAAL,CAAW6K,GAAb;WADF,MAEO;kBACCmvC,IAAN;;;;;;;EAWV1gC,WAAW,CAACrY,IAAD,EAAkBsY,GAAlB,EAAkC;SACtCvZ,KAAL,CAAW1B,GAAX,GAAiB,KAAK0B,KAAL,CAAW6K,GAA5B;SACK7K,KAAL,CAAWiL,MAAX,GAAoB,KAAKjL,KAAL,CAAWo4C,WAAX,EAApB;UACM7kC,QAAQ,GAAG,KAAKvT,KAAL,CAAWiB,IAA5B;SACKjB,KAAL,CAAWiB,IAAX,GAAkBA,IAAlB;SACKjB,KAAL,CAAW8M,KAAX,GAAmByM,GAAnB;QAEI,CAAC,KAAKtN,WAAV,EAAuB,KAAKrX,aAAL,CAAmB2e,QAAnB;;;EAazB0mC,oBAAoB,GAAS;QACvB,KAAKj6C,KAAL,CAAW6K,GAAX,KAAmB,CAAnB,IAAwB,KAAKqvC,qBAAL,EAA5B,EAA0D;;;;UAIpDC,OAAO,GAAG,KAAKn6C,KAAL,CAAW6K,GAAX,GAAiB,CAAjC;UACM6K,IAAI,GAAG,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsBi0B,OAAtB,CAAb;;QACIzkC,IAAI,MAAJ,IAA4BA,IAAI,MAApC,EAA0D;YAClD,KAAKtK,KAAL,CAAW,KAAKpL,KAAL,CAAW6K,GAAtB,EAA2BsD,aAAM,CAACpF,wBAAlC,CAAN;;;QAIA2M,IAAI,QAAJ,IACCA,IAAI,OAAJ,IAAwC,KAAKxW,SAAL,CAAe,gBAAf,CAF3C,EAGE;WAKKm1C,YAAL,CAAkB,gBAAlB;;UACI,KAAKh1C,eAAL,CAAqB,gBAArB,EAAuC,YAAvC,MAAyD,MAA7D,EAAqE;cAC7D,KAAK+L,KAAL,CACJ,KAAKpL,KAAL,CAAW6K,GADP,EAEJ6K,IAAI,QAAJ,GACIvH,aAAM,CAACxG,4CADX,GAEIwG,aAAM,CAACvF,2CAJP,CAAN;;;UAQE8M,IAAI,QAAR,EAAuC;aAEhC4D,WAAL,CAAiBpJ,KAAE,CAAC/Z,UAApB;OAFF,MAGO;aAEAmjB,WAAL,CAAiBpJ,KAAE,CAACra,YAApB;;;WAEGmK,KAAL,CAAW6K,GAAX,IAAkB,CAAlB;KAzBF,MA0BO;WACAsb,QAAL,CAAcjW,KAAE,CAAC7Y,IAAjB,EAAuB,CAAvB;;;;EAIJ+iD,aAAa,GAAS;UACd1kC,IAAI,GAAG,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,CAAb;;QACI6K,IAAI,MAAJ,IAA4BA,IAAI,MAApC,EAA0D;WACnD2kC,UAAL,CAAgB,IAAhB;;;;QAKA3kC,IAAI,OAAJ,IACA,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,QAFF,EAGE;WACK7K,KAAL,CAAW6K,GAAX,IAAkB,CAAlB;WACKyO,WAAL,CAAiBpJ,KAAE,CAACjZ,QAApB;KALF,MAMO;QACH,KAAK+I,KAAL,CAAW6K,GAAb;WACKyO,WAAL,CAAiBpJ,KAAE,CAACtZ,GAApB;;;;EAIJ0jD,eAAe,GAAS;QAElB,KAAKt6C,KAAL,CAAWoT,WAAX,IAA0B,CAAC,KAAKpT,KAAL,CAAW6Z,MAA1C,EAAkD;QAC9C,KAAK7Z,KAAL,CAAW6K,GAAb;WACK0vC,UAAL;;;;UAII7kC,IAAI,GAAG,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,CAAb;;QACI6K,IAAI,OAAR,EAAiC;WAC1ByQ,QAAL,CAAcjW,KAAE,CAAC1Y,MAAjB,EAAyB,CAAzB;KADF,MAEO;WACA2uB,QAAL,CAAcjW,KAAE,CAACzX,KAAjB,EAAwB,CAAxB;;;;EAIJyhD,qBAAqB,GAAY;QAC3B,KAAKl6C,KAAL,CAAW6K,GAAX,KAAmB,CAAnB,IAAwB,KAAKnL,MAAL,GAAc,CAA1C,EAA6C,OAAO,KAAP;QAEzCs/B,EAAE,GAAG,KAAKxgC,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,CAAT;QACIm0B,EAAE,OAAN,EAAsC,OAAO,KAAP;UAEhC3gC,KAAK,GAAG,KAAK2B,KAAL,CAAW6K,GAAzB;SACK7K,KAAL,CAAW6K,GAAX,IAAkB,CAAlB;;WAEO,CAACjN,SAAS,CAACohC,EAAD,CAAV,IAAkB,EAAE,KAAKh/B,KAAL,CAAW6K,GAAb,GAAmB,KAAKnL,MAAjD,EAAyD;MACvDs/B,EAAE,GAAG,KAAKxgC,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAjC,CAAL;;;UAGIiC,KAAK,GAAG,KAAKtO,KAAL,CAAWkD,KAAX,CAAiBrD,KAAK,GAAG,CAAzB,EAA4B,KAAK2B,KAAL,CAAW6K,GAAvC,CAAd;SAEKyO,WAAL,CAAiBpJ,KAAE,CAAC5Y,oBAApB,EAA0CwV,KAA1C;WAEO,IAAP;;;EAGF2d,qBAAqB,CAAC5sB,IAAD,EAAqB;QAEpCoD,IAAI,GAAGpD,IAAI,OAAJ,GAA8BqS,KAAE,CAAC1X,IAAjC,GAAwC0X,KAAE,CAAC3X,MAAtD;QACIiiD,KAAK,GAAG,CAAZ;QACI9kC,IAAI,GAAG,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,CAAX;UACMuI,WAAW,GAAG,KAAKpT,KAAL,CAAWoT,WAA/B;;QAGIvV,IAAI,OAAJ,IAA+B6X,IAAI,OAAvC,EAAgE;MAC9D8kC,KAAK;MACL9kC,IAAI,GAAG,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,CAAP;MACA5J,IAAI,GAAGiP,KAAE,CAACxX,QAAV;;;QAGEgd,IAAI,OAAJ,IAA+B,CAACtC,WAApC,EAAiD;MAC/ConC,KAAK;MACLv5C,IAAI,GAAGiP,KAAE,CAAC1Y,MAAV;;;SAGG2uB,QAAL,CAAcllB,IAAd,EAAoBu5C,KAApB;;;EAGF5vB,kBAAkB,CAAC/sB,IAAD,EAAqB;UAE/B6X,IAAI,GAAG,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,CAAb;;QAEI6K,IAAI,KAAK7X,IAAb,EAAmB;UACb,KAAKW,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,QAAJ,EAAsE;aAC/Dsb,QAAL,CAAcjW,KAAE,CAAC1Y,MAAjB,EAAyB,CAAzB;OADF,MAEO;aACA2uB,QAAL,CACEtoB,IAAI,QAAJ,GAAiCqS,KAAE,CAACpY,SAApC,GAAgDoY,KAAE,CAACnY,UADrD,EAEE,CAFF;;;;;;QAQA8F,IAAI,QAAR,EAAoC;UAE9B6X,IAAI,OAAR,EAAoC;aAC7ByQ,QAAL,CAAcjW,KAAE,CAACtY,QAAjB,EAA2B,CAA3B;;;;UAKA,KAAKsH,SAAL,CAAe,gBAAf,KACAwW,IAAI,QAFN,EAGE;YACI,KAAKrW,eAAL,CAAqB,gBAArB,EAAuC,YAAvC,MAAyD,KAA7D,EAAoE;gBAC5D,KAAK+L,KAAL,CACJ,KAAKpL,KAAL,CAAW6K,GADP,EAEJsD,aAAM,CAAC1G,yCAFH,CAAN;;;aAMG0e,QAAL,CAAcjW,KAAE,CAAC7Z,SAAjB,EAA4B,CAA5B;;;;UAMA,KAAK6I,SAAL,CAAe,gBAAf,KACAwW,IAAI,OAFN,EAGE;YACI,KAAKrW,eAAL,CAAqB,gBAArB,EAAuC,YAAvC,MAAyD,KAA7D,EAAoE;gBAC5D,KAAK+L,KAAL,CACJ,KAAKpL,KAAL,CAAW6K,GADP,EAEJsD,aAAM,CAACzF,wCAFH,CAAN;;;aAMGyd,QAAL,CAAcjW,KAAE,CAACla,WAAjB,EAA8B,CAA9B;;;;;QAKA0f,IAAI,OAAR,EAAiC;WAC1ByQ,QAAL,CAAcjW,KAAE,CAAC1Y,MAAjB,EAAyB,CAAzB;;;;SAIG2uB,QAAL,CACEtoB,IAAI,QAAJ,GAAiCqS,KAAE,CAAClY,SAApC,GAAgDkY,KAAE,CAAChY,UADrD,EAEE,CAFF;;;EAMFuiD,eAAe,GAAS;UAEhB/kC,IAAI,GAAG,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,CAAb;;QACI6K,IAAI,OAAR,EAAiC;WAC1ByQ,QAAL,CAAcjW,KAAE,CAAC1Y,MAAjB,EAAyB,CAAzB;KADF,MAEO;WACA2uB,QAAL,CAAcjW,KAAE,CAACjY,UAAjB,EAA6B,CAA7B;;;;EAIJyiD,kBAAkB,CAAC78C,IAAD,EAAqB;UAE/B6X,IAAI,GAAG,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,CAAb;;QAEI6K,IAAI,KAAK7X,IAAb,EAAmB;UAEf6X,IAAI,OAAJ,IACA,CAAC,KAAKR,QADN,IAEA,KAAK1W,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,QAFA,KAGC,KAAK7K,KAAL,CAAWkL,UAAX,KAA0B,CAA1B,IACC1N,SAAS,CAACsW,IAAV,CACE,KAAKtV,KAAL,CAAWkD,KAAX,CAAiB,KAAK1B,KAAL,CAAWkL,UAA5B,EAAwC,KAAKlL,KAAL,CAAW6K,GAAnD,CADF,CAJF,CADF,EAQE;aAEKivC,eAAL,CAAqB,CAArB;aACKL,SAAL;aACK9uB,SAAL;;;;WAGGxE,QAAL,CAAcjW,KAAE,CAACzY,MAAjB,EAAyB,CAAzB;;;;QAIEie,IAAI,OAAR,EAAiC;WAC1ByQ,QAAL,CAAcjW,KAAE,CAAC1Y,MAAjB,EAAyB,CAAzB;KADF,MAEO;WACA2uB,QAAL,CAAcjW,KAAE,CAAC5X,OAAjB,EAA0B,CAA1B;;;;EAIJ46C,eAAe,CAACr1C,IAAD,EAAqB;UAE5B6X,IAAI,GAAG,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,CAAb;QACI8vC,IAAI,GAAG,CAAX;;QAEIjlC,IAAI,KAAK7X,IAAb,EAAmB;MACjB88C,IAAI,GACF98C,IAAI,OAAJ,IACA,KAAKW,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,QADA,GAEI,CAFJ,GAGI,CAJN;;UAKI,KAAKrM,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB8vC,IAAvC,QAAJ,EAAyE;aAClEx0B,QAAL,CAAcjW,KAAE,CAAC1Y,MAAjB,EAAyBmjD,IAAI,GAAG,CAAhC;;;;WAGGx0B,QAAL,CAAcjW,KAAE,CAAC7X,QAAjB,EAA2BsiD,IAA3B;;;;QAKAjlC,IAAI,OAAJ,IACA7X,IAAI,OADJ,IAEA,CAAC,KAAKqX,QAFN,IAGA,KAAK1W,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,QAHA,IAIA,KAAKrM,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,QALF,EAME;WAEKivC,eAAL,CAAqB,CAArB;WACKL,SAAL;WACK9uB,SAAL;;;;QAIEjV,IAAI,OAAR,EAAiC;MAE/BilC,IAAI,GAAG,CAAP;;;SAGGx0B,QAAL,CAAcjW,KAAE,CAAC9X,UAAjB,EAA6BuiD,IAA7B;;;EAGFC,iBAAiB,CAAC/8C,IAAD,EAAqB;UAE9B6X,IAAI,GAAG,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,CAAb;;QACI6K,IAAI,OAAR,EAAiC;WAC1ByQ,QAAL,CACEjW,KAAE,CAAC/X,QADL,EAEE,KAAKqG,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,WACI,CADJ,GAEI,CAJN;;;;QAQEhN,IAAI,OAAJ,IAA+B6X,IAAI,OAAvC,EAAmE;WAE5D1V,KAAL,CAAW6K,GAAX,IAAkB,CAAlB;WACKyO,WAAL,CAAiBpJ,KAAE,CAACnZ,KAApB;;;;SAGGovB,QAAL,CAActoB,IAAI,OAAJ,GAA8BqS,KAAE,CAAC3Y,EAAjC,GAAsC2Y,KAAE,CAACxY,IAAvD,EAA6D,CAA7D;;;EAGFmjD,kBAAkB,GAAS;UAEnBnlC,IAAI,GAAG,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,CAAb;UACMiwC,KAAK,GAAG,KAAKt8C,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,CAAd;;QACI6K,IAAI,OAAR,EAAqC;UAC/BolC,KAAK,OAAT,EAAkC;aAE3B30B,QAAL,CAAcjW,KAAE,CAAC1Y,MAAjB,EAAyB,CAAzB;OAFF,MAGO;aAEA2uB,QAAL,CAAcjW,KAAE,CAACrY,iBAAjB,EAAoC,CAApC;;KANJ,MAQO,IACL6d,IAAI,OAAJ,IACA,EAAEolC,KAAK,MAAL,IAA6BA,KAAK,MAApC,CAFK,EAGL;WAEK96C,KAAL,CAAW6K,GAAX,IAAkB,CAAlB;WACKyO,WAAL,CAAiBpJ,KAAE,CAACpZ,WAApB;KANK,MAOA;QACH,KAAKkJ,KAAL,CAAW6K,GAAb;WACKyO,WAAL,CAAiBpJ,KAAE,CAACrZ,QAApB;;;;EAIJovB,gBAAgB,CAACpoB,IAAD,EAAqB;YAC3BA,IAAR;;aAKSu8C,aAAL;;;;UAKE,KAAKp6C,KAAL,CAAW6K,GAAb;aACKyO,WAAL,CAAiBpJ,KAAE,CAAC5Z,MAApB;;;;UAGE,KAAK0J,KAAL,CAAW6K,GAAb;aACKyO,WAAL,CAAiBpJ,KAAE,CAAC3Z,MAApB;;;;UAGE,KAAKyJ,KAAL,CAAW6K,GAAb;aACKyO,WAAL,CAAiBpJ,KAAE,CAACzZ,IAApB;;;;UAGE,KAAKuJ,KAAL,CAAW6K,GAAb;aACKyO,WAAL,CAAiBpJ,KAAE,CAAC1Z,KAApB;;;;YAIE,KAAK0I,SAAL,CAAe,gBAAf,KACA,KAAKV,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,SAFF,EAGE;cACI,KAAKxL,eAAL,CAAqB,gBAArB,EAAuC,YAAvC,MAAyD,KAA7D,EAAoE;kBAC5D,KAAK+L,KAAL,CACJ,KAAKpL,KAAL,CAAW6K,GADP,EAEJsD,aAAM,CAACxF,0CAFH,CAAN;;;eAOG2Q,WAAL,CAAiBpJ,KAAE,CAACpa,WAApB;eACKkK,KAAL,CAAW6K,GAAX,IAAkB,CAAlB;SAbF,MAcO;YACH,KAAK7K,KAAL,CAAW6K,GAAb;eACKyO,WAAL,CAAiBpJ,KAAE,CAACta,QAApB;;;;;;UAIA,KAAKoK,KAAL,CAAW6K,GAAb;aACKyO,WAAL,CAAiBpJ,KAAE,CAACna,QAApB;;;;YAIE,KAAKmJ,SAAL,CAAe,gBAAf,KACA,KAAKV,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,SAFF,EAGE;cACI,KAAKxL,eAAL,CAAqB,gBAArB,EAAuC,YAAvC,MAAyD,KAA7D,EAAoE;kBAC5D,KAAK+L,KAAL,CACJ,KAAKpL,KAAL,CAAW6K,GADP,EAEJsD,aAAM,CAACzG,2CAFH,CAAN;;;eAOG4R,WAAL,CAAiBpJ,KAAE,CAACha,SAApB;eACK8J,KAAL,CAAW6K,GAAX,IAAkB,CAAlB;SAbF,MAcO;YACH,KAAK7K,KAAL,CAAW6K,GAAb;eACKyO,WAAL,CAAiBpJ,KAAE,CAACja,MAApB;;;;;;UAIA,KAAK+J,KAAL,CAAW6K,GAAb;aACKyO,WAAL,CAAiBpJ,KAAE,CAAC9Z,MAApB;;;;YAKE,KAAK8I,SAAL,CAAe,cAAf,KACA,KAAKV,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,QAFF,EAGE;eACKsb,QAAL,CAAcjW,KAAE,CAACvZ,WAAjB,EAA8B,CAA9B;SAJF,MAKO;YACH,KAAKqJ,KAAL,CAAW6K,GAAb;eACKyO,WAAL,CAAiBpJ,KAAE,CAACxZ,KAApB;;;;;;aAKGmkD,kBAAL;;;;UAIE,KAAK76C,KAAL,CAAW6K,GAAb;aACKyO,WAAL,CAAiBpJ,KAAE,CAAChZ,SAApB;;;;;gBAIMwe,IAAI,GAAG,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,CAAb;;cAEI6K,IAAI,QAAJ,IAAiCA,IAAI,OAAzC,EAAoE;iBAC7DqlC,eAAL,CAAqB,EAArB;;;;cAIErlC,IAAI,QAAJ,IAAiCA,IAAI,OAAzC,EAAoE;iBAC7DqlC,eAAL,CAAqB,CAArB;;;;cAIErlC,IAAI,OAAJ,IAAiCA,IAAI,OAAzC,EAAoE;iBAC7DqlC,eAAL,CAAqB,CAArB;;;;;;;;;;;;;;aAeGV,UAAL,CAAgB,KAAhB;;;;;aAMKW,UAAL,CAAgBn9C,IAAhB;;;;aASKy8C,eAAL;;;;;aAKK7vB,qBAAL,CAA2B5sB,IAA3B;;;;;aAKK+sB,kBAAL,CAAwB/sB,IAAxB;;;;aAIK48C,eAAL;;;;;aAKKC,kBAAL,CAAwB78C,IAAxB;;;;;aAKKq1C,eAAL,CAAqBr1C,IAArB;;;;;aAKK+8C,iBAAL,CAAuB/8C,IAAvB;;;;aAIKsoB,QAAL,CAAcjW,KAAE,CAACvY,KAAjB,EAAwB,CAAxB;;;;UAIE,KAAKqI,KAAL,CAAW6K,GAAb;aACKyO,WAAL,CAAiBpJ,KAAE,CAAC9Y,EAApB;;;;aAIK6iD,oBAAL;;;;aAIK7zB,QAAL;;;;YAII7R,iBAAiB,CAAC1W,IAAD,CAArB,EAA6B;eACtBuoB,QAAL;;;;;;UAKA,KAAKhb,KAAL,CACJ,KAAKpL,KAAL,CAAW6K,GADP,EAEJsD,aAAM,CAAC/I,wBAFH,EAGJ6H,MAAM,CAAC0yB,aAAP,CAAqB9hC,IAArB,CAHI,CAAN;;;EAOFsoB,QAAQ,CAACllB,IAAD,EAAkB05C,IAAlB,EAAsC;UACtCpb,GAAG,GAAG,KAAK/gC,KAAL,CAAWkD,KAAX,CAAiB,KAAK1B,KAAL,CAAW6K,GAA5B,EAAiC,KAAK7K,KAAL,CAAW6K,GAAX,GAAiB8vC,IAAlD,CAAZ;SACK36C,KAAL,CAAW6K,GAAX,IAAkB8vC,IAAlB;SACKrhC,WAAL,CAAiBrY,IAAjB,EAAuBs+B,GAAvB;;;EAGFgb,UAAU,GAAS;UACXl8C,KAAK,GAAG,KAAK2B,KAAL,CAAW6K,GAAzB;QACIowC,OAAJ,EAAa/Y,OAAb;;aACS;UACH,KAAKliC,KAAL,CAAW6K,GAAX,IAAkB,KAAKnL,MAA3B,EAAmC;cAC3B,KAAK0L,KAAL,CAAW/M,KAAX,EAAkB8P,aAAM,CAAC/D,kBAAzB,CAAN;;;YAEI40B,EAAE,GAAG,KAAKxgC,KAAL,CAAW08C,MAAX,CAAkB,KAAKl7C,KAAL,CAAW6K,GAA7B,CAAX;;UACIrN,SAAS,CAACsW,IAAV,CAAekrB,EAAf,CAAJ,EAAwB;cAChB,KAAK5zB,KAAL,CAAW/M,KAAX,EAAkB8P,aAAM,CAAC/D,kBAAzB,CAAN;;;UAEE6wC,OAAJ,EAAa;QACXA,OAAO,GAAG,KAAV;OADF,MAEO;YACDjc,EAAE,KAAK,GAAX,EAAgB;UACdkD,OAAO,GAAG,IAAV;SADF,MAEO,IAAIlD,EAAE,KAAK,GAAP,IAAckD,OAAlB,EAA2B;UAChCA,OAAO,GAAG,KAAV;SADK,MAEA,IAAIlD,EAAE,KAAK,GAAP,IAAc,CAACkD,OAAnB,EAA4B;;;;QAGnC+Y,OAAO,GAAGjc,EAAE,KAAK,IAAjB;;;QAEA,KAAKh/B,KAAL,CAAW6K,GAAb;;;UAEIswC,OAAO,GAAG,KAAK38C,KAAL,CAAWkD,KAAX,CAAiBrD,KAAjB,EAAwB,KAAK2B,KAAL,CAAW6K,GAAnC,CAAhB;MACE,KAAK7K,KAAL,CAAW6K,GAAb;QAEIuwC,IAAI,GAAG,EAAX;;WAEO,KAAKp7C,KAAL,CAAW6K,GAAX,GAAiB,KAAKnL,MAA7B,EAAqC;YAC7B27C,IAAI,GAAG,KAAK78C,KAAL,CAAW,KAAKwB,KAAL,CAAW6K,GAAtB,CAAb;YACMywC,QAAQ,GAAG,KAAK98C,KAAL,CAAWk7C,WAAX,CAAuB,KAAK15C,KAAL,CAAW6K,GAAlC,CAAjB;;UAEI0tC,iBAAiB,CAACn5C,GAAlB,CAAsBi8C,IAAtB,CAAJ,EAAiC;YAC3BD,IAAI,CAACt2B,OAAL,CAAau2B,IAAb,IAAqB,CAAC,CAA1B,EAA6B;eACtBjwC,KAAL,CAAW,KAAKpL,KAAL,CAAW6K,GAAX,GAAiB,CAA5B,EAA+BsD,aAAM,CAACzK,oBAAtC;;OAFJ,MAIO,IACL+Q,gBAAgB,CAAC6mC,QAAD,CAAhB,IACAA,QAAQ,OAFH,EAGL;aACKlwC,KAAL,CAAW,KAAKpL,KAAL,CAAW6K,GAAX,GAAiB,CAA5B,EAA+BsD,aAAM,CAACtI,oBAAtC;OAJK,MAKA;;;;QAIL,KAAK7F,KAAL,CAAW6K,GAAb;MACAuwC,IAAI,IAAIC,IAAR;;;SAGG/hC,WAAL,CAAiBpJ,KAAE,CAACza,MAApB,EAA4B;MAC1B+W,OAAO,EAAE2uC,OADiB;MAE1B1uC,KAAK,EAAE2uC;KAFT;;;EAeFG,OAAO,CACLC,KADK,EAELC,GAFK,EAGLC,QAHK,EAILC,iBAA0B,GAAG,IAJxB,EAKU;UACTt9C,KAAK,GAAG,KAAK2B,KAAL,CAAW6K,GAAzB;UACM+wC,iBAAiB,GACrBJ,KAAK,KAAK,EAAV,GACIhD,iCAAiC,CAACE,GADtC,GAEIF,iCAAiC,CAACC,SAHxC;UAIMoD,eAAe,GACnBL,KAAK,KAAK,EAAV,GACI7C,+BAA+B,CAACD,GADpC,GAEI8C,KAAK,KAAK,EAAV,GACA7C,+BAA+B,CAACG,GADhC,GAEA0C,KAAK,KAAK,CAAV,GACA7C,+BAA+B,CAACE,GADhC,GAEAF,+BAA+B,CAACC,GAPtC;QASI50B,OAAO,GAAG,KAAd;QACI83B,KAAK,GAAG,CAAZ;;SAEK,IAAIr7C,CAAC,GAAG,CAAR,EAAWkM,CAAC,GAAG8uC,GAAG,IAAI,IAAP,GAAcM,QAAd,GAAyBN,GAA7C,EAAkDh7C,CAAC,GAAGkM,CAAtD,EAAyD,EAAElM,CAA3D,EAA8D;YACtD5C,IAAI,GAAG,KAAKW,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAjC,CAAb;UACI0O,GAAJ;;UAEI1b,IAAI,OAAR,EAAmC;cAC3Bm+C,IAAI,GAAG,KAAKx9C,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,CAAb;cACM6K,IAAI,GAAG,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,CAAb;;YACIgxC,eAAe,CAAC/2B,OAAhB,CAAwBpP,IAAxB,MAAkC,CAAC,CAAvC,EAA0C;eACnCtK,KAAL,CAAW,KAAKpL,KAAL,CAAW6K,GAAtB,EAA2BsD,aAAM,CAAC9E,0BAAlC;SADF,MAEO,IACLuyC,iBAAiB,CAAC92B,OAAlB,CAA0Bk3B,IAA1B,IAAkC,CAAC,CAAnC,IACAJ,iBAAiB,CAAC92B,OAAlB,CAA0BpP,IAA1B,IAAkC,CAAC,CADnC,IAEAumC,MAAM,CAACC,KAAP,CAAaxmC,IAAb,CAHK,EAIL;eACKtK,KAAL,CAAW,KAAKpL,KAAL,CAAW6K,GAAtB,EAA2BsD,aAAM,CAAC9E,0BAAlC;;;YAGE,CAACsyC,iBAAL,EAAwB;eACjBvwC,KAAL,CAAW,KAAKpL,KAAL,CAAW6K,GAAtB,EAA2BsD,aAAM,CAACzH,gCAAlC;;;UAIA,KAAK1G,KAAL,CAAW6K,GAAb;;;;UAIEhN,IAAI,MAAR,EAAkC;QAChC0b,GAAG,GAAG1b,IAAI,KAAJ,KAAN;OADF,MAEO,IAAIA,IAAI,MAAR,EAAkC;QACvC0b,GAAG,GAAG1b,IAAI,KAAJ,KAAN;OADK,MAEA,IAAI,SAAkBA,IAAlB,CAAJ,EAA6B;QAClC0b,GAAG,GAAG1b,IAAI,KAAV;OADK,MAEA;QACL0b,GAAG,GAAGwiC,QAAN;;;UAEExiC,GAAG,IAAIiiC,KAAX,EAAkB;YAIZ,KAAKvmD,OAAL,CAAa+W,aAAb,IAA8BuN,GAAG,IAAI,CAAzC,EAA4C;UAC1CA,GAAG,GAAG,CAAN;eACKnO,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAX,GAAmBoC,CAAnB,GAAuB,CAAlC,EAAqC0N,aAAM,CAACvJ,YAA5C,EAA0D42C,KAA1D;SAFF,MAGO,IAAIE,QAAJ,EAAc;UACnBniC,GAAG,GAAG,CAAN;UACAyK,OAAO,GAAG,IAAV;SAFK,MAGA;;;;;QAIP,KAAKhkB,KAAL,CAAW6K,GAAb;MACAixC,KAAK,GAAGA,KAAK,GAAGN,KAAR,GAAgBjiC,GAAxB;;;QAGA,KAAKvZ,KAAL,CAAW6K,GAAX,KAAmBxM,KAAnB,IACCo9C,GAAG,IAAI,IAAP,IAAe,KAAKz7C,KAAL,CAAW6K,GAAX,GAAiBxM,KAAjB,KAA2Bo9C,GAD3C,IAEAz3B,OAHF,EAIE;aACO,IAAP;;;WAGK83B,KAAP;;;EAGFf,eAAe,CAACS,KAAD,EAAsB;UAC7Bn9C,KAAK,GAAG,KAAK2B,KAAL,CAAW6K,GAAzB;QACIsxC,QAAQ,GAAG,KAAf;SAEKn8C,KAAL,CAAW6K,GAAX,IAAkB,CAAlB;UACM0O,GAAG,GAAG,KAAKgiC,OAAL,CAAaC,KAAb,CAAZ;;QACIjiC,GAAG,IAAI,IAAX,EAAiB;WACVnO,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAX,GAAmB,CAA9B,EAAiC8P,aAAM,CAACvJ,YAAxC,EAAsD42C,KAAtD;;;UAEI9lC,IAAI,GAAG,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAjC,CAAb;;QAEI6K,IAAI,QAAR,EAAmC;QAC/B,KAAK1V,KAAL,CAAW6K,GAAb;MACAsxC,QAAQ,GAAG,IAAX;KAFF,MAGO,IAAIzmC,IAAI,QAAR,EAAmC;YAClC,KAAKtK,KAAL,CAAW/M,KAAX,EAAkB8P,aAAM,CAACxJ,cAAzB,CAAN;;;QAGE4P,iBAAiB,CAAC,KAAK/V,KAAL,CAAWk7C,WAAX,CAAuB,KAAK15C,KAAL,CAAW6K,GAAlC,CAAD,CAArB,EAA+D;YACvD,KAAKO,KAAL,CAAW,KAAKpL,KAAL,CAAW6K,GAAtB,EAA2BsD,aAAM,CAAC1H,gBAAlC,CAAN;;;QAGE01C,QAAJ,EAAc;YACN5c,GAAG,GAAG,KAAK/gC,KAAL,CAAWkD,KAAX,CAAiBrD,KAAjB,EAAwB,KAAK2B,KAAL,CAAW6K,GAAnC,EAAwCa,OAAxC,CAAgD,OAAhD,EAAyD,EAAzD,CAAZ;WACK4N,WAAL,CAAiBpJ,KAAE,CAAC3a,MAApB,EAA4BgqC,GAA5B;;;;SAIGjmB,WAAL,CAAiBpJ,KAAE,CAAC5a,GAApB,EAAyBikB,GAAzB;;;EAKF8gC,UAAU,CAAC+B,aAAD,EAA+B;UACjC/9C,KAAK,GAAG,KAAK2B,KAAL,CAAW6K,GAAzB;QACIwxC,OAAO,GAAG,KAAd;QACIF,QAAQ,GAAG,KAAf;QACIG,SAAS,GAAG,KAAhB;QACIC,WAAW,GAAG,KAAlB;QACIC,OAAO,GAAG,KAAd;;QAEI,CAACJ,aAAD,IAAkB,KAAKb,OAAL,CAAa,EAAb,MAAqB,IAA3C,EAAiD;WAC1CnwC,KAAL,CAAW/M,KAAX,EAAkB8P,aAAM,CAAChJ,aAAzB;;;UAEIs3C,cAAc,GAClB,KAAKz8C,KAAL,CAAW6K,GAAX,GAAiBxM,KAAjB,IAA0B,CAA1B,IACA,KAAKG,KAAL,CAAW0nB,UAAX,CAAsB7nB,KAAtB,QAFF;;QAIIo+C,cAAJ,EAAoB;YACZC,OAAO,GAAG,KAAKl+C,KAAL,CAAWkD,KAAX,CAAiBrD,KAAjB,EAAwB,KAAK2B,KAAL,CAAW6K,GAAnC,CAAhB;;UACI,KAAK7K,KAAL,CAAW2U,MAAf,EAAuB;aAChBvJ,KAAL,CAAW/M,KAAX,EAAkB8P,aAAM,CAAC9F,kBAAzB;OADF,MAEO;cAECs0C,aAAa,GAAGD,OAAO,CAAC53B,OAAR,CAAgB,GAAhB,CAAtB;;YACI63B,aAAa,GAAG,CAApB,EAAuB;eAChBvxC,KAAL,CAAWuxC,aAAa,GAAGt+C,KAA3B,EAAkC8P,aAAM,CAACzD,yBAAzC;;;;MAGJ8xC,OAAO,GAAGC,cAAc,IAAI,CAAC,OAAO3oC,IAAP,CAAY4oC,OAAZ,CAA7B;;;QAGEhnC,IAAI,GAAG,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAjC,CAAX;;QACI6K,IAAI,OAAJ,IAA0B,CAAC8mC,OAA/B,EAAwC;QACpC,KAAKx8C,KAAL,CAAW6K,GAAb;WACK0wC,OAAL,CAAa,EAAb;MACAc,OAAO,GAAG,IAAV;MACA3mC,IAAI,GAAG,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAjC,CAAP;;;QAIA,CAAC6K,IAAI,OAAJ,IAAiCA,IAAI,QAAtC,KACA,CAAC8mC,OAFH,EAGE;MACA9mC,IAAI,GAAG,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsB,EAAE,KAAKlmB,KAAL,CAAW6K,GAAnC,CAAP;;UACI6K,IAAI,OAAJ,IAA+BA,IAAI,OAAvC,EAA4D;UACxD,KAAK1V,KAAL,CAAW6K,GAAb;;;UAEE,KAAK0wC,OAAL,CAAa,EAAb,MAAqB,IAAzB,EAA+B,KAAKnwC,KAAL,CAAW/M,KAAX,EAAkB8P,aAAM,CAAChJ,aAAzB;MAC/Bk3C,OAAO,GAAG,IAAV;MACAE,WAAW,GAAG,IAAd;MACA7mC,IAAI,GAAG,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAjC,CAAP;;;QAGE6K,IAAI,QAAR,EAAmC;UAG7B2mC,OAAO,IAAII,cAAf,EAA+B;aACxBrxC,KAAL,CAAW/M,KAAX,EAAkB8P,aAAM,CAAC1J,oBAAzB;;;QAEA,KAAKzE,KAAL,CAAW6K,GAAb;MACAsxC,QAAQ,GAAG,IAAX;;;QAGEzmC,IAAI,QAAR,EAAmC;WAC5B2+B,YAAL,CAAkB,SAAlB,EAA6B,KAAKr0C,KAAL,CAAW6K,GAAxC;;UACI0xC,WAAW,IAAIE,cAAnB,EAAmC;aAC5BrxC,KAAL,CAAW/M,KAAX,EAAkB8P,aAAM,CAACxJ,cAAzB;;;QAEA,KAAK3E,KAAL,CAAW6K,GAAb;MACAyxC,SAAS,GAAG,IAAZ;;;QAGE/nC,iBAAiB,CAAC,KAAK/V,KAAL,CAAWk7C,WAAX,CAAuB,KAAK15C,KAAL,CAAW6K,GAAlC,CAAD,CAArB,EAA+D;YACvD,KAAKO,KAAL,CAAW,KAAKpL,KAAL,CAAW6K,GAAtB,EAA2BsD,aAAM,CAAC1H,gBAAlC,CAAN;;;UAII84B,GAAG,GAAG,KAAK/gC,KAAL,CAAWkD,KAAX,CAAiBrD,KAAjB,EAAwB,KAAK2B,KAAL,CAAW6K,GAAnC,EAAwCa,OAAxC,CAAgD,QAAhD,EAA0D,EAA1D,CAAZ;;QAEIywC,QAAJ,EAAc;WACP7iC,WAAL,CAAiBpJ,KAAE,CAAC3a,MAApB,EAA4BgqC,GAA5B;;;;QAIE+c,SAAJ,EAAe;WACRhjC,WAAL,CAAiBpJ,KAAE,CAAC1a,OAApB,EAA6B+pC,GAA7B;;;;UAIIhmB,GAAG,GAAGijC,OAAO,GAAG5c,QAAQ,CAACL,GAAD,EAAM,CAAN,CAAX,GAAsBqd,UAAU,CAACrd,GAAD,CAAnD;SACKjmB,WAAL,CAAiBpJ,KAAE,CAAC5a,GAApB,EAAyBikB,GAAzB;;;EAKFsjC,aAAa,CAACC,cAAD,EAAyC;UAC9C9d,EAAE,GAAG,KAAKxgC,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAjC,CAAX;QACIhN,IAAJ;;QAEImhC,EAAE,QAAN,EAAqC;YAC7B+d,OAAO,GAAG,EAAE,KAAK/8C,KAAL,CAAW6K,GAA7B;MACAhN,IAAI,GAAG,KAAKm/C,WAAL,CACL,KAAKx+C,KAAL,CAAWsmB,OAAX,CAAmB,GAAnB,EAAwB,KAAK9kB,KAAL,CAAW6K,GAAnC,IAA0C,KAAK7K,KAAL,CAAW6K,GADhD,EAEL,IAFK,EAGLiyC,cAHK,CAAP;QAKE,KAAK98C,KAAL,CAAW6K,GAAb;;UACIhN,IAAI,KAAK,IAAT,IAAiBA,IAAI,GAAG,QAA5B,EAAsC;YAChCi/C,cAAJ,EAAoB;eACb1xC,KAAL,CAAW2xC,OAAX,EAAoB5uC,aAAM,CAACzJ,gBAA3B;SADF,MAEO;iBACE,IAAP;;;KAZN,MAeO;MACL7G,IAAI,GAAG,KAAKm/C,WAAL,CAAiB,CAAjB,EAAoB,KAApB,EAA2BF,cAA3B,CAAP;;;WAEKj/C,IAAP;;;EAGFm9C,UAAU,CAAC1b,KAAD,EAAsB;QAC1BjsB,GAAG,GAAG,EAAV;QACE0rB,UAAU,GAAG,EAAE,KAAK/+B,KAAL,CAAW6K,GAD5B;;aAES;UACH,KAAK7K,KAAL,CAAW6K,GAAX,IAAkB,KAAKnL,MAA3B,EAAmC;cAC3B,KAAK0L,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAAC9D,kBAApC,CAAN;;;YAEI20B,EAAE,GAAG,KAAKxgC,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAjC,CAAX;UACIm0B,EAAE,KAAKM,KAAX,EAAkB;;UACdN,EAAE,OAAN,EAAgC;QAC9B3rB,GAAG,IAAI,KAAK7U,KAAL,CAAWkD,KAAX,CAAiBq9B,UAAjB,EAA6B,KAAK/+B,KAAL,CAAW6K,GAAxC,CAAP;QAEAwI,GAAG,IAAI,KAAK4pC,eAAL,CAAqB,KAArB,CAAP;QACAle,UAAU,GAAG,KAAK/+B,KAAL,CAAW6K,GAAxB;OAJF,MAKO,IACLm0B,EAAE,SAAF,IACAA,EAAE,SAFG,EAGL;UACE,KAAKh/B,KAAL,CAAW6K,GAAb;UACE,KAAK7K,KAAL,CAAWo/B,OAAb;aACKp/B,KAAL,CAAWtB,SAAX,GAAuB,KAAKsB,KAAL,CAAW6K,GAAlC;OANK,MAOA,IAAIjN,SAAS,CAACohC,EAAD,CAAb,EAAmB;cAClB,KAAK5zB,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAAC9D,kBAApC,CAAN;OADK,MAEA;UACH,KAAKrK,KAAL,CAAW6K,GAAb;;;;IAGJwI,GAAG,IAAI,KAAK7U,KAAL,CAAWkD,KAAX,CAAiBq9B,UAAjB,EAA6B,KAAK/+B,KAAL,CAAW6K,GAAX,EAA7B,CAAP;SACKyO,WAAL,CAAiBpJ,KAAE,CAACxa,MAApB,EAA4B2d,GAA5B;;;EAKFL,aAAa,GAAS;QAChBK,GAAG,GAAG,EAAV;QACE0rB,UAAU,GAAG,KAAK/+B,KAAL,CAAW6K,GAD1B;QAEEqyC,eAAe,GAAG,KAFpB;;aAGS;UACH,KAAKl9C,KAAL,CAAW6K,GAAX,IAAkB,KAAKnL,MAA3B,EAAmC;cAC3B,KAAK0L,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAAC7D,oBAApC,CAAN;;;YAEI00B,EAAE,GAAG,KAAKxgC,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAjC,CAAX;;UAEEm0B,EAAE,OAAF,IACCA,EAAE,OAAF,IACC,KAAKxgC,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAX,GAAiB,CAAvC,SAHJ,EAKE;YACI,KAAK7K,KAAL,CAAW6K,GAAX,KAAmB,KAAK7K,KAAL,CAAW3B,KAA9B,IAAuC,KAAKM,KAAL,CAAWuR,KAAE,CAAClZ,QAAd,CAA3C,EAAoE;cAC9DgoC,EAAE,OAAN,EAAiC;iBAC1Bh/B,KAAL,CAAW6K,GAAX,IAAkB,CAAlB;iBACKyO,WAAL,CAAiBpJ,KAAE,CAAC/Y,YAApB;;WAFF,MAIO;cACH,KAAK6I,KAAL,CAAW6K,GAAb;iBACKyO,WAAL,CAAiBpJ,KAAE,CAAChZ,SAApB;;;;;QAIJmc,GAAG,IAAI,KAAK7U,KAAL,CAAWkD,KAAX,CAAiBq9B,UAAjB,EAA6B,KAAK/+B,KAAL,CAAW6K,GAAxC,CAAP;aACKyO,WAAL,CAAiBpJ,KAAE,CAAClZ,QAApB,EAA8BkmD,eAAe,GAAG,IAAH,GAAU7pC,GAAvD;;;;UAGE2rB,EAAE,OAAN,EAAgC;QAC9B3rB,GAAG,IAAI,KAAK7U,KAAL,CAAWkD,KAAX,CAAiBq9B,UAAjB,EAA6B,KAAK/+B,KAAL,CAAW6K,GAAxC,CAAP;cACMowC,OAAO,GAAG,KAAKgC,eAAL,CAAqB,IAArB,CAAhB;;YACIhC,OAAO,KAAK,IAAhB,EAAsB;UACpBiC,eAAe,GAAG,IAAlB;SADF,MAEO;UACL7pC,GAAG,IAAI4nC,OAAP;;;QAEFlc,UAAU,GAAG,KAAK/+B,KAAL,CAAW6K,GAAxB;OARF,MASO,IAAIjN,SAAS,CAACohC,EAAD,CAAb,EAAmB;QACxB3rB,GAAG,IAAI,KAAK7U,KAAL,CAAWkD,KAAX,CAAiBq9B,UAAjB,EAA6B,KAAK/+B,KAAL,CAAW6K,GAAxC,CAAP;UACE,KAAK7K,KAAL,CAAW6K,GAAb;;gBACQm0B,EAAR;;gBAEQ,KAAKxgC,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAjC,QAAJ,EAAkE;gBAC9D,KAAK7K,KAAL,CAAW6K,GAAb;;;;YAIFwI,GAAG,IAAI,IAAP;;;;YAGAA,GAAG,IAAIpG,MAAM,CAACuH,YAAP,CAAoBwqB,EAApB,CAAP;;;;UAGF,KAAKh/B,KAAL,CAAWo/B,OAAb;aACKp/B,KAAL,CAAWtB,SAAX,GAAuB,KAAKsB,KAAL,CAAW6K,GAAlC;QACAk0B,UAAU,GAAG,KAAK/+B,KAAL,CAAW6K,GAAxB;OAlBK,MAmBA;UACH,KAAK7K,KAAL,CAAW6K,GAAb;;;;;EAONoyC,eAAe,CAACE,UAAD,EAAqC;UAC5CL,cAAc,GAAG,CAACK,UAAxB;UACMne,EAAE,GAAG,KAAKxgC,KAAL,CAAW0nB,UAAX,CAAsB,EAAE,KAAKlmB,KAAL,CAAW6K,GAAnC,CAAX;MACE,KAAK7K,KAAL,CAAW6K,GAAb;;YACQm0B,EAAR;;eAEW,IAAP;;;eAEO,IAAP;;;;gBAEMnhC,IAAI,GAAG,KAAKm/C,WAAL,CAAiB,CAAjB,EAAoB,KAApB,EAA2BF,cAA3B,CAAb;iBACOj/C,IAAI,KAAK,IAAT,GAAgB,IAAhB,GAAuBoP,MAAM,CAACuH,YAAP,CAAoB3W,IAApB,CAA9B;;;;;gBAGMA,IAAI,GAAG,KAAKg/C,aAAL,CAAmBC,cAAnB,CAAb;iBACOj/C,IAAI,KAAK,IAAT,GAAgB,IAAhB,GAAuBoP,MAAM,CAAC0yB,aAAP,CAAqB9hC,IAArB,CAA9B;;;;eAGO,IAAP;;;eAEO,IAAP;;;eAEO,QAAP;;;eAEO,IAAP;;;YAEI,KAAKW,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAjC,QAAJ,EAAkE;YAC9D,KAAK7K,KAAL,CAAW6K,GAAb;;;;aAIG7K,KAAL,CAAWtB,SAAX,GAAuB,KAAKsB,KAAL,CAAW6K,GAAlC;UACE,KAAK7K,KAAL,CAAWo/B,OAAb;;;;eAIO,EAAP;;;;YAGI+d,UAAJ,EAAgB;iBACP,IAAP;SADF,MAEO,IAAI,KAAKn9C,KAAL,CAAW2U,MAAf,EAAuB;eACvBvJ,KAAL,CAAW,KAAKpL,KAAL,CAAW6K,GAAX,GAAiB,CAA5B,EAA+BsD,aAAM,CAAC/F,mBAAtC;;;;YAIE42B,EAAE,MAAF,IAA0BA,EAAE,MAAhC,EAAsD;gBAC9C+d,OAAO,GAAG,KAAK/8C,KAAL,CAAW6K,GAAX,GAAiB,CAAjC;gBACMlM,KAAK,GAAG,KAAKH,KAAL,CACXkhC,MADW,CACJ,KAAK1/B,KAAL,CAAW6K,GAAX,GAAiB,CADb,EACgB,CADhB,EAEXlM,KAFW,CAEL,SAFK,CAAd;cAMIy+C,QAAQ,GAAGz+C,KAAK,CAAC,CAAD,CAApB;cAEI0+C,KAAK,GAAGzd,QAAQ,CAACwd,QAAD,EAAW,CAAX,CAApB;;cACIC,KAAK,GAAG,GAAZ,EAAiB;YACfD,QAAQ,GAAGA,QAAQ,CAAC17C,KAAT,CAAe,CAAf,EAAkB,CAAC,CAAnB,CAAX;YACA27C,KAAK,GAAGzd,QAAQ,CAACwd,QAAD,EAAW,CAAX,CAAhB;;;eAEGp9C,KAAL,CAAW6K,GAAX,IAAkBuyC,QAAQ,CAAC19C,MAAT,GAAkB,CAApC;gBACMgW,IAAI,GAAG,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsB,KAAKlmB,KAAL,CAAW6K,GAAjC,CAAb;;cAEEuyC,QAAQ,KAAK,GAAb,IACA1nC,IAAI,OADJ,IAEAA,IAAI,OAHN,EAIE;gBACIynC,UAAJ,EAAgB;qBACP,IAAP;aADF,MAEO,IAAI,KAAKn9C,KAAL,CAAW2U,MAAf,EAAuB;mBACvBvJ,KAAL,CAAW2xC,OAAX,EAAoB5uC,aAAM,CAAC/F,mBAA3B;aADK,MAEA;mBAIApI,KAAL,CAAWi4C,cAAX,CAA0B/3C,IAA1B,CAA+B68C,OAA/B;;;;iBAIG9vC,MAAM,CAACuH,YAAP,CAAoB6oC,KAApB,CAAP;;;eAGKpwC,MAAM,CAACuH,YAAP,CAAoBwqB,EAApB,CAAP;;;;EAMNge,WAAW,CACTvB,GADS,EAETC,QAFS,EAGToB,cAHS,EAIM;UACTC,OAAO,GAAG,KAAK/8C,KAAL,CAAW6K,GAA3B;UACMyyC,CAAC,GAAG,KAAK/B,OAAL,CAAa,EAAb,EAAiBE,GAAjB,EAAsBC,QAAtB,EAAgC,KAAhC,CAAV;;QACI4B,CAAC,KAAK,IAAV,EAAgB;UACVR,cAAJ,EAAoB;aACb1xC,KAAL,CAAW2xC,OAAX,EAAoB5uC,aAAM,CAACtJ,qBAA3B;OADF,MAEO;aACA7E,KAAL,CAAW6K,GAAX,GAAiBkyC,OAAO,GAAG,CAA3B;;;;WAGGO,CAAP;;;EASFC,SAAS,GAAW;QACdtoC,IAAI,GAAG,EAAX;SACKjV,KAAL,CAAW+sC,WAAX,GAAyB,KAAzB;UACM1uC,KAAK,GAAG,KAAK2B,KAAL,CAAW6K,GAAzB;QACIk0B,UAAU,GAAG,KAAK/+B,KAAL,CAAW6K,GAA5B;;WAEO,KAAK7K,KAAL,CAAW6K,GAAX,GAAiB,KAAKnL,MAA7B,EAAqC;YAC7Bs/B,EAAE,GAAG,KAAKxgC,KAAL,CAAWk7C,WAAX,CAAuB,KAAK15C,KAAL,CAAW6K,GAAlC,CAAX;;UACI4J,gBAAgB,CAACuqB,EAAD,CAApB,EAA0B;aACnBh/B,KAAL,CAAW6K,GAAX,IAAkBm0B,EAAE,IAAI,MAAN,GAAe,CAAf,GAAmB,CAArC;OADF,MAEO,IAAI,KAAKh/B,KAAL,CAAW2T,UAAX,IAAyBqrB,EAAE,OAA/B,EAAsD;UACzD,KAAKh/B,KAAL,CAAW6K,GAAb;OADK,MAEA,IAAIm0B,EAAE,OAAN,EAAgC;aAChCh/B,KAAL,CAAW+sC,WAAX,GAAyB,IAAzB;QAEA93B,IAAI,IAAI,KAAKzW,KAAL,CAAWkD,KAAX,CAAiBq9B,UAAjB,EAA6B,KAAK/+B,KAAL,CAAW6K,GAAxC,CAAR;cACM2yC,QAAQ,GAAG,KAAKx9C,KAAL,CAAW6K,GAA5B;cACM4yC,eAAe,GACnB,KAAKz9C,KAAL,CAAW6K,GAAX,KAAmBxM,KAAnB,GAA2BkW,iBAA3B,GAA+CE,gBADjD;;YAGI,KAAKjW,KAAL,CAAW0nB,UAAX,CAAsB,EAAE,KAAKlmB,KAAL,CAAW6K,GAAnC,SAAJ,EAAsE;eAC/DO,KAAL,CAAW,KAAKpL,KAAL,CAAW6K,GAAtB,EAA2BsD,aAAM,CAACnI,oBAAlC;;;;UAIA,KAAKhG,KAAL,CAAW6K,GAAb;cACM6yC,GAAG,GAAG,KAAKb,aAAL,CAAmB,IAAnB,CAAZ;;YACIa,GAAG,KAAK,IAAZ,EAAkB;cACZ,CAACD,eAAe,CAACC,GAAD,CAApB,EAA2B;iBACpBtyC,KAAL,CAAWoyC,QAAX,EAAqBrvC,aAAM,CAACvK,0BAA5B;;;UAGFqR,IAAI,IAAIhI,MAAM,CAAC0yB,aAAP,CAAqB+d,GAArB,CAAR;;;QAEF3e,UAAU,GAAG,KAAK/+B,KAAL,CAAW6K,GAAxB;OAtBK,MAuBA;;;;;WAIFoK,IAAI,GAAG,KAAKzW,KAAL,CAAWkD,KAAX,CAAiBq9B,UAAjB,EAA6B,KAAK/+B,KAAL,CAAW6K,GAAxC,CAAd;;;EAGF8I,UAAU,CAACsB,IAAD,EAAwB;WACzBA,IAAI,KAAK,YAAT,IAAyBA,IAAI,KAAK,iBAAzC;;;EAMFmR,QAAQ,GAAS;UACTnR,IAAI,GAAG,KAAKsoC,SAAL,EAAb;UACMt8C,IAAI,GAAG08C,QAAY,CAACp+C,GAAb,CAAiB0V,IAAjB,KAA0B/E,KAAE,CAAClb,IAA1C;;QAIE,KAAKgL,KAAL,CAAW2T,UAAX,KACC,CAAC,KAAKA,UAAL,CAAgBsB,IAAhB,CAAD,IAA0B,CAAC,KAAKjV,KAAL,CAAW6Z,MADvC,CADF,EAGE;WACKzO,KAAL,CAAW,KAAKpL,KAAL,CAAW6K,GAAtB,EAA2BsD,aAAM,CAACnJ,iBAAlC,EAAqDiQ,IAArD;;;SAGGqE,WAAL,CAAiBrY,IAAjB,EAAuBgU,IAAvB;;;EAGFkkC,mBAAmB,GAAS;UACpBrN,EAAE,GAAG,KAAK9rC,KAAL,CAAWiB,IAAX,CAAgBxM,OAA3B;;QACIq3C,EAAE,IAAI,KAAK9rC,KAAL,CAAW+sC,WAArB,EAAkC;WAC3B3hC,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAACpJ,0BAApC,EAAgE+mC,EAAhE;;;;EAIJl4B,YAAY,CAACL,QAAD,EAA+B;UACnCqqC,MAAM,GAAG,KAAKtqC,UAAL,EAAf;;QACIsqC,MAAM,KAAK7K,OAAE,CAAC9/B,kBAAd,IAAoC2qC,MAAM,KAAK7K,OAAE,CAAC7/B,iBAAtD,EAAyE;aAChE,IAAP;;;QAGAK,QAAQ,KAAKrD,KAAE,CAACxZ,KAAhB,KACCknD,MAAM,KAAK7K,OAAE,CAACrgC,cAAd,IAAgCkrC,MAAM,KAAK7K,OAAE,CAACpgC,eAD/C,CADF,EAGE;aACO,CAACirC,MAAM,CAACrrC,MAAf;;;QAOAgB,QAAQ,KAAKrD,KAAE,CAAC3W,OAAhB,IACCga,QAAQ,KAAKrD,KAAE,CAAClb,IAAhB,IAAwB,KAAKgL,KAAL,CAAWoT,WAFtC,EAGE;aACO5V,SAAS,CAACsW,IAAV,CACL,KAAKtV,KAAL,CAAWkD,KAAX,CAAiB,KAAK1B,KAAL,CAAWkL,UAA5B,EAAwC,KAAKlL,KAAL,CAAW3B,KAAnD,CADK,CAAP;;;QAMAkV,QAAQ,KAAKrD,KAAE,CAAChX,KAAhB,IACAqa,QAAQ,KAAKrD,KAAE,CAACzZ,IADhB,IAEA8c,QAAQ,KAAKrD,KAAE,CAACva,GAFhB,IAGA4d,QAAQ,KAAKrD,KAAE,CAAC3Z,MAHhB,IAIAgd,QAAQ,KAAKrD,KAAE,CAACnZ,KALlB,EAME;aACO,IAAP;;;QAGEwc,QAAQ,KAAKrD,KAAE,CAACja,MAApB,EAA4B;aACnB2nD,MAAM,KAAK7K,OAAE,CAACrgC,cAArB;;;QAIAa,QAAQ,KAAKrD,KAAE,CAACvW,IAAhB,IACA4Z,QAAQ,KAAKrD,KAAE,CAACtW,MADhB,IAEA2Z,QAAQ,KAAKrD,KAAE,CAAClb,IAHlB,EAIE;aACO,KAAP;;;QAGEue,QAAQ,KAAKrD,KAAE,CAAC9X,UAApB,EAAgC;aAEvB,IAAP;;;WAGK,CAAC,KAAK4H,KAAL,CAAWoT,WAAnB;;;EAGFxe,aAAa,CAAC2e,QAAD,EAA4B;UACjCtS,IAAI,GAAG,KAAKjB,KAAL,CAAWiB,IAAxB;QACI48C,MAAJ;;QAEI58C,IAAI,CAACxM,OAAL,KAAiB8e,QAAQ,KAAKrD,KAAE,CAACtZ,GAAhB,IAAuB2c,QAAQ,KAAKrD,KAAE,CAACpZ,WAAxD,CAAJ,EAA0E;WACnEkJ,KAAL,CAAWoT,WAAX,GAAyB,KAAzB;KADF,MAEO,IAAKyqC,MAAM,GAAG58C,IAAI,CAACrM,aAAnB,EAAmC;MACxCipD,MAAM,CAACh1B,IAAP,CAAY,IAAZ,EAAkBtV,QAAlB;KADK,MAEA;WACAvT,KAAL,CAAWoT,WAAX,GAAyBnS,IAAI,CAAClN,UAA9B;;;;;;AC/gDS,MAAM+pD,UAAN,SAAyB9E,SAAzB,CAAmC;EAGhD+E,QAAQ,CAAC19C,IAAD,EAAa+Q,GAAb,EAA0BmI,GAA1B,EAA0C;QAC5C,CAAClZ,IAAL,EAAW;UAELsN,KAAK,GAAItN,IAAI,CAACsN,KAAL,GAAatN,IAAI,CAACsN,KAAL,IAAc,EAA1C;IACAA,KAAK,CAACyD,GAAD,CAAL,GAAamI,GAAb;;;EAKFyB,YAAY,CAACgjC,EAAD,EAAyB;WAC5B,KAAKr/C,KAAL,CAAWuR,KAAE,CAAC9X,UAAd,KAA6B,KAAK4H,KAAL,CAAW8M,KAAX,KAAqBkxC,EAAzD;;;EAKF5+B,gBAAgB,CAAC4+B,EAAD,EAAsB;QAChC,KAAKhjC,YAAL,CAAkBgjC,EAAlB,CAAJ,EAA2B;WACpBtoC,IAAL;KADF,MAEO;WACA0G,UAAL,CAAgB,IAAhB,EAAsBlM,KAAE,CAAC9X,UAAzB;;;;EAMJ2jB,YAAY,CAAC/mB,IAAD,EAAwB;WAEhC,KAAK2J,KAAL,CAAWuR,KAAE,CAAClb,IAAd,KACA,KAAKgL,KAAL,CAAW8M,KAAX,KAAqB9X,IADrB,IAEA,CAAC,KAAKgL,KAAL,CAAW+sC,WAHd;;;EAOFuH,oBAAoB,CAAC2J,SAAD,EAAoBjpD,IAApB,EAA2C;UACvDkpD,OAAO,GAAGD,SAAS,GAAGjpD,IAAI,CAAC0K,MAAjC;WAEE,KAAKlB,KAAL,CAAWkD,KAAX,CAAiBu8C,SAAjB,EAA4BC,OAA5B,MAAyClpD,IAAzC,KACCkpD,OAAO,KAAK,KAAK1/C,KAAL,CAAWkB,MAAvB,IACC,CAAC+U,gBAAgB,CAAC,KAAKjW,KAAL,CAAW0nB,UAAX,CAAsBg4B,OAAtB,CAAD,CAFnB,CADF;;;EAOFh2B,qBAAqB,CAAClzB,IAAD,EAAwB;UACrC0gB,IAAI,GAAG,KAAKsY,cAAL,EAAb;WACO,KAAKsmB,oBAAL,CAA0B5+B,IAA1B,EAAgC1gB,IAAhC,CAAP;;;EAKF4mB,aAAa,CAAC5mB,IAAD,EAAwB;WAC5B,KAAK+mB,YAAL,CAAkB/mB,IAAlB,KAA2B,KAAKqlB,GAAL,CAASnK,KAAE,CAAClb,IAAZ,CAAlC;;;EAKFolB,gBAAgB,CAACplB,IAAD,EAAeyW,OAAf,EAAuC;QACjD,CAAC,KAAKmQ,aAAL,CAAmB5mB,IAAnB,CAAL,EAA+B,KAAKonB,UAAL,CAAgB,IAAhB,EAAsB3Q,OAAtB;;;EAKjCuW,kBAAkB,GAAY;WAE1B,KAAKrjB,KAAL,CAAWuR,KAAE,CAACva,GAAd,KACA,KAAKgJ,KAAL,CAAWuR,KAAE,CAAC9Z,MAAd,CADA,IAEA,KAAKyvC,qBAAL,EAHF;;;EAOFA,qBAAqB,GAAY;WACxBroC,SAAS,CAACsW,IAAV,CACL,KAAKtV,KAAL,CAAWkD,KAAX,CAAiB,KAAK1B,KAAL,CAAWkL,UAA5B,EAAwC,KAAKlL,KAAL,CAAW3B,KAAnD,CADK,CAAP;;;EAOFmxC,gBAAgB,GAAY;WACnB,KAAKn1B,GAAL,CAASnK,KAAE,CAACzZ,IAAZ,KAAqB,KAAKurB,kBAAL,EAA5B;;;EAMFxG,SAAS,GAAS;QACZ,CAAC,KAAKg0B,gBAAL,EAAL,EAA8B,KAAKpzB,UAAL,CAAgB,IAAhB,EAAsBlM,KAAE,CAACzZ,IAAzB;;;EAMhCqjB,MAAM,CAAC7Y,IAAD,EAAkB4J,GAAlB,EAAuC;SACtCwP,GAAL,CAASpZ,IAAT,KAAkB,KAAKmb,UAAL,CAAgBvR,GAAhB,EAAqB5J,IAArB,CAAlB;;;EAIF4yC,aAAa,CAACpoC,OAAe,GAAG,mBAAnB,EAA8C;QACrD,KAAKzL,KAAL,CAAW3B,KAAX,GAAmB,KAAK2B,KAAL,CAAWkL,UAAlC,EAA8C;WAEvCE,KAAL,CAAW,KAAKpL,KAAL,CAAWkL,UAAtB,EAAkCO,OAAlC;;;;EAQJ2Q,UAAU,CACRvR,GADQ,EAERszC,aAAiC,GAAG,kBAF5B,EAGD;QACH,OAAOA,aAAP,KAAyB,QAA7B,EAAuC;MACrCA,aAAa,GAAI,+BAA8BA,aAAa,CAAC5pD,KAAM,GAAnE;;;UAGI,KAAK6W,KAAL,CAAWP,GAAG,IAAI,IAAP,GAAcA,GAAd,GAAoB,KAAK7K,KAAL,CAAW3B,KAA1C,EAAiD8/C,aAAjD,CAAN;;;EAIF9J,YAAY,CAACr/C,IAAD,EAAe6V,GAAf,EAAoC;QAC1C,CAAC,KAAK3L,SAAL,CAAelK,IAAf,CAAL,EAA2B;YACnB,KAAKuW,aAAL,CACJV,GAAG,IAAI,IAAP,GAAcA,GAAd,GAAoB,KAAK7K,KAAL,CAAW3B,KAD3B,EAEJ;QAAE+/C,aAAa,EAAE,CAACppD,IAAD;OAFb,EAGH,kEAAiEA,IAAK,GAHnE,CAAN;;;WAOK,IAAP;;;EAGFqpD,eAAe,CAACC,KAAD,EAAuBzzC,GAAvB,EAA4C;QACrD,CAACyzC,KAAK,CAACnJ,IAAN,CAAWmI,CAAC,IAAI,KAAKp+C,SAAL,CAAeo+C,CAAf,CAAhB,CAAL,EAAyC;YACjC,KAAK/xC,aAAL,CACJV,GAAG,IAAI,IAAP,GAAcA,GAAd,GAAoB,KAAK7K,KAAL,CAAW3B,KAD3B,EAEJ;QAAE+/C,aAAa,EAAEE;OAFb,EAGH,sFAAqFA,KAAK,CAAC3I,IAAN,CACpF,IADoF,CAEpF,GALE,CAAN;;;;EAUJ4I,8BAA8B,GAAG;QAE7B,KAAKv+C,KAAL,CAAWywC,QAAX,KAAwB,CAAC,CAAzB,KACC,KAAKzwC,KAAL,CAAW2wC,QAAX,KAAwB,CAAC,CAAzB,IAA8B,KAAK3wC,KAAL,CAAWywC,QAAX,GAAsB,KAAKzwC,KAAL,CAAW2wC,QADhE,CADF,EAGE;WACKvlC,KAAL,CAAW,KAAKpL,KAAL,CAAWywC,QAAtB,EAAgCtiC,aAAM,CAAC3D,sBAAvC;;;QAEE,KAAKxK,KAAL,CAAW2wC,QAAX,KAAwB,CAAC,CAA7B,EAAgC;WACzBvlC,KAAL,CAAW,KAAKpL,KAAL,CAAW2wC,QAAtB,EAAgCxiC,aAAM,CAAC/L,sBAAvC;;;;EAMJkhB,QAAQ,CACNk7B,EADM,EAENC,QAAe,GAAG,KAAKz+C,KAAL,CAAWyjB,KAAX,EAFZ,EAMyC;UACzCi7B,WAA+B,GAAG;MAAEr+C,IAAI,EAAE;KAAhD;;QACI;YACIA,IAAI,GAAGm+C,EAAE,CAAC,CAACn+C,IAAI,GAAG,IAAR,KAAiB;QAC/Bq+C,WAAW,CAACr+C,IAAZ,GAAmBA,IAAnB;cACMq+C,WAAN;OAFa,CAAf;;UAII,KAAK1+C,KAAL,CAAWkM,MAAX,CAAkBxM,MAAlB,GAA2B++C,QAAQ,CAACvyC,MAAT,CAAgBxM,MAA/C,EAAuD;cAC/C8jB,SAAS,GAAG,KAAKxjB,KAAvB;aACKA,KAAL,GAAay+C,QAAb;eACO;UACLp+C,IADK;UAELkjB,KAAK,EAAGC,SAAS,CAACtX,MAAV,CAAiBuyC,QAAQ,CAACvyC,MAAT,CAAgBxM,MAAjC,CAFH;UAGL4pB,MAAM,EAAE,KAHH;UAILY,OAAO,EAAE,KAJJ;UAKL1G;SALF;;;aASK;QACLnjB,IADK;QAELkjB,KAAK,EAAE,IAFF;QAGL+F,MAAM,EAAE,KAHH;QAILY,OAAO,EAAE,KAJJ;QAKL1G,SAAS,EAAE;OALb;KAjBF,CAwBE,OAAOD,KAAP,EAAc;YACRC,SAAS,GAAG,KAAKxjB,KAAvB;WACKA,KAAL,GAAay+C,QAAb;;UACIl7B,KAAK,YAAYxX,WAArB,EAAkC;eACzB;UAAE1L,IAAI,EAAE,IAAR;UAAckjB,KAAd;UAAqB+F,MAAM,EAAE,IAA7B;UAAmCY,OAAO,EAAE,KAA5C;UAAmD1G;SAA1D;;;UAEED,KAAK,KAAKm7B,WAAd,EAA2B;eAClB;UACLr+C,IAAI,EAAEq+C,WAAW,CAACr+C,IADb;UAELkjB,KAAK,EAAE,IAFF;UAGL+F,MAAM,EAAE,KAHH;UAILY,OAAO,EAAE,IAJJ;UAKL1G;SALF;;;YASID,KAAN;;;;EAIJo7B,qBAAqB,CACnB7vC,mBADmB,EAEnB8vC,QAFmB,EAGnB;QACI,CAAC9vC,mBAAL,EAA0B,OAAO,KAAP;UACpB;MAAE+vC,eAAF;MAAmBC;QAAgBhwC,mBAAzC;QACI,CAAC8vC,QAAL,EAAe,OAAOC,eAAe,IAAI,CAAnB,IAAwBC,WAAW,IAAI,CAA9C;;QACXD,eAAe,IAAI,CAAvB,EAA0B;WACnBziC,UAAL,CAAgByiC,eAAhB;;;QAEEC,WAAW,IAAI,CAAnB,EAAsB;WACf1zC,KAAL,CAAW0zC,WAAX,EAAwB3wC,aAAM,CAAC1K,cAA/B;;;;EAaJs7C,qBAAqB,GAAY;WAE7B,KAAKpgD,KAAL,CAAWuR,KAAE,CAAClb,IAAd,KACA,CAAC,CAAC,KAAKgL,KAAL,CAAWiB,IAAX,CAAgBxM,OADlB,IAEA,KAAKkK,KAAL,CAAWuR,KAAE,CAACxa,MAAd,CAFA,IAGA,KAAKiJ,KAAL,CAAWuR,KAAE,CAAC5a,GAAd,CAHA,IAIA,KAAKqJ,KAAL,CAAWuR,KAAE,CAAC3a,MAAd,CAJA,IAKA,KAAKoJ,KAAL,CAAWuR,KAAE,CAAC1a,OAAd,CANF;;;;AAsBJ,AAAO,MAAMwpD,gBAAN,CAAuB;;SAC5BH,eAD4B,GACV,CAAC,CADS;SAE5BC,WAF4B,GAEd,CAAC,CAFa;;;;;AC9Q9B,MAAMG,IAAN,CAA+B;EAC7B3qD,WAAW,CAAC4qD,MAAD,EAAiBr0C,GAAjB,EAA8B9K,GAA9B,EAA6C;SACjDkB,IAAL,GAAY,EAAZ;SACK5C,KAAL,GAAawM,GAAb;SACKvM,GAAL,GAAW,CAAX;SACKyB,GAAL,GAAW,IAAI3B,cAAJ,CAAmB2B,GAAnB,CAAX;QACIm/C,MAAJ,oBAAIA,MAAM,CAAEjqD,OAAR,CAAgB8hD,MAApB,EAA4B,KAAKoI,KAAL,GAAa,CAACt0C,GAAD,EAAM,CAAN,CAAb;QACxBq0C,MAAJ,oBAAIA,MAAM,CAAEp/C,QAAZ,EAAsB,KAAKC,GAAL,CAASD,QAAT,GAAoBo/C,MAAM,CAACp/C,QAA3B;;;EAaxBuoB,OAAO,GAAS;UAER6X,OAAY,GAAG,IAAI+e,IAAJ,EAArB;UACM7I,IAAI,GAAGr0C,MAAM,CAACq0C,IAAP,CAAY,IAAZ,CAAb;;SACK,IAAI31C,CAAC,GAAG,CAAR,EAAWf,MAAM,GAAG02C,IAAI,CAAC12C,MAA9B,EAAsCe,CAAC,GAAGf,MAA1C,EAAkDe,CAAC,EAAnD,EAAuD;YAC/C2Q,GAAG,GAAGglC,IAAI,CAAC31C,CAAD,CAAhB;;UAGE2Q,GAAG,KAAK,iBAAR,IACAA,GAAG,KAAK,kBADR,IAEAA,GAAG,KAAK,eAHV,EAIE;QAEA8uB,OAAO,CAAC9uB,GAAD,CAAP,GAAe,KAAKA,GAAL,CAAf;;;;WAIG8uB,OAAP;;;;;AAIJ,AAAO,MAAMkf,SAAN,SAAwBtB,UAAxB,CAAmC;EACxCptC,SAAS,GAAmB;WAEnB,IAAIuuC,IAAJ,CAAS,IAAT,EAAe,KAAKj/C,KAAL,CAAW3B,KAA1B,EAAiC,KAAK2B,KAAL,CAAW8K,QAA5C,CAAP;;;EAGF0C,WAAW,CAAc3C,GAAd,EAA2B9K,GAA3B,EAA6C;WAE/C,IAAIk/C,IAAJ,CAAS,IAAT,EAAep0C,GAAf,EAAoB9K,GAApB,CAAP;;;EAIFsS,eAAe,CAAcpR,IAAd,EAAiC;WACvC,KAAKuM,WAAL,CAAiBvM,IAAI,CAAC5C,KAAtB,EAA6B4C,IAAI,CAAClB,GAAL,CAAS1B,KAAtC,CAAP;;;EAKFsS,UAAU,CAActQ,IAAd,EAAuBY,IAAvB,EAAwC;WACzC,KAAK2M,YAAL,CACLvN,IADK,EAELY,IAFK,EAGL,KAAKjB,KAAL,CAAWkL,UAHN,EAIL,KAAKlL,KAAL,CAAWmL,aAJN,CAAP;;;EAUFyC,YAAY,CACVvN,IADU,EAEVY,IAFU,EAGV4J,GAHU,EAIV9K,GAJU,EAKP;AACH;IAMAM,IAAI,CAACY,IAAL,GAAYA,IAAZ;IACAZ,IAAI,CAAC/B,GAAL,GAAWuM,GAAX;IACAxK,IAAI,CAACN,GAAL,CAASzB,GAAT,GAAeyB,GAAf;QACI,KAAK9K,OAAL,CAAa8hD,MAAjB,EAAyB12C,IAAI,CAAC8+C,KAAL,CAAW,CAAX,IAAgBt0C,GAAhB;SACpB7J,cAAL,CAAoBX,IAApB;WACOA,IAAP;;;EAGFqyC,kBAAkB,CAACryC,IAAD,EAAiBhC,KAAjB,EAAgCyM,QAAhC,EAA0D;IAC1EzK,IAAI,CAAChC,KAAL,GAAaA,KAAb;IACAgC,IAAI,CAACN,GAAL,CAAS1B,KAAT,GAAiByM,QAAjB;QACI,KAAK7V,OAAL,CAAa8hD,MAAjB,EAAyB12C,IAAI,CAAC8+C,KAAL,CAAW,CAAX,IAAgB9gD,KAAhB;;;EAG3Bkd,gBAAgB,CACdlb,IADc,EAEd/B,GAAY,GAAG,KAAK0B,KAAL,CAAWkL,UAFZ,EAGdD,MAAiB,GAAG,KAAKjL,KAAL,CAAWmL,aAHjB,EAIR;IACN9K,IAAI,CAAC/B,GAAL,GAAWA,GAAX;IACA+B,IAAI,CAACN,GAAL,CAASzB,GAAT,GAAe2M,MAAf;QACI,KAAKhW,OAAL,CAAa8hD,MAAjB,EAAyB12C,IAAI,CAAC8+C,KAAL,CAAW,CAAX,IAAgB7gD,GAAhB;;;EAM3B+qB,0BAA0B,CAAChpB,IAAD,EAAiBg/C,YAAjB,EAA+C;SAClE3M,kBAAL,CAAwBryC,IAAxB,EAA8Bg/C,YAAY,CAAChhD,KAA3C,EAAkDghD,YAAY,CAACt/C,GAAb,CAAiB1B,KAAnE;;;;;AC7FJ,MAAMihD,6BAA6B,GAAIj/C,IAAD,IAAgB;SAC7CA,IAAI,CAACY,IAAL,KAAc,yBAAd,GACHq+C,6BAA6B,CAACj/C,IAAI,CAACoN,UAAN,CAD1B,GAEHpN,IAFJ;CADF;;AAMA,AAAe,MAAMk/C,UAAN,SAAyBH,SAAzB,CAAmC;EA2BhDnuC,YAAY,CAAC5Q,IAAD,EAAmB;;;QACzB2O,aAAa,GAAGjO,SAApB;;QACIV,IAAI,CAACY,IAAL,KAAc,yBAAd,oBAA2CZ,IAAI,CAACsN,KAAhD,qBAA2C,YAAYqB,aAAvD,CAAJ,EAA0E;MACxEA,aAAa,GAAGswC,6BAA6B,CAACj/C,IAAD,CAA7C;;UAEE2O,aAAa,CAAC/N,IAAd,KAAuB,YAAvB,IACA+N,aAAa,CAAC/N,IAAd,KAAuB,kBAFzB,EAGE;aACKmK,KAAL,CAAW/K,IAAI,CAAChC,KAAhB,EAAuB8P,aAAM,CAAC9I,8BAA9B;;;;YAIIhF,IAAI,CAACY,IAAb;WACO,YAAL;WACK,eAAL;WACK,cAAL;WACK,mBAAL;;;WAGK,kBAAL;QACEZ,IAAI,CAACY,IAAL,GAAY,eAAZ;;aAEE,IAAIR,CAAC,GAAG,CAAR,EAAWf,MAAM,GAAGW,IAAI,CAACmB,UAAL,CAAgB9B,MAApC,EAA4CF,IAAI,GAAGE,MAAM,GAAG,CAD9D,EAEEe,CAAC,GAAGf,MAFN,EAGEe,CAAC,EAHH,EAIE;;;gBACMwN,IAAI,GAAG5N,IAAI,CAACmB,UAAL,CAAgBf,CAAhB,CAAb;gBACM0Q,MAAM,GAAG1Q,CAAC,KAAKjB,IAArB;eACK0R,gCAAL,CAAsCjD,IAAtC,EAA4CkD,MAA5C;;cAGEA,MAAM,IACNlD,IAAI,CAAChN,IAAL,KAAc,aADd,qBAEAZ,IAAI,CAACsN,KAFL,qBAEA,aAAYgX,aAFZ,CADF,EAIE;iBACK66B,gBAAL,CAAsBn/C,IAAI,CAACsN,KAAL,CAAWgX,aAAjC;;;;;;WAKD,gBAAL;aACO1T,YAAL,CAAkB5Q,IAAI,CAACyM,KAAvB;;;WAGG,eAAL;;eACO2yC,qBAAL,CAA2Bp/C,IAA3B;UAEAA,IAAI,CAACY,IAAL,GAAY,aAAZ;gBACMy+C,GAAG,GAAGr/C,IAAI,CAAC2gB,QAAjB;eACK/P,YAAL,CAAkByuC,GAAlB;;;;WAIG,iBAAL;QACEr/C,IAAI,CAACY,IAAL,GAAY,cAAZ;aACKyjB,gBAAL,CAAsBrkB,IAAI,CAACC,QAA3B,kBAAqCD,IAAI,CAACsN,KAA1C,qBAAqC,aAAYgX,aAAjD;;;WAGG,sBAAL;YACMtkB,IAAI,CAACkmB,QAAL,KAAkB,GAAtB,EAA2B;eACpBnb,KAAL,CAAW/K,IAAI,CAACmnB,IAAL,CAAUlpB,GAArB,EAA0B6P,aAAM,CAACpI,qBAAjC;;;QAGF1F,IAAI,CAACY,IAAL,GAAY,mBAAZ;eACOZ,IAAI,CAACkmB,QAAZ;aACKtV,YAAL,CAAkB5Q,IAAI,CAACmnB,IAAvB;;;WAGG,yBAAL;aACOvW,YAAL,CAAoBjC,aAApB;;AAzDJ;;WAgEO3O,IAAP;;;EAGF6Q,gCAAgC,CAACjD,IAAD,EAAakD,MAAb,EAA8B;QACxDlD,IAAI,CAAChN,IAAL,KAAc,cAAlB,EAAkC;YAC1BsiB,KAAK,GACTtV,IAAI,CAAC7B,IAAL,KAAc,KAAd,IAAuB6B,IAAI,CAAC7B,IAAL,KAAc,KAArC,GACI+B,aAAM,CAACpH,kBADX,GAEIoH,aAAM,CAACnH,gBAHb;WAMKoE,KAAL,CAAW6C,IAAI,CAACmD,GAAL,CAAS/S,KAApB,EAA2BklB,KAA3B;KAPF,MASO,IAAItV,IAAI,CAAChN,IAAL,KAAc,eAAd,IAAiC,CAACkQ,MAAtC,EAA8C;WAC9CquC,gBAAL,CAAsBvxC,IAAI,CAAC5P,KAA3B;KADK,MAEA;WACA4S,YAAL,CAAkBhD,IAAlB;;;;EAMJyW,gBAAgB,CACdjT,QADc,EAEd+U,gBAFc,EAGW;QACrBloB,GAAG,GAAGmT,QAAQ,CAAC/R,MAAnB;;QACIpB,GAAJ,EAAS;YACDkB,IAAI,GAAGiS,QAAQ,CAACnT,GAAG,GAAG,CAAP,CAArB;;UACI,CAAAkB,IAAI,QAAJ,YAAAA,IAAI,CAAEyB,IAAN,MAAe,aAAnB,EAAkC;UAC9B3C,GAAF;OADF,MAEO,IAAI,CAAAkB,IAAI,QAAJ,YAAAA,IAAI,CAAEyB,IAAN,MAAe,eAAnB,EAAoC;QACzCzB,IAAI,CAACyB,IAAL,GAAY,aAAZ;cACMy+C,GAAG,GAAGlgD,IAAI,CAACwhB,QAAjB;aACK/P,YAAL,CAAkByuC,GAAlB;;YAEEA,GAAG,CAACz+C,IAAJ,KAAa,YAAb,IACAy+C,GAAG,CAACz+C,IAAJ,KAAa,kBADb,IAEAy+C,GAAG,CAACz+C,IAAJ,KAAa,cAFb,IAGAy+C,GAAG,CAACz+C,IAAJ,KAAa,eAJf,EAKE;eACKmb,UAAL,CAAgBsjC,GAAG,CAACrhD,KAApB;;;YAGEmoB,gBAAJ,EAAsB;eACfm5B,2BAAL,CAAiCn5B,gBAAjC;;;UAGAloB,GAAF;;;;SAGC,IAAImC,CAAC,GAAG,CAAb,EAAgBA,CAAC,GAAGnC,GAApB,EAAyBmC,CAAC,EAA1B,EAA8B;YACtBwwC,GAAG,GAAGx/B,QAAQ,CAAChR,CAAD,CAApB;;UACIwwC,GAAJ,EAAS;aACFhgC,YAAL,CAAkBggC,GAAlB;;YACIA,GAAG,CAAChwC,IAAJ,KAAa,aAAjB,EAAgC;eACzBu+C,gBAAL,CAAsBvO,GAAG,CAAC5yC,KAA1B;;;;;WAICoT,QAAP;;;EAKFgV,gBAAgB,CACdhV,QADc,EAEdC,mBAFc,EAGe;WACtBD,QAAP;;;EAGFD,oBAAoB,CAClBC,QADkB,EAElBC,mBAFkB,EAGZ;SACD+U,gBAAL,CAAsBhV,QAAtB,EAAgCC,mBAAhC;;0BAEmBD,QAHb,eAGuB;YAAlBpD,IAAI,GAAIoD,QAAJ,IAAV;;UACC,CAAApD,IAAI,QAAJ,YAAAA,IAAI,CAAEpN,IAAN,MAAe,iBAAnB,EAAsC;aAC/BuQ,oBAAL,CAA0BnD,IAAI,CAAC/N,QAA/B;;;;;EAONs/C,WAAW,CACT9wC,mBADS,EAETsU,gBAFS,EAGM;UACT/iB,IAAI,GAAG,KAAKqQ,SAAL,EAAb;SACKgF,IAAL;IACArV,IAAI,CAAC2gB,QAAL,GAAgB,KAAKmD,gBAAL,CACd,KADc,EAEdrV,mBAFc,EAGd/N,SAHc,EAIdqiB,gBAJc,CAAhB;WAMO,KAAKzS,UAAL,CAAgBtQ,IAAhB,EAAsB,eAAtB,CAAP;;;EAKFw/C,gBAAgB,GAAgB;UACxBx/C,IAAI,GAAG,KAAKqQ,SAAL,EAAb;SACKgF,IAAL;IACArV,IAAI,CAAC2gB,QAAL,GAAgB,KAAKgyB,gBAAL,EAAhB;WACO,KAAKriC,UAAL,CAAgBtQ,IAAhB,EAAsB,aAAtB,CAAP;;;EAIF2yC,gBAAgB,GAAY;YAElB,KAAKhzC,KAAL,CAAWiB,IAAnB;WACOiP,KAAE,CAACta,QAAR;;gBACQyK,IAAI,GAAG,KAAKqQ,SAAL,EAAb;eACKgF,IAAL;UACArV,IAAI,CAACC,QAAL,GAAgB,KAAKqoC,gBAAL,CACdz4B,KAAE,CAACna,QADW,MAGd,IAHc,CAAhB;iBAKO,KAAK4a,UAAL,CAAgBtQ,IAAhB,EAAsB,cAAtB,CAAP;;;WAGG6P,KAAE,CAACja,MAAR;eACS,KAAK6pD,eAAL,CAAqB5vC,KAAE,CAAC9Z,MAAxB,EAAgC,IAAhC,CAAP;;;WAIG,KAAKykB,eAAL,EAAP;;;EAIF8tB,gBAAgB,CACdoX,KADc,EAEdC,aAFc,EAGdC,UAHc,EAIdv3B,cAJc,EAKiC;UACzCw3B,IAA0C,GAAG,EAAnD;QACIC,KAAK,GAAG,IAAZ;;WACO,CAAC,KAAK9lC,GAAL,CAAS0lC,KAAT,CAAR,EAAyB;UACnBI,KAAJ,EAAW;QACTA,KAAK,GAAG,KAAR;OADF,MAEO;aACArmC,MAAL,CAAY5J,KAAE,CAAC1Z,KAAf;;;UAEEypD,UAAU,IAAI,KAAKthD,KAAL,CAAWuR,KAAE,CAAC1Z,KAAd,CAAlB,EAAwC;QAEtC0pD,IAAI,CAAChgD,IAAL,CAAU,IAAV;OAFF,MAGO,IAAI,KAAKma,GAAL,CAAS0lC,KAAT,CAAJ,EAAqB;;OAArB,MAEA,IAAI,KAAKphD,KAAL,CAAWuR,KAAE,CAACjZ,QAAd,CAAJ,EAA6B;QAClCipD,IAAI,CAAChgD,IAAL,CAAU,KAAKonB,4BAAL,CAAkC,KAAKu4B,gBAAL,EAAlC,CAAV;aACKO,mBAAL,CAAyBJ,aAAzB;aACKlmC,MAAL,CAAYimC,KAAZ;;OAHK,MAKA;cACCjP,UAAU,GAAG,EAAnB;;YACI,KAAKnyC,KAAL,CAAWuR,KAAE,CAAC9Y,EAAd,KAAqB,KAAK8H,SAAL,CAAe,YAAf,CAAzB,EAAuD;eAChDkM,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAACnE,6BAApC;;;eAGK,KAAKrL,KAAL,CAAWuR,KAAE,CAAC9Y,EAAd,CAAP,EAA0B;UACxB05C,UAAU,CAAC5wC,IAAX,CAAgB,KAAKmgD,cAAL,EAAhB;;;QAEFH,IAAI,CAAChgD,IAAL,CAAU,KAAK2wC,uBAAL,CAA6BnoB,cAA7B,EAA6CooB,UAA7C,CAAV;;;;WAGGoP,IAAP;;;EAGFrP,uBAAuB,CACrBnoB,cADqB,EAErBooB,UAFqB,EAGU;UACzBtpB,IAAI,GAAG,KAAKD,iBAAL,EAAb;SACKD,4BAAL,CAAkCE,IAAlC;UACMypB,GAAG,GAAG,KAAK1pB,iBAAL,CAAuBC,IAAI,CAACnpB,KAA5B,EAAmCmpB,IAAI,CAACznB,GAAL,CAAS1B,KAA5C,EAAmDmpB,IAAnD,CAAZ;;QACIspB,UAAU,CAACpxC,MAAf,EAAuB;MACrB8nB,IAAI,CAACspB,UAAL,GAAkBA,UAAlB;;;WAEKG,GAAP;;;EAIF3pB,4BAA4B,CAAClF,KAAD,EAA0B;WAC7CA,KAAP;;;EAKFmF,iBAAiB,CACfpX,QADe,EAEfrF,QAFe,EAGf0c,IAHe,EAIN;;;IACT1c,QAAQ,gBAAGA,QAAH,wBAAe,KAAK9K,KAAL,CAAW8K,QAAlC;IACAqF,QAAQ,gBAAGA,QAAH,wBAAe,KAAKnQ,KAAL,CAAW3B,KAAlC;IAEAmpB,IAAI,YAAGA,IAAH,oBAAW,KAAKwrB,gBAAL,EAAf;QACI,CAAC,KAAK34B,GAAL,CAASnK,KAAE,CAAC3Y,EAAZ,CAAL,EAAsB,OAAOiwB,IAAP;UAEhBnnB,IAAI,GAAG,KAAKmN,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAb;IACAzK,IAAI,CAACmnB,IAAL,GAAYA,IAAZ;IACAnnB,IAAI,CAACie,KAAL,GAAa,KAAK6F,gBAAL,EAAb;WACO,KAAKxT,UAAL,CAAgBtQ,IAAhB,EAAsB,mBAAtB,CAAP;;;EAMF+N,SAAS,CACPC,IADO,EAEPC,WAAyB,GAAG3R,SAFrB,EAGP4R,YAHO,EAIPC,kBAJO,EAKPC,kBALO,EAMP6xC,iBAA2B,GAAG,KANvB,EAOD;YACEjyC,IAAI,CAACpN,IAAb;WACO,YAAL;YAEI,KAAKjB,KAAL,CAAW2U,MAAX,KAIC2rC,iBAAiB,GACdjrC,wBAAwB,CAAChH,IAAI,CAACrZ,IAAN,EAAY,KAAKkgB,QAAjB,CADV,GAEdE,4BAA4B,CAAC/G,IAAI,CAACrZ,IAAN,CANhC,CADF,EAQE;eACKoW,KAAL,CACEiD,IAAI,CAAChQ,KADP,EAEEiQ,WAAW,KAAK3R,SAAhB,GACIwR,aAAM,CAAClG,mBADX,GAEIkG,aAAM,CAACjG,0BAJb,EAKEmG,IAAI,CAACrZ,IALP;;;YASEuZ,YAAJ,EAAkB;gBAYV6C,GAAG,GAAI,IAAG/C,IAAI,CAACrZ,IAAK,EAA1B;;cAEIuZ,YAAY,CAAC6C,GAAD,CAAhB,EAAuB;iBAChBhG,KAAL,CAAWiD,IAAI,CAAChQ,KAAhB,EAAuB8P,aAAM,CAACrH,SAA9B;WADF,MAEO;YACLyH,YAAY,CAAC6C,GAAD,CAAZ,GAAoB,IAApB;;;;YAGA3C,kBAAkB,IAAIJ,IAAI,CAACrZ,IAAL,KAAc,KAAxC,EAA+C;eACxCoW,KAAL,CAAWiD,IAAI,CAAChQ,KAAhB,EAAuB8P,aAAM,CAACxI,mBAA9B;;;YAEE,EAAE2I,WAAW,GAAG3R,SAAhB,CAAJ,EAAgC;eACzB2f,KAAL,CAAWC,WAAX,CAAuBlO,IAAI,CAACrZ,IAA5B,EAAkCsZ,WAAlC,EAA+CD,IAAI,CAAChQ,KAApD;;;;;WAIC,kBAAL;YACMiQ,WAAW,KAAK3R,SAApB,EAA+B;eACxByO,KAAL,CAAWiD,IAAI,CAAChQ,KAAhB,EAAuB8P,aAAM,CAAC5I,6BAA9B;;;;;WAIC,eAAL;6CACmB8I,IAAI,CAAC7M,UADxB,wCACoC;cAAzByM,IAAI,wBAAR;cACCA,IAAI,CAAChN,IAAL,KAAc,gBAAlB,EAAoCgN,IAAI,GAAGA,IAAI,CAACnB,KAAZ,CAApC,KAIK,IAAImB,IAAI,CAAChN,IAAL,KAAc,cAAlB,EAAkC;eAElCmN,SAAL,CACEH,IADF,EAEEK,WAFF,EAGEC,YAHF,EAIE,8BAJF,EAKEE,kBALF;;;;;WAUC,cAAL;2CACqBJ,IAAI,CAAC/N,QAD1B,sCACoC;gBAAvBigD,IAAI,sBAAV;;cACCA,IAAJ,EAAU;iBACHnyC,SAAL,CACEmyC,IADF,EAEEjyC,WAFF,EAGEC,YAHF,EAIE,6BAJF,EAKEE,kBALF;;;;;;WAWD,mBAAL;aACOL,SAAL,CACEC,IAAI,CAACmZ,IADP,EAEElZ,WAFF,EAGEC,YAHF,EAIE,oBAJF;;;WAQG,aAAL;aACOH,SAAL,CACEC,IAAI,CAAC2S,QADP,EAEE1S,WAFF,EAGEC,YAHF,EAIE,cAJF;;;WAQG,yBAAL;aACOH,SAAL,CACEC,IAAI,CAACZ,UADP,EAEEa,WAFF,EAGEC,YAHF,EAIE,0BAJF;;;;;eASKnD,KAAL,CACEiD,IAAI,CAAChQ,KADP,EAEEiQ,WAAW,KAAK3R,SAAhB,GACIwR,aAAM,CAAClJ,UADX,GAEIkJ,aAAM,CAACjJ,iBAJb,EAKEsJ,kBALF;;;;;EAWNixC,qBAAqB,CAACp/C,IAAD,EAA4B;QAE7CA,IAAI,CAAC2gB,QAAL,CAAc/f,IAAd,KAAuB,YAAvB,IACAZ,IAAI,CAAC2gB,QAAL,CAAc/f,IAAd,KAAuB,kBAFzB,EAGE;WACKmK,KAAL,CAAW/K,IAAI,CAAC2gB,QAAL,CAAc3iB,KAAzB,EAAgC8P,aAAM,CAAC1I,4BAAvC;;;;EAIJ26C,mBAAmB,CAACL,KAAD,EAAyC;QACtD,KAAKphD,KAAL,CAAWuR,KAAE,CAAC1Z,KAAd,CAAJ,EAA0B;UACpB,KAAK40C,iBAAL,OAA6B2U,KAAjC,EAAwC;aACjCJ,2BAAL,CAAiC,KAAK3/C,KAAL,CAAW3B,KAA5C;OADF,MAEO;aACAmhD,gBAAL,CAAsB,KAAKx/C,KAAL,CAAW3B,KAAjC;;;;;EAKNmhD,gBAAgB,CAAC30C,GAAD,EAAc;UACtB,KAAKO,KAAL,CAAWP,GAAX,EAAgBsD,aAAM,CAACxK,gBAAvB,CAAN;;;EAGFg8C,2BAA2B,CAAC90C,GAAD,EAAc;SAClCO,KAAL,CAAWP,GAAX,EAAgBsD,aAAM,CAACtG,iBAAvB;;;;;ACtcW,MAAM24C,gBAAN,SAA+BjB,UAA/B,CAA0C;EA8BvD5wC,UAAU,CACRV,IADQ,EAERW,QAFQ,EAGRC,QAHQ,EAIRC,mBAJQ,EAKF;QAEJb,IAAI,CAAChN,IAAL,KAAc,eAAd,IACAgN,IAAI,CAAChN,IAAL,KAAc,cADd,IAEAgN,IAAI,CAACwyC,QAFL,IAGAxyC,IAAI,CAAC8C,SAJP,EAKE;;;;UAIIK,GAAG,GAAGnD,IAAI,CAACmD,GAAjB;UAEMpc,IAAI,GAAGoc,GAAG,CAACnQ,IAAJ,KAAa,YAAb,GAA4BmQ,GAAG,CAACpc,IAAhC,GAAuCoc,GAAG,CAACtE,KAAxD;;QAEI9X,IAAI,KAAK,WAAb,EAA0B;UACpB4Z,QAAJ,EAAc;aACPxD,KAAL,CAAWgG,GAAG,CAAC/S,KAAf,EAAsB8P,aAAM,CAACvG,aAA7B;;;;UAGEiH,QAAQ,CAAC6xC,IAAb,EAAmB;YACb5xC,mBAAJ,EAAyB;cAGnBA,mBAAmB,CAACgwC,WAApB,KAAoC,CAAC,CAAzC,EAA4C;YAC1ChwC,mBAAmB,CAACgwC,WAApB,GAAkC1tC,GAAG,CAAC/S,KAAtC;;SAJJ,MAMO;eACA+M,KAAL,CAAWgG,GAAG,CAAC/S,KAAf,EAAsB8P,aAAM,CAAC1K,cAA7B;;;;MAIJoL,QAAQ,CAAC6xC,IAAT,GAAgB,IAAhB;;;;EAIJC,oBAAoB,CAACtyC,IAAD,EAAqBgpC,gBAArB,EAAwD;WAExEhpC,IAAI,CAACpN,IAAL,KAAc,yBAAd,IAA2CoN,IAAI,CAAChQ,KAAL,KAAeg5C,gBAD5D;;;EAMFuJ,aAAa,GAAiB;QACxBC,UAAU,GAAGxd,KAAjB;;QACI,KAAKnkC,SAAL,CAAe,eAAf,KAAmC,KAAKgW,QAA5C,EAAsD;MACpD2rC,UAAU,IAAItd,WAAd;;;SAEGjnB,KAAL,CAAWE,KAAX,CAAiBzhB,aAAjB;SACK0Y,SAAL,CAAe+I,KAAf,CAAqBqkC,UAArB;SACKl2B,SAAL;UACMtc,IAAI,GAAG,KAAKiM,eAAL,EAAb;;QACI,CAAC,KAAK3b,KAAL,CAAWuR,KAAE,CAACva,GAAd,CAAL,EAAyB;WAClBymB,UAAL;;;IAEF/N,IAAI,CAAC2pC,QAAL,GAAgB,KAAKh4C,KAAL,CAAWg4C,QAA3B;IACA3pC,IAAI,CAACnC,MAAL,GAAc,KAAKlM,KAAL,CAAWkM,MAAzB;WACOmC,IAAP;;;EAyBFiM,eAAe,CACb6I,IADa,EAEbrU,mBAFa,EAGC;UACRqB,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAA5B;UACMyM,QAAQ,GAAG,KAAK9K,KAAL,CAAW8K,QAA5B;UACMuD,IAAI,GAAG,KAAK8V,gBAAL,CAAsBhB,IAAtB,EAA4BrU,mBAA5B,CAAb;;QACI,KAAKnQ,KAAL,CAAWuR,KAAE,CAAC1Z,KAAd,CAAJ,EAA0B;YAClB6J,IAAI,GAAG,KAAKmN,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAb;MACAzK,IAAI,CAAC2qC,WAAL,GAAmB,CAAC38B,IAAD,CAAnB;;aACO,KAAKgM,GAAL,CAASnK,KAAE,CAAC1Z,KAAZ,CAAP,EAA2B;QACzB6J,IAAI,CAAC2qC,WAAL,CAAiB9qC,IAAjB,CAAsB,KAAKikB,gBAAL,CAAsBhB,IAAtB,EAA4BrU,mBAA5B,CAAtB;;;WAEG2X,gBAAL,CAAsBpmB,IAAI,CAAC2qC,WAA3B;aACO,KAAKr6B,UAAL,CAAgBtQ,IAAhB,EAAsB,oBAAtB,CAAP;;;WAEKgO,IAAP;;;EAOF8V,gBAAgB,CACdhB,IADc,EAEdrU,mBAFc,EAGdia,cAHc,EAId3F,gBAJc,EAKA;UACRjT,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAA5B;UACMyM,QAAQ,GAAG,KAAK9K,KAAL,CAAW8K,QAA5B;;QACI,KAAKiR,YAAL,CAAkB,OAAlB,CAAJ,EAAgC;UAC1B,KAAKtI,SAAL,CAAeC,QAAnB,EAA6B;YACvB8T,IAAI,GAAG,KAAKs5B,UAAL,CAAgB39B,IAAhB,CAAX;;YACI4F,cAAJ,EAAoB;UAClBvB,IAAI,GAAGuB,cAAc,CAACF,IAAf,CAAoB,IAApB,EAA0BrB,IAA1B,EAAgCrX,QAAhC,EAA0CrF,QAA1C,CAAP;;;eAEK0c,IAAP;OALF,MAMO;aAGAxnB,KAAL,CAAWoT,WAAX,GAAyB,KAAzB;;;;QAIA2tC,mBAAJ;;QACIjyC,mBAAJ,EAAyB;MACvBiyC,mBAAmB,GAAG,KAAtB;KADF,MAEO;MACLjyC,mBAAmB,GAAG,IAAIkwC,gBAAJ,EAAtB;MACA+B,mBAAmB,GAAG,IAAtB;;;QAGE,KAAKpiD,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,KAAyB,KAAKqI,KAAL,CAAWuR,KAAE,CAAClb,IAAd,CAA7B,EAAkD;WAC3CgL,KAAL,CAAWq3C,gBAAX,GAA8B,KAAKr3C,KAAL,CAAW3B,KAAzC;;;QAGEmpB,IAAI,GAAG,KAAKw5B,qBAAL,CACT79B,IADS,EAETrU,mBAFS,EAGTsU,gBAHS,CAAX;;QAKI2F,cAAJ,EAAoB;MAClBvB,IAAI,GAAGuB,cAAc,CAACF,IAAf,CAAoB,IAApB,EAA0BrB,IAA1B,EAAgCrX,QAAhC,EAA0CrF,QAA1C,CAAP;;;QAEE,KAAK9K,KAAL,CAAWiB,IAAX,CAAgB/M,QAApB,EAA8B;YACtBmM,IAAI,GAAG,KAAKmN,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAb;YACMyb,QAAQ,GAAG,KAAKvmB,KAAL,CAAW8M,KAA5B;MACAzM,IAAI,CAACkmB,QAAL,GAAgBA,QAAhB;;UAEI,KAAK5nB,KAAL,CAAWuR,KAAE,CAAC3Y,EAAd,CAAJ,EAAuB;QACrB8I,IAAI,CAACmnB,IAAL,GAAY,KAAKvW,YAAL,CAAkBuW,IAAlB,CAAZ;QACA1Y,mBAAmB,CAACgwC,WAApB,GAAkC,CAAC,CAAnC;OAFF,MAGO;QACLz+C,IAAI,CAACmnB,IAAL,GAAYA,IAAZ;;;UAGE1Y,mBAAmB,CAAC+vC,eAApB,IAAuCx+C,IAAI,CAACmnB,IAAL,CAAUnpB,KAArD,EAA4D;QAC1DyQ,mBAAmB,CAAC+vC,eAApB,GAAsC,CAAC,CAAvC;;;WAGGzwC,SAAL,CAAeoZ,IAAf,EAAqBzmB,SAArB,EAAgCA,SAAhC,EAA2C,uBAA3C;WAEK2U,IAAL;MACArV,IAAI,CAACie,KAAL,GAAa,KAAK6F,gBAAL,CAAsBhB,IAAtB,CAAb;aACO,KAAKxS,UAAL,CAAgBtQ,IAAhB,EAAsB,sBAAtB,CAAP;KApBF,MAqBO,IAAI0gD,mBAAJ,EAAyB;WACzBpC,qBAAL,CAA2B7vC,mBAA3B,EAAgD,IAAhD;;;WAGK0Y,IAAP;;;EAMFw5B,qBAAqB,CACnB79B,IADmB,EAEnBrU,mBAFmB,EAGnBsU,gBAHmB,EAIL;UACRjT,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAA5B;UACMyM,QAAQ,GAAG,KAAK9K,KAAL,CAAW8K,QAA5B;UACMusC,gBAAgB,GAAG,KAAKr3C,KAAL,CAAWq3C,gBAApC;UACMhpC,IAAI,GAAG,KAAK4yC,YAAL,CAAkB99B,IAAlB,EAAwBrU,mBAAxB,CAAb;;QAEI,KAAK6xC,oBAAL,CAA0BtyC,IAA1B,EAAgCgpC,gBAAhC,CAAJ,EAAuD;aAC9ChpC,IAAP;;;WAGK,KAAK6U,gBAAL,CACL7U,IADK,EAEL8U,IAFK,EAGLhT,QAHK,EAILrF,QAJK,EAKLsY,gBALK,CAAP;;;EASFF,gBAAgB,CACd7U,IADc,EAEd8U,IAFc,EAGdhT,QAHc,EAIdrF,QAJc,EAOdsY,gBAPc,EAQA;QACV,KAAK/I,GAAL,CAASnK,KAAE,CAACrZ,QAAZ,CAAJ,EAA2B;YACnBwJ,IAAI,GAAG,KAAKmN,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAb;MACAzK,IAAI,CAACyT,IAAL,GAAYzF,IAAZ;MACAhO,IAAI,CAACujB,UAAL,GAAkB,KAAKO,gBAAL,EAAlB;WACKrK,MAAL,CAAY5J,KAAE,CAACxZ,KAAf;MACA2J,IAAI,CAAC6jB,SAAL,GAAiB,KAAKC,gBAAL,CAAsBhB,IAAtB,CAAjB;aACO,KAAKxS,UAAL,CAAgBtQ,IAAhB,EAAsB,uBAAtB,CAAP;;;WAEKgO,IAAP;;;EAMF4yC,YAAY,CACV99B,IADU,EAEVrU,mBAFU,EAGI;UACRqB,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAA5B;UACMyM,QAAQ,GAAG,KAAK9K,KAAL,CAAW8K,QAA5B;UACMusC,gBAAgB,GAAG,KAAKr3C,KAAL,CAAWq3C,gBAApC;UACMhpC,IAAI,GAAG,KAAKg9B,eAAL,CAAqBv8B,mBAArB,CAAb;;QAEI,KAAK6xC,oBAAL,CAA0BtyC,IAA1B,EAAgCgpC,gBAAhC,CAAJ,EAAuD;aAC9ChpC,IAAP;;;WAGK,KAAKsjC,WAAL,CAAiBtjC,IAAjB,EAAuB8B,QAAvB,EAAiCrF,QAAjC,EAA2C,CAAC,CAA5C,EAA+CqY,IAA/C,CAAP;;;EASFwuB,WAAW,CACTnqB,IADS,EAEToqB,YAFS,EAGTC,YAHS,EAITC,OAJS,EAKT3uB,IALS,EAMK;QACV+9B,IAAI,GAAG,KAAKlhD,KAAL,CAAWiB,IAAX,CAAgBtM,KAA3B;;QACIusD,IAAI,IAAI,IAAR,KAAiB,CAAC/9B,IAAD,IAAS,CAAC,KAAKxkB,KAAL,CAAWuR,KAAE,CAACzV,GAAd,CAA3B,CAAJ,EAAoD;UAC9CymD,IAAI,GAAGpP,OAAX,EAAoB;cACZkM,EAAE,GAAG,KAAKh+C,KAAL,CAAWiB,IAAtB;;YACI+8C,EAAE,KAAK9tC,KAAE,CAACtY,QAAd,EAAwB;eACjBy8C,YAAL,CAAkB,kBAAlB;;cACI,KAAKr0C,KAAL,CAAW63C,0BAAf,EAA2C;mBAClCrwB,IAAP;;;eAEGxnB,KAAL,CAAWw3C,UAAX,GAAwB,IAAxB;eACK2J,4BAAL,CAAkC35B,IAAlC,EAAwCoqB,YAAxC;;;cAEIvxC,IAAI,GAAG,KAAKmN,WAAL,CAAiBokC,YAAjB,EAA+BC,YAA/B,CAAb;QACAxxC,IAAI,CAACmnB,IAAL,GAAYA,IAAZ;QACAnnB,IAAI,CAACkmB,QAAL,GAAgB,KAAKvmB,KAAL,CAAW8M,KAA3B;;YAEEkxC,EAAE,KAAK9tC,KAAE,CAACxX,QAAV,IACA8uB,IAAI,CAACvmB,IAAL,KAAc,iBADd,KAEC,KAAKhM,OAAL,CAAagiD,8BAAb,IACC,EAAEzvB,IAAI,CAAC7Z,KAAL,IAAc6Z,IAAI,CAAC7Z,KAAL,CAAWqB,aAA3B,CAHF,CADF,EAKE;eACK5D,KAAL,CACEoc,IAAI,CAACxG,QAAL,CAAc3iB,KADhB,EAEE8P,aAAM,CAACzE,kCAFT;;;cAMI03C,OAAO,GAAGpD,EAAE,KAAK9tC,KAAE,CAACpY,SAAV,IAAuBkmD,EAAE,KAAK9tC,KAAE,CAACnY,UAAjD;cACMspD,QAAQ,GAAGrD,EAAE,KAAK9tC,KAAE,CAACrY,iBAA3B;;YAEIwpD,QAAJ,EAAc;UAGZH,IAAI,GAAKhxC,KAAE,CAACnY,UAAL,CAA0CpD,KAAjD;;;aAGG+gB,IAAL;;YAGEsoC,EAAE,KAAK9tC,KAAE,CAACtY,QAAV,IACA,KAAKyH,eAAL,CAAqB,kBAArB,EAAyC,UAAzC,MAAyD,SAF3D,EAGE;cAEE,KAAKV,KAAL,CAAWuR,KAAE,CAAClb,IAAd,KACA,KAAKgL,KAAL,CAAW8M,KAAX,KAAqB,OADrB,IAEA,KAAK2G,SAAL,CAAemwB,QAHjB,EAIE;kBACM,KAAKx4B,KAAL,CACJ,KAAKpL,KAAL,CAAW3B,KADP,EAEJ8P,aAAM,CAACrF,gCAFH,CAAN;;;;QAOJzI,IAAI,CAACie,KAAL,GAAa,KAAKgjC,oBAAL,CAA0BtD,EAA1B,EAA8BkD,IAA9B,EAAoC/9B,IAApC,CAAb;aACKxS,UAAL,CACEtQ,IADF,EAEE+gD,OAAO,IAAIC,QAAX,GAAsB,mBAAtB,GAA4C,kBAF9C;cASME,MAAM,GAAG,KAAKvhD,KAAL,CAAWiB,IAA1B;;YAEGogD,QAAQ,KAAKE,MAAM,KAAKrxC,KAAE,CAACpY,SAAd,IAA2BypD,MAAM,KAAKrxC,KAAE,CAACnY,UAA9C,CAAT,IACCqpD,OAAO,IAAIG,MAAM,KAAKrxC,KAAE,CAACrY,iBAF5B,EAGE;gBACM,KAAKuT,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAAClI,yBAApC,CAAN;;;eAGK,KAAK0rC,WAAL,CACLtxC,IADK,EAELuxC,YAFK,EAGLC,YAHK,EAILC,OAJK,EAKL3uB,IALK,CAAP;;;;WASGqE,IAAP;;;EAMF85B,oBAAoB,CAClBtD,EADkB,EAElBkD,IAFkB,EAGlB/9B,IAHkB,EAIJ;UACRhT,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAA5B;UACMyM,QAAQ,GAAG,KAAK9K,KAAL,CAAW8K,QAA5B;;YACQkzC,EAAR;WACO9tC,KAAE,CAACtY,QAAR;gBACU,KAAKyH,eAAL,CAAqB,kBAArB,EAAyC,UAAzC,CAAR;eACO,OAAL;mBACS,KAAKmiD,0BAAL,CAAgC,MAAM;qBACpC,KAAKC,sBAAL,CACL,KAAKC,wBAAL,CAA8B1D,EAA9B,EAAkCkD,IAAlC,EAAwC/9B,IAAxC,CADK,EAELhT,QAFK,EAGLrF,QAHK,CAAP;aADK,CAAP;;eAOG,QAAL;mBACS,KAAK62C,8BAAL,CAAoC,MAAM;qBACxC,KAAKC,uBAAL,CAA6BV,IAA7B,EAAmC/9B,IAAnC,CAAP;aADK,CAAP;;;;eAOG,KAAKu+B,wBAAL,CAA8B1D,EAA9B,EAAkCkD,IAAlC,EAAwC/9B,IAAxC,CAAP;;;;EAONu+B,wBAAwB,CACtB1D,EADsB,EAEtBkD,IAFsB,EAGtB/9B,IAHsB,EAIR;UACRhT,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAA5B;UACMyM,QAAQ,GAAG,KAAK9K,KAAL,CAAW8K,QAA5B;WAEO,KAAK6mC,WAAL,CACL,KAAKtG,eAAL,EADK,EAELl7B,QAFK,EAGLrF,QAHK,EAILkzC,EAAE,CAACtpD,gBAAH,GAAsBwsD,IAAI,GAAG,CAA7B,GAAiCA,IAJ5B,EAKL/9B,IALK,CAAP;;;EAWFkoB,eAAe,CAACv8B,mBAAD,EAAuD;QAChE,KAAKiN,YAAL,CAAkB,OAAlB,KAA8B,KAAK8lC,cAAL,EAAlC,EAAyD;aAChD,KAAKC,UAAL,EAAP;;;UAEIjE,MAAM,GAAG,KAAKl/C,KAAL,CAAWuR,KAAE,CAACzY,MAAd,CAAf;UACM4I,IAAI,GAAG,KAAKqQ,SAAL,EAAb;;QACI,KAAK1Q,KAAL,CAAWiB,IAAX,CAAgB9M,MAApB,EAA4B;MAC1BkM,IAAI,CAACkmB,QAAL,GAAgB,KAAKvmB,KAAL,CAAW8M,KAA3B;MACAzM,IAAI,CAAClM,MAAL,GAAc,IAAd;;UAEI,KAAKwK,KAAL,CAAWuR,KAAE,CAACzW,MAAd,CAAJ,EAA2B;aACpB46C,YAAL,CAAkB,kBAAlB;;;YAEI0N,QAAQ,GAAG,KAAKpjD,KAAL,CAAWuR,KAAE,CAACrV,OAAd,CAAjB;WACK6a,IAAL;MAEArV,IAAI,CAAC2gB,QAAL,GAAgB,KAAKqqB,eAAL,EAAhB;WAEKsT,qBAAL,CAA2B7vC,mBAA3B,EAAgD,IAAhD;;UAEI,KAAK9O,KAAL,CAAW2U,MAAX,IAAqBotC,QAAzB,EAAmC;cAC3BrC,GAAG,GAAGr/C,IAAI,CAAC2gB,QAAjB;;YAEI0+B,GAAG,CAACz+C,IAAJ,KAAa,YAAjB,EAA+B;eACxBmK,KAAL,CAAW/K,IAAI,CAAChC,KAAhB,EAAuB8P,aAAM,CAACnG,YAA9B;SADF,MAEO,IACL,CAAC03C,GAAG,CAACz+C,IAAJ,KAAa,kBAAb,IACCy+C,GAAG,CAACz+C,IAAJ,KAAa,0BADf,KAEAy+C,GAAG,CAACv+B,QAAJ,CAAalgB,IAAb,KAAsB,aAHjB,EAIL;eACKmK,KAAL,CAAW/K,IAAI,CAAChC,KAAhB,EAAuB8P,aAAM,CAAC/K,kBAA9B;;;;UAIA,CAACy6C,MAAL,EAAa;eACJ,KAAKltC,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB,CAAP;;;;WAIG,KAAK2hD,WAAL,CAAiB3hD,IAAjB,EAAuBw9C,MAAvB,EAA+B/uC,mBAA/B,CAAP;;;EAIFkzC,WAAW,CACT3hD,IADS,EAETw9C,MAFS,EAGT/uC,mBAHS,EAIK;QACV+uC,MAAJ,EAAY;WACLzvC,SAAL,CAAe/N,IAAI,CAAC2gB,QAApB,EAA8BjgB,SAA9B,EAAyCA,SAAzC,EAAoD,kBAApD;aACO,KAAK4P,UAAL,CAAgBtQ,IAAhB,EAAsB,kBAAtB,CAAP;;;UAGI8P,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAA5B;UACMyM,QAAQ,GAAG,KAAK9K,KAAL,CAAW8K,QAA5B;QACIuD,IAAI,GAAG,KAAK4zC,mBAAL,CAAyBnzC,mBAAzB,CAAX;QACI,KAAK6vC,qBAAL,CAA2B7vC,mBAA3B,EAAgD,KAAhD,CAAJ,EAA4D,OAAOT,IAAP;;WACrD,KAAKrO,KAAL,CAAWiB,IAAX,CAAgB7M,OAAhB,IAA2B,CAAC,KAAK4tB,kBAAL,EAAnC,EAA8D;YACtD3hB,IAAI,GAAG,KAAKmN,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAb;MACAzK,IAAI,CAACkmB,QAAL,GAAgB,KAAKvmB,KAAL,CAAW8M,KAA3B;MACAzM,IAAI,CAAClM,MAAL,GAAc,KAAd;MACAkM,IAAI,CAAC2gB,QAAL,GAAgB3S,IAAhB;WACKD,SAAL,CAAeC,IAAf,EAAqBtN,SAArB,EAAgCA,SAAhC,EAA2C,mBAA3C;WACK2U,IAAL;MACArH,IAAI,GAAG,KAAKsC,UAAL,CAAgBtQ,IAAhB,EAAsB,kBAAtB,CAAP;;;WAEKgO,IAAP;;;EAKF4zC,mBAAmB,CAACnzC,mBAAD,EAAuD;UAClEqB,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAA5B;UACMyM,QAAQ,GAAG,KAAK9K,KAAL,CAAW8K,QAA5B;UACMusC,gBAAgB,GAAG,KAAKr3C,KAAL,CAAWq3C,gBAApC;UACMhpC,IAAI,GAAG,KAAK4B,aAAL,CAAmBnB,mBAAnB,CAAb;;QAEI,KAAK6xC,oBAAL,CAA0BtyC,IAA1B,EAAgCgpC,gBAAhC,CAAJ,EAAuD;aAC9ChpC,IAAP;;;WAGK,KAAKyb,eAAL,CAAqBzb,IAArB,EAA2B8B,QAA3B,EAAqCrF,QAArC,CAAP;;;EAGFgf,eAAe,CACb/X,IADa,EAEb5B,QAFa,EAGbrF,QAHa,EAIbkH,OAJa,EAKC;UACRhS,KAAK,GAAG;MACZiS,mBAAmB,EAAE,KADT;MAEZiwC,eAAe,EAAE,KAAK3Q,oBAAL,CAA0Bx/B,IAA1B,CAFL;MAGZI,IAAI,EAAE;KAHR;;OAKG;YACKgwC,wBAAwB,GAAG,KAAKniD,KAAL,CAAWu3C,qBAA5C;;UACIv3C,KAAK,CAACkiD,eAAV,EAA2B;aACpBliD,KAAL,CAAWu3C,qBAAX,GAAmC,IAAnC;;;MAEFxlC,IAAI,GAAG,KAAKD,cAAL,CAAoBC,IAApB,EAA0B5B,QAA1B,EAAoCrF,QAApC,EAA8CkH,OAA9C,EAAuDhS,KAAvD,CAAP;MAGAA,KAAK,CAACkiD,eAAN,GAAwB,KAAxB;WACKliD,KAAL,CAAWu3C,qBAAX,GAAmC4K,wBAAnC;KATF,QAUS,CAACniD,KAAK,CAACmS,IAVhB;;WAWOJ,IAAP;;;EAOFD,cAAc,CACZC,IADY,EAEZ5B,QAFY,EAGZrF,QAHY,EAIZkH,OAJY,EAKZhS,KALY,EAME;QACV,CAACgS,OAAD,IAAY,KAAKqI,GAAL,CAASnK,KAAE,CAACvZ,WAAZ,CAAhB,EAA0C;aACjC,KAAKyrD,SAAL,CAAerwC,IAAf,EAAqB5B,QAArB,EAA+BrF,QAA/B,EAAyCkH,OAAzC,EAAkDhS,KAAlD,CAAP;KADF,MAEO,IAAI,KAAKrB,KAAL,CAAWuR,KAAE,CAAChZ,SAAd,CAAJ,EAA8B;aAC5B,KAAKu6C,6BAAL,CACL1/B,IADK,EAEL5B,QAFK,EAGLrF,QAHK,EAIL9K,KAJK,CAAP;;;QAQEsR,QAAQ,GAAG,KAAf;;QACI,KAAK3S,KAAL,CAAWuR,KAAE,CAACpZ,WAAd,CAAJ,EAAgC;MAC9BkJ,KAAK,CAACiS,mBAAN,GAA4BX,QAAQ,GAAG,IAAvC;;UACIU,OAAO,IAAI,KAAKo5B,iBAAL,SAAf,EAAuE;QAErEprC,KAAK,CAACmS,IAAN,GAAa,IAAb;eACOJ,IAAP;;;WAEG2D,IAAL;;;QAGE,CAAC1D,OAAD,IAAY,KAAKrT,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,CAAhB,EAAuC;aAC9B,KAAK+rD,+BAAL,CACLtwC,IADK,EAEL5B,QAFK,EAGLrF,QAHK,EAIL9K,KAJK,EAKLsR,QALK,CAAP;KADF,MAQO,IAAIA,QAAQ,IAAI,KAAK3S,KAAL,CAAWuR,KAAE,CAACta,QAAd,CAAZ,IAAuC,KAAKykB,GAAL,CAASnK,KAAE,CAACtZ,GAAZ,CAA3C,EAA6D;aAC3D,KAAK0rD,WAAL,CAAiBvwC,IAAjB,EAAuB5B,QAAvB,EAAiCrF,QAAjC,EAA2C9K,KAA3C,EAAkDsR,QAAlD,CAAP;KADK,MAEA;MACLtR,KAAK,CAACmS,IAAN,GAAa,IAAb;aACOJ,IAAP;;;;EAQJuwC,WAAW,CACTvwC,IADS,EAET5B,QAFS,EAGTrF,QAHS,EAIT9K,KAJS,EAKTsR,QALS,EAMwC;UAC3CjR,IAAI,GAAG,KAAKmN,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAb;UACM21C,QAAQ,GAAG,KAAKpmC,GAAL,CAASnK,KAAE,CAACta,QAAZ,CAAjB;IACAyK,IAAI,CAACs+B,MAAL,GAAc5sB,IAAd;IACA1R,IAAI,CAACogD,QAAL,GAAgBA,QAAhB;UACMt/B,QAAQ,GAAGs/B,QAAQ,GACrB,KAAKnmC,eAAL,EADqB,GAErB,KAAKioC,qBAAL,CAA2B,IAA3B,CAFJ;;QAIIphC,QAAQ,CAAClgB,IAAT,KAAkB,aAAtB,EAAqC;UAC/BZ,IAAI,CAACs+B,MAAL,CAAY19B,IAAZ,KAAqB,OAAzB,EAAkC;aAC3BmK,KAAL,CAAW+E,QAAX,EAAqBhC,aAAM,CAAC3F,iBAA5B;;;WAEGg6C,UAAL,CAAgBC,cAAhB,CAA+BthC,QAAQ,CAACvG,EAAT,CAAY5lB,IAA3C,EAAiDmsB,QAAQ,CAAC9iB,KAA1D;;;IAEFgC,IAAI,CAAC8gB,QAAL,GAAgBA,QAAhB;;QAEIs/B,QAAJ,EAAc;WACP3mC,MAAL,CAAY5J,KAAE,CAACna,QAAf;;;QAGEiK,KAAK,CAACiS,mBAAV,EAA+B;MAC7B5R,IAAI,CAACiR,QAAL,GAAgBA,QAAhB;aACO,KAAKX,UAAL,CAAgBtQ,IAAhB,EAAsB,0BAAtB,CAAP;KAFF,MAGO;aACE,KAAKsQ,UAAL,CAAgBtQ,IAAhB,EAAsB,kBAAtB,CAAP;;;;EAKJ+hD,SAAS,CACPrwC,IADO,EAEP5B,QAFO,EAGPrF,QAHO,EAIPkH,OAJO,EAKPhS,KALO,EAMO;UACRK,IAAI,GAAG,KAAKmN,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAb;IACAzK,IAAI,CAACs+B,MAAL,GAAc5sB,IAAd;IACA1R,IAAI,CAACkR,MAAL,GAAc,KAAKmxC,eAAL,EAAd;IACA1iD,KAAK,CAACmS,IAAN,GAAa,IAAb;WACO,KAAK2X,eAAL,CACL,KAAKnZ,UAAL,CAAgBtQ,IAAhB,EAAsB,gBAAtB,CADK,EAEL8P,QAFK,EAGLrF,QAHK,EAILkH,OAJK,CAAP;;;EAYFqwC,+BAA+B,CAC7BtwC,IAD6B,EAE7B5B,QAF6B,EAG7BrF,QAH6B,EAI7B9K,KAJ6B,EAK7BsR,QAL6B,EAMf;UACRg/B,yBAAyB,GAAG,KAAKtwC,KAAL,CAAWuwC,sBAA7C;UACMC,WAAW,GAAG,KAAKxwC,KAAL,CAAWywC,QAA/B;UACMC,WAAW,GAAG,KAAK1wC,KAAL,CAAW2wC,QAA/B;SACK3wC,KAAL,CAAWuwC,sBAAX,GAAoC,IAApC;SACKvwC,KAAL,CAAWywC,QAAX,GAAsB,CAAC,CAAvB;SACKzwC,KAAL,CAAW2wC,QAAX,GAAsB,CAAC,CAAvB;SAEKj7B,IAAL;QAEIrV,IAAI,GAAG,KAAKmN,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAX;IACAzK,IAAI,CAACkR,MAAL,GAAcQ,IAAd;;QAEI/R,KAAK,CAACiS,mBAAV,EAA+B;MAC7B5R,IAAI,CAACiR,QAAL,GAAgBA,QAAhB;;;QAEEA,QAAJ,EAAc;MACZjR,IAAI,CAACoB,SAAL,GAAiB,KAAKsoB,4BAAL,CAAkC7Z,KAAE,CAAC3Z,MAArC,EAA6C,KAA7C,CAAjB;KADF,MAEO;MACL8J,IAAI,CAACoB,SAAL,GAAiB,KAAKsoB,4BAAL,CACf7Z,KAAE,CAAC3Z,MADY,EAEfyJ,KAAK,CAACkiD,eAFS,EAGfnwC,IAAI,CAAC9Q,IAAL,KAAc,QAHC,EAIf8Q,IAAI,CAAC9Q,IAAL,KAAc,OAJC,EAKfZ,IALe,CAAjB;;;SAQGgR,oBAAL,CAA0BhR,IAA1B,EAAgCL,KAAK,CAACiS,mBAAtC;;QAEIjS,KAAK,CAACkiD,eAAN,IAAyB,KAAKp5B,qBAAL,EAAzB,IAAyD,CAACxX,QAA9D,EAAwE;MACtEtR,KAAK,CAACmS,IAAN,GAAa,IAAb;MAEA9R,IAAI,GAAG,KAAKuoB,iCAAL,CACL,KAAKpb,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CADK,EAELzK,IAFK,CAAP;WAIKk+C,8BAAL;WACKv+C,KAAL,CAAWywC,QAAX,GAAsBD,WAAtB;WACKxwC,KAAL,CAAW2wC,QAAX,GAAsBD,WAAtB;KATF,MAUO;WACAl/B,oBAAL,CAA0BnR,IAAI,CAACoB,SAA/B;UAQI+uC,WAAW,KAAK,CAAC,CAArB,EAAwB,KAAKxwC,KAAL,CAAWywC,QAAX,GAAsBD,WAAtB;;UAmBrB,CAAC,KAAKqR,cAAL,EAAD,IAA0B,CAACvR,yBAA5B,IACAI,WAAW,KAAK,CAAC,CAFnB,EAGE;aACK1wC,KAAL,CAAW2wC,QAAX,GAAsBD,WAAtB;;;;SAIC1wC,KAAL,CAAWuwC,sBAAX,GAAoCD,yBAApC;WAEOjwC,IAAP;;;EAKFoxC,6BAA6B,CAC3B1/B,IAD2B,EAE3B5B,QAF2B,EAG3BrF,QAH2B,EAI3B9K,KAJ2B,EAKC;UACtBK,IAAgC,GAAG,KAAKmN,WAAL,CACvC2C,QADuC,EAEvCrF,QAFuC,CAAzC;IAIAzK,IAAI,CAACsiD,GAAL,GAAW5wC,IAAX;IACA1R,IAAI,CAACuiD,KAAL,GAAa,KAAK7X,aAAL,CAAmB,IAAnB,CAAb;;QACI/qC,KAAK,CAACiS,mBAAV,EAA+B;WACxB7G,KAAL,CAAW+E,QAAX,EAAqBhC,aAAM,CAACtH,0BAA5B;;;WAEK,KAAK8J,UAAL,CAAgBtQ,IAAhB,EAAsB,0BAAtB,CAAP;;;EAGFkxC,oBAAoB,CAACx/B,IAAD,EAA8B;WAE9CA,IAAI,CAAC9Q,IAAL,KAAc,YAAd,IACA8Q,IAAI,CAAC/c,IAAL,KAAc,OADd,IAEA,KAAKgL,KAAL,CAAWkL,UAAX,KAA0B6G,IAAI,CAACzT,GAF/B,IAGA,CAAC,KAAK0jB,kBAAL,EAHD,IAKAjQ,IAAI,CAACzT,GAAL,GAAWyT,IAAI,CAAC1T,KAAhB,KAA0B,CAL1B,IAMA0T,IAAI,CAAC1T,KAAL,KAAe,KAAK2B,KAAL,CAAWq3C,gBAP5B;;;EAWFhmC,oBAAoB,CAClBhR,IADkB,EAElBiR,QAFkB,EAGJ;QACVjR,IAAI,CAACkR,MAAL,CAAYtQ,IAAZ,KAAqB,QAAzB,EAAmC;UAC7BZ,IAAI,CAACoB,SAAL,CAAe/B,MAAf,KAA0B,CAA9B,EAAiC;aAC1B20C,YAAL,CAAkB,kBAAlB;;;UAEEh0C,IAAI,CAACoB,SAAL,CAAe/B,MAAf,KAA0B,CAA1B,IAA+BW,IAAI,CAACoB,SAAL,CAAe/B,MAAf,GAAwB,CAA3D,EAA8D;aACvD0L,KAAL,CACE/K,IAAI,CAAChC,KADP,EAEE8P,aAAM,CAAC/J,eAFT,EAGE,KAAKlF,SAAL,CAAe,kBAAf,IACI,sBADJ,GAEI,cALN;OADF,MAQO;2CACamB,IAAI,CAACoB,SADlB,qCAC6B;gBAAvBi+C,GAAG,sBAAT;;cACCA,GAAG,CAACz+C,IAAJ,KAAa,eAAjB,EAAkC;iBAC3BmK,KAAL,CAAWs0C,GAAG,CAACrhD,KAAf,EAAsB8P,aAAM,CAAC7J,wBAA7B;;;;;;WAKD,KAAKqM,UAAL,CACLtQ,IADK,EAELiR,QAAQ,GAAG,wBAAH,GAA8B,gBAFjC,CAAP;;;EAMFyY,4BAA4B,CAC1Bg2B,KAD0B,EAE1B8C,kBAF0B,EAG1BC,aAH0B,EAI1BC,gBAJ0B,EAK1BC,YAL0B,EAMK;UACzB9C,IAAI,GAAG,EAAb;QACI+C,eAAJ;QACI9C,KAAK,GAAG,IAAZ;UACM+C,6BAA6B,GAAG,KAAKljD,KAAL,CAAW63C,0BAAjD;SACK73C,KAAL,CAAW63C,0BAAX,GAAwC,KAAxC;;WAEO,CAAC,KAAKx9B,GAAL,CAAS0lC,KAAT,CAAR,EAAyB;UACnBI,KAAJ,EAAW;QACTA,KAAK,GAAG,KAAR;OADF,MAEO;aACArmC,MAAL,CAAY5J,KAAE,CAAC1Z,KAAf;;YACI,KAAKmI,KAAL,CAAWohD,KAAX,CAAJ,EAAuB;cACjB+C,aAAa,IAAI,CAAC,KAAK5jD,SAAL,CAAe,kBAAf,CAAtB,EAA0D;iBACnDkM,KAAL,CACE,KAAKpL,KAAL,CAAW+K,YADb,EAEEoD,aAAM,CAAChK,+BAFT;;;cAKE6+C,YAAJ,EAAkB;iBACXjF,QAAL,CACEiF,YADF,EAEE,eAFF,EAGE,KAAKhjD,KAAL,CAAW+K,YAHb;;;eAMG2K,IAAL;;;;;UAOA,KAAK/W,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,KAAyB,CAAC2sD,eAA9B,EAA+C;QAC7CA,eAAe,GAAG,KAAKjjD,KAAL,CAAW3B,KAA7B;;;MAGF6hD,IAAI,CAAChgD,IAAL,CACE,KAAKijD,iBAAL,CACE,KADF,EAEEN,kBAAkB,GAAG,IAAI7D,gBAAJ,EAAH,GAA4Bj+C,SAFhD,EAGE8hD,kBAAkB,GAAG;QAAExkD,KAAK,EAAE;OAAZ,GAAkB0C,SAHtC,EAIEgiD,gBAJF,CADF;;;QAWEF,kBAAkB,IAAII,eAAtB,IAAyC,KAAKn6B,qBAAL,EAA7C,EAA2E;WACpE1M,UAAL;;;SAGGpc,KAAL,CAAW63C,0BAAX,GAAwCqL,6BAAxC;WAEOhD,IAAP;;;EAGFp3B,qBAAqB,GAAY;WACxB,KAAKnqB,KAAL,CAAWuR,KAAE,CAACnZ,KAAd,KAAwB,CAAC,KAAKirB,kBAAL,EAAhC;;;EAGF4G,iCAAiC,CAC/BvoB,IAD+B,EAE/BwoB,IAF+B,EAGJ;;;SACtB/O,MAAL,CAAY5J,KAAE,CAACnZ,KAAf;SACKyzB,oBAAL,CACEnqB,IADF,EAEEwoB,IAAI,CAACpnB,SAFP,EAGE,IAHF,iBAIEonB,IAAI,CAAClb,KAJP,qBAIE,YAAYgX,aAJd;WAMOtkB,IAAP;;;EAKFqiD,eAAe,GAAiB;UACxBvyC,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAA5B;UACMyM,QAAQ,GAAG,KAAK9K,KAAL,CAAW8K,QAA5B;WACO,KAAKgf,eAAL,CAAqB,KAAK7Z,aAAL,EAArB,EAA2CE,QAA3C,EAAqDrF,QAArD,EAA+D,IAA/D,CAAP;;;EAeFmF,aAAa,CAACnB,mBAAD,EAAwD;QAG/D,KAAK9O,KAAL,CAAWiB,IAAX,KAAoBiP,KAAE,CAACzX,KAA3B,EAAkC,KAAK8hD,UAAL;UAE5B1wB,UAAU,GAAG,KAAK7pB,KAAL,CAAWq3C,gBAAX,KAAgC,KAAKr3C,KAAL,CAAW3B,KAA9D;QACIgC,IAAJ;;YAEQ,KAAKL,KAAL,CAAWiB,IAAnB;WACOiP,KAAE,CAACjW,MAAR;eACS,KAAKmpD,UAAL,EAAP;;WAEGlzC,KAAE,CAAC7V,OAAR;QACEgG,IAAI,GAAG,KAAKqQ,SAAL,EAAP;aACKgF,IAAL;;YAEI,KAAK/W,KAAL,CAAWuR,KAAE,CAACtZ,GAAd,CAAJ,EAAwB;iBACf,KAAKysD,uBAAL,CAA6BhjD,IAA7B,CAAP;;;YAGE,CAAC,KAAK1B,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,CAAL,EAA4B;eACrB8U,KAAL,CAAW,KAAKpL,KAAL,CAAW+K,YAAtB,EAAoCoD,aAAM,CAACrE,iBAA3C;;;eAEK,KAAK6G,UAAL,CAAgBtQ,IAAhB,EAAsB,QAAtB,CAAP;;WACG6P,KAAE,CAAClW,KAAR;QACEqG,IAAI,GAAG,KAAKqQ,SAAL,EAAP;aACKgF,IAAL;eACO,KAAK/E,UAAL,CAAgBtQ,IAAhB,EAAsB,gBAAtB,CAAP;;WAEG6P,KAAE,CAAClb,IAAR;;gBACQ+3C,WAAW,GAAG,KAAK/sC,KAAL,CAAW+sC,WAA/B;gBACMnyB,EAAE,GAAG,KAAKC,eAAL,EAAX;;cAEI,CAACkyB,WAAD,IAAgBnyB,EAAE,CAAC5lB,IAAH,KAAY,OAA5B,IAAuC,CAAC,KAAKgtB,kBAAL,EAA5C,EAAuE;gBACjE,KAAKrjB,KAAL,CAAWuR,KAAE,CAAC7W,SAAd,CAAJ,EAA8B;oBACtBmG,IAAI,GAAG,KAAKQ,KAAL,CAAWmT,OAAX,CAAmBzT,MAAnB,GAA4B,CAAzC;;kBACI,KAAKM,KAAL,CAAWmT,OAAX,CAAmB3T,IAAnB,MAA6BuzC,OAAE,CAAC7/B,iBAApC,EAAuD;sBAQ/C,IAAIuG,KAAJ,CAAU,gBAAV,CAAN;;;mBAEGzZ,KAAL,CAAWmT,OAAX,CAAmB3T,IAAnB,IAA2BuzC,OAAE,CAAC9/B,kBAA9B;mBAEKyC,IAAL;qBACO,KAAK4tC,aAAL,CACL,KAAKjxC,eAAL,CAAqBuI,EAArB,CADK,EAEL7Z,SAFK,EAGL,IAHK,CAAP;aAfF,MAoBO,IAAI,KAAKpC,KAAL,CAAWuR,KAAE,CAAClb,IAAd,CAAJ,EAAyB;qBACvB,KAAKuuD,4BAAL,CAAkC3oC,EAAlC,CAAP;;;;cAIAiP,UAAU,IAAI,KAAKlrB,KAAL,CAAWuR,KAAE,CAACnZ,KAAd,CAAd,IAAsC,CAAC,KAAKirB,kBAAL,EAA3C,EAAsE;iBAC/DtM,IAAL;mBACO,KAAK8U,oBAAL,CACL,KAAKnY,eAAL,CAAqBuI,EAArB,CADK,EAEL,CAACA,EAAD,CAFK,EAGL,KAHK,CAAP;;;iBAOKA,EAAP;;;WAGG1K,KAAE,CAACjX,GAAR;;iBACS,KAAKuqD,OAAL,EAAP;;;WAGGtzC,KAAE,CAACza,MAAR;;gBACQqX,KAAK,GAAG,KAAK9M,KAAL,CAAW8M,KAAzB;UACAzM,IAAI,GAAG,KAAK8M,YAAL,CAAkBL,KAAK,CAACA,KAAxB,EAA+B,eAA/B,CAAP;UACAzM,IAAI,CAACmM,OAAL,GAAeM,KAAK,CAACN,OAArB;UACAnM,IAAI,CAACoM,KAAL,GAAaK,KAAK,CAACL,KAAnB;iBACOpM,IAAP;;;WAGG6P,KAAE,CAAC5a,GAAR;eACS,KAAK6X,YAAL,CAAkB,KAAKnN,KAAL,CAAW8M,KAA7B,EAAoC,gBAApC,CAAP;;WAEGoD,KAAE,CAAC3a,MAAR;eACS,KAAK4X,YAAL,CAAkB,KAAKnN,KAAL,CAAW8M,KAA7B,EAAoC,eAApC,CAAP;;WAEGoD,KAAE,CAAC1a,OAAR;eACS,KAAK2X,YAAL,CAAkB,KAAKnN,KAAL,CAAW8M,KAA7B,EAAoC,gBAApC,CAAP;;WAEGoD,KAAE,CAACxa,MAAR;eACS,KAAKyX,YAAL,CAAkB,KAAKnN,KAAL,CAAW8M,KAA7B,EAAoC,eAApC,CAAP;;WAEGoD,KAAE,CAAC5V,KAAR;QACE+F,IAAI,GAAG,KAAKqQ,SAAL,EAAP;aACKgF,IAAL;eACO,KAAK/E,UAAL,CAAgBtQ,IAAhB,EAAsB,aAAtB,CAAP;;WAEG6P,KAAE,CAAC3V,KAAR;WACK2V,KAAE,CAAC1V,MAAR;eACS,KAAKgyB,mBAAL,EAAP;;WAEGtc,KAAE,CAAC5Z,MAAR;eACS,KAAKszB,kCAAL,CAAwCC,UAAxC,CAAP;;WAEG3Z,KAAE,CAACpa,WAAR;WACKoa,KAAE,CAACra,YAAR;;iBACS,KAAK4tD,cAAL,CACL,KAAKzjD,KAAL,CAAWiB,IAAX,KAAoBiP,KAAE,CAACpa,WAAvB,GAAqCoa,KAAE,CAACla,WAAxC,GAAsDka,KAAE,CAACna,QADpD,EAEc,KAFd,EAGS,IAHT,EAIL+Y,mBAJK,CAAP;;;WAOGoB,KAAE,CAACta,QAAR;;iBACS,KAAK6tD,cAAL,CACLvzC,KAAE,CAACna,QADE,EAEc,IAFd,EAGS,KAHT,EAIL+Y,mBAJK,CAAP;;;WAOGoB,KAAE,CAACha,SAAR;WACKga,KAAE,CAAC/Z,UAAR;;iBACS,KAAK2pD,eAAL,CACL,KAAK9/C,KAAL,CAAWiB,IAAX,KAAoBiP,KAAE,CAACha,SAAvB,GAAmCga,KAAE,CAAC7Z,SAAtC,GAAkD6Z,KAAE,CAAC9Z,MADhD,EAEW,KAFX,EAGU,IAHV,EAIL0Y,mBAJK,CAAP;;;WAOGoB,KAAE,CAACja,MAAR;;iBACS,KAAK6pD,eAAL,CACL5vC,KAAE,CAAC9Z,MADE,EAEW,KAFX,EAGU,KAHV,EAIL0Y,mBAJK,CAAP;;;WAOGoB,KAAE,CAAC7W,SAAR;eACS,KAAKqqD,2BAAL,EAAP;;WAEGxzC,KAAE,CAAC9Y,EAAR;aACOusD,eAAL;;WAEGzzC,KAAE,CAAChW,MAAR;QACEmG,IAAI,GAAG,KAAKqQ,SAAL,EAAP;aACKyjC,cAAL,CAAoB9zC,IAApB;eACO,KAAKsvC,UAAL,CAAgBtvC,IAAhB,EAAsB,KAAtB,CAAP;;WAEG6P,KAAE,CAACnW,IAAR;eACS,KAAK6pD,mBAAL,EAAP;;WAEG1zC,KAAE,CAAChZ,SAAR;eACS,KAAK6zC,aAAL,CAAmB,KAAnB,CAAP;;WAIG76B,KAAE,CAACvZ,WAAR;;UACE0J,IAAI,GAAG,KAAKqQ,SAAL,EAAP;eACKgF,IAAL;UACArV,IAAI,CAACs+B,MAAL,GAAc,IAAd;gBACMptB,MAAM,GAAIlR,IAAI,CAACkR,MAAL,GAAc,KAAKmxC,eAAL,EAA9B;;cACInxC,MAAM,CAACtQ,IAAP,KAAgB,kBAApB,EAAwC;mBAC/B,KAAK0P,UAAL,CAAgBtQ,IAAhB,EAAsB,gBAAtB,CAAP;WADF,MAEO;kBACC,KAAK+K,KAAL,CAAWmG,MAAM,CAAClT,KAAlB,EAAyB8P,aAAM,CAACxE,eAAhC,CAAN;;;;WAICuG,KAAE,CAAC7Y,IAAR;;cACM,KAAK2I,KAAL,CAAWw3C,UAAf,EAA2B;YACzBn3C,IAAI,GAAG,KAAKqQ,SAAL,EAAP;;gBAGE,KAAKrR,eAAL,CAAqB,kBAArB,EAAyC,UAAzC,MAAyD,OAD3D,EAEE;mBACK+L,KAAL,CAAW/K,IAAI,CAAChC,KAAhB,EAAuB8P,aAAM,CAAC7G,iCAA9B;;;iBAGGoO,IAAL;;gBAEI,CAAC,KAAKmuC,mDAAL,EAAL,EAAiE;mBAC1Dz4C,KAAL,CAAW/K,IAAI,CAAChC,KAAhB,EAAuB8P,aAAM,CAAC9G,sBAA9B;;;iBAGGy8C,sBAAL;mBACO,KAAKnzC,UAAL,CAAgBtQ,IAAhB,EAAsB,+BAAtB,CAAP;;;gBAMI0jD,MAAM,GAAG,KAAKvlD,KAAL,CAAWk7C,WAAX,CAAuB,KAAK15C,KAAL,CAAW1B,GAAlC,CAAf;;cACIiW,iBAAiB,CAACwvC,MAAD,CAAjB,IAA6BA,MAAM,OAAvC,EAAiE;kBACzD1lD,KAAK,GAAG,KAAK2B,KAAL,CAAW3B,KAAzB;YAEAgC,IAAI,GAAI,KAAKkiD,qBAAL,CAA2B,IAA3B,CAAR;;gBACI,KAAK5jD,KAAL,CAAWuR,KAAE,CAACzV,GAAd,CAAJ,EAAwB;mBACjB45C,YAAL,CAAkB,WAAlB;mBACKmO,UAAL,CAAgBC,cAAhB,CAA+BpiD,IAAI,CAACua,EAAL,CAAQ5lB,IAAvC,EAA6CqL,IAAI,CAAChC,KAAlD;aAFF,MAGO,IAAI,KAAKa,SAAL,CAAe,WAAf,CAAJ,EAAiC;mBACjCkM,KAAL,CACE,KAAKpL,KAAL,CAAW3B,KADb,EAEE8P,aAAM,CAAC5G,mBAFT,EAGElH,IAAI,CAACua,EAAL,CAAQ5lB,IAHV;aADK,MAMA;oBACC,KAAKonB,UAAL,CAAgB/d,KAAhB,CAAN;;;mBAEKgC,IAAP;;;;WAIC6P,KAAE,CAAC9X,UAAR;;cACM,KAAK4H,KAAL,CAAW8M,KAAX,KAAqB,GAAzB,EAA8B;kBACtBk3C,WAAW,GAAG,KAAKxlD,KAAL,CAAWk7C,WAAX,CAAuB,KAAK1rB,cAAL,EAAvB,CAApB;;gBAEEzZ,iBAAiB,CAACyvC,WAAD,CAAjB,IACAA,WAAW,OAFb,EAGE;qBACK3F,eAAL,CAAqB,CAAC,KAAD,EAAQ,MAAR,EAAgB,YAAhB,CAArB;;;;;;cAME,KAAKjiC,UAAL,EAAN;;;;EAKNmnC,4BAA4B,CAAC3oC,EAAD,EAA8C;UAClEva,IAAI,GAAG,KAAKgS,eAAL,CAAqBuI,EAArB,CAAb;UACM01B,yBAAyB,GAAG,KAAKtwC,KAAL,CAAWuwC,sBAA7C;UACM4R,wBAAwB,GAAG,KAAKniD,KAAL,CAAWu3C,qBAA5C;UACM/G,WAAW,GAAG,KAAKxwC,KAAL,CAAWywC,QAA/B;UACMC,WAAW,GAAG,KAAK1wC,KAAL,CAAW2wC,QAA/B;SACK3wC,KAAL,CAAWuwC,sBAAX,GAAoC,IAApC;SACKvwC,KAAL,CAAWu3C,qBAAX,GAAmC,IAAnC;SACKv3C,KAAL,CAAWywC,QAAX,GAAsB,CAAC,CAAvB;SACKzwC,KAAL,CAAW2wC,QAAX,GAAsB,CAAC,CAAvB;UACMrlC,MAAM,GAAG,CAAC,KAAKuP,eAAL,EAAD,CAAf;;QACI,KAAKgrB,qBAAL,EAAJ,EAAkC;WAC3Bz6B,KAAL,CAAW,KAAKpL,KAAL,CAAW6K,GAAtB,EAA2BsD,aAAM,CAACvI,yBAAlC;;;SAEGkU,MAAL,CAAY5J,KAAE,CAACnZ,KAAf;SACKwnD,8BAAL;SACKv+C,KAAL,CAAWuwC,sBAAX,GAAoCD,yBAApC;SACKtwC,KAAL,CAAWu3C,qBAAX,GAAmC4K,wBAAnC;SACKniD,KAAL,CAAWywC,QAAX,GAAsBD,WAAtB;SACKxwC,KAAL,CAAW2wC,QAAX,GAAsBD,WAAtB;SAEKlmB,oBAAL,CAA0BnqB,IAA1B,EAAgCiL,MAAhC,EAAwC,IAAxC;WACOjL,IAAP;;;EAIFmjD,OAAO,GAAmB;SACnBnP,YAAL,CAAkB,eAAlB;UACMh0C,IAAI,GAAG,KAAKqQ,SAAL,EAAb;SACKgF,IAAL;UACMuuC,SAAS,GAAG,KAAKjkD,KAAL,CAAW83C,MAA7B;SACK93C,KAAL,CAAW83C,MAAX,GAAoB,EAApB;IACAz3C,IAAI,CAACa,IAAL,GAAY,KAAK+yC,UAAL,EAAZ;SACKj0C,KAAL,CAAW83C,MAAX,GAAoBmM,SAApB;WACO,KAAKtzC,UAAL,CAAgBtQ,IAAhB,EAAsB,cAAtB,CAAP;;;EAIF+iD,UAAU,GAAY;UACd/iD,IAAI,GAAG,KAAKqQ,SAAL,EAAb;SACKgF,IAAL;;QAEE,KAAK/W,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,KACA,CAAC,KAAKgmB,KAAL,CAAW/L,gBADZ,IAEA,CAAC,KAAKtb,OAAL,CAAa2hD,uBAHhB,EAIE;WACKxrC,KAAL,CAAW/K,IAAI,CAAChC,KAAhB,EAAuB8P,aAAM,CAAC5F,eAA9B;KALF,MAMO,IACL,CAAC,KAAK+T,KAAL,CAAW0lB,UAAZ,IACA,CAAC,KAAK/sC,OAAL,CAAa2hD,uBAFT,EAGL;WACKxrC,KAAL,CAAW/K,IAAI,CAAChC,KAAhB,EAAuB8P,aAAM,CAAC3E,eAA9B;;;QAIA,CAAC,KAAK7K,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,CAAD,IACA,CAAC,KAAKqI,KAAL,CAAWuR,KAAE,CAACta,QAAd,CADD,IAEA,CAAC,KAAK+I,KAAL,CAAWuR,KAAE,CAACtZ,GAAd,CAHH,EAIE;WACKwU,KAAL,CAAW/K,IAAI,CAAChC,KAAhB,EAAuB8P,aAAM,CAACjE,gBAA9B;;;WAGK,KAAKyG,UAAL,CAAgBtQ,IAAhB,EAAsB,OAAtB,CAAP;;;EAGFmsB,mBAAmB,GAAqB;UAChCnsB,IAAI,GAAG,KAAKqQ,SAAL,EAAb;IACArQ,IAAI,CAACyM,KAAL,GAAa,KAAKnO,KAAL,CAAWuR,KAAE,CAAC3V,KAAd,CAAb;SACKmb,IAAL;WACO,KAAK/E,UAAL,CAAgBtQ,IAAhB,EAAsB,gBAAtB,CAAP;;;EAGFkiD,qBAAqB,CACnBn7B,oBADmB,EAEW;UACxB88B,SAAS,GAAG,KAAKvlD,KAAL,CAAWuR,KAAE,CAAC7Y,IAAd,CAAlB;;QAEI6sD,SAAJ,EAAe;WACR7F,eAAL,CAAqB,CAAC,wBAAD,EAA2B,qBAA3B,CAArB;;UACI,CAACj3B,oBAAL,EAA2B;aACpBhc,KAAL,CAAW,KAAKpL,KAAL,CAAW6K,GAAtB,EAA2BsD,aAAM,CAAC7E,sBAAlC;;;YAEIjJ,IAAI,GAAG,KAAKqQ,SAAL,EAAb;WACKgF,IAAL;WACKm+B,aAAL,CAAmB,2CAAnB;MACAxzC,IAAI,CAACua,EAAL,GAAU,KAAKC,eAAL,CAAqB,IAArB,CAAV;aACO,KAAKlK,UAAL,CAAgBtQ,IAAhB,EAAsB,aAAtB,CAAP;KATF,MAUO;aACE,KAAKwa,eAAL,CAAqB,IAArB,CAAP;;;;EAIJ6oC,2BAA2B,GAA0C;UAC7DrjD,IAAI,GAAG,KAAKqQ,SAAL,EAAb;SAOKgF,IAAL;;QAEI,KAAKjC,SAAL,CAAeC,QAAf,IAA2B,KAAK/U,KAAL,CAAWuR,KAAE,CAACtZ,GAAd,CAA/B,EAAmD;YAC3CutD,IAAI,GAAG,KAAKriC,gBAAL,CACX,KAAKzP,eAAL,CAAqBhS,IAArB,CADW,EAEX,UAFW,CAAb;WAIKqV,IAAL;aACO,KAAK0uC,iBAAL,CAAuB/jD,IAAvB,EAA6B8jD,IAA7B,EAAmC,MAAnC,CAAP;;;WAEK,KAAKb,aAAL,CAAmBjjD,IAAnB,CAAP;;;EAGF+jD,iBAAiB,CACf/jD,IADe,EAEf8jD,IAFe,EAGfE,YAHe,EAIC;IAChBhkD,IAAI,CAAC8jD,IAAL,GAAYA,IAAZ;;QAEIA,IAAI,CAACnvD,IAAL,KAAc,UAAd,IAA4BqvD,YAAY,KAAK,MAAjD,EAAyD;UAEnD,KAAKtoC,YAAL,CAAkBsoC,YAAlB,CAAJ,EAAqC;aAC9BhQ,YAAL,CAAkB,cAAlB;OADF,MAEO,IAAI,CAAC,KAAKn1C,SAAL,CAAe,cAAf,CAAL,EAAqC;aAErCkd,UAAL;;;;UAIE2wB,WAAW,GAAG,KAAK/sC,KAAL,CAAW+sC,WAA/B;IAEA1sC,IAAI,CAAC8gB,QAAL,GAAgB,KAAKtG,eAAL,CAAqB,IAArB,CAAhB;;QAEIxa,IAAI,CAAC8gB,QAAL,CAAcnsB,IAAd,KAAuBqvD,YAAvB,IAAuCtX,WAA3C,EAAwD;WACjD3hC,KAAL,CACE/K,IAAI,CAAC8gB,QAAL,CAAc9iB,KADhB,EAEE8P,aAAM,CAACpE,uBAFT,EAGEo6C,IAAI,CAACnvD,IAHP,EAIEqvD,YAJF;;;WAQK,KAAK1zC,UAAL,CAAgBtQ,IAAhB,EAAsB,cAAtB,CAAP;;;EAIFgjD,uBAAuB,CAAChjD,IAAD,EAAuC;UACtDua,EAAE,GAAG,KAAKkH,gBAAL,CAAsB,KAAKzP,eAAL,CAAqBhS,IAArB,CAAtB,EAAkD,QAAlD,CAAX;SACKqV,IAAL;;QAEI,KAAKqG,YAAL,CAAkB,MAAlB,CAAJ,EAA+B;UACzB,CAAC,KAAK7G,QAAV,EAAoB;aACb3J,aAAL,CACEqP,EAAE,CAACvc,KADL,EAEE;UAAER,IAAI,EAAE;SAFV,EAGEsQ,aAAM,CAAC5J,uBAHT;;;WAMGvF,iBAAL,GAAyB,IAAzB;;;WAGK,KAAKolD,iBAAL,CAAuB/jD,IAAvB,EAA6Bua,EAA7B,EAAiC,MAAjC,CAAP;;;EAGFzN,YAAY,CACVL,KADU,EAEV7L,IAFU,EAGVkP,QAHU,EAIVrF,QAJU,EAKP;IACHqF,QAAQ,GAAGA,QAAQ,IAAI,KAAKnQ,KAAL,CAAW3B,KAAlC;IACAyM,QAAQ,GAAGA,QAAQ,IAAI,KAAK9K,KAAL,CAAW8K,QAAlC;UAEMzK,IAAI,GAAG,KAAKmN,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAb;SACKizC,QAAL,CAAc19C,IAAd,EAAoB,UAApB,EAAgCyM,KAAhC;SACKixC,QAAL,CAAc19C,IAAd,EAAoB,KAApB,EAA2B,KAAK7B,KAAL,CAAWkD,KAAX,CAAiByO,QAAjB,EAA2B,KAAKnQ,KAAL,CAAW1B,GAAtC,CAA3B;IACA+B,IAAI,CAACyM,KAAL,GAAaA,KAAb;SACK4I,IAAL;WACO,KAAK/E,UAAL,CAAgBtQ,IAAhB,EAAsBY,IAAtB,CAAP;;;EAIF2oB,kCAAkC,CAACC,UAAD,EAAoC;UAC9D1Z,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAA5B;UACMyM,QAAQ,GAAG,KAAK9K,KAAL,CAAW8K,QAA5B;QAEIyO,GAAJ;SACK7D,IAAL;UAEM46B,yBAAyB,GAAG,KAAKtwC,KAAL,CAAWuwC,sBAA7C;UACMC,WAAW,GAAG,KAAKxwC,KAAL,CAAWywC,QAA/B;UACMC,WAAW,GAAG,KAAK1wC,KAAL,CAAW2wC,QAA/B;UACMuS,6BAA6B,GAAG,KAAKljD,KAAL,CAAW63C,0BAAjD;SACK73C,KAAL,CAAWuwC,sBAAX,GAAoC,IAApC;SACKvwC,KAAL,CAAWywC,QAAX,GAAsB,CAAC,CAAvB;SACKzwC,KAAL,CAAW2wC,QAAX,GAAsB,CAAC,CAAvB;SACK3wC,KAAL,CAAW63C,0BAAX,GAAwC,KAAxC;UAEMyM,aAAa,GAAG,KAAKtkD,KAAL,CAAW3B,KAAjC;UACMkmD,aAAa,GAAG,KAAKvkD,KAAL,CAAW8K,QAAjC;UACM2G,QAAQ,GAAG,EAAjB;UACM3C,mBAAmB,GAAG,IAAIkwC,gBAAJ,EAA5B;UACM57B,gBAAgB,GAAG;MAAE/kB,KAAK,EAAE;KAAlC;QACI8hD,KAAK,GAAG,IAAZ;QACIqE,WAAJ;QACIC,kBAAJ;;WAEO,CAAC,KAAK9lD,KAAL,CAAWuR,KAAE,CAAC3Z,MAAd,CAAR,EAA+B;UACzB4pD,KAAJ,EAAW;QACTA,KAAK,GAAG,KAAR;OADF,MAEO;aACArmC,MAAL,CAAY5J,KAAE,CAAC1Z,KAAf,EAAsB4sB,gBAAgB,CAAC/kB,KAAjB,IAA0B,IAAhD;;YACI,KAAKM,KAAL,CAAWuR,KAAE,CAAC3Z,MAAd,CAAJ,EAA2B;UACzBkuD,kBAAkB,GAAG,KAAKzkD,KAAL,CAAW3B,KAAhC;;;;;UAKA,KAAKM,KAAL,CAAWuR,KAAE,CAACjZ,QAAd,CAAJ,EAA6B;cACrBytD,kBAAkB,GAAG,KAAK1kD,KAAL,CAAW3B,KAAtC;cACMsmD,kBAAkB,GAAG,KAAK3kD,KAAL,CAAW8K,QAAtC;QACA05C,WAAW,GAAG,KAAKxkD,KAAL,CAAW3B,KAAzB;QACAoT,QAAQ,CAACvR,IAAT,CACE,KAAK6kB,cAAL,CACE,KAAK86B,gBAAL,EADF,EAEE6E,kBAFF,EAGEC,kBAHF,CADF;aAQKvE,mBAAL;;OAZF,MAeO;QACL3uC,QAAQ,CAACvR,IAAT,CACE,KAAKikB,gBAAL,CACE,KADF,EAEErV,mBAFF,EAGE,KAAKiW,cAHP,EAIE3B,gBAJF,CADF;;;;UAWEwhC,WAAW,GAAG,KAAK5kD,KAAL,CAAWkL,UAA/B;UACM25C,WAAW,GAAG,KAAK7kD,KAAL,CAAWmL,aAA/B;SACK2O,MAAL,CAAY5J,KAAE,CAAC3Z,MAAf;SAEKyJ,KAAL,CAAWuwC,sBAAX,GAAoCD,yBAApC;SACKtwC,KAAL,CAAW63C,0BAAX,GAAwCqL,6BAAxC;QAEI4B,SAAS,GAAG,KAAKt3C,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAhB;;QAEE+e,UAAU,IACV,KAAKL,gBAAL,EADA,KAECs7B,SAAS,GAAG,KAAKv7B,UAAL,CAAgBu7B,SAAhB,CAFb,CADF,EAIE;UACI,CAAC,KAAKjD,cAAL,EAAD,IAA0B,CAAC,KAAK7hD,KAAL,CAAWu3C,qBAA1C,EAAiE;aAC1Dv3C,KAAL,CAAW2wC,QAAX,GAAsBD,WAAtB;;;WAEG6N,8BAAL;WACKv+C,KAAL,CAAWywC,QAAX,GAAsBD,WAAtB;WACKxwC,KAAL,CAAW2wC,QAAX,GAAsBD,WAAtB;;8BACoBj/B,QAPpB,gBAO8B;cAAnB2Q,KAAK,GAAI3Q,QAAJ,KAAX;;YACC2Q,KAAK,CAACzU,KAAN,IAAeyU,KAAK,CAACzU,KAAN,CAAYqB,aAA/B,EAA8C;eACvCoN,UAAL,CAAgBgG,KAAK,CAACzU,KAAN,CAAYo3C,UAA5B;;;;WAICv6B,oBAAL,CAA0Bs6B,SAA1B,EAAqCrzC,QAArC,EAA+C,KAA/C;aACOqzC,SAAP;;;QAKEtU,WAAW,KAAK,CAAC,CAArB,EAAwB,KAAKxwC,KAAL,CAAWywC,QAAX,GAAsBD,WAAtB;QACpBE,WAAW,KAAK,CAAC,CAArB,EAAwB,KAAK1wC,KAAL,CAAW2wC,QAAX,GAAsBD,WAAtB;;QAEpB,CAACj/B,QAAQ,CAAC/R,MAAd,EAAsB;WACf0c,UAAL,CAAgB,KAAKpc,KAAL,CAAW+K,YAA3B;;;QAEE05C,kBAAJ,EAAwB,KAAKroC,UAAL,CAAgBqoC,kBAAhB;QACpBD,WAAJ,EAAiB,KAAKpoC,UAAL,CAAgBooC,WAAhB;SACZ7F,qBAAL,CAA2B7vC,mBAA3B,EAAgD,IAAhD;QACIsU,gBAAgB,CAAC/kB,KAArB,EAA4B,KAAK+d,UAAL,CAAgBgH,gBAAgB,CAAC/kB,KAAjC;SAEvBmT,oBAAL,CAA0BC,QAA1B,EAA8D,IAA9D;;QACIA,QAAQ,CAAC/R,MAAT,GAAkB,CAAtB,EAAyB;MACvB6Z,GAAG,GAAG,KAAK/L,WAAL,CAAiB82C,aAAjB,EAAgCC,aAAhC,CAAN;MACAhrC,GAAG,CAACyxB,WAAJ,GAAkBv5B,QAAlB;WACK7D,YAAL,CAAkB2L,GAAlB,EAAuB,oBAAvB,EAA6CqrC,WAA7C,EAA0DC,WAA1D;KAHF,MAIO;MACLtrC,GAAG,GAAG9H,QAAQ,CAAC,CAAD,CAAd;;;QAGE,CAAC,KAAKxc,OAAL,CAAagiD,8BAAlB,EAAkD;WAC3C8G,QAAL,CAAcxkC,GAAd,EAAmB,eAAnB,EAAoC,IAApC;WACKwkC,QAAL,CAAcxkC,GAAd,EAAmB,YAAnB,EAAiCpJ,QAAjC;aACOoJ,GAAP;;;UAGIzG,eAAe,GAAG,KAAKtF,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAxB;IACAgI,eAAe,CAACrF,UAAhB,GAA6B8L,GAA7B;SACK5I,UAAL,CAAgBmC,eAAhB,EAAiC,yBAAjC;WACOA,eAAP;;;EAGF0W,gBAAgB,GAAY;WACnB,CAAC,KAAKxH,kBAAL,EAAR;;;EAGFuH,UAAU,CAAClpB,IAAD,EAA8D;QAClE,KAAKga,GAAL,CAASnK,KAAE,CAACnZ,KAAZ,CAAJ,EAAwB;aACfsJ,IAAP;;;;EAIJ0kB,cAAc,CACZ1kB,IADY,EAEZ8P,QAFY,EAGZrF,QAHY,EAIE;WACPzK,IAAP;;;EAGFujD,mBAAmB,GAAqC;UAChDvjD,IAAI,GAAG,KAAKqQ,SAAL,EAAb;SACKgF,IAAL;;QACI,KAAK/W,KAAL,CAAWuR,KAAE,CAACtZ,GAAd,CAAJ,EAAwB;YAEhButD,IAAI,GAAG,KAAKriC,gBAAL,CAAsB,KAAKzP,eAAL,CAAqBhS,IAArB,CAAtB,EAAkD,KAAlD,CAAb;WACKqV,IAAL;YACMsvC,QAAQ,GAAG,KAAKZ,iBAAL,CAAuB/jD,IAAvB,EAA6B8jD,IAA7B,EAAmC,QAAnC,CAAjB;;UAEI,CAAC,KAAK7nC,KAAL,CAAW6lB,kBAAZ,IAAkC,CAAC,KAAK7lB,KAAL,CAAW4lB,OAAlD,EAA2D;YACrD3e,KAAK,GAAGpV,aAAM,CAAC/E,mBAAnB;;YAEI,KAAKlK,SAAL,CAAe,iBAAf,CAAJ,EAAuC;UACrCqkB,KAAK,IAAI,sBAAT;;;aAIGnY,KAAL,CAAW45C,QAAQ,CAAC3mD,KAApB,EAA2BklB,KAA3B;;;aAIKyhC,QAAP;;;WAGK,KAAKC,QAAL,CAAc5kD,IAAd,CAAP;;;EASF4kD,QAAQ,CAAC5kD,IAAD,EAAsC;IAC5CA,IAAI,CAACkR,MAAL,GAAc,KAAKmxC,eAAL,EAAd;;QAEIriD,IAAI,CAACkR,MAAL,CAAYtQ,IAAZ,KAAqB,QAAzB,EAAmC;WAC5BmK,KAAL,CAAW/K,IAAI,CAACkR,MAAL,CAAYlT,KAAvB,EAA8B8P,aAAM,CAAC9J,0BAArC;KADF,MAEO,IACLhE,IAAI,CAACkR,MAAL,CAAYtQ,IAAZ,KAAqB,0BAArB,IACAZ,IAAI,CAACkR,MAAL,CAAYtQ,IAAZ,KAAqB,wBAFhB,EAGL;WACKmK,KAAL,CAAW,KAAKpL,KAAL,CAAWkL,UAAtB,EAAkCiD,aAAM,CAACvH,qBAAzC;KAJK,MAKA,IAAI,KAAKyT,GAAL,CAASnK,KAAE,CAACpZ,WAAZ,CAAJ,EAA8B;WAC9BsU,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAACvH,qBAApC;;;SAGG0jB,iBAAL,CAAuBjqB,IAAvB;WACO,KAAKsQ,UAAL,CAAgBtQ,IAAhB,EAAsB,eAAtB,CAAP;;;EAGFiqB,iBAAiB,CAACjqB,IAAD,EAA8B;QACzC,KAAKga,GAAL,CAASnK,KAAE,CAAC5Z,MAAZ,CAAJ,EAAyB;YACjBo7C,IAAI,GAAG,KAAKwT,aAAL,CAAmBh1C,KAAE,CAAC3Z,MAAtB,CAAb;WACKkwB,gBAAL,CAAsBirB,IAAtB;MAEArxC,IAAI,CAACoB,SAAL,GAAiBiwC,IAAjB;KAJF,MAKO;MACLrxC,IAAI,CAACoB,SAAL,GAAiB,EAAjB;;;;EAMJ0jD,oBAAoB,CAACC,QAAD,EAAuC;UACnD7E,IAAI,GAAG,KAAK7vC,SAAL,EAAb;;QACI,KAAK1Q,KAAL,CAAW8M,KAAX,KAAqB,IAAzB,EAA+B;UACzB,CAACs4C,QAAL,EAAe;aACRh6C,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAX,GAAmB,CAA9B,EAAiC8P,aAAM,CAACrJ,6BAAxC;;;;IAGJy7C,IAAI,CAACzzC,KAAL,GAAa;MACXY,GAAG,EAAE,KAAKlP,KAAL,CACFkD,KADE,CACI,KAAK1B,KAAL,CAAW3B,KADf,EACsB,KAAK2B,KAAL,CAAW1B,GADjC,EAEFoN,OAFE,CAEM,QAFN,EAEgB,IAFhB,CADM;MAIX25C,MAAM,EAAE,KAAKrlD,KAAL,CAAW8M;KAJrB;SAMK4I,IAAL;IACA6qC,IAAI,CAAC+E,IAAL,GAAY,KAAK3mD,KAAL,CAAWuR,KAAE,CAAChZ,SAAd,CAAZ;WACO,KAAKyZ,UAAL,CAAgB4vC,IAAhB,EAAsB,iBAAtB,CAAP;;;EAIFxV,aAAa,CAACqa,QAAD,EAAuC;UAC5C/kD,IAAI,GAAG,KAAKqQ,SAAL,EAAb;SACKgF,IAAL;IACArV,IAAI,CAAC2qC,WAAL,GAAmB,EAAnB;QACIua,MAAM,GAAG,KAAKJ,oBAAL,CAA0BC,QAA1B,CAAb;IACA/kD,IAAI,CAACmlD,MAAL,GAAc,CAACD,MAAD,CAAd;;WACO,CAACA,MAAM,CAACD,IAAf,EAAqB;WACdxrC,MAAL,CAAY5J,KAAE,CAAC/Y,YAAf;MACAkJ,IAAI,CAAC2qC,WAAL,CAAiB9qC,IAAjB,CAAsB,KAAKoa,eAAL,EAAtB;WACKR,MAAL,CAAY5J,KAAE,CAAC9Z,MAAf;MACAiK,IAAI,CAACmlD,MAAL,CAAYtlD,IAAZ,CAAkBqlD,MAAM,GAAG,KAAKJ,oBAAL,CAA0BC,QAA1B,CAA3B;;;SAEG1vC,IAAL;WACO,KAAK/E,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB,CAAP;;;EAKFy/C,eAAe,CACbC,KADa,EAEblvC,SAFa,EAGbjC,QAHa,EAIbE,mBAJa,EAKV;QACCF,QAAJ,EAAc;WACPylC,YAAL,CAAkB,gBAAlB;;;UAEI6O,6BAA6B,GAAG,KAAKljD,KAAL,CAAW63C,0BAAjD;SACK73C,KAAL,CAAW63C,0BAAX,GAAwC,KAAxC;UACM4N,QAAa,GAAG1jD,MAAM,CAAC2jD,MAAP,CAAc,IAAd,CAAtB;QACIvF,KAAK,GAAG,IAAZ;UACM9/C,IAAI,GAAG,KAAKqQ,SAAL,EAAb;IAEArQ,IAAI,CAACmB,UAAL,GAAkB,EAAlB;SACKkU,IAAL;;WAEO,CAAC,KAAK2E,GAAL,CAAS0lC,KAAT,CAAR,EAAyB;UACnBI,KAAJ,EAAW;QACTA,KAAK,GAAG,KAAR;OADF,MAEO;aACArmC,MAAL,CAAY5J,KAAE,CAAC1Z,KAAf;;YACI,KAAKmI,KAAL,CAAWohD,KAAX,CAAJ,EAAuB;eAChBhC,QAAL,CAAc19C,IAAd,EAAoB,eAApB,EAAqC,KAAKL,KAAL,CAAW+K,YAAhD;eACK2K,IAAL;;;;;YAKEzH,IAAI,GAAG,KAAK03C,uBAAL,CAA6B90C,SAA7B,EAAwC/B,mBAAxC,CAAb;;UACI,CAAC+B,SAAL,EAAgB;aAETlC,UAAL,CAAgBV,IAAhB,EAAsBW,QAAtB,EAAgC62C,QAAhC,EAA0C32C,mBAA1C;;;UAIAF,QAAQ,IACRX,IAAI,CAAChN,IAAL,KAAc,gBADd,IAEAgN,IAAI,CAAChN,IAAL,KAAc,eAHhB,EAIE;aACKmK,KAAL,CAAW6C,IAAI,CAAC5P,KAAhB,EAAuB8P,aAAM,CAAC3I,qBAA9B;;;UAIEyI,IAAI,CAAC8C,SAAT,EAAoB;aACbgtC,QAAL,CAAc9vC,IAAd,EAAoB,WAApB,EAAiC,IAAjC;;;MAGF5N,IAAI,CAACmB,UAAL,CAAgBtB,IAAhB,CAAqB+N,IAArB;;;SAGGjO,KAAL,CAAW63C,0BAAX,GAAwCqL,6BAAxC;QACIjiD,IAAI,GAAG,kBAAX;;QACI4P,SAAJ,EAAe;MACb5P,IAAI,GAAG,eAAP;KADF,MAEO,IAAI2N,QAAJ,EAAc;MACnB3N,IAAI,GAAG,kBAAP;;;WAEK,KAAK0P,UAAL,CAAgBtQ,IAAhB,EAAsBY,IAAtB,CAAP;;;EAMF2kD,wBAAwB,CAAC33C,IAAD,EAAkC;WAEtD,CAACA,IAAI,CAACwyC,QAAN,IACAxyC,IAAI,CAACmD,GAAL,CAASnQ,IAAT,KAAkB,YADlB,KAEC,KAAK89C,qBAAL,MACC,KAAKpgD,KAAL,CAAWuR,KAAE,CAACta,QAAd,CADD,IAEC,KAAK+I,KAAL,CAAWuR,KAAE,CAAC1X,IAAd,CAJF,CADF;;;EAUFmtD,uBAAuB,CACrB90C,SADqB,EAErB/B,mBAFqB,EAG6B;QAC9CgiC,UAAU,GAAG,EAAjB;;QACI,KAAKnyC,KAAL,CAAWuR,KAAE,CAAC9Y,EAAd,CAAJ,EAAuB;UACjB,KAAK8H,SAAL,CAAe,YAAf,CAAJ,EAAkC;aAC3BkM,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAAClE,4BAApC;;;aAKK,KAAKtL,KAAL,CAAWuR,KAAE,CAAC9Y,EAAd,CAAP,EAA0B;QACxB05C,UAAU,CAAC5wC,IAAX,CAAgB,KAAKmgD,cAAL,EAAhB;;;;UAIEpyC,IAAI,GAAG,KAAKyC,SAAL,EAAb;QACId,WAAW,GAAG,KAAlB;QACI9B,OAAO,GAAG,KAAd;QACIgD,UAAU,GAAG,KAAjB;QACIX,QAAJ;QACIrF,QAAJ;;QAEI,KAAKnM,KAAL,CAAWuR,KAAE,CAACjZ,QAAd,CAAJ,EAA6B;UACvB65C,UAAU,CAACpxC,MAAf,EAAuB,KAAK0c,UAAL;;UACnBvL,SAAJ,EAAe;aACR6E,IAAL;QAEAzH,IAAI,CAAC+S,QAAL,GAAgB,KAAKnG,eAAL,EAAhB;aACKulC,mBAAL;eACO,KAAKzvC,UAAL,CAAgB1C,IAAhB,EAAsB,aAAtB,CAAP;;;aAGK,KAAK2xC,WAAL,EAAP;;;QAGE9O,UAAU,CAACpxC,MAAf,EAAuB;MACrBuO,IAAI,CAAC6iC,UAAL,GAAkBA,UAAlB;MACAA,UAAU,GAAG,EAAb;;;IAGF7iC,IAAI,CAAC5B,MAAL,GAAc,KAAd;;QAEIwE,SAAS,IAAI/B,mBAAjB,EAAsC;MACpCqB,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAAtB;MACAyM,QAAQ,GAAG,KAAK9K,KAAL,CAAW8K,QAAtB;;;QAGE,CAAC+F,SAAL,EAAgB;MACdjB,WAAW,GAAG,KAAKyK,GAAL,CAASnK,KAAE,CAAC1X,IAAZ,CAAd;;;UAGIu0C,WAAW,GAAG,KAAK/sC,KAAL,CAAW+sC,WAA/B;UACM37B,GAAG,GAAG,KAAK+V,iBAAL,CAAuBlZ,IAAvB,EAAwD,KAAxD,CAAZ;;QAGE,CAAC4C,SAAD,IACA,CAACjB,WADD,IAEA,CAACm9B,WAFD,IAGA,KAAK6Y,wBAAL,CAA8B33C,IAA9B,CAJF,EAKE;YACM43C,OAAO,GAAGz0C,GAAG,CAACpc,IAApB;;UAGI6wD,OAAO,KAAK,OAAZ,IAAuB,CAAC,KAAKhgB,qBAAL,EAA5B,EAA0D;QACxD/3B,OAAO,GAAG,IAAV;QACA8B,WAAW,GAAG,KAAKyK,GAAL,CAASnK,KAAE,CAAC1X,IAAZ,CAAd;aACK2uB,iBAAL,CAAuBlZ,IAAvB,EAAwD,KAAxD;;;UAIE43C,OAAO,KAAK,KAAZ,IAAqBA,OAAO,KAAK,KAArC,EAA4C;QAC1C/0C,UAAU,GAAG,IAAb;QACA7C,IAAI,CAAC7B,IAAL,GAAYy5C,OAAZ;;YACI,KAAKlnD,KAAL,CAAWuR,KAAE,CAAC1X,IAAd,CAAJ,EAAyB;eAClB4S,KAAL,CAAW,KAAKpL,KAAL,CAAW6K,GAAtB,EAA2BsD,aAAM,CAAClM,mBAAlC,EAAuD4jD,OAAvD;eACKnwC,IAAL;;;aAEGyR,iBAAL,CAAuBlZ,IAAvB,EAAwD,KAAxD;;;;SAICoZ,iBAAL,CACEpZ,IADF,EAEEkC,QAFF,EAGErF,QAHF,EAIE8E,WAJF,EAKE9B,OALF,EAME+C,SANF,EAOEC,UAPF,EAQEhC,mBARF;WAWOb,IAAP;;;EAGFolC,iCAAiC,CAC/BhnC,MAD+B,EAEvB;WACDA,MAAM,CAACD,IAAP,KAAgB,KAAhB,GAAwB,CAAxB,GAA4B,CAAnC;;;EAKF4B,uBAAuB,CAAC3B,MAAD,EAA+C;UAC9D6B,UAAU,GAAG,KAAKmlC,iCAAL,CAAuChnC,MAAvC,CAAnB;UACMhO,KAAK,GAAGgO,MAAM,CAAChO,KAArB;;QACIgO,MAAM,CAACf,MAAP,CAAc5L,MAAd,KAAyBwO,UAA7B,EAAyC;UACnC7B,MAAM,CAACD,IAAP,KAAgB,KAApB,EAA2B;aACpBhB,KAAL,CAAW/M,KAAX,EAAkB8P,aAAM,CAAC5L,cAAzB;OADF,MAEO;aACA6I,KAAL,CAAW/M,KAAX,EAAkB8P,aAAM,CAAC3L,cAAzB;;;;QAKF6J,MAAM,CAACD,IAAP,KAAgB,KAAhB,IACAC,MAAM,CAACf,MAAP,CAAce,MAAM,CAACf,MAAP,CAAc5L,MAAd,GAAuB,CAArC,EAAwCuB,IAAxC,KAAiD,aAFnD,EAGE;WACKmK,KAAL,CAAW/M,KAAX,EAAkB8P,aAAM,CAAC1L,sBAAzB;;;;EAKJmO,iBAAiB,CACf3C,IADe,EAEf2B,WAFe,EAGf9B,OAHe,EAIf+C,SAJe,EAKfC,UALe,EAME;QACbA,UAAJ,EAAgB;WAETf,WAAL,CACE9B,IADF,EAEoB,KAFpB,EAGgB,KAHhB,EAIsB,KAJtB,EAKE,KALF,EAME,cANF;WAQKD,uBAAL,CAA6BC,IAA7B;aACOA,IAAP;;;QAGEH,OAAO,IAAI8B,WAAX,IAA0B,KAAKjR,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,CAA9B,EAAqD;UAC/Cua,SAAJ,EAAe,KAAKuL,UAAL;MACfnO,IAAI,CAAC7B,IAAL,GAAY,QAAZ;MACA6B,IAAI,CAAC5B,MAAL,GAAc,IAAd;aACO,KAAK0D,WAAL,CACL9B,IADK,EAEL2B,WAFK,EAGL9B,OAHK,EAIe,KAJf,EAKL,KALK,EAML,cANK,CAAP;;;;EAaJkD,mBAAmB,CACjB/C,IADiB,EAEjBkC,QAFiB,EAGjBrF,QAHiB,EAIjB+F,SAJiB,EAKjB/B,mBALiB,EAME;IACnBb,IAAI,CAAC8C,SAAL,GAAiB,KAAjB;;QAEI,KAAKsJ,GAAL,CAASnK,KAAE,CAACxZ,KAAZ,CAAJ,EAAwB;MACtBuX,IAAI,CAACnB,KAAL,GAAa+D,SAAS,GAClB,KAAK0W,iBAAL,CAAuB,KAAKvnB,KAAL,CAAW3B,KAAlC,EAAyC,KAAK2B,KAAL,CAAW8K,QAApD,CADkB,GAElB,KAAKqZ,gBAAL,CAAsB,KAAtB,EAA6BrV,mBAA7B,CAFJ;aAIO,KAAK6B,UAAL,CAAgB1C,IAAhB,EAAsB,gBAAtB,CAAP;;;QAGE,CAACA,IAAI,CAACwyC,QAAN,IAAkBxyC,IAAI,CAACmD,GAAL,CAASnQ,IAAT,KAAkB,YAAxC,EAAsD;WAK/CunB,iBAAL,CAAuBva,IAAI,CAACmD,GAAL,CAASpc,IAAhC,EAAsCiZ,IAAI,CAACmD,GAAL,CAAS/S,KAA/C,EAAsD,IAAtD,EAA4D,KAA5D;;UAEIwS,SAAJ,EAAe;QACb5C,IAAI,CAACnB,KAAL,GAAa,KAAKya,iBAAL,CACXpX,QADW,EAEXrF,QAFW,EAGXmD,IAAI,CAACmD,GAAL,CAASiX,OAAT,EAHW,CAAb;OADF,MAMO,IAAI,KAAK1pB,KAAL,CAAWuR,KAAE,CAAC3Y,EAAd,KAAqBuX,mBAAzB,EAA8C;YAC/CA,mBAAmB,CAAC+vC,eAApB,KAAwC,CAAC,CAA7C,EAAgD;UAC9C/vC,mBAAmB,CAAC+vC,eAApB,GAAsC,KAAK7+C,KAAL,CAAW3B,KAAjD;;;QAEF4P,IAAI,CAACnB,KAAL,GAAa,KAAKya,iBAAL,CACXpX,QADW,EAEXrF,QAFW,EAGXmD,IAAI,CAACmD,GAAL,CAASiX,OAAT,EAHW,CAAb;OAJK,MASA;QACLpa,IAAI,CAACnB,KAAL,GAAamB,IAAI,CAACmD,GAAL,CAASiX,OAAT,EAAb;;;MAEFpa,IAAI,CAAC8C,SAAL,GAAiB,IAAjB;aAEO,KAAKJ,UAAL,CAAgB1C,IAAhB,EAAsB,gBAAtB,CAAP;;;;EAIJoZ,iBAAiB,CACfpZ,IADe,EAEfkC,QAFe,EAGfrF,QAHe,EAIf8E,WAJe,EAKf9B,OALe,EAMf+C,SANe,EAOfC,UAPe,EAQfhC,mBARe,EAST;UACAzO,IAAI,GACR,KAAKuQ,iBAAL,CACE3C,IADF,EAEE2B,WAFF,EAGE9B,OAHF,EAIE+C,SAJF,EAKEC,UALF,KAOA,KAAKE,mBAAL,CACE/C,IADF,EAEEkC,QAFF,EAGErF,QAHF,EAIE+F,SAJF,EAKE/B,mBALF,CARF;QAgBI,CAACzO,IAAL,EAAW,KAAK+b,UAAL;WAGJ/b,IAAP;;;EAGF8mB,iBAAiB,CACflZ,IADe,EAEfmZ,oBAFe,EAGc;QACzB,KAAK/M,GAAL,CAASnK,KAAE,CAACta,QAAZ,CAAJ,EAA2B;MACxBqY,IAAD,CAA4CwyC,QAA5C,GAAuD,IAAvD;MACAxyC,IAAI,CAACmD,GAAL,GAAW,KAAK+S,gBAAL,EAAX;WACKrK,MAAL,CAAY5J,KAAE,CAACna,QAAf;KAHF,MAIO;YACC+vD,iBAAiB,GAAG,KAAK9lD,KAAL,CAAWqhC,cAArC;WACKrhC,KAAL,CAAWqhC,cAAX,GAA4B,IAA5B;MAECpzB,IAAD,CAAmBmD,GAAnB,GACE,KAAKzS,KAAL,CAAWuR,KAAE,CAAC5a,GAAd,KACA,KAAKqJ,KAAL,CAAWuR,KAAE,CAACxa,MAAd,CADA,IAEA,KAAKiJ,KAAL,CAAWuR,KAAE,CAAC3a,MAAd,CAFA,IAGA,KAAKoJ,KAAL,CAAWuR,KAAE,CAAC1a,OAAd,CAHA,GAII,KAAKya,aAAL,EAJJ,GAKI,KAAKsyC,qBAAL,CAA2Bn7B,oBAA3B,CANN;;UAQInZ,IAAI,CAACmD,GAAL,CAASnQ,IAAT,KAAkB,aAAtB,EAAqC;QAEnCgN,IAAI,CAACwyC,QAAL,GAAgB,KAAhB;;;WAGGzgD,KAAL,CAAWqhC,cAAX,GAA4BykB,iBAA5B;;;WAGK73C,IAAI,CAACmD,GAAZ;;;EAKFvD,YAAY,CAACxN,IAAD,EAAuCyN,OAAvC,EAAgE;IAC1EzN,IAAI,CAACua,EAAL,GAAU,IAAV;IACAva,IAAI,CAAC0lD,SAAL,GAAiB,KAAjB;IACA1lD,IAAI,CAAC2lD,KAAL,GAAa,CAAC,CAACl4C,OAAf;;;EAKFiC,WAAW,CACT1P,IADS,EAETuP,WAFS,EAGT9B,OAHS,EAIT+B,aAJS,EAKTU,gBALS,EAMTtP,IANS,EAOTuP,YAAqB,GAAG,KAPf,EAQN;UACGggC,WAAW,GAAG,KAAKxwC,KAAL,CAAWywC,QAA/B;UACMC,WAAW,GAAG,KAAK1wC,KAAL,CAAW2wC,QAA/B;SACK3wC,KAAL,CAAWywC,QAAX,GAAsB,CAAC,CAAvB;SACKzwC,KAAL,CAAW2wC,QAAX,GAAsB,CAAC,CAAvB;SAEK9iC,YAAL,CAAkBxN,IAAlB,EAAwByN,OAAxB;IACAzN,IAAI,CAAC0lD,SAAL,GAAiB,CAAC,CAACn2C,WAAnB;UACM8Y,cAAc,GAAG7Y,aAAvB;SACKyM,KAAL,CAAWE,KAAX,CACExhB,cAAc,GACZG,WADF,IAEGqV,YAAY,GAAGnV,WAAH,GAAiB,CAFhC,KAGGkV,gBAAgB,GAAGnV,kBAAH,GAAwB,CAH3C,CADF;SAMKqY,SAAL,CAAe+I,KAAf,CAAqBsnB,aAAa,CAACh2B,OAAD,EAAUzN,IAAI,CAAC0lD,SAAf,CAAlC;SACKt9B,mBAAL,CAA0BpoB,IAA1B,EAAsCqoB,cAAtC;SACK/F,0BAAL,CAAgCtiB,IAAhC,EAAsCY,IAAtC,EAA4C,IAA5C;SACKwS,SAAL,CAAekJ,IAAf;SACKL,KAAL,CAAWK,IAAX;SAEK3c,KAAL,CAAWywC,QAAX,GAAsBD,WAAtB;SACKxwC,KAAL,CAAW2wC,QAAX,GAAsBD,WAAtB;WAEOrwC,IAAP;;;EAMFojD,cAAc,CACZ1D,KADY,EAEZkG,YAFY,EAGZC,OAHY,EAIZp3C,mBAJY,EAK2B;QACnCo3C,OAAJ,EAAa;WACN7R,YAAL,CAAkB,gBAAlB;;;UAEI6O,6BAA6B,GAAG,KAAKljD,KAAL,CAAW63C,0BAAjD;SACK73C,KAAL,CAAW63C,0BAAX,GAAwC,KAAxC;UACMx3C,IAAI,GAAG,KAAKqQ,SAAL,EAAb;SACKgF,IAAL;IACArV,IAAI,CAACC,QAAL,GAAgB,KAAK4kD,aAAL,CACdnF,KADc,EAEG,CAACmG,OAFJ,EAGdp3C,mBAHc,EAIdzO,IAJc,CAAhB;;QAMI4lD,YAAY,IAAI,CAAC,KAAKjmD,KAAL,CAAWuwC,sBAAhC,EAAwD;WAMjD9pB,gBAAL,CAAsBpmB,IAAI,CAACC,QAA3B;;;SAEGN,KAAL,CAAW63C,0BAAX,GAAwCqL,6BAAxC;WACO,KAAKvyC,UAAL,CACLtQ,IADK,EAEL6lD,OAAO,GAAG,iBAAH,GAAuB,iBAFzB,CAAP;;;EASF17B,oBAAoB,CAClBnqB,IADkB,EAElBiL,MAFkB,EAGlBwC,OAHkB,EAIlB0Y,gBAJkB,EAKS;SACtBlK,KAAL,CAAWE,KAAX,CAAiBxhB,cAAc,GAAGC,WAAlC;SACKwY,SAAL,CAAe+I,KAAf,CAAqBsnB,aAAa,CAACh2B,OAAD,EAAU,KAAV,CAAlC;SACKD,YAAL,CAAkBxN,IAAlB,EAAwByN,OAAxB;UACMwiC,yBAAyB,GAAG,KAAKtwC,KAAL,CAAWuwC,sBAA7C;UACMC,WAAW,GAAG,KAAKxwC,KAAL,CAAWywC,QAA/B;UACMC,WAAW,GAAG,KAAK1wC,KAAL,CAAW2wC,QAA/B;;QAEIrlC,MAAJ,EAAY;WACLtL,KAAL,CAAWuwC,sBAAX,GAAoC,IAApC;WACK9mB,0BAAL,CAAgCppB,IAAhC,EAAsCiL,MAAtC,EAA8Ckb,gBAA9C;;;SAEGxmB,KAAL,CAAWuwC,sBAAX,GAAoC,KAApC;SACKvwC,KAAL,CAAWywC,QAAX,GAAsB,CAAC,CAAvB;SACKzwC,KAAL,CAAW2wC,QAAX,GAAsB,CAAC,CAAvB;SACKvgC,iBAAL,CAAuB/P,IAAvB,EAA6B,IAA7B;SAEKoT,SAAL,CAAekJ,IAAf;SACKL,KAAL,CAAWK,IAAX;SACK3c,KAAL,CAAWuwC,sBAAX,GAAoCD,yBAApC;SACKtwC,KAAL,CAAWywC,QAAX,GAAsBD,WAAtB;SACKxwC,KAAL,CAAW2wC,QAAX,GAAsBD,WAAtB;WAEO,KAAK//B,UAAL,CAAgBtQ,IAAhB,EAAsB,yBAAtB,CAAP;;;EAGFopB,0BAA0B,CACxBppB,IADwB,EAExBiL,MAFwB,EAGxBkb,gBAHwB,EAIlB;IACNnmB,IAAI,CAACiL,MAAL,GAAc,KAAKoZ,gBAAL,CAAsBpZ,MAAtB,EAA8Bkb,gBAA9B,CAAd;;;EAGF7D,0BAA0B,CACxBtiB,IADwB,EAExBY,IAFwB,EAGxBqP,QAAkB,GAAG,KAHG,EAIlB;SAEDF,iBAAL,CAAuB/P,IAAvB,EAA6B,KAA7B,EAAoCiQ,QAApC;SACKK,UAAL,CAAgBtQ,IAAhB,EAAsBY,IAAtB;;;EAIFmP,iBAAiB,CACf/P,IADe,EAEfgQ,eAFe,EAGfC,QAAkB,GAAG,KAHN,EAIT;UACA61C,YAAY,GAAG91C,eAAe,IAAI,CAAC,KAAK1R,KAAL,CAAWuR,KAAE,CAACja,MAAd,CAAzC;UACMmwD,eAAe,GAAG,KAAKpmD,KAAL,CAAWs3C,YAAnC;SACKt3C,KAAL,CAAWs3C,YAAX,GAA0B,KAA1B;;QAEI6O,YAAJ,EAAkB;MAChB9lD,IAAI,CAACa,IAAL,GAAY,KAAKijB,gBAAL,EAAZ;WACKS,WAAL,CAAiBvkB,IAAjB,EAAuB,KAAvB,EAA8BgQ,eAA9B,EAA+C,KAA/C;KAFF,MAGO;YACCg2C,SAAS,GAAG,KAAKrmD,KAAL,CAAW2U,MAA7B;YAGMsvC,SAAS,GAAG,KAAKjkD,KAAL,CAAW83C,MAA7B;WACK93C,KAAL,CAAW83C,MAAX,GAAoB,EAApB;WAIKrkC,SAAL,CAAe+I,KAAf,CAAqB,KAAK/I,SAAL,CAAekwB,YAAf,KAAgCH,YAArD;MACAnjC,IAAI,CAACa,IAAL,GAAY,KAAK+yC,UAAL,CACV,IADU,EAEV,KAFU,EAITqS,sBAAD,IAAqC;cAC7BC,SAAS,GAAG,CAAC,KAAKC,iBAAL,CAAuBnmD,IAAI,CAACiL,MAA5B,CAAnB;;YAEIg7C,sBAAsB,IAAIC,SAA9B,EAAyC;gBAEjCE,QAAQ,GAEZ,CAACpmD,IAAI,CAAC+L,IAAL,KAAc,QAAd,IAA0B/L,IAAI,CAAC+L,IAAL,KAAc,aAAzC,KAEA,CAAC,CAAC/L,IAAI,CAAC+Q,GAFP,GAGI/Q,IAAI,CAAC+Q,GAAL,CAAS9S,GAHb,GAII+B,IAAI,CAAChC,KANX;eAOK+M,KAAL,CAAWq7C,QAAX,EAAqBt4C,aAAM,CAAClK,4BAA5B;;;cAGIq8C,iBAAiB,GAAG,CAAC+F,SAAD,IAAc,KAAKrmD,KAAL,CAAW2U,MAAnD;aAIKiQ,WAAL,CACEvkB,IADF,EAEE,CAAC,KAAKL,KAAL,CAAW2U,MAAZ,IAAsB,CAACtE,eAAvB,IAA0C,CAACC,QAA3C,IAAuD,CAACi2C,SAF1D,EAGEl2C,eAHF,EAIEiwC,iBAJF;;YAQI,KAAKtgD,KAAL,CAAW2U,MAAX,IAAqBtU,IAAI,CAACua,EAA9B,EAAkC;eAC3BxM,SAAL,CACE/N,IAAI,CAACua,EADP,EAEEhe,YAFF,EAGEmE,SAHF,EAIE,eAJF,EAKEA,SALF,EAMEu/C,iBANF;;OAhCM,CAAZ;WA2CK7sC,SAAL,CAAekJ,IAAf;WACK3c,KAAL,CAAW83C,MAAX,GAAoBmM,SAApB;;;SAGGjkD,KAAL,CAAWs3C,YAAX,GAA0B8O,eAA1B;;;EAGFI,iBAAiB,CACfl7C,MADe,EAEN;SACJ,IAAI7K,CAAC,GAAG,CAAR,EAAWg7C,GAAG,GAAGnwC,MAAM,CAAC5L,MAA7B,EAAqCe,CAAC,GAAGg7C,GAAzC,EAA8Ch7C,CAAC,EAA/C,EAAmD;UAC7C6K,MAAM,CAAC7K,CAAD,CAAN,CAAUQ,IAAV,KAAmB,YAAvB,EAAqC,OAAO,KAAP;;;WAEhC,IAAP;;;EAGF2jB,WAAW,CACTvkB,IADS,EAETqpB,eAFS,EAITC,eAJS,EAKT22B,iBAA2B,GAAG,IALrB,EAMH;UAEAoG,QAAY,GAAG3kD,MAAM,CAAC2jD,MAAP,CAAc,IAAd,CAArB;;SACK,IAAIjlD,CAAC,GAAG,CAAb,EAAgBA,CAAC,GAAGJ,IAAI,CAACiL,MAAL,CAAY5L,MAAhC,EAAwCe,CAAC,EAAzC,EAA6C;WACtC2N,SAAL,CACE/N,IAAI,CAACiL,MAAL,CAAY7K,CAAZ,CADF,EAEEpE,QAFF,EAGEqtB,eAAe,GAAG,IAAH,GAAUg9B,QAH3B,EAIE,yBAJF,EAKE3lD,SALF,EAMEu/C,iBANF;;;;EAiBJ4E,aAAa,CACXnF,KADW,EAEXE,UAFW,EAGXnxC,mBAHW,EAIXk0C,YAJW,EAKoB;UACzB9C,IAAI,GAAG,EAAb;QACIC,KAAK,GAAG,IAAZ;;WAEO,CAAC,KAAK9lC,GAAL,CAAS0lC,KAAT,CAAR,EAAyB;UACnBI,KAAJ,EAAW;QACTA,KAAK,GAAG,KAAR;OADF,MAEO;aACArmC,MAAL,CAAY5J,KAAE,CAAC1Z,KAAf;;YACI,KAAKmI,KAAL,CAAWohD,KAAX,CAAJ,EAAuB;cACjBiD,YAAJ,EAAkB;iBACXjF,QAAL,CACEiF,YADF,EAEE,eAFF,EAGE,KAAKhjD,KAAL,CAAW+K,YAHb;;;eAMG2K,IAAL;;;;;MAKJwqC,IAAI,CAAChgD,IAAL,CAAU,KAAKijD,iBAAL,CAAuBlD,UAAvB,EAAmCnxC,mBAAnC,CAAV;;;WAEKoxC,IAAP;;;EAGFiD,iBAAiB,CACflD,UADe,EAEfnxC,mBAFe,EAGfsU,gBAHe,EAIf2/B,gBAJe,EAKA;QACX9R,GAAJ;;QACI,KAAKtyC,KAAL,CAAWuR,KAAE,CAAC1Z,KAAd,CAAJ,EAA0B;UACpB,CAACypD,UAAL,EAAiB;aACV70C,KAAL,CAAW,KAAKpL,KAAL,CAAW6K,GAAtB,EAA2BsD,aAAM,CAAC1E,eAAlC,EAAmD,GAAnD;;;MAEFwnC,GAAG,GAAG,IAAN;KAJF,MAKO,IAAI,KAAKtyC,KAAL,CAAWuR,KAAE,CAACjZ,QAAd,CAAJ,EAA6B;YAC5BytD,kBAAkB,GAAG,KAAK1kD,KAAL,CAAW3B,KAAtC;YACMsmD,kBAAkB,GAAG,KAAK3kD,KAAL,CAAW8K,QAAtC;MACAmmC,GAAG,GAAG,KAAKlsB,cAAL,CACJ,KAAK66B,WAAL,CAAiB9wC,mBAAjB,EAAsCsU,gBAAtC,CADI,EAEJshC,kBAFI,EAGJC,kBAHI,CAAN;KAHK,MAQA,IAAI,KAAKhmD,KAAL,CAAWuR,KAAE,CAACrZ,QAAd,CAAJ,EAA6B;WAC7Bw9C,YAAL,CAAkB,oBAAlB;;UACI,CAAC0O,gBAAL,EAAuB;aAChB33C,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAACtF,6BAApC;;;YAEIxI,IAAI,GAAG,KAAKqQ,SAAL,EAAb;WACKgF,IAAL;MACAu7B,GAAG,GAAG,KAAKtgC,UAAL,CAAgBtQ,IAAhB,EAAsB,qBAAtB,CAAN;KAPK,MAQA;MACL4wC,GAAG,GAAG,KAAK9sB,gBAAL,CACJ,KADI,EAEJrV,mBAFI,EAGJ,KAAKiW,cAHD,EAIJ3B,gBAJI,CAAN;;;WAOK6tB,GAAP;;;EASFp2B,eAAe,CAACwD,OAAD,EAAkC;UACzChe,IAAI,GAAG,KAAKqQ,SAAL,EAAb;UACM1b,IAAI,GAAG,KAAK8yC,mBAAL,CAAyBznC,IAAI,CAAChC,KAA9B,EAAqCggB,OAArC,CAAb;WAEO,KAAKyD,gBAAL,CAAsBzhB,IAAtB,EAA4BrL,IAA5B,CAAP;;;EAGF8sB,gBAAgB,CAACzhB,IAAD,EAAqBrL,IAArB,EAAiD;IAC/DqL,IAAI,CAACrL,IAAL,GAAYA,IAAZ;IACAqL,IAAI,CAACN,GAAL,CAAS4mD,cAAT,GAA0B3xD,IAA1B;WAEO,KAAK2b,UAAL,CAAgBtQ,IAAhB,EAAsB,YAAtB,CAAP;;;EAGFynC,mBAAmB,CAACj9B,GAAD,EAAcwT,OAAd,EAAyC;QACtDrpB,IAAJ;;QAEI,KAAK2J,KAAL,CAAWuR,KAAE,CAAClb,IAAd,CAAJ,EAAyB;MACvBA,IAAI,GAAG,KAAKgL,KAAL,CAAW8M,KAAlB;KADF,MAEO,IAAI,KAAK9M,KAAL,CAAWiB,IAAX,CAAgBxM,OAApB,EAA6B;MAClCO,IAAI,GAAG,KAAKgL,KAAL,CAAWiB,IAAX,CAAgBxM,OAAvB;YAKM0e,OAAO,GAAG,KAAKnT,KAAL,CAAWmT,OAA3B;;UAEE,CAACne,IAAI,KAAK,OAAT,IAAoBA,IAAI,KAAK,UAA9B,KACAme,OAAO,CAACA,OAAO,CAACzT,MAAR,GAAiB,CAAlB,CAAP,CAA4BxK,KAA5B,KAAsC,UAFxC,EAGE;QACAie,OAAO,CAAC5R,GAAR;;KAXG,MAaA;YACC,KAAK6a,UAAL,EAAN;;;QAGEiC,OAAJ,EAAa;WAGNre,KAAL,CAAWiB,IAAX,GAAkBiP,KAAE,CAAClb,IAArB;KAHF,MAIO;WACAwzB,iBAAL,CACExzB,IADF,EAEE,KAAKgL,KAAL,CAAW3B,KAFb,EAGE,CAAC,CAAC,KAAK2B,KAAL,CAAWiB,IAAX,CAAgBxM,OAHpB,EAIE,KAJF;;;SAQGihB,IAAL;WAEO1gB,IAAP;;;EAGFwzB,iBAAiB,CACfvT,IADe,EAEfnK,QAFe,EAGfknC,aAHe,EAIf3rB,SAJe,EAKT;QACF,KAAK5S,SAAL,CAAeC,QAAf,IAA2BuB,IAAI,KAAK,OAAxC,EAAiD;WAC1C7J,KAAL,CAAWN,QAAX,EAAqBqD,aAAM,CAAC3D,sBAA5B;;;;QAIEyK,IAAI,KAAK,OAAb,EAAsB;UAChB,KAAKxB,SAAL,CAAemwB,QAAnB,EAA6B;aACtBx4B,KAAL,CAAWN,QAAX,EAAqBqD,aAAM,CAAC/L,sBAA5B;;;;UAIA,KAAKpC,KAAL,CAAW2wC,QAAX,KAAwB,CAAC,CAAzB,KACC,KAAK3wC,KAAL,CAAWu3C,qBAAX,IAAoC,KAAKsK,cAAL,EADrC,CADF,EAGE;aACK7hD,KAAL,CAAW2wC,QAAX,GAAsB,KAAK3wC,KAAL,CAAW3B,KAAjC;;;;QAKF,KAAKie,KAAL,CAAW4lB,OAAX,IACA,CAAC,KAAK5lB,KAAL,CAAW6lB,kBADZ,IAEAltB,IAAI,KAAK,WAHX,EAIE;WACK7J,KAAL,CAAWN,QAAX,EAAqBqD,aAAM,CAACjM,gCAA5B;;;;QAGE8vC,aAAa,IAAI18B,SAAS,CAACL,IAAD,CAA9B,EAAsC;WAC/B7J,KAAL,CAAWN,QAAX,EAAqBqD,aAAM,CAAClF,iBAA5B,EAA+CgM,IAA/C;;;;UAII2xC,YAAY,GAAG,CAAC,KAAK5mD,KAAL,CAAW2U,MAAZ,GACjBK,cADiB,GAEjBqR,SAAS,GACThR,wBADS,GAETF,oBAJJ;;QAMIyxC,YAAY,CAAC3xC,IAAD,EAAO,KAAKC,QAAZ,CAAhB,EAAuC;UACjC,CAAC,KAAKzB,SAAL,CAAemwB,QAAhB,IAA4B3uB,IAAI,KAAK,OAAzC,EAAkD;aAC3C7J,KAAL,CAAWN,QAAX,EAAqBqD,aAAM,CAAC7L,uBAA5B;OADF,MAEO;aACA8I,KAAL,CAAWN,QAAX,EAAqBqD,aAAM,CAAC5E,sBAA5B,EAAoD0L,IAApD;;;;;EAKN4sC,cAAc,GAAY;QACpB,KAAKvlC,KAAL,CAAWwlB,UAAf,EAA2B,OAAO,KAAKruB,SAAL,CAAemwB,QAAtB;QACvB,KAAK3uC,OAAL,CAAawhD,yBAAjB,EAA4C,OAAO,IAAP;;QACxC,KAAKv3C,SAAL,CAAe,eAAf,CAAJ,EAAqC;aAC5B,KAAKgW,QAAL,IAAiB,KAAKzB,SAAL,CAAemwB,QAAvC;;;WAEK,KAAP;;;EAKFke,UAAU,GAAsB;UACxBzhD,IAAI,GAAG,KAAKqQ,SAAL,EAAb;SAEKgF,IAAL;;QAEI,KAAK1V,KAAL,CAAWs3C,YAAf,EAA6B;WACtBlsC,KAAL,CAAW/K,IAAI,CAAChC,KAAhB,EAAuB8P,aAAM,CAAC9L,8BAA9B;KADF,MAEO,IAAI,KAAKrC,KAAL,CAAW2wC,QAAX,KAAwB,CAAC,CAA7B,EAAgC;WAChC3wC,KAAL,CAAW2wC,QAAX,GAAsBtwC,IAAI,CAAChC,KAA3B;;;QAEE,KAAKgc,GAAL,CAASnK,KAAE,CAAC1X,IAAZ,CAAJ,EAAuB;WAChB4S,KAAL,CAAW/K,IAAI,CAAChC,KAAhB,EAAuB8P,aAAM,CAACxH,iBAA9B;;;QAGE,CAAC,KAAK2V,KAAL,CAAWwlB,UAAZ,IAA0B,CAAC,KAAK7sC,OAAL,CAAawhD,yBAA5C,EAAuE;UAEnE,KAAK5Q,qBAAL,MAGA,KAAKlnC,KAAL,CAAWuR,KAAE,CAAC5X,OAAd,CAHA,IAIA,KAAKqG,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,CAJA,IAKA,KAAKqI,KAAL,CAAWuR,KAAE,CAACta,QAAd,CALA,IAMA,KAAK+I,KAAL,CAAWuR,KAAE,CAAChZ,SAAd,CANA,IASA,KAAKyH,KAAL,CAAWuR,KAAE,CAACza,MAAd,CATA,IAUA,KAAKkJ,KAAL,CAAWuR,KAAE,CAACzX,KAAd,CAVA,IAaC,KAAKyG,SAAL,CAAe,aAAf,KAAiC,KAAKP,KAAL,CAAWuR,KAAE,CAAC3X,MAAd,CAdpC,EAeE;aACK0G,2BAAL,GAAmC,IAAnC;OAhBF,MAiBO;aACAD,iBAAL,GAAyB,IAAzB;;;;QAIA,CAAC,KAAKgB,KAAL,CAAW43C,SAAhB,EAA2B;MACzBv3C,IAAI,CAAC2gB,QAAL,GAAgB,KAAKqqB,eAAL,EAAhB;;;WAGK,KAAK16B,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB,CAAP;;;EAKFygD,UAAU,CAAC39B,IAAD,EAAqC;UACvC9iB,IAAI,GAAG,KAAKqQ,SAAL,EAAb;;QAEI,KAAK1Q,KAAL,CAAWs3C,YAAf,EAA6B;WACtBlsC,KAAL,CAAW/K,IAAI,CAAChC,KAAhB,EAAuB8P,aAAM,CAAC1D,gBAA9B;KADF,MAEO,IAAI,KAAKzK,KAAL,CAAWywC,QAAX,KAAwB,CAAC,CAA7B,EAAgC;WAChCzwC,KAAL,CAAWywC,QAAX,GAAsBpwC,IAAI,CAAChC,KAA3B;;;SAGGqX,IAAL;;QAEE,KAAK/W,KAAL,CAAWuR,KAAE,CAACzZ,IAAd,KACC,CAAC,KAAKkI,KAAL,CAAWuR,KAAE,CAAC1X,IAAd,CAAD,IAAwB,CAAC,KAAKwH,KAAL,CAAWiB,IAAX,CAAgBjN,UAD1C,IAEA,KAAK6xC,qBAAL,EAHF,EAIE;MACAxlC,IAAI,CAACwmD,QAAL,GAAgB,KAAhB;MACAxmD,IAAI,CAAC2gB,QAAL,GAAgB,IAAhB;KANF,MAOO;MACL3gB,IAAI,CAACwmD,QAAL,GAAgB,KAAKxsC,GAAL,CAASnK,KAAE,CAAC1X,IAAZ,CAAhB;MACA6H,IAAI,CAAC2gB,QAAL,GAAgB,KAAKmD,gBAAL,CAAsBhB,IAAtB,CAAhB;;;WAEK,KAAKxS,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB,CAAP;;;EAMF8gD,4BAA4B,CAAC35B,IAAD,EAAqBoqB,YAArB,EAA2C;QACjE,KAAKvyC,eAAL,CAAqB,kBAArB,EAAyC,UAAzC,MAAyD,OAA7D,EAAsE;UAChEmoB,IAAI,CAACvmB,IAAL,KAAc,oBAAlB,EAAwC;aAGjCmK,KAAL,CAAWwmC,YAAX,EAAyBzjC,aAAM,CAAChH,8BAAhC;;;;;EAKNs6C,sBAAsB,CACpBqF,eADoB,EAEpB32C,QAFoB,EAGpBrF,QAHoB,EAIJ;SACXi8C,iCAAL,CAAuCD,eAAvC,EAAwD32C,QAAxD;WAEO,KAAK62C,6BAAL,CACLF,eADK,EAEL32C,QAFK,EAGLrF,QAHK,CAAP;;;EAOFi8C,iCAAiC,CAC/BD,eAD+B,EAE/B32C,QAF+B,EAGzB;QACF,KAAKxR,KAAL,CAAWuR,KAAE,CAACnZ,KAAd,CAAJ,EAA0B;YAGlB,KAAKqU,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAAClH,mBAApC,CAAN;KAHF,MAIO,IAAI6/C,eAAe,CAAC7lD,IAAhB,KAAyB,oBAA7B,EAAmD;WACnDmK,KAAL,CAAW+E,QAAX,EAAqBhC,aAAM,CAACjH,8BAA5B;;;;EAIJ8/C,6BAA6B,CAC3BF,eAD2B,EAE3B32C,QAF2B,EAG3BrF,QAH2B,EAIX;UACV2R,QAAQ,GAAG,KAAKjP,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAjB;UACMm8C,iBAAiB,GAAG,KAAKA,iBAAL,CAAuBH,eAAvB,CAA1B;;QACIG,iBAAJ,EAAuB;MACrBxqC,QAAQ,CAAClL,MAAT,GAAkBu1C,eAAlB;KADF,MAEO;UACD,CAAC,KAAKI,0CAAL,EAAL,EAAwD;aACjD97C,KAAL,CAAW+E,QAAX,EAAqBhC,aAAM,CAAC/G,mBAA5B;;;MAEFqV,QAAQ,CAAChP,UAAT,GAAsBq5C,eAAtB;;;WAEK,KAAKn2C,UAAL,CACL8L,QADK,EAELwqC,iBAAiB,GAAG,sBAAH,GAA4B,yBAFxC,CAAP;;;EAMFA,iBAAiB,CAACx5C,UAAD,EAAoC;YAC3CA,UAAU,CAACxM,IAAnB;WACO,kBAAL;eAEI,CAACwM,UAAU,CAACgzC,QAAZ,IAAwB,KAAKwG,iBAAL,CAAuBx5C,UAAU,CAACkxB,MAAlC,CAD1B;;WAGG,YAAL;eACS,IAAP;;;eAEO,KAAP;;;;EAUN6iB,0BAA0B,CAAI2F,QAAJ,EAA0B;UAC5CC,sBAAsB,GAAG,KAAKpnD,KAAL,CAAWy3C,YAA1C;SACKz3C,KAAL,CAAWy3C,YAAX,GAA0B;MAExBC,wBAAwB,EAAE,CAFF;MAIxBC,aAAa,EAAE;KAJjB;;QAOI;aACKwP,QAAQ,EAAf;KADF,SAEU;WACHnnD,KAAL,CAAWy3C,YAAX,GAA0B2P,sBAA1B;;;;EAWJC,0BAA0B,CAAIF,QAAJ,EAA0B;UAC5CC,sBAAsB,GAAG,KAAKpnD,KAAL,CAAWy3C,YAA1C;SACKz3C,KAAL,CAAWy3C,YAAX,GAA0B;MAExBC,wBAAwB,EAAE,CAFF;MAIxBC,aAAa,EAAE;KAJjB;;QAOI;aACKwP,QAAQ,EAAf;KADF,SAEU;WACHnnD,KAAL,CAAWy3C,YAAX,GAA0B2P,sBAA1B;;;;EAIJzF,8BAA8B,CAAIwF,QAAJ,EAA0B;UAChDG,0BAA0B,GAAG,KAAKtnD,KAAL,CAAW43C,SAA9C;SACK53C,KAAL,CAAW43C,SAAX,GAAuB,IAAvB;;QAEI;aACKuP,QAAQ,EAAf;KADF,SAEU;WACHnnD,KAAL,CAAW43C,SAAX,GAAuB0P,0BAAvB;;;;EAMJxD,sBAAsB,GAAS;SACxB9jD,KAAL,CAAWy3C,YAAX,CAAwBE,aAAxB,GAAwC,CAAxC;;;EAGFkM,mDAAmD,GAAY;WACtD,KAAK7jD,KAAL,CAAWy3C,YAAX,CAAwBC,wBAAxB,IAAoD,CAA3D;;;EAGFwP,0CAA0C,GAAY;WAElD,KAAKlnD,KAAL,CAAWy3C,YAAX,CAAwBE,aAAxB,IAAyC,IAAzC,IACA,KAAK33C,KAAL,CAAWy3C,YAAX,CAAwBE,aAAxB,IAAyC,CAF3C;;;EAMFiK,uBAAuB,CAACV,IAAD,EAAe/9B,IAAf,EAA6C;UAC5DhT,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAA5B;UACMyM,QAAQ,GAAG,KAAK9K,KAAL,CAAW8K,QAA5B;SAEK9K,KAAL,CAAWq3C,gBAAX,GAA8B,KAAKr3C,KAAL,CAAW3B,KAAzC;UACM6kD,6BAA6B,GAAG,KAAKljD,KAAL,CAAW63C,0BAAjD;SACK73C,KAAL,CAAW63C,0BAAX,GAAwC,IAAxC;UAEM0P,GAAG,GAAG,KAAK5V,WAAL,CACV,KAAKtG,eAAL,EADU,EAEVl7B,QAFU,EAGVrF,QAHU,EAIVo2C,IAJU,EAKV/9B,IALU,CAAZ;SAQKnjB,KAAL,CAAW63C,0BAAX,GAAwCqL,6BAAxC;WAEOqE,GAAP;;;;;ACtiFJ,MAAMC,SAAS,GAAG;EAAEp7C,IAAI,EAAE;CAA1B;MACEq7C,WAAW,GAAG;EAAEr7C,IAAI,EAAE;CADxB;AAGA,MAAMs7C,aAAa,GAAG,KAAtB;MACEC,cAAc,GAAG,KADnB;MAEEC,sBAAsB,GAAG,KAF3B;MAGEC,gBAAgB,GAAG,KAHrB;AAKA,AAAe,MAAMC,eAAN,SAA8BtH,gBAA9B,CAA+C;EAQ5D31B,aAAa,CAACC,IAAD,EAAeC,OAAf,EAA2C;IACtDA,OAAO,CAACurB,UAAR,GAAqB,KAAKrhD,OAAL,CAAaqhD,UAAlC;IAEAvrB,OAAO,CAACg9B,WAAR,GAAsB,KAAKC,yBAAL,EAAtB;SAEK94C,cAAL,CAAoB6b,OAApB,EAA6B,IAA7B,EAAmC,IAAnC,EAAyC7a,KAAE,CAACva,GAA5C;;QAGE,KAAKuf,QAAL,IACA,CAAC,KAAKjgB,OAAL,CAAa4hD,sBADd,IAEA,KAAKv6B,KAAL,CAAWslB,gBAAX,CAA4B+Y,IAA5B,GAAmC,CAHrC,EAIE;qCACqBvF,KAAK,CAAC6S,IAAN,CAAW,KAAK3rC,KAAL,CAAWslB,gBAAtB,CADrB,iCAC8D;cAAnD,CAAC5sC,IAAD,mBAAN;cACG6V,GAAG,GAAG,KAAKyR,KAAL,CAAWslB,gBAAX,CAA4BriC,GAA5B,CAAgCvK,IAAhC,CAAZ;aAEKoW,KAAL,CAAWP,GAAX,EAAgBsD,aAAM,CAAC9H,qBAAvB,EAA8CrR,IAA9C;;;;IAIJ81B,IAAI,CAACC,OAAL,GAAe,KAAKpa,UAAL,CAAgBoa,OAAhB,EAAyB,SAAzB,CAAf;IACAD,IAAI,CAACktB,QAAL,GAAgB,KAAKh4C,KAAL,CAAWg4C,QAA3B;QAEI,KAAK/iD,OAAL,CAAa+hD,MAAjB,EAAyBlsB,IAAI,CAACksB,MAAL,GAAc,KAAKA,MAAnB;WAElB,KAAKrmC,UAAL,CAAgBma,IAAhB,EAAsB,MAAtB,CAAP;;;EAKF7b,eAAe,CAAC1B,IAAD,EAAiC;UACxCc,IAAI,GAAGd,IAAI,CAACE,UAAlB;UAEMH,gBAAgB,GAAG,KAAKE,WAAL,CAAiBa,IAAI,CAAChQ,KAAtB,EAA6BgQ,IAAI,CAACtO,GAAL,CAAS1B,KAAtC,CAAzB;UACMgP,SAAS,GAAG,KAAKG,WAAL,CAAiBD,IAAI,CAAClP,KAAtB,EAA6BkP,IAAI,CAACxN,GAAL,CAAS1B,KAAtC,CAAlB;UAEMqP,GAAG,GAAG,KAAKlP,KAAL,CAAWkD,KAAX,CAAiB2M,IAAI,CAAChQ,KAAtB,EAA6BgQ,IAAI,CAAC/P,GAAlC,CAAZ;UACMib,GAAG,GAAIjM,gBAAgB,CAACR,KAAjB,GAAyBY,GAAG,CAAChM,KAAJ,CAAU,CAAV,EAAa,CAAC,CAAd,CAAtC;SAEKq8C,QAAL,CAAczwC,gBAAd,EAAgC,KAAhC,EAAuCI,GAAvC;SACKqwC,QAAL,CAAczwC,gBAAd,EAAgC,UAAhC,EAA4CiM,GAA5C;IAEAlM,SAAS,CAACP,KAAV,GAAkB,KAAKc,YAAL,CAChBN,gBADgB,EAEhB,kBAFgB,EAGhBe,IAAI,CAAC/P,GAHW,EAIhB+P,IAAI,CAACtO,GAAL,CAASzB,GAJO,CAAlB;WAOO,KAAKsP,YAAL,CAAkBP,SAAlB,EAA6B,WAA7B,EAA0CE,IAAI,CAACjP,GAA/C,EAAoDiP,IAAI,CAACxN,GAAL,CAASzB,GAA7D,CAAP;;;EAGF0pD,yBAAyB,GAAkC;QACrD,CAAC,KAAKrpD,KAAL,CAAWuR,KAAE,CAAC5Y,oBAAd,CAAL,EAA0C;aACjC,IAAP;;;UAGI+I,IAAI,GAAG,KAAKqQ,SAAL,EAAb;IACArQ,IAAI,CAACyM,KAAL,GAAa,KAAK9M,KAAL,CAAW8M,KAAxB;SACK4I,IAAL;WACO,KAAK/E,UAAL,CAAgBtQ,IAAhB,EAAsB,sBAAtB,CAAP;;;EAGFyc,KAAK,CAAC3J,OAAD,EAA4B;QAC3B,CAAC,KAAK4I,YAAL,CAAkB,KAAlB,CAAL,EAA+B;aACtB,KAAP;;;UAEIrG,IAAI,GAAG,KAAKsY,cAAL,EAAb;UACM+1B,MAAM,GAAG,KAAKvlD,KAAL,CAAW0nB,UAAX,CAAsBxQ,IAAtB,CAAf;QAKIquC,MAAM,OAAV,EAA4C,OAAO,IAAP;QACxC5wC,OAAJ,EAAa,OAAO,KAAP;QAET4wC,MAAM,QAAV,EAAyC,OAAO,IAAP;;QAErCxvC,iBAAiB,CAACwvC,MAAD,CAArB,EAA+B;UACzBl5C,GAAG,GAAG6K,IAAI,GAAG,CAAjB;;aACOjB,gBAAgB,CAAC,KAAKjW,KAAL,CAAW0nB,UAAX,CAAsBrb,GAAtB,CAAD,CAAvB,EAAqD;UACjDA,GAAF;;;YAEIkU,KAAK,GAAG,KAAKvgB,KAAL,CAAWkD,KAAX,CAAiBgU,IAAjB,EAAuB7K,GAAvB,CAAd;UACI,CAAC0K,yBAAyB,CAACzB,IAA1B,CAA+BiL,KAA/B,CAAL,EAA4C,OAAO,IAAP;;;WAEvC,KAAP;;;EAYF6D,cAAc,CAACzP,OAAD,EAAmB/D,QAAnB,EAAoD;QAC5D,KAAKzQ,KAAL,CAAWuR,KAAE,CAAC9Y,EAAd,CAAJ,EAAuB;WAChBusD,eAAL,CAAqB,IAArB;;;WAEK,KAAKtR,qBAAL,CAA2Bl/B,OAA3B,EAAoC/D,QAApC,CAAP;;;EAGFijC,qBAAqB,CAACl/B,OAAD,EAAmB/D,QAAnB,EAAoD;QACnEqgC,SAAS,GAAG,KAAKzvC,KAAL,CAAWiB,IAA3B;UACMZ,IAAI,GAAG,KAAKqQ,SAAL,EAAb;QACItE,IAAJ;;QAEI,KAAK0Q,KAAL,CAAW3J,OAAX,CAAJ,EAAyB;MACvBs8B,SAAS,GAAGv/B,KAAE,CAACvW,IAAf;MACAyS,IAAI,GAAG,KAAP;;;YAOMqjC,SAAR;WACOv/B,KAAE,CAACvX,MAAR;WACKuX,KAAE,CAACpX,SAAR;eAES,KAAKovD,2BAAL,CAAiC7nD,IAAjC,EAAuCovC,SAAS,CAACh7C,OAAjD,CAAP;;WACGyb,KAAE,CAACnX,SAAR;eACS,KAAKovD,sBAAL,CAA4B9nD,IAA5B,CAAP;;WACG6P,KAAE,CAACjX,GAAR;eACS,KAAKmvD,gBAAL,CAAsB/nD,IAAtB,CAAP;;WACG6P,KAAE,CAAC9W,IAAR;eACS,KAAKivD,iBAAL,CAAuBhoD,IAAvB,CAAP;;WACG6P,KAAE,CAAC7W,SAAR;YACM,KAAK+xC,iBAAL,SAAJ,EAAgD;;YAC5Cj4B,OAAJ,EAAa;cACP,KAAKnT,KAAL,CAAW2U,MAAf,EAAuB;iBAChBvJ,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAAChG,cAApC;WADF,MAEO,IAAIgL,OAAO,KAAK,IAAZ,IAAoBA,OAAO,KAAK,OAApC,EAA6C;iBAC7C/H,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAACrG,cAApC;;;;eAGG,KAAK4nC,sBAAL,CAA4BrvC,IAA5B,EAAkC,KAAlC,EAAyC,CAAC8S,OAA1C,CAAP;;WAEGjD,KAAE,CAAChW,MAAR;YACMiZ,OAAJ,EAAa,KAAKiJ,UAAL;eACN,KAAKuzB,UAAL,CAAgBtvC,IAAhB,EAAsB,IAAtB,CAAP;;WAEG6P,KAAE,CAAC5W,GAAR;eACS,KAAKgvD,gBAAL,CAAsBjoD,IAAtB,CAAP;;WACG6P,KAAE,CAAC3W,OAAR;eACS,KAAKgvD,oBAAL,CAA0BloD,IAA1B,CAAP;;WACG6P,KAAE,CAAC1W,OAAR;eACS,KAAKgvD,oBAAL,CAA0BnoD,IAA1B,CAAP;;WACG6P,KAAE,CAACzW,MAAR;eACS,KAAKgvD,mBAAL,CAAyBpoD,IAAzB,CAAP;;WACG6P,KAAE,CAACxW,IAAR;eACS,KAAKgvD,iBAAL,CAAuBroD,IAAvB,CAAP;;WAEG6P,KAAE,CAACtW,MAAR;WACKsW,KAAE,CAACvW,IAAR;QACEyS,IAAI,GAAGA,IAAI,IAAI,KAAKpM,KAAL,CAAW8M,KAA1B;;YACIqG,OAAO,IAAI/G,IAAI,KAAK,KAAxB,EAA+B;eACxBhB,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAAChF,4BAApC;;;eAEK,KAAKymC,iBAAL,CAAuBvvC,IAAvB,EAA6B+L,IAA7B,CAAP;;WAEG8D,KAAE,CAACrW,MAAR;eACS,KAAK8uD,mBAAL,CAAyBtoD,IAAzB,CAAP;;WACG6P,KAAE,CAACpW,KAAR;eACS,KAAK8uD,kBAAL,CAAwBvoD,IAAxB,CAAP;;WACG6P,KAAE,CAACja,MAAR;eACS,KAAKg+C,UAAL,EAAP;;WACG/jC,KAAE,CAACzZ,IAAR;eACS,KAAKoyD,mBAAL,CAAyBxoD,IAAzB,CAAP;;WACG6P,KAAE,CAAC7V,OAAR;;gBACQyuD,iBAAiB,GAAG,KAAK1d,iBAAL,EAA1B;;cAEE0d,iBAAiB,OAAjB,IACAA,iBAAiB,OAFnB,EAGE;;;;;WAKC54C,KAAE,CAAC9V,OAAR;;cACM,CAAC,KAAKnF,OAAL,CAAa0hD,2BAAd,IAA6C,CAACvnC,QAAlD,EAA4D;iBACrDhE,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAACnF,sBAApC;;;eAGG0M,IAAL;cAEI2N,MAAJ;;cACIosB,SAAS,KAAKv/B,KAAE,CAAC7V,OAArB,EAA8B;YAC5BgpB,MAAM,GAAG,KAAK3G,WAAL,CAAiBrc,IAAjB,CAAT;;gBAGEgjB,MAAM,CAACpiB,IAAP,KAAgB,mBAAhB,KACC,CAACoiB,MAAM,CAAC7K,UAAR,IAAsB6K,MAAM,CAAC7K,UAAP,KAAsB,OAD7C,CADF,EAGE;mBACKxZ,iBAAL,GAAyB,IAAzB;;WAPJ,MASO;YACLqkB,MAAM,GAAG,KAAK1R,WAAL,CAAiBtR,IAAjB,CAAT;;gBAGGgjB,MAAM,CAACpiB,IAAP,KAAgB,wBAAhB,KACE,CAACoiB,MAAM,CAACrG,UAAR,IAAsBqG,MAAM,CAACrG,UAAP,KAAsB,OAD9C,CAAD,IAECqG,MAAM,CAACpiB,IAAP,KAAgB,sBAAhB,KACE,CAACoiB,MAAM,CAACrG,UAAR,IAAsBqG,MAAM,CAACrG,UAAP,KAAsB,OAD9C,CAFD,IAIAqG,MAAM,CAACpiB,IAAP,KAAgB,0BALlB,EAME;mBACKjC,iBAAL,GAAyB,IAAzB;;;;eAICimB,uBAAL,CAA6B5kB,IAA7B;iBAEOgjB,MAAP;;;;;cAII,KAAK0lC,eAAL,EAAJ,EAA4B;gBACtB51C,OAAJ,EAAa;mBACN/H,KAAL,CACE,KAAKpL,KAAL,CAAW3B,KADb,EAEE8P,aAAM,CAAChM,qCAFT;;;iBAKGuT,IAAL;mBACO,KAAKg6B,sBAAL,CAA4BrvC,IAA5B,EAAkC,IAAlC,EAAwC,CAAC8S,OAAzC,CAAP;;;;;UAUA61C,SAAS,GAAG,KAAKhpD,KAAL,CAAW8M,KAA7B;UACMuB,IAAI,GAAG,KAAKiM,eAAL,EAAb;;QAGEm1B,SAAS,KAAKv/B,KAAE,CAAClb,IAAjB,IACAqZ,IAAI,CAACpN,IAAL,KAAc,YADd,IAEA,KAAKoZ,GAAL,CAASnK,KAAE,CAACxZ,KAAZ,CAHF,EAIE;aACO,KAAKuyD,qBAAL,CAA2B5oD,IAA3B,EAAiC2oD,SAAjC,EAA4C36C,IAA5C,EAAkD8E,OAAlD,CAAP;KALF,MAMO;aACE,KAAK2P,wBAAL,CAA8BziB,IAA9B,EAAoCgO,IAApC,CAAP;;;;EAIJ4W,uBAAuB,CAAC5kB,IAAD,EAAqB;QACtC,CAAC,KAAKpL,OAAL,CAAa0hD,2BAAd,IAA6C,CAAC,KAAKzhC,QAAvD,EAAiE;WAC1D3J,aAAL,CACElL,IAAI,CAAChC,KADP,EAEE;QACER,IAAI,EAAE;OAHV,EAKEsQ,aAAM,CAAC3J,mBALT;;;;EAUJ2vC,cAAc,CAAC9zC,IAAD,EAA8B;UACpCywC,UAAU,GAAG,KAAK9wC,KAAL,CAAW+3C,cAAX,CACjB,KAAK/3C,KAAL,CAAW+3C,cAAX,CAA0Br4C,MAA1B,GAAmC,CADlB,CAAnB;;QAGIoxC,UAAU,CAACpxC,MAAf,EAAuB;MACrBW,IAAI,CAACywC,UAAL,GAAkBA,UAAlB;WACKznB,0BAAL,CAAgChpB,IAAhC,EAAsCywC,UAAU,CAAC,CAAD,CAAhD;WACK9wC,KAAL,CAAW+3C,cAAX,CAA0B,KAAK/3C,KAAL,CAAW+3C,cAAX,CAA0Br4C,MAA1B,GAAmC,CAA7D,IAAkE,EAAlE;;;;EAIJ0zC,uBAAuB,GAAY;WAC1B,KAAKz0C,KAAL,CAAWuR,KAAE,CAAChW,MAAd,CAAP;;;EAGFypD,eAAe,CAACuF,WAAD,EAA8B;UACrCC,wBAAwB,GAAG,KAAKnpD,KAAL,CAAW+3C,cAAX,CAC/B,KAAK/3C,KAAL,CAAW+3C,cAAX,CAA0Br4C,MAA1B,GAAmC,CADJ,CAAjC;;WAGO,KAAKf,KAAL,CAAWuR,KAAE,CAAC9Y,EAAd,CAAP,EAA0B;YAClBgyD,SAAS,GAAG,KAAK/I,cAAL,EAAlB;MACA8I,wBAAwB,CAACjpD,IAAzB,CAA8BkpD,SAA9B;;;QAGE,KAAKzqD,KAAL,CAAWuR,KAAE,CAAC9V,OAAd,CAAJ,EAA4B;UACtB,CAAC8uD,WAAL,EAAkB;aACX9sC,UAAL;;;UAIA,KAAKld,SAAL,CAAe,YAAf,KACA,CAAC,KAAKG,eAAL,CAAqB,YAArB,EAAmC,wBAAnC,CAFH,EAGE;aACK+L,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAACjL,oBAApC;;KATJ,MAWO,IAAI,CAAC,KAAKkwC,uBAAL,EAAL,EAAqC;YACpC,KAAKhoC,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAACjF,0BAApC,CAAN;;;;EAIJm3C,cAAc,GAAgB;SACvBhC,eAAL,CAAqB,CAAC,mBAAD,EAAsB,YAAtB,CAArB;UAEMh+C,IAAI,GAAG,KAAKqQ,SAAL,EAAb;SACKgF,IAAL;;QAEI,KAAKxW,SAAL,CAAe,YAAf,CAAJ,EAAkC;WAG3Bc,KAAL,CAAW+3C,cAAX,CAA0B73C,IAA1B,CAA+B,EAA/B;YAEMiQ,QAAQ,GAAG,KAAKnQ,KAAL,CAAW3B,KAA5B;YACMyM,QAAQ,GAAG,KAAK9K,KAAL,CAAW8K,QAA5B;UACIuD,IAAJ;;UAEI,KAAKgM,GAAL,CAASnK,KAAE,CAAC5Z,MAAZ,CAAJ,EAAyB;QACvB+X,IAAI,GAAG,KAAKiM,eAAL,EAAP;aACKR,MAAL,CAAY5J,KAAE,CAAC3Z,MAAf;OAFF,MAGO;QACL8X,IAAI,GAAG,KAAKwM,eAAL,CAAqB,KAArB,CAAP;;eAEO,KAAKR,GAAL,CAASnK,KAAE,CAACtZ,GAAZ,CAAP,EAAyB;gBACjByJ,IAAI,GAAG,KAAKmN,WAAL,CAAiB2C,QAAjB,EAA2BrF,QAA3B,CAAb;UACAzK,IAAI,CAACs+B,MAAL,GAActwB,IAAd;UACAhO,IAAI,CAAC8gB,QAAL,GAAgB,KAAKtG,eAAL,CAAqB,IAArB,CAAhB;UACAxa,IAAI,CAACogD,QAAL,GAAgB,KAAhB;UACApyC,IAAI,GAAG,KAAKsC,UAAL,CAAgBtQ,IAAhB,EAAsB,kBAAtB,CAAP;;;;MAIJA,IAAI,CAACoN,UAAL,GAAkB,KAAKwlC,4BAAL,CAAkC5kC,IAAlC,CAAlB;WACKrO,KAAL,CAAW+3C,cAAX,CAA0Bx2C,GAA1B;KAzBF,MA0BO;MACLlB,IAAI,CAACoN,UAAL,GAAkB,KAAKw0C,mBAAL,EAAlB;;;WAEK,KAAKtxC,UAAL,CAAgBtQ,IAAhB,EAAsB,WAAtB,CAAP;;;EAGF4yC,4BAA4B,CAAC5kC,IAAD,EAAmC;QACzD,KAAKgM,GAAL,CAASnK,KAAE,CAAC5Z,MAAZ,CAAJ,EAAyB;YACjB+J,IAAI,GAAG,KAAKgS,eAAL,CAAqBhE,IAArB,CAAb;MACAhO,IAAI,CAACkR,MAAL,GAAclD,IAAd;MACAhO,IAAI,CAACoB,SAAL,GAAiB,KAAKsoB,4BAAL,CAAkC7Z,KAAE,CAAC3Z,MAArC,EAA6C,KAA7C,CAAjB;WACKkwB,gBAAL,CAAsBpmB,IAAI,CAACoB,SAA3B;aACO,KAAKkP,UAAL,CAAgBtQ,IAAhB,EAAsB,gBAAtB,CAAP;;;WAGKgO,IAAP;;;EAGF65C,2BAA2B,CACzB7nD,IADyB,EAEzB5L,OAFyB,EAGe;UAClC40D,OAAO,GAAG50D,OAAO,KAAK,OAA5B;SACKihB,IAAL;;QAEI,KAAK85B,gBAAL,EAAJ,EAA6B;MAC3BnvC,IAAI,CAAC9L,KAAL,GAAa,IAAb;KADF,MAEO;MACL8L,IAAI,CAAC9L,KAAL,GAAa,KAAKsmB,eAAL,EAAb;WACKW,SAAL;;;SAGGw4B,mBAAL,CAAyB3zC,IAAzB,EAA+B5L,OAA/B;WAEO,KAAKkc,UAAL,CACLtQ,IADK,EAELgpD,OAAO,GAAG,gBAAH,GAAsB,mBAFxB,CAAP;;;EAMFrV,mBAAmB,CACjB3zC,IADiB,EAEjB5L,OAFiB,EAGjB;UACM40D,OAAO,GAAG50D,OAAO,KAAK,OAA5B;QACIgM,CAAJ;;SACKA,CAAC,GAAG,CAAT,EAAYA,CAAC,GAAG,KAAKT,KAAL,CAAW83C,MAAX,CAAkBp4C,MAAlC,EAA0C,EAAEe,CAA5C,EAA+C;YACvC6oD,GAAG,GAAG,KAAKtpD,KAAL,CAAW83C,MAAX,CAAkBr3C,CAAlB,CAAZ;;UACIJ,IAAI,CAAC9L,KAAL,IAAc,IAAd,IAAsB+0D,GAAG,CAACt0D,IAAJ,KAAaqL,IAAI,CAAC9L,KAAL,CAAWS,IAAlD,EAAwD;YAClDs0D,GAAG,CAACl9C,IAAJ,IAAY,IAAZ,KAAqBi9C,OAAO,IAAIC,GAAG,CAACl9C,IAAJ,KAAa,MAA7C,CAAJ,EAA0D;YACtD/L,IAAI,CAAC9L,KAAL,IAAc80D,OAAlB,EAA2B;;;;QAG3B5oD,CAAC,KAAK,KAAKT,KAAL,CAAW83C,MAAX,CAAkBp4C,MAA5B,EAAoC;WAC7B0L,KAAL,CAAW/K,IAAI,CAAChC,KAAhB,EAAuB8P,aAAM,CAACnK,oBAA9B,EAAoDvP,OAApD;;;;EAIJ0zD,sBAAsB,CAAC9nD,IAAD,EAAiD;SAChEqV,IAAL;SACK8F,SAAL;WACO,KAAK7K,UAAL,CAAgBtQ,IAAhB,EAAsB,mBAAtB,CAAP;;;EAGFkpD,qBAAqB,GAAiB;SAC/BzvC,MAAL,CAAY5J,KAAE,CAAC5Z,MAAf;UACMijB,GAAG,GAAG,KAAKe,eAAL,EAAZ;SACKR,MAAL,CAAY5J,KAAE,CAAC3Z,MAAf;WACOgjB,GAAP;;;EAGF6uC,gBAAgB,CAAC/nD,IAAD,EAA+C;SACxDqV,IAAL;SACK1V,KAAL,CAAW83C,MAAX,CAAkB53C,IAAlB,CAAuBsnD,SAAvB;IAEAnnD,IAAI,CAACa,IAAL,GAIE,KAAKmmD,0BAAL,CAAgC,MAE9B,KAAKzkC,cAAL,CAAoB,IAApB,CAFF,CAJF;SASK5iB,KAAL,CAAW83C,MAAX,CAAkBv2C,GAAlB;SAEKuY,MAAL,CAAY5J,KAAE,CAACrW,MAAf;IACAwG,IAAI,CAACyT,IAAL,GAAY,KAAKy1C,qBAAL,EAAZ;SACKlvC,GAAL,CAASnK,KAAE,CAACzZ,IAAZ;WACO,KAAKka,UAAL,CAAgBtQ,IAAhB,EAAsB,kBAAtB,CAAP;;;EAWFgoD,iBAAiB,CAAChoD,IAAD,EAA0B;SACpCqV,IAAL;SACK1V,KAAL,CAAW83C,MAAX,CAAkB53C,IAAlB,CAAuBsnD,SAAvB;QAEIgC,OAAO,GAAG,CAAC,CAAf;;QACI,KAAK3H,cAAL,MAAyB,KAAKjmC,aAAL,CAAmB,OAAnB,CAA7B,EAA0D;MACxD4tC,OAAO,GAAG,KAAKxpD,KAAL,CAAW+K,YAArB;;;SAEGuR,KAAL,CAAWE,KAAX,CAAiB1hB,WAAjB;SACKgf,MAAL,CAAY5J,KAAE,CAAC5Z,MAAf;;QAEI,KAAKqI,KAAL,CAAWuR,KAAE,CAACzZ,IAAd,CAAJ,EAAyB;UACnB+yD,OAAO,GAAG,CAAC,CAAf,EAAkB;aACXptC,UAAL,CAAgBotC,OAAhB;;;aAEK,KAAKC,QAAL,CAAcppD,IAAd,EAAoB,IAApB,CAAP;;;UAGIyc,KAAK,GAAG,KAAKA,KAAL,EAAd;;QACI,KAAKne,KAAL,CAAWuR,KAAE,CAACvW,IAAd,KAAuB,KAAKgF,KAAL,CAAWuR,KAAE,CAACtW,MAAd,CAAvB,IAAgDkjB,KAApD,EAA2D;YACnD4P,IAAI,GAAG,KAAKhc,SAAL,EAAb;YACMtE,IAAI,GAAG0Q,KAAK,GAAG,KAAH,GAAW,KAAK9c,KAAL,CAAW8M,KAAxC;WACK4I,IAAL;WACKg0C,QAAL,CAAch9B,IAAd,EAAoB,IAApB,EAA0BtgB,IAA1B;WACKuE,UAAL,CAAgB+b,IAAhB,EAAsB,qBAAtB;;UAGE,CAAC,KAAK/tB,KAAL,CAAWuR,KAAE,CAACzV,GAAd,KAAsB,KAAKshB,YAAL,CAAkB,IAAlB,CAAvB,KACA2Q,IAAI,CAACi9B,YAAL,CAAkBjqD,MAAlB,KAA6B,CAF/B,EAGE;eACO,KAAKkqD,UAAL,CAAgBvpD,IAAhB,EAAsBqsB,IAAtB,EAA4B88B,OAA5B,CAAP;;;UAEEA,OAAO,GAAG,CAAC,CAAf,EAAkB;aACXptC,UAAL,CAAgBotC,OAAhB;;;aAEK,KAAKC,QAAL,CAAcppD,IAAd,EAAoBqsB,IAApB,CAAP;;;UAGI5d,mBAAmB,GAAG,IAAIkwC,gBAAJ,EAA5B;UACMtyB,IAAI,GAAG,KAAKpS,eAAL,CAAqB,IAArB,EAA2BxL,mBAA3B,CAAb;;QACI,KAAKnQ,KAAL,CAAWuR,KAAE,CAACzV,GAAd,KAAsB,KAAKshB,YAAL,CAAkB,IAAlB,CAA1B,EAAmD;WAC5C9K,YAAL,CAAkByb,IAAlB;YACMm9B,WAAW,GAAG,KAAK9tC,YAAL,CAAkB,IAAlB,IAChB,kBADgB,GAEhB,kBAFJ;WAGK3N,SAAL,CAAese,IAAf,EAAqB3rB,SAArB,EAAgCA,SAAhC,EAA2C8oD,WAA3C;aACO,KAAKD,UAAL,CAAgBvpD,IAAhB,EAAsBqsB,IAAtB,EAA4B88B,OAA5B,CAAP;KANF,MAOO;WACA7K,qBAAL,CAA2B7vC,mBAA3B,EAAgD,IAAhD;;;QAEE06C,OAAO,GAAG,CAAC,CAAf,EAAkB;WACXptC,UAAL,CAAgBotC,OAAhB;;;WAEK,KAAKC,QAAL,CAAcppD,IAAd,EAAoBqsB,IAApB,CAAP;;;EAGFgjB,sBAAsB,CACpBrvC,IADoB,EAEpByN,OAFoB,EAGpBg8C,mBAHoB,EAIG;SAClBp0C,IAAL;WACO,KAAK4tC,aAAL,CACLjjD,IADK,EAELsnD,cAAc,IAAImC,mBAAmB,GAAG,CAAH,GAAOlC,sBAA9B,CAFT,EAGL95C,OAHK,CAAP;;;EAOFw6C,gBAAgB,CAACjoD,IAAD,EAAqC;SAC9CqV,IAAL;IACArV,IAAI,CAACyT,IAAL,GAAY,KAAKy1C,qBAAL,EAAZ;IACAlpD,IAAI,CAACujB,UAAL,GAAkB,KAAKhB,cAAL,CAAoB,IAApB,CAAlB;IACAviB,IAAI,CAAC6jB,SAAL,GAAiB,KAAK7J,GAAL,CAASnK,KAAE,CAAChX,KAAZ,IAAqB,KAAK0pB,cAAL,CAAoB,IAApB,CAArB,GAAiD,IAAlE;WACO,KAAKjS,UAAL,CAAgBtQ,IAAhB,EAAsB,aAAtB,CAAP;;;EAGFkoD,oBAAoB,CAACloD,IAAD,EAA6C;QAC3D,CAAC,KAAKoT,SAAL,CAAeowB,SAAhB,IAA6B,CAAC,KAAK5uC,OAAL,CAAayhD,0BAA/C,EAA2E;WACpEtrC,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAACjK,aAApC;;;SAGGwR,IAAL;;QAMI,KAAK85B,gBAAL,EAAJ,EAA6B;MAC3BnvC,IAAI,CAAC2gB,QAAL,GAAgB,IAAhB;KADF,MAEO;MACL3gB,IAAI,CAAC2gB,QAAL,GAAgB,KAAK1G,eAAL,EAAhB;WACKkB,SAAL;;;WAGK,KAAK7K,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB,CAAP;;;EAGFmoD,oBAAoB,CAACnoD,IAAD,EAA6C;SAC1DqV,IAAL;IACArV,IAAI,CAAC0pD,YAAL,GAAoB,KAAKR,qBAAL,EAApB;UACMS,KAAK,GAAI3pD,IAAI,CAAC2pD,KAAL,GAAa,EAA5B;SACKlwC,MAAL,CAAY5J,KAAE,CAACja,MAAf;SACK+J,KAAL,CAAW83C,MAAX,CAAkB53C,IAAlB,CAAuBunD,WAAvB;SACKnrC,KAAL,CAAWE,KAAX,CAAiB1hB,WAAjB;QAMImvD,GAAJ;;SACK,IAAIC,UAAT,EAAqB,CAAC,KAAKvrD,KAAL,CAAWuR,KAAE,CAAC9Z,MAAd,CAAtB,GAA+C;UACzC,KAAKuI,KAAL,CAAWuR,KAAE,CAACtX,KAAd,KAAwB,KAAK+F,KAAL,CAAWuR,KAAE,CAAClX,QAAd,CAA5B,EAAqD;cAC7CmxD,MAAM,GAAG,KAAKxrD,KAAL,CAAWuR,KAAE,CAACtX,KAAd,CAAf;YACIqxD,GAAJ,EAAS,KAAKt5C,UAAL,CAAgBs5C,GAAhB,EAAqB,YAArB;QACTD,KAAK,CAAC9pD,IAAN,CAAY+pD,GAAG,GAAG,KAAKv5C,SAAL,EAAlB;QACAu5C,GAAG,CAACrmC,UAAJ,GAAiB,EAAjB;aACKlO,IAAL;;YACIy0C,MAAJ,EAAY;UACVF,GAAG,CAACn2C,IAAJ,GAAW,KAAKwG,eAAL,EAAX;SADF,MAEO;cACD4vC,UAAJ,EAAgB;iBACT9+C,KAAL,CACE,KAAKpL,KAAL,CAAW+K,YADb,EAEEoD,aAAM,CAAC7H,wBAFT;;;UAKF4jD,UAAU,GAAG,IAAb;UACAD,GAAG,CAACn2C,IAAJ,GAAW,IAAX;;;aAEGgG,MAAL,CAAY5J,KAAE,CAACxZ,KAAf;OAlBF,MAmBO;YACDuzD,GAAJ,EAAS;UACPA,GAAG,CAACrmC,UAAJ,CAAe1jB,IAAf,CAAoB,KAAK0iB,cAAL,CAAoB,IAApB,CAApB;SADF,MAEO;eACAxG,UAAL;;;;;SAIDE,KAAL,CAAWK,IAAX;QACIstC,GAAJ,EAAS,KAAKt5C,UAAL,CAAgBs5C,GAAhB,EAAqB,YAArB;SACJv0C,IAAL;SACK1V,KAAL,CAAW83C,MAAX,CAAkBv2C,GAAlB;WACO,KAAKoP,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB,CAAP;;;EAGFooD,mBAAmB,CAACpoD,IAAD,EAA2C;SACvDqV,IAAL;;QAEElY,SAAS,CAACsW,IAAV,CAAe,KAAKtV,KAAL,CAAWkD,KAAX,CAAiB,KAAK1B,KAAL,CAAWkL,UAA5B,EAAwC,KAAKlL,KAAL,CAAW3B,KAAnD,CAAf,CADF,EAEE;WACK+M,KAAL,CAAW,KAAKpL,KAAL,CAAWkL,UAAtB,EAAkCiD,aAAM,CAAC5H,iBAAzC;;;IAEFlG,IAAI,CAAC2gB,QAAL,GAAgB,KAAK1G,eAAL,EAAhB;SACKkB,SAAL;WACO,KAAK7K,UAAL,CAAgBtQ,IAAhB,EAAsB,gBAAtB,CAAP;;;EAGFozC,qBAAqB,GAAiB;UAC9BrxB,KAAK,GAAG,KAAK4wB,gBAAL,EAAd;UAEMoX,MAAM,GAAGhoC,KAAK,CAACnhB,IAAN,KAAe,YAA9B;SACKqb,KAAL,CAAWE,KAAX,CAAiB4tC,MAAM,GAAGlvD,kBAAH,GAAwB,CAA/C;SACKkT,SAAL,CAAegU,KAAf,EAAsBhmB,YAAtB,EAAoC,IAApC,EAA0C,cAA1C;WAEOgmB,KAAP;;;EAGFsmC,iBAAiB,CAACroD,IAAD,EAAuC;SACjDqV,IAAL;IAEArV,IAAI,CAACu5C,KAAL,GAAa,KAAK3F,UAAL,EAAb;IACA5zC,IAAI,CAACgqD,OAAL,GAAe,IAAf;;QAEI,KAAK1rD,KAAL,CAAWuR,KAAE,CAACrX,MAAd,CAAJ,EAA2B;YACnByxD,MAAM,GAAG,KAAK55C,SAAL,EAAf;WACKgF,IAAL;;UACI,KAAK/W,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,CAAJ,EAA2B;aACpBwjB,MAAL,CAAY5J,KAAE,CAAC5Z,MAAf;QACAg0D,MAAM,CAACloC,KAAP,GAAe,KAAKqxB,qBAAL,EAAf;aACK35B,MAAL,CAAY5J,KAAE,CAAC3Z,MAAf;OAHF,MAIO;QACL+zD,MAAM,CAACloC,KAAP,GAAe,IAAf;aACK9F,KAAL,CAAWE,KAAX,CAAiB1hB,WAAjB;;;MAGFwvD,MAAM,CAACppD,IAAP,GAGE,KAAKmmD,0BAAL,CAAgC,MAE9B,KAAKpT,UAAL,CAAgB,KAAhB,EAAuB,KAAvB,CAFF,CAHF;WAOK33B,KAAL,CAAWK,IAAX;MAEAtc,IAAI,CAACgqD,OAAL,GAAe,KAAK15C,UAAL,CAAgB25C,MAAhB,EAAwB,aAAxB,CAAf;;;IAGFjqD,IAAI,CAACkqD,SAAL,GAAiB,KAAKlwC,GAAL,CAASnK,KAAE,CAAC/W,QAAZ,IAAwB,KAAK86C,UAAL,EAAxB,GAA4C,IAA7D;;QAEI,CAAC5zC,IAAI,CAACgqD,OAAN,IAAiB,CAAChqD,IAAI,CAACkqD,SAA3B,EAAsC;WAC/Bn/C,KAAL,CAAW/K,IAAI,CAAChC,KAAhB,EAAuB8P,aAAM,CAAC3H,gBAA9B;;;WAGK,KAAKmK,UAAL,CAAgBtQ,IAAhB,EAAsB,cAAtB,CAAP;;;EAGFuvC,iBAAiB,CACfvvC,IADe,EAEf+L,IAFe,EAGQ;SAClBsJ,IAAL;SACKg0C,QAAL,CAAcrpD,IAAd,EAAoB,KAApB,EAA2B+L,IAA3B;SACKoP,SAAL;WACO,KAAK7K,UAAL,CAAgBtQ,IAAhB,EAAsB,qBAAtB,CAAP;;;EAGFsoD,mBAAmB,CAACtoD,IAAD,EAA2C;SACvDqV,IAAL;IACArV,IAAI,CAACyT,IAAL,GAAY,KAAKy1C,qBAAL,EAAZ;SACKvpD,KAAL,CAAW83C,MAAX,CAAkB53C,IAAlB,CAAuBsnD,SAAvB;IAEAnnD,IAAI,CAACa,IAAL,GAIE,KAAKmmD,0BAAL,CAAgC,MAE9B,KAAKzkC,cAAL,CAAoB,OAApB,CAFF,CAJF;SASK5iB,KAAL,CAAW83C,MAAX,CAAkBv2C,GAAlB;WAEO,KAAKoP,UAAL,CAAgBtQ,IAAhB,EAAsB,gBAAtB,CAAP;;;EAGFuoD,kBAAkB,CAACvoD,IAAD,EAAyC;QACrD,KAAKL,KAAL,CAAW2U,MAAf,EAAuB;WAChBvJ,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAAC7F,UAApC;;;SAEGoN,IAAL;IACArV,IAAI,CAACs+B,MAAL,GAAc,KAAK4qB,qBAAL,EAAd;IAEAlpD,IAAI,CAACa,IAAL,GAKE,KAAKmmD,0BAAL,CAAgC,MAE9B,KAAKzkC,cAAL,CAAoB,MAApB,CAFF,CALF;WAUO,KAAKjS,UAAL,CAAgBtQ,IAAhB,EAAsB,eAAtB,CAAP;;;EAGFwoD,mBAAmB,CAACxoD,IAAD,EAA2C;SACvDqV,IAAL;WACO,KAAK/E,UAAL,CAAgBtQ,IAAhB,EAAsB,gBAAtB,CAAP;;;EAGF4oD,qBAAqB,CACnB5oD,IADmB,EAEnB2oD,SAFmB,EAGnB36C,IAHmB,EAInB8E,OAJmB,EAKC;2CACA,KAAKnT,KAAL,CAAW83C,MADX,0CACmB;YAA5BvjD,KAAK,0BAAX;;UACCA,KAAK,CAACS,IAAN,KAAeg0D,SAAnB,EAA8B;aACvB59C,KAAL,CAAWiD,IAAI,CAAChQ,KAAhB,EAAuB8P,aAAM,CAACzI,kBAA9B,EAAkDsjD,SAAlD;;;;UAIE58C,IAAI,GAAG,KAAKpM,KAAL,CAAWiB,IAAX,CAAgBhN,MAAhB,GACT,MADS,GAET,KAAK0K,KAAL,CAAWuR,KAAE,CAAC1W,OAAd,IACA,QADA,GAEA,IAJJ;;SAKK,IAAIiH,CAAC,GAAG,KAAKT,KAAL,CAAW83C,MAAX,CAAkBp4C,MAAlB,GAA2B,CAAxC,EAA2Ce,CAAC,IAAI,CAAhD,EAAmDA,CAAC,EAApD,EAAwD;YAChDlM,KAAK,GAAG,KAAKyL,KAAL,CAAW83C,MAAX,CAAkBr3C,CAAlB,CAAd;;UACIlM,KAAK,CAACi2D,cAAN,KAAyBnqD,IAAI,CAAChC,KAAlC,EAAyC;QACvC9J,KAAK,CAACi2D,cAAN,GAAuB,KAAKxqD,KAAL,CAAW3B,KAAlC;QACA9J,KAAK,CAAC6X,IAAN,GAAaA,IAAb;OAFF,MAGO;;;;;SAKJpM,KAAL,CAAW83C,MAAX,CAAkB53C,IAAlB,CAAuB;MACrBlL,IAAI,EAAEg0D,SADe;MAErB58C,IAAI,EAAEA,IAFe;MAGrBo+C,cAAc,EAAE,KAAKxqD,KAAL,CAAW3B;KAH7B;IAKAgC,IAAI,CAACa,IAAL,GAAY,KAAK0hB,cAAL,CACVzP,OAAO,GACHA,OAAO,CAAC2R,OAAR,CAAgB,OAAhB,MAA6B,CAAC,CAA9B,GACE3R,OAAO,GAAG,OADZ,GAEEA,OAHC,GAIH,OALM,CAAZ;SAQKnT,KAAL,CAAW83C,MAAX,CAAkBv2C,GAAlB;IACAlB,IAAI,CAAC9L,KAAL,GAAa8Z,IAAb;WACO,KAAKsC,UAAL,CAAgBtQ,IAAhB,EAAsB,kBAAtB,CAAP;;;EAGFyiB,wBAAwB,CACtBziB,IADsB,EAEtBgO,IAFsB,EAGT;IACbhO,IAAI,CAACoN,UAAL,GAAkBY,IAAlB;SACKmN,SAAL;WACO,KAAK7K,UAAL,CAAgBtQ,IAAhB,EAAsB,qBAAtB,CAAP;;;EAOF4zC,UAAU,CACR9kC,eAAyB,GAAG,KADpB,EAERs7C,qBAA+B,GAAG,IAF1B,EAGRC,eAHQ,EAIU;UACZrqD,IAAI,GAAG,KAAKqQ,SAAL,EAAb;SACKoJ,MAAL,CAAY5J,KAAE,CAACja,MAAf;;QACIw0D,qBAAJ,EAA2B;WACpBnuC,KAAL,CAAWE,KAAX,CAAiB1hB,WAAjB;;;SAEGoU,cAAL,CACE7O,IADF,EAEE8O,eAFF,EAGE,KAHF,EAIEe,KAAE,CAAC9Z,MAJL,EAKEs0D,eALF;;QAOID,qBAAJ,EAA2B;WACpBnuC,KAAL,CAAWK,IAAX;;;WAEK,KAAKhM,UAAL,CAAgBtQ,IAAhB,EAAsB,gBAAtB,CAAP;;;EAGF0O,gBAAgB,CAACxB,IAAD,EAA6B;WAEzCA,IAAI,CAACtM,IAAL,KAAc,qBAAd,IACAsM,IAAI,CAACE,UAAL,CAAgBxM,IAAhB,KAAyB,eADzB,IAEA,CAACsM,IAAI,CAACE,UAAL,CAAgBE,KAAhB,CAAsBqB,aAHzB;;;EAOFE,cAAc,CACZ7O,IADY,EAEZ8O,eAFY,EAGZC,QAHY,EAIZ9Q,GAJY,EAKZosD,eALY,EAMN;UACAxpD,IAAI,GAAIb,IAAI,CAACa,IAAL,GAAY,EAA1B;UACMoO,UAAU,GAAIjP,IAAI,CAACiP,UAAL,GAAkB,EAAtC;SACKi/B,2BAAL,CACErtC,IADF,EAEEiO,eAAe,GAAGG,UAAH,GAAgBvO,SAFjC,EAGEqO,QAHF,EAIE9Q,GAJF,EAKEosD,eALF;;;EAYFnc,2BAA2B,CACzBrtC,IADyB,EAEzBoO,UAFyB,EAGzBF,QAHyB,EAIzB9Q,GAJyB,EAKzBosD,eALyB,EAMnB;UACAzS,cAAc,GAAG,EAAvB;UACMoO,SAAS,GAAG,KAAKrmD,KAAL,CAAW2U,MAA7B;QACI2xC,sBAAsB,GAAG,KAA7B;QACIqE,kBAAkB,GAAG,KAAzB;;WAEO,CAAC,KAAKhsD,KAAL,CAAWL,GAAX,CAAR,EAAyB;UAEnB,CAACqsD,kBAAD,IAAuB,KAAK3qD,KAAL,CAAWi4C,cAAX,CAA0Bv4C,MAArD,EAA6D;QAC3Du4C,cAAc,CAAC/3C,IAAf,CAAoB,GAAG,KAAKF,KAAL,CAAWi4C,cAAlC;;;YAGI1qC,IAAI,GAAG,KAAKqV,cAAL,CAAoB,IAApB,EAA0BxT,QAA1B,CAAb;;UAEIE,UAAU,IAAI,CAACq7C,kBAAf,IAAqC,KAAK57C,gBAAL,CAAsBxB,IAAtB,CAAzC,EAAsE;cAC9DF,SAAS,GAAG,KAAK4B,eAAL,CAAqB1B,IAArB,CAAlB;QACA+B,UAAU,CAACpP,IAAX,CAAgBmN,SAAhB;;YAEI,CAACi5C,sBAAD,IAA2Bj5C,SAAS,CAACP,KAAV,CAAgBA,KAAhB,KAA0B,YAAzD,EAAuE;UACrEw5C,sBAAsB,GAAG,IAAzB;eACK/M,SAAL,CAAe,IAAf;;;;;;MAMJoR,kBAAkB,GAAG,IAArB;MACAzpD,IAAI,CAAChB,IAAL,CAAUqN,IAAV;;;QAME,KAAKvN,KAAL,CAAW2U,MAAX,IAAqBsjC,cAAc,CAACv4C,MAAxC,EAAgD;8BAC5Bu4C,cAD4B,gBACZ;cAAvBptC,GAAG,GAAIotC,cAAJ,KAAT;aACE7sC,KAAL,CAAWP,GAAX,EAAgBsD,aAAM,CAAC9F,kBAAvB;;;;QAIAqiD,eAAJ,EAAqB;MACnBA,eAAe,CAAC7hC,IAAhB,CAAqB,IAArB,EAA2By9B,sBAA3B;;;QAGE,CAACD,SAAL,EAAgB;WACT9M,SAAL,CAAe,KAAf;;;SAGG7jC,IAAL;;;EAOF+zC,QAAQ,CACNppD,IADM,EAENqsB,IAFM,EAGU;IAChBrsB,IAAI,CAACqsB,IAAL,GAAYA,IAAZ;SACK5S,MAAL,CAAY5J,KAAE,CAACzZ,IAAf;IACA4J,IAAI,CAACyT,IAAL,GAAY,KAAKnV,KAAL,CAAWuR,KAAE,CAACzZ,IAAd,IAAsB,IAAtB,GAA6B,KAAK6jB,eAAL,EAAzC;SACKR,MAAL,CAAY5J,KAAE,CAACzZ,IAAf;IACA4J,IAAI,CAACw9C,MAAL,GAAc,KAAKl/C,KAAL,CAAWuR,KAAE,CAAC3Z,MAAd,IAAwB,IAAxB,GAA+B,KAAK+jB,eAAL,EAA7C;SACKR,MAAL,CAAY5J,KAAE,CAAC3Z,MAAf;IAEA8J,IAAI,CAACa,IAAL,GAIE,KAAKmmD,0BAAL,CAAgC,MAE9B,KAAKzkC,cAAL,CAAoB,KAApB,CAFF,CAJF;SASKtG,KAAL,CAAWK,IAAX;SACK3c,KAAL,CAAW83C,MAAX,CAAkBv2C,GAAlB;WAEO,KAAKoP,UAAL,CAAgBtQ,IAAhB,EAAsB,cAAtB,CAAP;;;EAMFupD,UAAU,CACRvpD,IADQ,EAERqsB,IAFQ,EAGR88B,OAHQ,EAIG;UACLoB,OAAO,GAAG,KAAKjsD,KAAL,CAAWuR,KAAE,CAACzV,GAAd,CAAhB;SACKib,IAAL;;QAEIk1C,OAAJ,EAAa;UACPpB,OAAO,GAAG,CAAC,CAAf,EAAkB,KAAKptC,UAAL,CAAgBotC,OAAhB;KADpB,MAEO;MACLnpD,IAAI,CAACwqD,KAAL,GAAarB,OAAO,GAAG,CAAC,CAAxB;;;QAIA98B,IAAI,CAACzrB,IAAL,KAAc,qBAAd,IACAyrB,IAAI,CAACi9B,YAAL,CAAkB,CAAlB,EAAqBj9B,IAArB,IAA6B,IAD7B,KAEC,CAACk+B,OAAD,IACC,KAAK5qD,KAAL,CAAW2U,MADZ,IAEC+X,IAAI,CAACtgB,IAAL,KAAc,KAFf,IAGCsgB,IAAI,CAACi9B,YAAL,CAAkB,CAAlB,EAAqB/uC,EAArB,CAAwB3Z,IAAxB,KAAiC,YALnC,CADF,EAOE;WACKmK,KAAL,CACEshB,IAAI,CAACruB,KADP,EAEE8P,aAAM,CAACrK,sBAFT,EAGE8mD,OAAO,GAAG,QAAH,GAAc,QAHvB;KARF,MAaO,IAAIl+B,IAAI,CAACzrB,IAAL,KAAc,mBAAlB,EAAuC;WACvCmK,KAAL,CAAWshB,IAAI,CAACruB,KAAhB,EAAuB8P,aAAM,CAAClJ,UAA9B,EAA0C,UAA1C;;;IAGF5E,IAAI,CAACmnB,IAAL,GAAYkF,IAAZ;IACArsB,IAAI,CAACie,KAAL,GAAassC,OAAO,GAAG,KAAKtwC,eAAL,EAAH,GAA4B,KAAK6J,gBAAL,EAAhD;SACKrK,MAAL,CAAY5J,KAAE,CAAC3Z,MAAf;IAEA8J,IAAI,CAACa,IAAL,GAIE,KAAKmmD,0BAAL,CAAgC,MAE9B,KAAKzkC,cAAL,CAAoB,KAApB,CAFF,CAJF;SASKtG,KAAL,CAAWK,IAAX;SACK3c,KAAL,CAAW83C,MAAX,CAAkBv2C,GAAlB;WAEO,KAAKoP,UAAL,CAAgBtQ,IAAhB,EAAsBuqD,OAAO,GAAG,gBAAH,GAAsB,gBAAnD,CAAP;;;EAKFlB,QAAQ,CACNrpD,IADM,EAENyqD,KAFM,EAGN1+C,IAHM,EAIiB;UACjBu9C,YAAY,GAAItpD,IAAI,CAACspD,YAAL,GAAoB,EAA1C;UACMoB,YAAY,GAAG,KAAK7rD,SAAL,CAAe,YAAf,CAArB;IACAmB,IAAI,CAAC+L,IAAL,GAAYA,IAAZ;;aACS;YACD8Y,IAAI,GAAG,KAAKxU,SAAL,EAAb;WACKiY,UAAL,CAAgBzD,IAAhB,EAAsB9Y,IAAtB;;UACI,KAAKiO,GAAL,CAASnK,KAAE,CAAC3Y,EAAZ,CAAJ,EAAqB;QACnB2tB,IAAI,CAACwH,IAAL,GAAY,KAAKvI,gBAAL,CAAsB2mC,KAAtB,CAAZ;OADF,MAEO;YAEH1+C,IAAI,KAAK,OAAT,IACA,EAAE,KAAKzN,KAAL,CAAWuR,KAAE,CAACzV,GAAd,KAAsB,KAAKshB,YAAL,CAAkB,IAAlB,CAAxB,CAFF,EAGE;cAGI,CAACgvC,YAAL,EAAmB;iBACZ3uC,UAAL;;SAPJ,MASO,IACL8I,IAAI,CAACtK,EAAL,CAAQ3Z,IAAR,KAAiB,YAAjB,IACA,EAAE6pD,KAAK,KAAK,KAAKnsD,KAAL,CAAWuR,KAAE,CAACzV,GAAd,KAAsB,KAAKshB,YAAL,CAAkB,IAAlB,CAA3B,CAAP,CAFK,EAGL;eACK3Q,KAAL,CACE,KAAKpL,KAAL,CAAWkL,UADb,EAEEiD,aAAM,CAACpL,6BAFT,EAGE,0BAHF;;;QAMFmiB,IAAI,CAACwH,IAAL,GAAY,IAAZ;;;MAEFi9B,YAAY,CAACzpD,IAAb,CAAkB,KAAKyQ,UAAL,CAAgBuU,IAAhB,EAAsB,oBAAtB,CAAlB;UACI,CAAC,KAAK7K,GAAL,CAASnK,KAAE,CAAC1Z,KAAZ,CAAL,EAAyB;;;WAEpB6J,IAAP;;;EAGFsoB,UAAU,CAACzD,IAAD,EAA6B9Y,IAA7B,EAAkE;IAC1E8Y,IAAI,CAACtK,EAAL,GAAU,KAAKo4B,gBAAL,EAAV;SACK5kC,SAAL,CACE8W,IAAI,CAACtK,EADP,EAEExO,IAAI,KAAK,KAAT,GAAiB/P,QAAjB,GAA4BD,YAF9B,EAGE2E,SAHF,EAIE,sBAJF,EAKEqL,IAAI,KAAK,KALX;;;EAYFk3C,aAAa,CACXjjD,IADW,EAEX2qD,SAAkB,GAAGtD,aAFV,EAGX55C,OAAiB,GAAG,KAHT,EAIR;UACG6X,WAAW,GAAGqlC,SAAS,GAAGrD,cAAhC;UACMsD,kBAAkB,GAAGD,SAAS,GAAGpD,sBAAvC;UACMsD,SAAS,GAAG,CAAC,CAACvlC,WAAF,IAAiB,EAAEqlC,SAAS,GAAGnD,gBAAd,CAAnC;SAEKh6C,YAAL,CAAkBxN,IAAlB,EAAwByN,OAAxB;;QAEI,KAAKnP,KAAL,CAAWuR,KAAE,CAAC1X,IAAd,KAAuByyD,kBAA3B,EAA+C;WACxC7/C,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAACpK,iCAApC;;;IAEF1D,IAAI,CAAC0lD,SAAL,GAAiB,KAAK1rC,GAAL,CAASnK,KAAE,CAAC1X,IAAZ,CAAjB;;QAEImtB,WAAJ,EAAiB;MACftlB,IAAI,CAACua,EAAL,GAAU,KAAKs5B,eAAL,CAAqBgX,SAArB,CAAV;;;UAGI5a,yBAAyB,GAAG,KAAKtwC,KAAL,CAAWuwC,sBAA7C;UACMC,WAAW,GAAG,KAAKxwC,KAAL,CAAWywC,QAA/B;UACMC,WAAW,GAAG,KAAK1wC,KAAL,CAAW2wC,QAA/B;SACK3wC,KAAL,CAAWuwC,sBAAX,GAAoC,KAApC;SACKvwC,KAAL,CAAWywC,QAAX,GAAsB,CAAC,CAAvB;SACKzwC,KAAL,CAAW2wC,QAAX,GAAsB,CAAC,CAAvB;SACKr0B,KAAL,CAAWE,KAAX,CAAiBxhB,cAAjB;SACKyY,SAAL,CAAe+I,KAAf,CAAqBsnB,aAAa,CAACh2B,OAAD,EAAUzN,IAAI,CAAC0lD,SAAf,CAAlC;;QAEI,CAACpgC,WAAL,EAAkB;MAChBtlB,IAAI,CAACua,EAAL,GAAU,KAAKs5B,eAAL,EAAV;;;SAGGzrB,mBAAL,CAAyBpoB,IAAzB;SAKKgnD,0BAAL,CAAgC,MAAM;WAE/B1kC,0BAAL,CACEtiB,IADF,EAEEslB,WAAW,GAAG,qBAAH,GAA2B,oBAFxC;KAFF;SAQKlS,SAAL,CAAekJ,IAAf;SACKL,KAAL,CAAWK,IAAX;;QAEIgJ,WAAW,IAAI,CAACslC,kBAApB,EAAwC;WAIjC5Z,2BAAL,CAAiChxC,IAAjC;;;SAGGL,KAAL,CAAWuwC,sBAAX,GAAoCD,yBAApC;SACKtwC,KAAL,CAAWywC,QAAX,GAAsBD,WAAtB;SACKxwC,KAAL,CAAW2wC,QAAX,GAAsBD,WAAtB;WAEOrwC,IAAP;;;EAGF6zC,eAAe,CAACgX,SAAD,EAAqC;WAC3CA,SAAS,IAAI,KAAKvsD,KAAL,CAAWuR,KAAE,CAAClb,IAAd,CAAb,GAAmC,KAAK6lB,eAAL,EAAnC,GAA4D,IAAnE;;;EAGF4N,mBAAmB,CAACpoB,IAAD,EAAmBqoB,cAAnB,EAAmD;UAC9D09B,eAAe,GAAG,KAAKpmD,KAAL,CAAWs3C,YAAnC;SACKt3C,KAAL,CAAWs3C,YAAX,GAA0B,IAA1B;SAEKx9B,MAAL,CAAY5J,KAAE,CAAC5Z,MAAf;IACA+J,IAAI,CAACiL,MAAL,GAAc,KAAKq9B,gBAAL,CACZz4B,KAAE,CAAC3Z,MADS,MAGK,KAHL,EAIZmyB,cAJY,CAAd;SAOK1oB,KAAL,CAAWs3C,YAAX,GAA0B8O,eAA1B;SACK7H,8BAAL;;;EAGFlN,2BAA2B,CAAChxC,IAAD,EAAyB;QAC9C,CAACA,IAAI,CAACua,EAAV,EAAc;SAMT0B,KAAL,CAAWC,WAAX,CACElc,IAAI,CAACua,EAAL,CAAQ5lB,IADV,EAEE,KAAKgL,KAAL,CAAW2U,MAAX,IAAqBtU,IAAI,CAAC0lD,SAA1B,IAAuC1lD,IAAI,CAAC2lD,KAA5C,GACI,KAAK1pC,KAAL,CAAW8lB,mBAAX,GACE/lC,QADF,GAEED,YAHN,GAIIE,aANN,EAOE+D,IAAI,CAACua,EAAL,CAAQvc,KAPV;;;EAcFsxC,UAAU,CACRtvC,IADQ,EAERslB,WAFQ,EAGRC,UAHQ,EAIL;SACElQ,IAAL;SACKy+B,cAAL,CAAoB9zC,IAApB;UAGMgmD,SAAS,GAAG,KAAKrmD,KAAL,CAAW2U,MAA7B;SACK3U,KAAL,CAAW2U,MAAX,GAAoB,IAApB;SAEK+Q,YAAL,CAAkBrlB,IAAlB,EAAwBslB,WAAxB,EAAqCC,UAArC;SACKoB,eAAL,CAAqB3mB,IAArB;IAEAA,IAAI,CAACa,IAAL,GAAY,KAAKkzC,cAAL,CAAoB,CAAC,CAAC/zC,IAAI,CAACiM,UAA3B,EAAuC+5C,SAAvC,CAAZ;WAEO,KAAK11C,UAAL,CACLtQ,IADK,EAELslB,WAAW,GAAG,kBAAH,GAAwB,iBAF9B,CAAP;;;EAMFkB,eAAe,GAAY;WAClB,KAAKloB,KAAL,CAAWuR,KAAE,CAAC3Y,EAAd,KAAqB,KAAKoH,KAAL,CAAWuR,KAAE,CAACzZ,IAAd,CAArB,IAA4C,KAAKkI,KAAL,CAAWuR,KAAE,CAAC9Z,MAAd,CAAnD;;;EAGFwwB,aAAa,GAAY;WAChB,KAAKjoB,KAAL,CAAWuR,KAAE,CAAC5Z,MAAd,CAAP;;;EAGFwwB,sBAAsB,CAACza,MAAD,EAAmD;WAErE,CAACA,MAAM,CAACo0C,QAAR,IACA,CAACp0C,MAAM,CAACwT,MADR,KAECxT,MAAM,CAAC+E,GAAP,CAAWpc,IAAX,KAAoB,aAApB,IACCqX,MAAM,CAAC+E,GAAP,CAAWtE,KAAX,KAAqB,aAHvB,CADF;;;EASFsnC,cAAc,CACZruB,sBADY,EAEZsgC,SAFY,EAGC;SACR7D,UAAL,CAAgBhmC,KAAhB;UAEMxc,KAAK,GAAG;MAAEmrD,cAAc,EAAE;KAAhC;QACIra,UAAyB,GAAG,EAAhC;UACMnhC,SAAsB,GAAG,KAAKe,SAAL,EAA/B;IACAf,SAAS,CAACzO,IAAV,GAAiB,EAAjB;SAEK4Y,MAAL,CAAY5J,KAAE,CAACja,MAAf;SAIKoxD,0BAAL,CAAgC,MAAM;aAC7B,CAAC,KAAK1oD,KAAL,CAAWuR,KAAE,CAAC9Z,MAAd,CAAR,EAA+B;YACzB,KAAKikB,GAAL,CAASnK,KAAE,CAACzZ,IAAZ,CAAJ,EAAuB;cACjBq6C,UAAU,CAACpxC,MAAX,GAAoB,CAAxB,EAA2B;kBACnB,KAAK0L,KAAL,CAAW,KAAKpL,KAAL,CAAWkL,UAAtB,EAAkCiD,aAAM,CAAChL,kBAAzC,CAAN;;;;;;YAKA,KAAKxE,KAAL,CAAWuR,KAAE,CAAC9Y,EAAd,CAAJ,EAAuB;UACrB05C,UAAU,CAAC5wC,IAAX,CAAgB,KAAKmgD,cAAL,EAAhB;;;;cAIIv6B,MAAM,GAAG,KAAKpV,SAAL,EAAf;;YAGIogC,UAAU,CAACpxC,MAAf,EAAuB;UACrBomB,MAAM,CAACgrB,UAAP,GAAoBA,UAApB;eACKznB,0BAAL,CAAgCvD,MAAhC,EAAwCgrB,UAAU,CAAC,CAAD,CAAlD;UACAA,UAAU,GAAG,EAAb;;;aAGGjrB,gBAAL,CAAsBlW,SAAtB,EAAiCmW,MAAjC,EAAyC9lB,KAAzC,EAAgD+lB,sBAAhD;;YAGED,MAAM,CAAC1Z,IAAP,KAAgB,aAAhB,IACA0Z,MAAM,CAACgrB,UADP,IAEAhrB,MAAM,CAACgrB,UAAP,CAAkBpxC,MAAlB,GAA2B,CAH7B,EAIE;eACK0L,KAAL,CAAW0a,MAAM,CAACznB,KAAlB,EAAyB8P,aAAM,CAAClL,oBAAhC;;;KA9BN;SAmCKjD,KAAL,CAAW2U,MAAX,GAAoB0xC,SAApB;SAEK3wC,IAAL;;QAEIo7B,UAAU,CAACpxC,MAAf,EAAuB;YACf,KAAK0L,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAAC1F,iBAApC,CAAN;;;SAGG+5C,UAAL,CAAgB7lC,IAAhB;WAEO,KAAKhM,UAAL,CAAgBhB,SAAhB,EAA2B,WAA3B,CAAP;;;EAMFy7C,kBAAkB,CAACn9C,IAAD,EAAkC;WAEhD,CAACA,IAAI,CAACwyC,QAAN,IACAxyC,IAAI,CAACmD,GAAL,CAASnQ,IAAT,KAAkB,YADlB,KAEC,KAAK89C,qBAAL,MACC,KAAKpgD,KAAL,CAAWuR,KAAE,CAACta,QAAd,CADD,IAEC,KAAK+I,KAAL,CAAWuR,KAAE,CAAC1X,IAAd,CAFD,IAGC,KAAKmG,KAAL,CAAWuR,KAAE,CAAC7Y,IAAd,CALF,CADF;;;EAYF2uB,4BAA4B,CAC1BrW,SAD0B,EAE1BmW,MAF0B,EAGjB;UACH1U,GAAG,GAAG,KAAKyJ,eAAL,CAAqB,IAArB,CAAZ;;QAEI,KAAK+L,aAAL,EAAJ,EAA0B;YAClBva,MAAqB,GAAIyZ,MAA/B;MAGAzZ,MAAM,CAACD,IAAP,GAAc,QAAd;MACAC,MAAM,CAACo0C,QAAP,GAAkB,KAAlB;MACAp0C,MAAM,CAAC+E,GAAP,GAAaA,GAAb;MACA/E,MAAM,CAACwT,MAAP,GAAgB,KAAhB;WACKnQ,eAAL,CACEC,SADF,EAEEtD,MAFF,EAGE,KAHF,EAIE,KAJF,EAKsB,KALtB,EAME,KANF;aAQO,IAAP;KAhBF,MAiBO,IAAI,KAAKwa,eAAL,EAAJ,EAA4B;YAC3B5Y,IAAqB,GAAI6X,MAA/B;MAGA7X,IAAI,CAACwyC,QAAL,GAAgB,KAAhB;MACAxyC,IAAI,CAACmD,GAAL,GAAWA,GAAX;MACAnD,IAAI,CAAC4R,MAAL,GAAc,KAAd;MACAlQ,SAAS,CAACzO,IAAV,CAAehB,IAAf,CAAoB,KAAKwmB,kBAAL,CAAwBzY,IAAxB,CAApB;aACO,IAAP;;;WAEK,KAAP;;;EAGF4X,gBAAgB,CACdlW,SADc,EAEdmW,MAFc,EAGd9lB,KAHc,EAId+lB,sBAJc,EAKR;UACAnG,QAAQ,GAAG,KAAK7D,YAAL,CAAkB,QAAlB,CAAjB;;QAEI6D,QAAQ,IAAI,KAAKoG,4BAAL,CAAkCrW,SAAlC,EAA6CmW,MAA7C,CAAhB,EAAsE;;;;SAKjEwsB,4BAAL,CACE3iC,SADF,EAEEmW,MAFF,EAGE9lB,KAHF,EAIE4f,QAJF,EAKEmG,sBALF;;;EASFusB,4BAA4B,CAC1B3iC,SAD0B,EAE1BmW,MAF0B,EAG1B9lB,KAH0B,EAI1B4f,QAJ0B,EAK1BmG,sBAL0B,EAM1B;UACMslC,YAAyC,GAAGvlC,MAAlD;UACMwlC,aAAiD,GAAGxlC,MAA1D;UACMylC,UAAuC,GAAGzlC,MAAhD;UACM0lC,WAA+C,GAAG1lC,MAAxD;UAEMzZ,MAAkD,GAAGg/C,YAA3D;UACMI,YAAqD,GAAGJ,YAA9D;IAEAvlC,MAAM,CAACjG,MAAP,GAAgBD,QAAhB;;QAEI,KAAKvF,GAAL,CAASnK,KAAE,CAAC1X,IAAZ,CAAJ,EAAuB;MAErB6T,MAAM,CAACD,IAAP,GAAc,QAAd;WACKs/C,qBAAL,CAA2Br/C,MAA3B;;UAEIA,MAAM,CAAC+E,GAAP,CAAWnQ,IAAX,KAAoB,aAAxB,EAAuC;aAEhC8lB,sBAAL,CAA4BpX,SAA5B,EAAuC27C,aAAvC,EAAsD,IAAtD,EAA4D,KAA5D;;;;UAIE,KAAKxkC,sBAAL,CAA4BukC,YAA5B,CAAJ,EAA+C;aACxCjgD,KAAL,CAAWigD,YAAY,CAACj6C,GAAb,CAAiB/S,KAA5B,EAAmC8P,aAAM,CAACrL,sBAA1C;;;WAGG4M,eAAL,CACEC,SADF,EAEE07C,YAFF,EAGE,IAHF,EAIE,KAJF,EAKsB,KALtB,EAME,KANF;;;;UAYIte,WAAW,GAAG,KAAK/sC,KAAL,CAAW+sC,WAA/B;UACM37B,GAAG,GAAG,KAAKs6C,qBAAL,CAA2B5lC,MAA3B,CAAZ;UACMo+B,SAAS,GAAG9yC,GAAG,CAACnQ,IAAJ,KAAa,aAA/B;UAEM0qD,QAAQ,GAAGv6C,GAAG,CAACnQ,IAAJ,KAAa,YAA9B;UACM2qD,uBAAuB,GAAG,KAAK5rD,KAAL,CAAW3B,KAA3C;SAEKk0C,4BAAL,CAAkCkZ,YAAlC;;QAEI,KAAK7kC,aAAL,EAAJ,EAA0B;MACxBva,MAAM,CAACD,IAAP,GAAc,QAAd;;UAEI83C,SAAJ,EAAe;aACRn9B,sBAAL,CAA4BpX,SAA5B,EAAuC27C,aAAvC,EAAsD,KAAtD,EAA6D,KAA7D;;;;YAKIz7C,aAAa,GAAG,KAAKiX,sBAAL,CAA4BukC,YAA5B,CAAtB;UACIv7C,iBAAiB,GAAG,KAAxB;;UACID,aAAJ,EAAmB;QACjBw7C,YAAY,CAACj/C,IAAb,GAAoB,aAApB;;YAGIpM,KAAK,CAACmrD,cAAN,IAAwB,CAAC,KAAKjsD,SAAL,CAAe,YAAf,CAA7B,EAA2D;eACpDkM,KAAL,CAAWgG,GAAG,CAAC/S,KAAf,EAAsB8P,aAAM,CAAC7K,oBAA7B;;;QAEFtD,KAAK,CAACmrD,cAAN,GAAuB,IAAvB;QACAr7C,iBAAiB,GAAGiW,sBAApB;;;WAGGrW,eAAL,CACEC,SADF,EAEE07C,YAFF,EAGE,KAHF,EAIE,KAJF,EAKEx7C,aALF,EAMEC,iBANF;KAtBF,MA8BO,IAAI,KAAK+W,eAAL,EAAJ,EAA4B;UAC7Bq9B,SAAJ,EAAe;aACR2H,wBAAL,CAA8Bl8C,SAA9B,EAAyC67C,WAAzC;OADF,MAEO;aACAM,iBAAL,CAAuBn8C,SAAvB,EAAkC47C,UAAlC;;KAJG,MAMA,IACLI,QAAQ,IACRv6C,GAAG,CAACpc,IAAJ,KAAa,OADb,IAEA,CAAC+3C,WAFD,IAGA,CAAC,KAAKyC,gBAAL,EAJI,EAKL;YAEM5/B,WAAW,GAAG,KAAKyK,GAAL,CAASnK,KAAE,CAAC1X,IAAZ,CAApB;;UAEIizD,YAAY,CAACn6C,QAAjB,EAA2B;aACpB8K,UAAL,CAAgBwvC,uBAAhB;;;MAGFv/C,MAAM,CAACD,IAAP,GAAc,QAAd;WAEKs/C,qBAAL,CAA2Br/C,MAA3B;WACKkmC,4BAAL,CAAkCkZ,YAAlC;;UAEIp/C,MAAM,CAAC+E,GAAP,CAAWnQ,IAAX,KAAoB,aAAxB,EAAuC;aAEhC8lB,sBAAL,CACEpX,SADF,EAEE27C,aAFF,EAGE17C,WAHF,EAIE,IAJF;OAFF,MAQO;YACD,KAAKkX,sBAAL,CAA4BukC,YAA5B,CAAJ,EAA+C;eACxCjgD,KAAL,CAAWigD,YAAY,CAACj6C,GAAb,CAAiB/S,KAA5B,EAAmC8P,aAAM,CAACtL,kBAA1C;;;aAGG6M,eAAL,CACEC,SADF,EAEE07C,YAFF,EAGEz7C,WAHF,EAIE,IAJF,EAKsB,KALtB,EAME,KANF;;KA/BG,MAwCA,IACL+7C,QAAQ,KACPv6C,GAAG,CAACpc,IAAJ,KAAa,KAAb,IAAsBoc,GAAG,CAACpc,IAAJ,KAAa,KAD5B,CAAR,IAEA,CAAC+3C,WAFD,IAGA,EAAE,KAAKpuC,KAAL,CAAWuR,KAAE,CAAC1X,IAAd,KAAuB,KAAKg3C,gBAAL,EAAzB,CAJK,EAKL;MAGAnjC,MAAM,CAACD,IAAP,GAAcgF,GAAG,CAACpc,IAAlB;WAEK02D,qBAAL,CAA2BL,YAA3B;;UAEIh/C,MAAM,CAAC+E,GAAP,CAAWnQ,IAAX,KAAoB,aAAxB,EAAuC;aAEhC8lB,sBAAL,CAA4BpX,SAA5B,EAAuC27C,aAAvC,EAAsD,KAAtD,EAA6D,KAA7D;OAFF,MAGO;YACD,KAAKxkC,sBAAL,CAA4BukC,YAA5B,CAAJ,EAA+C;eACxCjgD,KAAL,CAAWigD,YAAY,CAACj6C,GAAb,CAAiB/S,KAA5B,EAAmC8P,aAAM,CAACvL,qBAA1C;;;aAEG8M,eAAL,CACEC,SADF,EAEE07C,YAFF,EAGE,KAHF,EAIE,KAJF,EAKsB,KALtB,EAME,KANF;;;WAUGr9C,uBAAL,CAA6Bq9C,YAA7B;KA7BK,MA8BA,IAAI,KAAK7b,gBAAL,EAAJ,EAA6B;UAE9B0U,SAAJ,EAAe;aACR2H,wBAAL,CAA8Bl8C,SAA9B,EAAyC67C,WAAzC;OADF,MAEO;aACAM,iBAAL,CAAuBn8C,SAAvB,EAAkC47C,UAAlC;;KALG,MAOA;WACAnvC,UAAL;;;;EAKJsvC,qBAAqB,CAAC5lC,MAAD,EAAqD;UAClE1U,GAAG,GAAG,KAAK+V,iBAAL,CAAuBrB,MAAvB,EAA0D,IAA1D,CAAZ;;QAGE,CAACA,MAAM,CAAC26B,QAAR,IACA36B,MAAM,CAACjG,MADP,KAEEzO,GAAD,CAAkCpc,IAAlC,KAA2C,WAA3C,IACEoc,GAAD,CAAqCtE,KAArC,KAA+C,WAHjD,CADF,EAKE;WACK1B,KAAL,CAAWgG,GAAG,CAAC/S,KAAf,EAAsB8P,aAAM,CAACpG,eAA7B;;;QAGEqJ,GAAG,CAACnQ,IAAJ,KAAa,aAAb,IAA8BmQ,GAAG,CAACwJ,EAAJ,CAAO5lB,IAAP,KAAgB,aAAlD,EAAiE;WAC1DoW,KAAL,CAAWgG,GAAG,CAAC/S,KAAf,EAAsB8P,aAAM,CAACxL,4BAA7B;;;WAGKyO,GAAP;;;EAGF06C,iBAAiB,CAACn8C,SAAD,EAAyB1B,IAAzB,EAAgD;QAE7D,CAACA,IAAI,CAACwyC,QAAN,KACCxyC,IAAI,CAACmD,GAAL,CAASpc,IAAT,KAAkB,aAAlB,IAAmCiZ,IAAI,CAACmD,GAAL,CAAStE,KAAT,KAAmB,aADvD,CADF,EAGE;WAGK1B,KAAL,CAAW6C,IAAI,CAACmD,GAAL,CAAS/S,KAApB,EAA2B8P,aAAM,CAACzL,qBAAlC;;;IAGFiN,SAAS,CAACzO,IAAV,CAAehB,IAAf,CAAoB,KAAKwmB,kBAAL,CAAwBzY,IAAxB,CAApB;;;EAGF49C,wBAAwB,CACtBl8C,SADsB,EAEtB1B,IAFsB,EAGtB;SACKomC,YAAL,CAAkB,wBAAlB,EAA4CpmC,IAAI,CAACmD,GAAL,CAAS/S,KAArD;UAEMgC,IAAI,GAAG,KAAKsmB,yBAAL,CAA+B1Y,IAA/B,CAAb;IACA0B,SAAS,CAACzO,IAAV,CAAehB,IAAf,CAAoBG,IAApB;SAEKmiD,UAAL,CAAgBuJ,kBAAhB,CACE1rD,IAAI,CAAC+Q,GAAL,CAASwJ,EAAT,CAAY5lB,IADd,EAEEuI,mBAFF,EAGE8C,IAAI,CAAC+Q,GAAL,CAAS/S,KAHX;;;EAOFqR,eAAe,CACbC,SADa,EAEbtD,MAFa,EAGbuD,WAHa,EAIb9B,OAJa,EAKb+B,aALa,EAMbC,iBANa,EAOP;IACNH,SAAS,CAACzO,IAAV,CAAehB,IAAf,CACE,KAAK6P,WAAL,CACE1D,MADF,EAEEuD,WAFF,EAGE9B,OAHF,EAIE+B,aAJF,EAKEC,iBALF,EAME,aANF,EAOE,IAPF,CADF;;;EAaFiX,sBAAsB,CACpBpX,SADoB,EAEpBtD,MAFoB,EAGpBuD,WAHoB,EAIpB9B,OAJoB,EAKd;SACDumC,YAAL,CAAkB,qBAAlB,EAAyChoC,MAAM,CAAC+E,GAAP,CAAW/S,KAApD;UAEMgC,IAAI,GAAG,KAAK0P,WAAL,CACX1D,MADW,EAEXuD,WAFW,EAGX9B,OAHW,EAIS,KAJT,EAKX,KALW,EAMX,oBANW,EAOX,IAPW,CAAb;IASA6B,SAAS,CAACzO,IAAV,CAAehB,IAAf,CAAoBG,IAApB;UAEM+L,IAAI,GACR/L,IAAI,CAAC+L,IAAL,KAAc,KAAd,GACI/L,IAAI,CAACwf,MAAL,GACE1iB,2BADF,GAEEE,6BAHN,GAIIgD,IAAI,CAAC+L,IAAL,KAAc,KAAd,GACA/L,IAAI,CAACwf,MAAL,GACEziB,2BADF,GAEEE,6BAHF,GAIAC,mBATN;SAUKilD,UAAL,CAAgBuJ,kBAAhB,CAAmC1rD,IAAI,CAAC+Q,GAAL,CAASwJ,EAAT,CAAY5lB,IAA/C,EAAqDoX,IAArD,EAA2D/L,IAAI,CAAC+Q,GAAL,CAAS/S,KAApE;;;EAIFk0C,4BAA4B,CAE1BC,YAF0B,EAGpB;;EAGRxB,mBAAmB,GAAqB;WAC/BjwC,SAAP;;;EAGF4lB,yBAAyB,CACvBtmB,IADuB,EAEC;SACnBic,KAAL,CAAWE,KAAX,CAAiBnhB,WAAW,GAAGF,WAA/B;SAEKsY,SAAL,CAAe+I,KAAf,CAAqB6mB,KAArB;IAEAhjC,IAAI,CAACyM,KAAL,GAAa,KAAKuN,GAAL,CAASnK,KAAE,CAAC3Y,EAAZ,IAAkB,KAAK4sB,gBAAL,EAAlB,GAA4C,IAAzD;SACK3I,SAAL;SACK/H,SAAL,CAAekJ,IAAf;SAEKL,KAAL,CAAWK,IAAX;WAEO,KAAKhM,UAAL,CAAgBtQ,IAAhB,EAAsB,sBAAtB,CAAP;;;EAGFqmB,kBAAkB,CAACrmB,IAAD,EAAyC;QACrD,CAACA,IAAI,CAACib,cAAV,EAA0B;WACnB+4B,YAAL,CAAkB,iBAAlB;;;SAGG/3B,KAAL,CAAWE,KAAX,CAAiBnhB,WAAW,GAAGF,WAA/B;SAEKsY,SAAL,CAAe+I,KAAf,CAAqB6mB,KAArB;;QAEI,KAAK1kC,KAAL,CAAWuR,KAAE,CAAC3Y,EAAd,CAAJ,EAAuB;WAChB88C,YAAL,CAAkB,iBAAlB;WACK3+B,IAAL;MACArV,IAAI,CAACyM,KAAL,GAAa,KAAKqX,gBAAL,EAAb;KAHF,MAIO;MACL9jB,IAAI,CAACyM,KAAL,GAAa,IAAb;;;SAEG0O,SAAL;SAEK/H,SAAL,CAAekJ,IAAf;SACKL,KAAL,CAAWK,IAAX;WAEO,KAAKhM,UAAL,CAAgBtQ,IAAhB,EAAsB,eAAtB,CAAP;;;EAGFqlB,YAAY,CACVrlB,IADU,EAEVslB,WAFU,EAGVC,UAHU,EAIVtX,WAAyB,GAAGnS,UAJlB,EAKJ;QACF,KAAKwC,KAAL,CAAWuR,KAAE,CAAClb,IAAd,CAAJ,EAAyB;MACvBqL,IAAI,CAACua,EAAL,GAAU,KAAKC,eAAL,EAAV;;UACI8K,WAAJ,EAAiB;aACVvX,SAAL,CAAe/N,IAAI,CAACua,EAApB,EAAwBtM,WAAxB,EAAqCvN,SAArC,EAAgD,YAAhD;;KAHJ,MAKO;UACD6kB,UAAU,IAAI,CAACD,WAAnB,EAAgC;QAC9BtlB,IAAI,CAACua,EAAL,GAAU,IAAV;OADF,MAEO;aACAwB,UAAL,CAAgB,IAAhB,EAAsBjO,aAAM,CAACrI,gBAA7B;;;;;EAMNkhB,eAAe,CAAC3mB,IAAD,EAAsB;IACnCA,IAAI,CAACiM,UAAL,GAAkB,KAAK+N,GAAL,CAASnK,KAAE,CAAC/V,QAAZ,IAAwB,KAAK8nD,mBAAL,EAAxB,GAAqD,IAAvE;;;EAMFtwC,WAAW,CAACtR,IAAD,EAA4B;UAC/B2rD,UAAU,GAAG,KAAKvX,gCAAL,CAAsCp0C,IAAtC,CAAnB;UACM4rD,iBAAiB,GAAG,CAACD,UAAD,IAAe,KAAK3xC,GAAL,CAASnK,KAAE,CAAC1Z,KAAZ,CAAzC;UACM01D,OAAO,GAAGD,iBAAiB,IAAI,KAAK1mC,aAAL,CAAmBllB,IAAnB,CAArC;UACMolB,YAAY,GAChBymC,OAAO,IAAI,KAAK1mC,kCAAL,CAAwCnlB,IAAxC,CADb;UAEM8rD,mBAAmB,GACvBF,iBAAiB,KAAK,CAACxmC,YAAD,IAAiB,KAAKpL,GAAL,CAASnK,KAAE,CAAC1Z,KAAZ,CAAtB,CADnB;UAEM41D,cAAc,GAAGJ,UAAU,IAAIE,OAArC;;QAEIA,OAAO,IAAI,CAACzmC,YAAhB,EAA8B;UACxBumC,UAAJ,EAAgB,KAAK5vC,UAAL;WACXkJ,eAAL,CAAqBjlB,IAArB,EAA2B,IAA3B;aAEO,KAAKsQ,UAAL,CAAgBtQ,IAAhB,EAAsB,sBAAtB,CAAP;;;UAGIgsD,aAAa,GAAG,KAAKC,+BAAL,CAAqCjsD,IAArC,CAAtB;;QAGG2rD,UAAU,IAAIC,iBAAd,IAAmC,CAACC,OAApC,IAA+C,CAACG,aAAjD,IACC5mC,YAAY,IAAI0mC,mBAAhB,IAAuC,CAACE,aAF3C,EAGE;YACM,KAAKjwC,UAAL,CAAgB,IAAhB,EAAsBlM,KAAE,CAACja,MAAzB,CAAN;;;QAGEs2D,cAAJ;;QACIH,cAAc,IAAIC,aAAtB,EAAqC;MACnCE,cAAc,GAAG,KAAjB;WACKjnC,eAAL,CAAqBjlB,IAArB,EAA2B+rD,cAA3B;KAFF,MAGO;MACLG,cAAc,GAAG,KAAKC,2BAAL,CAAiCnsD,IAAjC,CAAjB;;;QAGE+rD,cAAc,IAAIC,aAAlB,IAAmCE,cAAvC,EAAuD;WAChD7X,WAAL,CAAiBr0C,IAAjB,EAAuB,IAAvB,EAA6B,KAA7B,EAAoC,CAAC,CAACA,IAAI,CAAC1C,MAA3C;aACO,KAAKgT,UAAL,CAAgBtQ,IAAhB,EAAsB,wBAAtB,CAAP;;;QAGE,KAAKga,GAAL,CAASnK,KAAE,CAAClX,QAAZ,CAAJ,EAA2B;MAEzBqH,IAAI,CAACiY,WAAL,GAAmB,KAAK2K,4BAAL,EAAnB;WACKyxB,WAAL,CAAiBr0C,IAAjB,EAAuB,IAAvB,EAA6B,IAA7B;aAEO,KAAKsQ,UAAL,CAAgBtQ,IAAhB,EAAsB,0BAAtB,CAAP;;;UAGI,KAAK+b,UAAL,CAAgB,IAAhB,EAAsBlM,KAAE,CAACja,MAAzB,CAAN;;;EAIFsvB,aAAa,CAACllB,IAAD,EAAwB;WAC5B,KAAKga,GAAL,CAASnK,KAAE,CAAC1X,IAAZ,CAAP;;;EAGFi8C,gCAAgC,CAACp0C,IAAD,EAAwB;QAClD,KAAK2iB,wBAAL,EAAJ,EAAqC;WAE9BqxB,YAAL,CAAkB,mBAAlB;YACM1sB,SAAS,GAAG,KAAKjX,SAAL,EAAlB;MACAiX,SAAS,CAAC/V,QAAV,GAAqB,KAAKiJ,eAAL,CAAqB,IAArB,CAArB;MACAxa,IAAI,CAACwR,UAAL,GAAkB,CAAC,KAAKlB,UAAL,CAAgBgX,SAAhB,EAA2B,wBAA3B,CAAD,CAAlB;aACO,IAAP;;;WAEK,KAAP;;;EAGFnC,kCAAkC,CAACnlB,IAAD,EAAwB;QACpD,KAAK0b,YAAL,CAAkB,IAAlB,CAAJ,EAA6B;UACvB,CAAC1b,IAAI,CAACwR,UAAV,EAAsBxR,IAAI,CAACwR,UAAL,GAAkB,EAAlB;YAEhB8V,SAAS,GAAG,KAAKna,WAAL,CAChB,KAAKxN,KAAL,CAAW+K,YADK,EAEhB,KAAK/K,KAAL,CAAWgL,eAFK,CAAlB;WAKK0K,IAAL;MAEAiS,SAAS,CAAC/V,QAAV,GAAqB,KAAKiJ,eAAL,CAAqB,IAArB,CAArB;MACAxa,IAAI,CAACwR,UAAL,CAAgB3R,IAAhB,CACE,KAAKyQ,UAAL,CAAgBgX,SAAhB,EAA2B,0BAA3B,CADF;aAGO,IAAP;;;WAEK,KAAP;;;EAGF2kC,+BAA+B,CAACjsD,IAAD,EAAwB;QACjD,KAAK1B,KAAL,CAAWuR,KAAE,CAACja,MAAd,CAAJ,EAA2B;UACrB,CAACoK,IAAI,CAACwR,UAAV,EAAsBxR,IAAI,CAACwR,UAAL,GAAkB,EAAlB;MACtBxR,IAAI,CAACwR,UAAL,CAAgB3R,IAAhB,CAAqB,GAAG,KAAKmlB,qBAAL,EAAxB;MAEAhlB,IAAI,CAAC1C,MAAL,GAAc,IAAd;MACA0C,IAAI,CAACiY,WAAL,GAAmB,IAAnB;aAEO,IAAP;;;WAEK,KAAP;;;EAGFk0C,2BAA2B,CAACnsD,IAAD,EAAwB;QAC7C,KAAK0iB,4BAAL,EAAJ,EAAyC;UACnC,KAAKhH,YAAL,CAAkB,OAAlB,CAAJ,EAAgC;cACxBrG,IAAI,GAAG,KAAKsY,cAAL,EAAb;;YAGI,CAAC,KAAKsmB,oBAAL,CAA0B5+B,IAA1B,EAAgC,UAAhC,CAAL,EAAkD;eAC3C0G,UAAL,CAAgB1G,IAAhB,EAAsBxF,KAAE,CAAC7W,SAAzB;;;;MAIJgH,IAAI,CAACwR,UAAL,GAAkB,EAAlB;MACAxR,IAAI,CAAC1C,MAAL,GAAc,IAAd;MACA0C,IAAI,CAACiY,WAAL,GAAmB,KAAK6M,sBAAL,CAA4B9kB,IAA5B,CAAnB;aAEO,IAAP;;;WAEK,KAAP;;;EAGF0oD,eAAe,GAAY;QACrB,CAAC,KAAKhtC,YAAL,CAAkB,OAAlB,CAAL,EAAiC,OAAO,KAAP;UAC3BrG,IAAI,GAAG,KAAKsY,cAAL,EAAb;WAEE,CAACxwB,SAAS,CAACsW,IAAV,CAAe,KAAKtV,KAAL,CAAWkD,KAAX,CAAiB,KAAK1B,KAAL,CAAW6K,GAA5B,EAAiC6K,IAAjC,CAAf,CAAD,IACA,KAAK4+B,oBAAL,CAA0B5+B,IAA1B,EAAgC,UAAhC,CAFF;;;EAMFuN,4BAA4B,GAAiC;UACrD5U,IAAI,GAAG,KAAKqC,SAAL,EAAb;UAEM5C,OAAO,GAAG,KAAKi7C,eAAL,EAAhB;;QAEI,KAAKpqD,KAAL,CAAWuR,KAAE,CAAC7W,SAAd,KAA4ByU,OAAhC,EAAyC;WAClC4H,IAAL;;UACI5H,OAAJ,EAAa;aACN4H,IAAL;;;aAGK,KAAK4tC,aAAL,CACLj1C,IADK,EAELs5C,cAAc,GAAGE,gBAFZ,EAGL/5C,OAHK,CAAP;KANF,MAWO,IAAI,KAAKnP,KAAL,CAAWuR,KAAE,CAAChW,MAAd,CAAJ,EAA2B;aACzB,KAAKy1C,UAAL,CAAgBthC,IAAhB,EAAsB,IAAtB,EAA4B,IAA5B,CAAP;KADK,MAEA,IAAI,KAAK1P,KAAL,CAAWuR,KAAE,CAAC9Y,EAAd,CAAJ,EAAuB;UAE1B,KAAK8H,SAAL,CAAe,YAAf,KACA,KAAKG,eAAL,CAAqB,YAArB,EAAmC,wBAAnC,CAFF,EAGE;aACK+L,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAACnL,qBAApC;;;WAEG2gD,eAAL,CAAqB,KAArB;aACO,KAAKhU,UAAL,CAAgBthC,IAAhB,EAAsB,IAAtB,EAA4B,IAA5B,CAAP;KARK,MASA,IAAI,KAAK1P,KAAL,CAAWuR,KAAE,CAACtW,MAAd,KAAyB,KAAK+E,KAAL,CAAWuR,KAAE,CAACvW,IAAd,CAAzB,IAAgD,KAAKmjB,KAAL,EAApD,EAAkE;YACjE,KAAK1R,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAACtE,wBAApC,CAAN;KADK,MAEA;YACCulC,GAAG,GAAG,KAAKjrB,gBAAL,EAAZ;WACK3I,SAAL;aACO4zB,GAAP;;;;EAKJjqB,sBAAsB,CAAC9kB,IAAD,EAAiD;WAC9D,KAAKuiB,cAAL,CAAoB,IAApB,CAAP;;;EAGFI,wBAAwB,GAAY;QAC9B,KAAKrkB,KAAL,CAAWuR,KAAE,CAAClb,IAAd,CAAJ,EAAyB;YACjB8X,KAAK,GAAG,KAAK9M,KAAL,CAAW8M,KAAzB;;UACKA,KAAK,KAAK,OAAV,IAAqB,CAAC,KAAK9M,KAAL,CAAW+sC,WAAlC,IAAkDjgC,KAAK,KAAK,KAAhE,EAAuE;eAC9D,KAAP;;;UAGA,CAACA,KAAK,KAAK,MAAV,IAAoBA,KAAK,KAAK,WAA/B,KACA,CAAC,KAAK9M,KAAL,CAAW+sC,WAFd,EAGE;cACM0f,CAAC,GAAG,KAAK3sC,SAAL,EAAV;;YAMG2sC,CAAC,CAACxrD,IAAF,KAAWiP,KAAE,CAAClb,IAAd,IAAsBy3D,CAAC,CAAC3/C,KAAF,KAAY,MAAnC,IACA2/C,CAAC,CAACxrD,IAAF,KAAWiP,KAAE,CAACja,MAFhB,EAGE;eACKooD,eAAL,CAAqB,CAAC,MAAD,EAAS,YAAT,CAArB;iBACO,KAAP;;;KAnBN,MAsBO,IAAI,CAAC,KAAK1/C,KAAL,CAAWuR,KAAE,CAAClX,QAAd,CAAL,EAA8B;aAC5B,KAAP;;;UAGI0c,IAAI,GAAG,KAAKsY,cAAL,EAAb;UACM0+B,OAAO,GAAG,KAAKpY,oBAAL,CAA0B5+B,IAA1B,EAAgC,MAAhC,CAAhB;;QAEE,KAAKlX,KAAL,CAAW0nB,UAAX,CAAsBxQ,IAAtB,YACC,KAAK/W,KAAL,CAAWuR,KAAE,CAAClb,IAAd,KAAuB03D,OAF1B,EAGE;aACO,IAAP;;;QAGE,KAAK/tD,KAAL,CAAWuR,KAAE,CAAClX,QAAd,KAA2B0zD,OAA/B,EAAwC;YAChCC,aAAa,GAAG,KAAKnuD,KAAL,CAAW0nB,UAAX,CACpB,KAAKsuB,mBAAL,CAAyB9+B,IAAI,GAAG,CAAhC,CADoB,CAAtB;aAIEi3C,aAAa,OAAb,IACAA,aAAa,OAFf;;;WAKK,KAAP;;;EAGFrnC,eAAe,CAACjlB,IAAD,EAAiCyZ,MAAjC,EAAyD;QAClE,KAAK8B,aAAL,CAAmB,MAAnB,CAAJ,EAAgC;MAC9Bvb,IAAI,CAAC1C,MAAL,GAAc,KAAKo3C,iBAAL,EAAd;WACKL,WAAL,CAAiBr0C,IAAjB;KAFF,MAGO;UACDyZ,MAAJ,EAAY;aACLsC,UAAL;OADF,MAEO;QACL/b,IAAI,CAAC1C,MAAL,GAAc,IAAd;;;;SAIC6d,SAAL;;;EAGFuH,4BAA4B,GAAY;QAClC,KAAKpkB,KAAL,CAAWuR,KAAE,CAAC9Y,EAAd,CAAJ,EAAuB;WAChBinD,eAAL,CAAqB,CAAC,YAAD,EAAe,mBAAf,CAArB;;UACI,KAAKn/C,SAAL,CAAe,YAAf,CAAJ,EAAkC;YAC5B,KAAKG,eAAL,CAAqB,YAArB,EAAmC,wBAAnC,CAAJ,EAAkE;eAC3D+c,UAAL,CAAgB,KAAKpc,KAAL,CAAW3B,KAA3B,EAAkC8P,aAAM,CAACnL,qBAAzC;SADF,MAEO;iBACE,IAAP;;;;;WAMJ,KAAKhD,KAAL,CAAWiB,IAAX,CAAgBxM,OAAhB,KAA4B,KAA5B,IACA,KAAKuL,KAAL,CAAWiB,IAAX,CAAgBxM,OAAhB,KAA4B,OAD5B,IAEA,KAAKuL,KAAL,CAAWiB,IAAX,CAAgBxM,OAAhB,KAA4B,UAF5B,IAGA,KAAKuL,KAAL,CAAWiB,IAAX,CAAgBxM,OAAhB,KAA4B,OAH5B,IAIA,KAAKqoB,KAAL,EAJA,IAKA,KAAKisC,eAAL,EANF;;;EAUFrU,WAAW,CACTr0C,IADS,EAETusD,UAFS,EAGTC,SAHS,EAITC,MAJS,EAKH;QACFF,UAAJ,EAAgB;UAEVC,SAAJ,EAAe;aAER5a,qBAAL,CAA2B5xC,IAA3B,EAAiC,SAAjC;;YACI,KAAKnB,SAAL,CAAe,mBAAf,CAAJ,EAAyC;;;gBACjCoZ,WAAW,GAAKjY,IAAF,CACjBiY,WADH;;cAGEA,WAAW,CAACrX,IAAZ,KAAqB,YAArB,IACAqX,WAAW,CAACtjB,IAAZ,KAAqB,MADrB,IAEAsjB,WAAW,CAACha,GAAZ,GAAkBga,WAAW,CAACja,KAA9B,KAAwC,CAFxC,IAGA,wBAACia,WAAW,CAAC3K,KAAb,qBAAC,mBAAmBqB,aAApB,CAJF,EAKE;iBACK5D,KAAL,CAAWkN,WAAW,CAACja,KAAvB,EAA8B8P,aAAM,CAACtK,6BAArC;;;OAZN,MAeO,IAAIxD,IAAI,CAACwR,UAAL,IAAmBxR,IAAI,CAACwR,UAAL,CAAgBnS,MAAvC,EAA+C;6CAE5BW,IAAI,CAACwR,UAFuB,wCAEX;gBAA9B8V,SAAS,wBAAf;eACEsqB,qBAAL,CAA2BtqB,SAA3B,EAAsCA,SAAS,CAAC/V,QAAV,CAAmB5c,IAAzD;;cAEI,CAAC83D,MAAD,IAAWnlC,SAAS,CAACC,KAAzB,EAAgC;iBAEzBY,iBAAL,CACEb,SAAS,CAACC,KAAV,CAAgB5yB,IADlB,EAEE2yB,SAAS,CAACC,KAAV,CAAgBvpB,KAFlB,EAGE,IAHF,EAIE,KAJF;iBAQKie,KAAL,CAAWsmB,gBAAX,CAA4Bjb,SAAS,CAACC,KAAtC;;;OAfC,MAkBA,IAAIvnB,IAAI,CAACiY,WAAT,EAAsB;YAGzBjY,IAAI,CAACiY,WAAL,CAAiBrX,IAAjB,KAA0B,qBAA1B,IACAZ,IAAI,CAACiY,WAAL,CAAiBrX,IAAjB,KAA0B,kBAF5B,EAGE;gBACM2Z,EAAE,GAAGva,IAAI,CAACiY,WAAL,CAAiBsC,EAA5B;cACI,CAACA,EAAL,EAAS,MAAM,IAAInB,KAAJ,CAAU,mBAAV,CAAN;eAEJw4B,qBAAL,CAA2B5xC,IAA3B,EAAiCua,EAAE,CAAC5lB,IAApC;SAPF,MAQO,IAAIqL,IAAI,CAACiY,WAAL,CAAiBrX,IAAjB,KAA0B,qBAA9B,EAAqD;oDAChCZ,IAAI,CAACiY,WAAL,CAAiBqxC,YADe,6CACD;kBAA9CrxC,WAAW,6BAAjB;iBACEvK,gBAAL,CAAsBuK,WAAW,CAACsC,EAAlC;;;;;;UAMFuuC,wBAAwB,GAAG,KAAKnpD,KAAL,CAAW+3C,cAAX,CAC/B,KAAK/3C,KAAL,CAAW+3C,cAAX,CAA0Br4C,MAA1B,GAAmC,CADJ,CAAjC;;QAGIypD,wBAAwB,CAACzpD,MAA7B,EAAqC;YAC7B0d,OAAO,GACX/c,IAAI,CAACiY,WAAL,KACCjY,IAAI,CAACiY,WAAL,CAAiBrX,IAAjB,KAA0B,kBAA1B,IACCZ,IAAI,CAACiY,WAAL,CAAiBrX,IAAjB,KAA0B,iBAF5B,CADF;;UAII,CAACZ,IAAI,CAACiY,WAAN,IAAqB,CAAC8E,OAA1B,EAAmC;cAC3B,KAAKhS,KAAL,CAAW/K,IAAI,CAAChC,KAAhB,EAAuB8P,aAAM,CAACvE,0BAA9B,CAAN;;;WAEGuqC,cAAL,CAAoB9zC,IAAI,CAACiY,WAAzB;;;;EAIJvK,gBAAgB,CAAC1N,IAAD,EAA2C;QACrDA,IAAI,CAACY,IAAL,KAAc,YAAlB,EAAgC;WACzBgxC,qBAAL,CAA2B5xC,IAA3B,EAAiCA,IAAI,CAACrL,IAAtC;KADF,MAEO,IAAIqL,IAAI,CAACY,IAAL,KAAc,eAAlB,EAAmC;2CACrBZ,IAAI,CAACmB,UADgB,wCACJ;cAAzByM,IAAI,wBAAV;aACEF,gBAAL,CAAsBE,IAAtB;;KAFG,MAIA,IAAI5N,IAAI,CAACY,IAAL,KAAc,cAAlB,EAAkC;yCACpBZ,IAAI,CAACC,QADe,sCACL;cAAvBigD,IAAI,sBAAV;;YACCA,IAAJ,EAAU;eACHxyC,gBAAL,CAAsBwyC,IAAtB;;;KAHC,MAMA,IAAIlgD,IAAI,CAACY,IAAL,KAAc,gBAAlB,EAAoC;WACpC8M,gBAAL,CAAsB1N,IAAI,CAACyM,KAA3B;KADK,MAEA,IAAIzM,IAAI,CAACY,IAAL,KAAc,aAAlB,EAAiC;WACjC8M,gBAAL,CAAsB1N,IAAI,CAAC2gB,QAA3B;KADK,MAEA,IAAI3gB,IAAI,CAACY,IAAL,KAAc,mBAAlB,EAAuC;WACvC8M,gBAAL,CAAsB1N,IAAI,CAACmnB,IAA3B;;;;EAIJyqB,qBAAqB,CACnB5xC,IADmB,EAMnBrL,IANmB,EAOb;QACF,KAAKgL,KAAL,CAAWk4C,mBAAX,CAA+BpzB,OAA/B,CAAuC9vB,IAAvC,IAA+C,CAAC,CAApD,EAAuD;WAChDoW,KAAL,CACE/K,IAAI,CAAChC,KADP,EAEErJ,IAAI,KAAK,SAAT,GACImZ,aAAM,CAAC5K,sBADX,GAEI4K,aAAM,CAAC3K,eAJb,EAKExO,IALF;;;SAQGgL,KAAL,CAAWk4C,mBAAX,CAA+Bh4C,IAA/B,CAAoClL,IAApC;;;EAKFqwB,qBAAqB,GAA6B;UAC1C0nC,KAAK,GAAG,EAAd;QACI5M,KAAK,GAAG,IAAZ;SAGKrmC,MAAL,CAAY5J,KAAE,CAACja,MAAf;;WAEO,CAAC,KAAKokB,GAAL,CAASnK,KAAE,CAAC9Z,MAAZ,CAAR,EAA6B;UACvB+pD,KAAJ,EAAW;QACTA,KAAK,GAAG,KAAR;OADF,MAEO;aACArmC,MAAL,CAAY5J,KAAE,CAAC1Z,KAAf;YACI,KAAK6jB,GAAL,CAASnK,KAAE,CAAC9Z,MAAZ,CAAJ,EAAyB;;;YAGrBiK,IAAI,GAAG,KAAKqQ,SAAL,EAAb;MACArQ,IAAI,CAACunB,KAAL,GAAa,KAAK/M,eAAL,CAAqB,IAArB,CAAb;MACAxa,IAAI,CAACuR,QAAL,GAAgB,KAAKgK,aAAL,CAAmB,IAAnB,IACZ,KAAKf,eAAL,CAAqB,IAArB,CADY,GAEZxa,IAAI,CAACunB,KAAL,CAAWS,OAAX,EAFJ;MAGA0kC,KAAK,CAAC7sD,IAAN,CAAW,KAAKyQ,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB,CAAX;;;WAGK0sD,KAAP;;;EAMFrwC,WAAW,CAACrc,IAAD,EAA4B;IAErCA,IAAI,CAACwR,UAAL,GAAkB,EAAlB;;QACI,CAAC,KAAKlT,KAAL,CAAWuR,KAAE,CAACxa,MAAd,CAAL,EAA4B;YAGpBs2D,UAAU,GAAG,KAAKnkC,gCAAL,CAAsCxnB,IAAtC,CAAnB;YAOM2sD,SAAS,GAAG,CAAChB,UAAD,IAAe,KAAK3xC,GAAL,CAASnK,KAAE,CAAC1Z,KAAZ,CAAjC;YAGM01D,OAAO,GAAGc,SAAS,IAAI,KAAKnY,6BAAL,CAAmCx0C,IAAnC,CAA7B;UAGI2sD,SAAS,IAAI,CAACd,OAAlB,EAA2B,KAAKpX,0BAAL,CAAgCz0C,IAAhC;WACtB+Z,gBAAL,CAAsB,MAAtB;;;IAEF/Z,IAAI,CAAC1C,MAAL,GAAc,KAAKo3C,iBAAL,EAAd;UAGMrU,UAAU,GAAG,KAAKusB,0BAAL,EAAnB;;QACIvsB,UAAJ,EAAgB;MACdrgC,IAAI,CAACqgC,UAAL,GAAkBA,UAAlB;;;SAEGllB,SAAL;WACO,KAAK7K,UAAL,CAAgBtQ,IAAhB,EAAsB,mBAAtB,CAAP;;;EAGF00C,iBAAiB,GAAoB;QAC/B,CAAC,KAAKp2C,KAAL,CAAWuR,KAAE,CAACxa,MAAd,CAAL,EAA4B,KAAK0mB,UAAL;WACrB,KAAKnM,aAAL,EAAP;;;EAIFwX,wBAAwB,CAACpnB,IAAD,EAAqC;WACpD,KAAK1B,KAAL,CAAWuR,KAAE,CAAClb,IAAd,CAAP;;;EAGF0yB,yBAAyB,CACvBrnB,IADuB,EAEvBsnB,SAFuB,EAGvB1mB,IAHuB,EAIvBuN,kBAJuB,EAKjB;IACNmZ,SAAS,CAACC,KAAV,GAAkB,KAAK/M,eAAL,EAAlB;SACKzM,SAAL,CACEuZ,SAAS,CAACC,KADZ,EAEExrB,YAFF,EAGE2E,SAHF,EAIEyN,kBAJF;IAMAnO,IAAI,CAACwR,UAAL,CAAgB3R,IAAhB,CAAqB,KAAKyQ,UAAL,CAAgBgX,SAAhB,EAA2B1mB,IAA3B,CAArB;;;EAGFgsD,0BAA0B,GAAG;QACvB,KAAKtuD,KAAL,CAAWuR,KAAE,CAACpW,KAAd,KAAwB,CAAC,KAAK+rC,qBAAL,EAA7B,EAA2D;WACpDwO,YAAL,CAAkB,kBAAlB;WACK3+B,IAAL;KAFF,MAGO;UACD,KAAKxW,SAAL,CAAe,kBAAf,CAAJ,EAAwC,OAAO,EAAP;aACjC,IAAP;;;UAEIguD,KAAK,GAAG,EAAd;UACMxsB,UAAU,GAAG,IAAI7rB,GAAJ,EAAnB;;OACG;YAIKxU,IAAI,GAAG,KAAKqQ,SAAL,EAAb;MACArQ,IAAI,CAAC+Q,GAAL,GAAW,KAAKyJ,eAAL,CAAqB,IAArB,CAAX;;UAGIxa,IAAI,CAAC+Q,GAAL,CAASpc,IAAT,KAAkB,MAAtB,EAA8B;aACvBoW,KAAL,CACE/K,IAAI,CAAC+Q,GAAL,CAAS/S,KADX,EAEE8P,aAAM,CAACjI,gCAFT,EAGE7F,IAAI,CAAC+Q,GAAL,CAASpc,IAHX;;;UAUE0rC,UAAU,CAACthC,GAAX,CAAeiB,IAAI,CAAC+Q,GAAL,CAASpc,IAAxB,CAAJ,EAAmC;aAC5BoW,KAAL,CACE/K,IAAI,CAAC+Q,GAAL,CAAS/S,KADX,EAEE8P,aAAM,CAAC/H,iCAFT,EAGE/F,IAAI,CAAC+Q,GAAL,CAASpc,IAHX;;;MAMF0rC,UAAU,CAACrT,GAAX,CAAehtB,IAAI,CAAC+Q,GAAL,CAASpc,IAAxB;WACK8kB,MAAL,CAAY5J,KAAE,CAACxZ,KAAf;;UAEI,CAAC,KAAKiI,KAAL,CAAWuR,KAAE,CAACxa,MAAd,CAAL,EAA4B;cACpB,KAAK0mB,UAAL,CACJ,KAAKpc,KAAL,CAAW3B,KADP,EAEJ8P,aAAM,CAAChI,2BAFH,CAAN;;;MAKF9F,IAAI,CAACyM,KAAL,GAAa,KAAKK,YAAL,CAAkB,KAAKnN,KAAL,CAAW8M,KAA7B,EAAoC,eAApC,CAAb;WACK6D,UAAL,CAAgBtQ,IAAhB,EAAsB,iBAAtB;MACA6sD,KAAK,CAAChtD,IAAN,CAAWG,IAAX;KArCF,QAsCS,KAAKga,GAAL,CAASnK,KAAE,CAAC1Z,KAAZ,CAtCT;;WAwCO02D,KAAP;;;EAGFrlC,gCAAgC,CAACxnB,IAAD,EAAqC;QAC/D,KAAKonB,wBAAL,CAA8BpnB,IAA9B,CAAJ,EAAyC;WAElCqnB,yBAAL,CACErnB,IADF,EAEE,KAAKqQ,SAAL,EAFF,EAGE,wBAHF,EAIE,0BAJF;aAMO,IAAP;;;WAEK,KAAP;;;EAGFmkC,6BAA6B,CAACx0C,IAAD,EAAqC;QAC5D,KAAK1B,KAAL,CAAWuR,KAAE,CAAC1X,IAAd,CAAJ,EAAyB;YACjBmvB,SAAS,GAAG,KAAKjX,SAAL,EAAlB;WACKgF,IAAL;WACK0E,gBAAL,CAAsB,IAAtB;WAEKsN,yBAAL,CACErnB,IADF,EAEEsnB,SAFF,EAGE,0BAHF,EAIE,4BAJF;aAMO,IAAP;;;WAEK,KAAP;;;EAGFmtB,0BAA0B,CAACz0C,IAAD,EAA4B;QAChD8/C,KAAK,GAAG,IAAZ;SACKrmC,MAAL,CAAY5J,KAAE,CAACja,MAAf;;WACO,CAAC,KAAKokB,GAAL,CAASnK,KAAE,CAAC9Z,MAAZ,CAAR,EAA6B;UACvB+pD,KAAJ,EAAW;QACTA,KAAK,GAAG,KAAR;OADF,MAEO;YAED,KAAK9lC,GAAL,CAASnK,KAAE,CAACxZ,KAAZ,CAAJ,EAAwB;gBAChB,KAAK0U,KAAL,CAAW,KAAKpL,KAAL,CAAW3B,KAAtB,EAA6B8P,aAAM,CAAC9K,sBAApC,CAAN;;;aAGGyW,MAAL,CAAY5J,KAAE,CAAC1Z,KAAf;YACI,KAAK6jB,GAAL,CAASnK,KAAE,CAAC9Z,MAAZ,CAAJ,EAAyB;;;WAGtB0xB,oBAAL,CAA0BznB,IAA1B;;;;EAKJynB,oBAAoB,CAACznB,IAAD,EAAkC;UAC9CsnB,SAAS,GAAG,KAAKjX,SAAL,EAAlB;IACAiX,SAAS,CAACS,QAAV,GAAqB,KAAKvN,eAAL,CAAqB,IAArB,CAArB;;QACI,KAAKe,aAAL,CAAmB,IAAnB,CAAJ,EAA8B;MAC5B+L,SAAS,CAACC,KAAV,GAAkB,KAAK/M,eAAL,EAAlB;KADF,MAEO;WACA2N,iBAAL,CACEb,SAAS,CAACS,QAAV,CAAmBpzB,IADrB,EAEE2yB,SAAS,CAACtpB,KAFZ,EAGE,IAHF,EAIE,IAJF;MAMAspB,SAAS,CAACC,KAAV,GAAkBD,SAAS,CAACS,QAAV,CAAmBC,OAAnB,EAAlB;;;SAEGja,SAAL,CACEuZ,SAAS,CAACC,KADZ,EAEExrB,YAFF,EAGE2E,SAHF,EAIE,kBAJF;IAMAV,IAAI,CAACwR,UAAL,CAAgB3R,IAAhB,CAAqB,KAAKyQ,UAAL,CAAgBgX,SAAhB,EAA2B,iBAA3B,CAArB;;;;;ACrtEG,MAAMwlC,UAAN,CAAiB;;SAEtBC,YAFsB,GAEM,IAAIv4C,GAAJ,EAFN;SAKtBw4C,aALsB,GAK0B,IAAIv4D,GAAJ,EAL1B;SAStB+sC,qBATsB,GASuB,IAAI/sC,GAAJ,EATvB;;;;AAcxB,AAAe,MAAMw4D,iBAAN,CAAwB;EAKrCh5D,WAAW,CAAC8W,KAAD,EAAuB;SAJlC3L,KAIkC,GAJP,EAIO;SAFlCoiC,qBAEkC,GAFW,IAAI/sC,GAAJ,EAEX;SAC3BsW,KAAL,GAAaA,KAAb;;;EAGFqK,OAAO,GAAe;WACb,KAAKhW,KAAL,CAAW,KAAKA,KAAL,CAAWC,MAAX,GAAoB,CAA/B,CAAP;;;EAGF8c,KAAK,GAAG;SACD/c,KAAL,CAAWS,IAAX,CAAgB,IAAIitD,UAAJ,EAAhB;;;EAGFxwC,IAAI,GAAG;UACC4wC,aAAa,GAAG,KAAK9tD,KAAL,CAAW8B,GAAX,EAAtB;UAKMkU,OAAO,GAAG,KAAKA,OAAL,EAAhB;;mCAG0B2/B,KAAK,CAAC6S,IAAN,CAAWsF,aAAa,CAAC1rB,qBAAzB,CATrB,iCASsE;YAAhE,CAAC7sC,IAAD,EAAO6V,GAAP,mBAAN;;UACC4K,OAAJ,EAAa;YACP,CAACA,OAAO,CAACosB,qBAAR,CAA8BziC,GAA9B,CAAkCpK,IAAlC,CAAL,EAA8C;UAC5CygB,OAAO,CAACosB,qBAAR,CAA8B1sC,GAA9B,CAAkCH,IAAlC,EAAwC6V,GAAxC;;OAFJ,MAIO;aACAO,KAAL,CAAWP,GAAX,EAAgBsD,aAAM,CAAC7I,6BAAvB,EAAsDtQ,IAAtD;;;;;EAKN+2D,kBAAkB,CAChB/2D,IADgB,EAEhBitB,WAFgB,EAGhBpX,GAHgB,EAIhB;UACM23C,UAAU,GAAG,KAAK/sC,OAAL,EAAnB;QACI+3C,SAAS,GAAGhL,UAAU,CAAC4K,YAAX,CAAwBhuD,GAAxB,CAA4BpK,IAA5B,CAAhB;;QAEIitB,WAAW,GAAG/kB,2BAAlB,EAA+C;YACvCuwD,QAAQ,GAAGD,SAAS,IAAIhL,UAAU,CAAC6K,aAAX,CAAyB9tD,GAAzB,CAA6BvK,IAA7B,CAA9B;;UACIy4D,QAAJ,EAAc;cACNC,SAAS,GAAGD,QAAQ,GAAG1wD,yBAA7B;cACM4wD,SAAS,GAAG1rC,WAAW,GAAGllB,yBAAhC;cAEM6wD,OAAO,GAAGH,QAAQ,GAAGvwD,2BAA3B;cACM2wD,OAAO,GAAG5rC,WAAW,GAAG/kB,2BAA9B;QAKAswD,SAAS,GAAGI,OAAO,KAAKC,OAAZ,IAAuBH,SAAS,KAAKC,SAAjD;YAEI,CAACH,SAAL,EAAgBhL,UAAU,CAAC6K,aAAX,CAAyB3qB,MAAzB,CAAgC1tC,IAAhC;OAZlB,MAaO,IAAI,CAACw4D,SAAL,EAAgB;QACrBhL,UAAU,CAAC6K,aAAX,CAAyBl4D,GAAzB,CAA6BH,IAA7B,EAAmCitB,WAAnC;;;;QAIAurC,SAAJ,EAAe;WACRpiD,KAAL,CAAWP,GAAX,EAAgBsD,aAAM,CAAC3G,wBAAvB,EAAiDxS,IAAjD;;;IAGFwtD,UAAU,CAAC4K,YAAX,CAAwB//B,GAAxB,CAA4Br4B,IAA5B;IACAwtD,UAAU,CAAC3gB,qBAAX,CAAiCa,MAAjC,CAAwC1tC,IAAxC;;;EAGFytD,cAAc,CAACztD,IAAD,EAAe6V,GAAf,EAA4B;QACpC23C,UAAJ;;oCACmB,KAAK/iD,KAFgB,mCAET;MAA1B+iD,UAA0B;UACzBA,UAAU,CAAC4K,YAAX,CAAwBhuD,GAAxB,CAA4BpK,IAA5B,CAAJ,EAAuC;;;QAGrCwtD,UAAJ,EAAgB;MACdA,UAAU,CAAC3gB,qBAAX,CAAiC1sC,GAAjC,CAAqCH,IAArC,EAA2C6V,GAA3C;KADF,MAEO;WAEAO,KAAL,CAAWP,GAAX,EAAgBsD,aAAM,CAAC7I,6BAAvB,EAAsDtQ,IAAtD;;;;;;ACzFS,MAAM84D,MAAN,SAAqBhG,eAArB,CAAqC;EAQlDxzD,WAAW,CAACW,OAAD,EAAoBuJ,KAApB,EAAmC;IAC5CvJ,OAAO,GAAGiiD,UAAU,CAACjiD,OAAD,CAApB;UACMA,OAAN,EAAeuJ,KAAf;UAEMkjC,YAAY,GAAG,KAAKgE,eAAL,EAArB;SAEKzwC,OAAL,GAAeA,OAAf;SACKigB,QAAL,GAAgB,KAAKjgB,OAAL,CAAaqhD,UAAb,KAA4B,QAA5C;SACKh6B,KAAL,GAAa,IAAIolB,YAAJ,CAAiB,KAAKt2B,KAAL,CAAW86B,IAAX,CAAgB,IAAhB,CAAjB,EAAwC,KAAKhxB,QAA7C,CAAb;SACKzB,SAAL,GAAiB,IAAIgwB,0BAAJ,EAAjB;SACK+e,UAAL,GAAkB,IAAI8K,iBAAJ,CAAsB,KAAKliD,KAAL,CAAW86B,IAAX,CAAgB,IAAhB,CAAtB,CAAlB;SACK/mC,OAAL,GAAe4uD,UAAU,CAAC,KAAK94D,OAAL,CAAakK,OAAd,CAAzB;SACKW,QAAL,GAAgB7K,OAAO,CAACshD,cAAxB;;;EAIF7Q,eAAe,GAA2B;WACjChE,YAAP;;;EAGF7c,KAAK,GAAS;QACRg8B,UAAU,GAAGxd,KAAjB;;QACI,KAAKnkC,SAAL,CAAe,eAAf,KAAmC,KAAKgW,QAA5C,EAAsD;MACpD2rC,UAAU,IAAItd,WAAd;;;SAEGjnB,KAAL,CAAWE,KAAX,CAAiBzhB,aAAjB;SACK0Y,SAAL,CAAe+I,KAAf,CAAqBqkC,UAArB;UACM/1B,IAAI,GAAG,KAAKpa,SAAL,EAAb;UACMqa,OAAO,GAAG,KAAKra,SAAL,EAAhB;SACKia,SAAL;IACAG,IAAI,CAAC5e,MAAL,GAAc,IAAd;SACK2e,aAAL,CAAmBC,IAAnB,EAAyBC,OAAzB;IACAD,IAAI,CAAC5e,MAAL,GAAc,KAAKlM,KAAL,CAAWkM,MAAzB;WACO4e,IAAP;;;;;AAIJ,SAASijC,UAAT,CAAoB5uD,OAApB,EAAqD;QAC7C6uD,SAAqB,GAAG,IAAIl5D,GAAJ,EAA9B;;wBACqBqK,OAF8B,eAErB;UAAnBG,MAAM,GAAIH,OAAJ,IAAZ;UACG,CAACnK,IAAD,EAAOC,OAAP,IAAkBmgD,KAAK,CAACC,OAAN,CAAc/1C,MAAd,IAAwBA,MAAxB,GAAiC,CAACA,MAAD,EAAS,EAAT,CAAzD;QACI,CAAC0uD,SAAS,CAAC5uD,GAAV,CAAcpK,IAAd,CAAL,EAA0Bg5D,SAAS,CAAC74D,GAAV,CAAcH,IAAd,EAAoBC,OAAO,IAAI,EAA/B;;;SAErB+4D,SAAP;;;ACnDK,SAASnpC,KAAT,CAAermB,KAAf,EAA8BvJ,OAA9B,EAAuD;;;MACxD,aAAAA,OAAO,SAAP,qBAASqhD,UAAT,MAAwB,aAA5B,EAA2C;IACzCrhD,OAAO,qBACFA,OADE,CAAP;;QAGI;MACFA,OAAO,CAACqhD,UAAR,GAAqB,QAArB;YACM4I,MAAM,GAAG+O,SAAS,CAACh5D,OAAD,EAAUuJ,KAAV,CAAxB;YACM0vD,GAAG,GAAGhP,MAAM,CAACr6B,KAAP,EAAZ;;UAEIq6B,MAAM,CAAClgD,iBAAX,EAA8B;eACrBkvD,GAAP;;;UAGEhP,MAAM,CAACjgD,2BAAX,EAAwC;YAMlC;UACFhK,OAAO,CAACqhD,UAAR,GAAqB,QAArB;iBACO2X,SAAS,CAACh5D,OAAD,EAAUuJ,KAAV,CAAT,CAA0BqmB,KAA1B,EAAP;SAFF,CAGE,gBAAM;OATV,MAUO;QAGLqpC,GAAG,CAACnjC,OAAJ,CAAYurB,UAAZ,GAAyB,QAAzB;;;aAGK4X,GAAP;KAzBF,CA0BE,OAAOC,WAAP,EAAoB;UAChB;QACFl5D,OAAO,CAACqhD,UAAR,GAAqB,QAArB;eACO2X,SAAS,CAACh5D,OAAD,EAAUuJ,KAAV,CAAT,CAA0BqmB,KAA1B,EAAP;OAFF,CAGE,iBAAM;;YAEFspC,WAAN;;GApCJ,MAsCO;WACEF,SAAS,CAACh5D,OAAD,EAAUuJ,KAAV,CAAT,CAA0BqmB,KAA1B,EAAP;;;AAIJ,AAAO,SAASvK,eAAT,CAAyB9b,KAAzB,EAAwCvJ,OAAxC,EAAuE;QACtEiqD,MAAM,GAAG+O,SAAS,CAACh5D,OAAD,EAAUuJ,KAAV,CAAxB;;MACI0gD,MAAM,CAACjqD,OAAP,CAAe6hD,UAAnB,EAA+B;IAC7BoI,MAAM,CAACl/C,KAAP,CAAa2U,MAAb,GAAsB,IAAtB;;;SAEKuqC,MAAM,CAAC0B,aAAP,EAAP;;AAGF;AAEA,SAASqN,SAAT,CAAmBh5D,OAAnB,EAAsCuJ,KAAtC,EAA6D;MACvD0xC,GAAG,GAAG4d,MAAV;;MACI74D,OAAJ,oBAAIA,OAAO,CAAEkK,OAAb,EAAsB;IACpBs2C,eAAe,CAACxgD,OAAO,CAACkK,OAAT,CAAf;IACA+wC,GAAG,GAAGke,cAAc,CAACn5D,OAAO,CAACkK,OAAT,CAApB;;;SAGK,IAAI+wC,GAAJ,CAAQj7C,OAAR,EAAiBuJ,KAAjB,CAAP;;;AAGF,MAAM6vD,gBAAkD,GAAG,EAA3D;;AAGA,SAASD,cAAT,CAAwBE,kBAAxB,EAAuE;QAC/DC,UAAU,GAAGpY,gBAAgB,CAACxB,MAAjB,CAAwB3/C,IAAI,IAC7CkK,SAAS,CAACovD,kBAAD,EAAqBt5D,IAArB,CADQ,CAAnB;QAIMoc,GAAG,GAAGm9C,UAAU,CAAC5Y,IAAX,CAAgB,GAAhB,CAAZ;MACIzF,GAAG,GAAGme,gBAAgB,CAACj9C,GAAD,CAA1B;;MACI,CAAC8+B,GAAL,EAAU;IACRA,GAAG,GAAG4d,MAAN;;0BACqBS,UAFb,eAEyB;YAAtBjvD,MAAM,GAAIivD,UAAJ,IAAZ;MACHre,GAAG,GAAG2F,YAAY,CAACv2C,MAAD,CAAZ,CAAqB4wC,GAArB,CAAN;;;IAEFme,gBAAgB,CAACj9C,GAAD,CAAhB,GAAwB8+B,GAAxB;;;SAEKA,GAAP;;;;;;;"}