{"version":3,"file":"hUNVzczT.js","sources":["../../../../node_modules/@sentry/utils/esm/node.js","../../../../node_modules/@sentry/utils/esm/isBrowser.js","../../../../node_modules/@sentry/utils/esm/buildPolyfills/_nullishCoalesce.js","../../../../node_modules/@sentry/utils/esm/buildPolyfills/_optionalChain.js","../../../../node_modules/@sentry/core/esm/utils/isSentryRequestUrl.js","../../../../node_modules/@sentry/replay/esm/index.js"],"sourcesContent":["import { isBrowserBundle } from './env.js';\n\n/**\n * NOTE: In order to avoid circular dependencies, if you add a function to this module and it needs to print something,\n * you must either a) use `console.log` rather than the logger, or b) put your function elsewhere.\n */\n\n/**\n * Checks whether we're in the Node.js or Browser environment\n *\n * @returns Answer to given question\n */\nfunction isNodeEnv() {\n // explicitly check for browser bundles as those can be optimized statically\n // by terser/rollup.\n return (\n !isBrowserBundle() &&\n Object.prototype.toString.call(typeof process !== 'undefined' ? process : 0) === '[object process]'\n );\n}\n\n/**\n * Requires a module which is protected against bundler minification.\n *\n * @param request The module path to resolve\n */\n// eslint-disable-next-line @typescript-eslint/explicit-module-boundary-types, @typescript-eslint/no-explicit-any\nfunction dynamicRequire(mod, request) {\n // eslint-disable-next-line @typescript-eslint/no-unsafe-member-access\n return mod.require(request);\n}\n\n/**\n * Helper for dynamically loading module that should work with linked dependencies.\n * The problem is that we _should_ be using `require(require.resolve(moduleName, { paths: [cwd()] }))`\n * However it's _not possible_ to do that with Webpack, as it has to know all the dependencies during\n * build time. `require.resolve` is also not available in any other way, so we cannot create,\n * a fake helper like we do with `dynamicRequire`.\n *\n * We always prefer to use local package, thus the value is not returned early from each `try/catch` block.\n * That is to mimic the behavior of `require.resolve` exactly.\n *\n * @param moduleName module name to require\n * @returns possibly required module\n */\nfunction loadModule(moduleName) {\n let mod;\n\n try {\n mod = dynamicRequire(module, moduleName);\n } catch (e) {\n // no-empty\n }\n\n try {\n const { cwd } = dynamicRequire(module, 'process');\n mod = dynamicRequire(module, `${cwd()}/node_modules/${moduleName}`) ;\n } catch (e) {\n // no-empty\n }\n\n return mod;\n}\n\nexport { dynamicRequire, isNodeEnv, loadModule };\n//# sourceMappingURL=node.js.map\n","import { isNodeEnv } from './node.js';\nimport { GLOBAL_OBJ } from './worldwide.js';\n\n/**\n * Returns true if we are in the browser.\n */\nfunction isBrowser() {\n // eslint-disable-next-line no-restricted-globals\n return typeof window !== 'undefined' && (!isNodeEnv() || isElectronNodeRenderer());\n}\n\n// Electron renderers with nodeIntegration enabled are detected as Node.js so we specifically test for them\nfunction isElectronNodeRenderer() {\n return (\n // eslint-disable-next-line @typescript-eslint/no-unsafe-member-access, @typescript-eslint/no-explicit-any\n (GLOBAL_OBJ ).process !== undefined && ((GLOBAL_OBJ ).process ).type === 'renderer'\n );\n}\n\nexport { isBrowser };\n//# sourceMappingURL=isBrowser.js.map\n","// https://github.com/alangpierce/sucrase/tree/265887868966917f3b924ce38dfad01fbab1329f\n//\n// The MIT License (MIT)\n//\n// Copyright (c) 2012-2018 various contributors (see AUTHORS)\n//\n// Permission is hereby granted, free of charge, to any person obtaining a copy\n// of this software and associated documentation files (the \"Software\"), to deal\n// in the Software without restriction, including without limitation the rights\n// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell\n// copies of the Software, and to permit persons to whom the Software is\n// furnished to do so, subject to the following conditions:\n//\n// The above copyright notice and this permission notice shall be included in all\n// copies or substantial portions of the Software.\n//\n// THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR\n// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,\n// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE\n// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER\n// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,\n// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE\n// SOFTWARE.\n\n/**\n * Polyfill for the nullish coalescing operator (`??`).\n *\n * Note that the RHS is wrapped in a function so that if it's a computed value, that evaluation won't happen unless the\n * LHS evaluates to a nullish value, to mimic the operator's short-circuiting behavior.\n *\n * Adapted from Sucrase (https://github.com/alangpierce/sucrase)\n *\n * @param lhs The value of the expression to the left of the `??`\n * @param rhsFn A function returning the value of the expression to the right of the `??`\n * @returns The LHS value, unless it's `null` or `undefined`, in which case, the RHS value\n */\nfunction _nullishCoalesce(lhs, rhsFn) {\n // by checking for loose equality to `null`, we catch both `null` and `undefined`\n return lhs != null ? lhs : rhsFn();\n}\n\n// Sucrase version:\n// function _nullishCoalesce(lhs, rhsFn) {\n// if (lhs != null) {\n// return lhs;\n// } else {\n// return rhsFn();\n// }\n// }\n\nexport { _nullishCoalesce };\n//# sourceMappingURL=_nullishCoalesce.js.map\n","/**\n * Polyfill for the optional chain operator, `?.`, given previous conversion of the expression into an array of values,\n * descriptors, and functions.\n *\n * Adapted from Sucrase (https://github.com/alangpierce/sucrase)\n * See https://github.com/alangpierce/sucrase/blob/265887868966917f3b924ce38dfad01fbab1329f/src/transformers/OptionalChainingNullishTransformer.ts#L15\n *\n * @param ops Array result of expression conversion\n * @returns The value of the expression\n */\nfunction _optionalChain(ops) {\n let lastAccessLHS = undefined;\n let value = ops[0];\n let i = 1;\n while (i < ops.length) {\n const op = ops[i] ;\n const fn = ops[i + 1] ;\n i += 2;\n // by checking for loose equality to `null`, we catch both `null` and `undefined`\n if ((op === 'optionalAccess' || op === 'optionalCall') && value == null) {\n // really we're meaning to return `undefined` as an actual value here, but it saves bytes not to write it\n return;\n }\n if (op === 'access' || op === 'optionalAccess') {\n lastAccessLHS = value;\n value = fn(value);\n } else if (op === 'call' || op === 'optionalCall') {\n value = fn((...args) => (value ).call(lastAccessLHS, ...args));\n lastAccessLHS = undefined;\n }\n }\n return value;\n}\n\n// Sucrase version\n// function _optionalChain(ops) {\n// let lastAccessLHS = undefined;\n// let value = ops[0];\n// let i = 1;\n// while (i < ops.length) {\n// const op = ops[i];\n// const fn = ops[i + 1];\n// i += 2;\n// if ((op === 'optionalAccess' || op === 'optionalCall') && value == null) {\n// return undefined;\n// }\n// if (op === 'access' || op === 'optionalAccess') {\n// lastAccessLHS = value;\n// value = fn(value);\n// } else if (op === 'call' || op === 'optionalCall') {\n// value = fn((...args) => value.call(lastAccessLHS, ...args));\n// lastAccessLHS = undefined;\n// }\n// }\n// return value;\n// }\n\nexport { _optionalChain };\n//# sourceMappingURL=_optionalChain.js.map\n","/**\n * Checks whether given url points to Sentry server\n * @param url url to verify\n *\n * TODO(v8): Remove Hub fallback type\n */\n// eslint-disable-next-line deprecation/deprecation\nfunction isSentryRequestUrl(url, hubOrClient) {\n const client =\n hubOrClient && isHub(hubOrClient)\n ? // eslint-disable-next-line deprecation/deprecation\n hubOrClient.getClient()\n : hubOrClient;\n const dsn = client && client.getDsn();\n const tunnel = client && client.getOptions().tunnel;\n\n return checkDsn(url, dsn) || checkTunnel(url, tunnel);\n}\n\nfunction checkTunnel(url, tunnel) {\n if (!tunnel) {\n return false;\n }\n\n return removeTrailingSlash(url) === removeTrailingSlash(tunnel);\n}\n\nfunction checkDsn(url, dsn) {\n return dsn ? url.includes(dsn.host) : false;\n}\n\nfunction removeTrailingSlash(str) {\n return str[str.length - 1] === '/' ? str.slice(0, -1) : str;\n}\n\n// eslint-disable-next-line deprecation/deprecation\nfunction isHub(hubOrClient) {\n // eslint-disable-next-line deprecation/deprecation\n return (hubOrClient ).getClient !== undefined;\n}\n\nexport { isSentryRequestUrl };\n//# sourceMappingURL=isSentryRequestUrl.js.map\n","import { _nullishCoalesce, _optionalChain } from '@sentry/utils';\nimport { addBreadcrumb, getClient, isSentryRequestUrl, getCurrentScope, addEventProcessor, prepareEvent, getIsolationScope, setContext, captureException, spanToJSON, SEMANTIC_ATTRIBUTE_SENTRY_SOURCE } from '@sentry/core';\nimport { GLOBAL_OBJ, normalize, fill, htmlTreeAsString, browserPerformanceTimeOrigin, logger, uuid4, SENTRY_XHR_DATA_KEY, dropUndefinedKeys, stringMatchesSomePattern, addFetchInstrumentationHandler, addXhrInstrumentationHandler, addClickKeypressInstrumentationHandler, addHistoryInstrumentationHandler, createEnvelope, createEventEnvelopeHeaders, getSdkMetadataForEnvelopeHeader, updateRateLimits, isRateLimited, consoleSandbox, isBrowser } from '@sentry/utils';\nimport { addPerformanceInstrumentationHandler, addLcpInstrumentationHandler } from '@sentry-internal/tracing';\n\n// exporting a separate copy of `WINDOW` rather than exporting the one from `@sentry/browser`\n// prevents the browser package from being bundled in the CDN bundle, and avoids a\n// circular dependency between the browser and replay packages should `@sentry/browser` import\n// from `@sentry/replay` in the future\nconst WINDOW = GLOBAL_OBJ ;\n\nconst REPLAY_SESSION_KEY = 'sentryReplaySession';\nconst REPLAY_EVENT_NAME = 'replay_event';\nconst UNABLE_TO_SEND_REPLAY = 'Unable to send Replay';\n\n// The idle limit for a session after which recording is paused.\nconst SESSION_IDLE_PAUSE_DURATION = 300000; // 5 minutes in ms\n\n// The idle limit for a session after which the session expires.\nconst SESSION_IDLE_EXPIRE_DURATION = 900000; // 15 minutes in ms\n\n/** Default flush delays */\nconst DEFAULT_FLUSH_MIN_DELAY = 5000;\n// XXX: Temp fix for our debounce logic where `maxWait` would never occur if it\n// was the same as `wait`\nconst DEFAULT_FLUSH_MAX_DELAY = 5500;\n\n/* How long to wait for error checkouts */\nconst BUFFER_CHECKOUT_TIME = 60000;\n\nconst RETRY_BASE_INTERVAL = 5000;\nconst RETRY_MAX_COUNT = 3;\n\n/* The max (uncompressed) size in bytes of a network body. Any body larger than this will be truncated. */\nconst NETWORK_BODY_MAX_SIZE = 150000;\n\n/* The max size of a single console arg that is captured. Any arg larger than this will be truncated. */\nconst CONSOLE_ARG_MAX_SIZE = 5000;\n\n/* Min. time to wait before we consider something a slow click. */\nconst SLOW_CLICK_THRESHOLD = 3000;\n/* For scroll actions after a click, we only look for a very short time period to detect programmatic scrolling. */\nconst SLOW_CLICK_SCROLL_TIMEOUT = 300;\n\n/** When encountering a total segment size exceeding this size, stop the replay (as we cannot properly ingest it). */\nconst REPLAY_MAX_EVENT_BUFFER_SIZE = 20000000; // ~20MB\n\n/** Replays must be min. 5s long before we send them. */\nconst MIN_REPLAY_DURATION = 4999;\n/* The max. allowed value that the minReplayDuration can be set to. */\nconst MIN_REPLAY_DURATION_LIMIT = 15000;\n\n/** The max. length of a replay. */\nconst MAX_REPLAY_DURATION = 3600000; // 60 minutes in ms;\n\nfunction _nullishCoalesce$1(lhs, rhsFn) { if (lhs != null) { return lhs; } else { return rhsFn(); } }function _optionalChain$5(ops) { let lastAccessLHS = undefined; let value = ops[0]; let i = 1; while (i < ops.length) { const op = ops[i]; const fn = ops[i + 1]; i += 2; if ((op === 'optionalAccess' || op === 'optionalCall') && value == null) { return undefined; } if (op === 'access' || op === 'optionalAccess') { lastAccessLHS = value; value = fn(value); } else if (op === 'call' || op === 'optionalCall') { value = fn((...args) => value.call(lastAccessLHS, ...args)); lastAccessLHS = undefined; } } return value; }var NodeType$1;\n(function (NodeType) {\n NodeType[NodeType[\"Document\"] = 0] = \"Document\";\n NodeType[NodeType[\"DocumentType\"] = 1] = \"DocumentType\";\n NodeType[NodeType[\"Element\"] = 2] = \"Element\";\n NodeType[NodeType[\"Text\"] = 3] = \"Text\";\n NodeType[NodeType[\"CDATA\"] = 4] = \"CDATA\";\n NodeType[NodeType[\"Comment\"] = 5] = \"Comment\";\n})(NodeType$1 || (NodeType$1 = {}));\n\nfunction isElement$1(n) {\n return n.nodeType === n.ELEMENT_NODE;\n}\nfunction isShadowRoot(n) {\n const host = _optionalChain$5([n, 'optionalAccess', _ => _.host]);\n return Boolean(_optionalChain$5([host, 'optionalAccess', _2 => _2.shadowRoot]) === n);\n}\nfunction isNativeShadowDom(shadowRoot) {\n return Object.prototype.toString.call(shadowRoot) === '[object ShadowRoot]';\n}\nfunction fixBrowserCompatibilityIssuesInCSS(cssText) {\n if (cssText.includes(' background-clip: text;') &&\n !cssText.includes(' -webkit-background-clip: text;')) {\n cssText = cssText.replace(' background-clip: text;', ' -webkit-background-clip: text; background-clip: text;');\n }\n return cssText;\n}\nfunction escapeImportStatement(rule) {\n const { cssText } = rule;\n if (cssText.split('\"').length < 3)\n return cssText;\n const statement = ['@import', `url(${JSON.stringify(rule.href)})`];\n if (rule.layerName === '') {\n statement.push(`layer`);\n }\n else if (rule.layerName) {\n statement.push(`layer(${rule.layerName})`);\n }\n if (rule.supportsText) {\n statement.push(`supports(${rule.supportsText})`);\n }\n if (rule.media.length) {\n statement.push(rule.media.mediaText);\n }\n return statement.join(' ') + ';';\n}\nfunction stringifyStylesheet(s) {\n try {\n const rules = s.rules || s.cssRules;\n return rules\n ? fixBrowserCompatibilityIssuesInCSS(Array.from(rules, stringifyRule).join(''))\n : null;\n }\n catch (error) {\n return null;\n }\n}\nfunction stringifyRule(rule) {\n let importStringified;\n if (isCSSImportRule(rule)) {\n try {\n importStringified =\n stringifyStylesheet(rule.styleSheet) ||\n escapeImportStatement(rule);\n }\n catch (error) {\n }\n }\n else if (isCSSStyleRule(rule) && rule.selectorText.includes(':')) {\n return fixSafariColons(rule.cssText);\n }\n return importStringified || rule.cssText;\n}\nfunction fixSafariColons(cssStringified) {\n const regex = /(\\[(?:[\\w-]+)[^\\\\])(:(?:[\\w-]+)\\])/gm;\n return cssStringified.replace(regex, '$1\\\\$2');\n}\nfunction isCSSImportRule(rule) {\n return 'styleSheet' in rule;\n}\nfunction isCSSStyleRule(rule) {\n return 'selectorText' in rule;\n}\nclass Mirror {\n constructor() {\n this.idNodeMap = new Map();\n this.nodeMetaMap = new WeakMap();\n }\n getId(n) {\n if (!n)\n return -1;\n const id = _optionalChain$5([this, 'access', _3 => _3.getMeta, 'call', _4 => _4(n), 'optionalAccess', _5 => _5.id]);\n return _nullishCoalesce$1(id, () => ( -1));\n }\n getNode(id) {\n return this.idNodeMap.get(id) || null;\n }\n getIds() {\n return Array.from(this.idNodeMap.keys());\n }\n getMeta(n) {\n return this.nodeMetaMap.get(n) || null;\n }\n removeNodeFromMap(n) {\n const id = this.getId(n);\n this.idNodeMap.delete(id);\n if (n.childNodes) {\n n.childNodes.forEach((childNode) => this.removeNodeFromMap(childNode));\n }\n }\n has(id) {\n return this.idNodeMap.has(id);\n }\n hasNode(node) {\n return this.nodeMetaMap.has(node);\n }\n add(n, meta) {\n const id = meta.id;\n this.idNodeMap.set(id, n);\n this.nodeMetaMap.set(n, meta);\n }\n replace(id, n) {\n const oldNode = this.getNode(id);\n if (oldNode) {\n const meta = this.nodeMetaMap.get(oldNode);\n if (meta)\n this.nodeMetaMap.set(n, meta);\n }\n this.idNodeMap.set(id, n);\n }\n reset() {\n this.idNodeMap = new Map();\n this.nodeMetaMap = new WeakMap();\n }\n}\nfunction createMirror() {\n return new Mirror();\n}\nfunction shouldMaskInput({ maskInputOptions, tagName, type, }) {\n if (tagName === 'OPTION') {\n tagName = 'SELECT';\n }\n return Boolean(maskInputOptions[tagName.toLowerCase()] ||\n (type && maskInputOptions[type]) ||\n type === 'password' ||\n (tagName === 'INPUT' && !type && maskInputOptions['text']));\n}\nfunction maskInputValue({ isMasked, element, value, maskInputFn, }) {\n let text = value || '';\n if (!isMasked) {\n return text;\n }\n if (maskInputFn) {\n text = maskInputFn(text, element);\n }\n return '*'.repeat(text.length);\n}\nfunction toLowerCase(str) {\n return str.toLowerCase();\n}\nfunction toUpperCase(str) {\n return str.toUpperCase();\n}\nconst ORIGINAL_ATTRIBUTE_NAME = '__rrweb_original__';\nfunction is2DCanvasBlank(canvas) {\n const ctx = canvas.getContext('2d');\n if (!ctx)\n return true;\n const chunkSize = 50;\n for (let x = 0; x < canvas.width; x += chunkSize) {\n for (let y = 0; y < canvas.height; y += chunkSize) {\n const getImageData = ctx.getImageData;\n const originalGetImageData = ORIGINAL_ATTRIBUTE_NAME in getImageData\n ? getImageData[ORIGINAL_ATTRIBUTE_NAME]\n : getImageData;\n const pixelBuffer = new Uint32Array(originalGetImageData.call(ctx, x, y, Math.min(chunkSize, canvas.width - x), Math.min(chunkSize, canvas.height - y)).data.buffer);\n if (pixelBuffer.some((pixel) => pixel !== 0))\n return false;\n }\n }\n return true;\n}\nfunction getInputType(element) {\n const type = element.type;\n return element.hasAttribute('data-rr-is-password')\n ? 'password'\n : type\n ?\n toLowerCase(type)\n : null;\n}\nfunction getInputValue(el, tagName, type) {\n if (tagName === 'INPUT' && (type === 'radio' || type === 'checkbox')) {\n return el.getAttribute('value') || '';\n }\n return el.value;\n}\n\nlet _id = 1;\nconst tagNameRegex = new RegExp('[^a-z0-9-_:]');\nconst IGNORED_NODE = -2;\nfunction genId() {\n return _id++;\n}\nfunction getValidTagName(element) {\n if (element instanceof HTMLFormElement) {\n return 'form';\n }\n const processedTagName = toLowerCase(element.tagName);\n if (tagNameRegex.test(processedTagName)) {\n return 'div';\n }\n return processedTagName;\n}\nfunction extractOrigin(url) {\n let origin = '';\n if (url.indexOf('//') > -1) {\n origin = url.split('/').slice(0, 3).join('/');\n }\n else {\n origin = url.split('/')[0];\n }\n origin = origin.split('?')[0];\n return origin;\n}\nlet canvasService;\nlet canvasCtx;\nconst URL_IN_CSS_REF = /url\\((?:(')([^']*)'|(\")(.*?)\"|([^)]*))\\)/gm;\nconst URL_PROTOCOL_MATCH = /^(?:[a-z+]+:)?\\/\\//i;\nconst URL_WWW_MATCH = /^www\\..*/i;\nconst DATA_URI = /^(data:)([^,]*),(.*)/i;\nfunction absoluteToStylesheet(cssText, href) {\n return (cssText || '').replace(URL_IN_CSS_REF, (origin, quote1, path1, quote2, path2, path3) => {\n const filePath = path1 || path2 || path3;\n const maybeQuote = quote1 || quote2 || '';\n if (!filePath) {\n return origin;\n }\n if (URL_PROTOCOL_MATCH.test(filePath) || URL_WWW_MATCH.test(filePath)) {\n return `url(${maybeQuote}${filePath}${maybeQuote})`;\n }\n if (DATA_URI.test(filePath)) {\n return `url(${maybeQuote}${filePath}${maybeQuote})`;\n }\n if (filePath[0] === '/') {\n return `url(${maybeQuote}${extractOrigin(href) + filePath}${maybeQuote})`;\n }\n const stack = href.split('/');\n const parts = filePath.split('/');\n stack.pop();\n for (const part of parts) {\n if (part === '.') {\n continue;\n }\n else if (part === '..') {\n stack.pop();\n }\n else {\n stack.push(part);\n }\n }\n return `url(${maybeQuote}${stack.join('/')}${maybeQuote})`;\n });\n}\nconst SRCSET_NOT_SPACES = /^[^ \\t\\n\\r\\u000c]+/;\nconst SRCSET_COMMAS_OR_SPACES = /^[, \\t\\n\\r\\u000c]+/;\nfunction getAbsoluteSrcsetString(doc, attributeValue) {\n if (attributeValue.trim() === '') {\n return attributeValue;\n }\n let pos = 0;\n function collectCharacters(regEx) {\n let chars;\n const match = regEx.exec(attributeValue.substring(pos));\n if (match) {\n chars = match[0];\n pos += chars.length;\n return chars;\n }\n return '';\n }\n const output = [];\n while (true) {\n collectCharacters(SRCSET_COMMAS_OR_SPACES);\n if (pos >= attributeValue.length) {\n break;\n }\n let url = collectCharacters(SRCSET_NOT_SPACES);\n if (url.slice(-1) === ',') {\n url = absoluteToDoc(doc, url.substring(0, url.length - 1));\n output.push(url);\n }\n else {\n let descriptorsStr = '';\n url = absoluteToDoc(doc, url);\n let inParens = false;\n while (true) {\n const c = attributeValue.charAt(pos);\n if (c === '') {\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (!inParens) {\n if (c === ',') {\n pos += 1;\n output.push((url + descriptorsStr).trim());\n break;\n }\n else if (c === '(') {\n inParens = true;\n }\n }\n else {\n if (c === ')') {\n inParens = false;\n }\n }\n descriptorsStr += c;\n pos += 1;\n }\n }\n }\n return output.join(', ');\n}\nfunction absoluteToDoc(doc, attributeValue) {\n if (!attributeValue || attributeValue.trim() === '') {\n return attributeValue;\n }\n const a = doc.createElement('a');\n a.href = attributeValue;\n return a.href;\n}\nfunction isSVGElement(el) {\n return Boolean(el.tagName === 'svg' || el.ownerSVGElement);\n}\nfunction getHref() {\n const a = document.createElement('a');\n a.href = '';\n return a.href;\n}\nfunction transformAttribute(doc, tagName, name, value, element, maskAttributeFn) {\n if (!value) {\n return value;\n }\n if (name === 'src' ||\n (name === 'href' && !(tagName === 'use' && value[0] === '#'))) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'xlink:href' && value[0] !== '#') {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'background' &&\n (tagName === 'table' || tagName === 'td' || tagName === 'th')) {\n return absoluteToDoc(doc, value);\n }\n else if (name === 'srcset') {\n return getAbsoluteSrcsetString(doc, value);\n }\n else if (name === 'style') {\n return absoluteToStylesheet(value, getHref());\n }\n else if (tagName === 'object' && name === 'data') {\n return absoluteToDoc(doc, value);\n }\n if (typeof maskAttributeFn === 'function') {\n return maskAttributeFn(name, value, element);\n }\n return value;\n}\nfunction ignoreAttribute(tagName, name, _value) {\n return (tagName === 'video' || tagName === 'audio') && name === 'autoplay';\n}\nfunction _isBlockedElement(element, blockClass, blockSelector, unblockSelector) {\n try {\n if (unblockSelector && element.matches(unblockSelector)) {\n return false;\n }\n if (typeof blockClass === 'string') {\n if (element.classList.contains(blockClass)) {\n return true;\n }\n }\n else {\n for (let eIndex = element.classList.length; eIndex--;) {\n const className = element.classList[eIndex];\n if (blockClass.test(className)) {\n return true;\n }\n }\n }\n if (blockSelector) {\n return element.matches(blockSelector);\n }\n }\n catch (e) {\n }\n return false;\n}\nfunction elementClassMatchesRegex(el, regex) {\n for (let eIndex = el.classList.length; eIndex--;) {\n const className = el.classList[eIndex];\n if (regex.test(className)) {\n return true;\n }\n }\n return false;\n}\nfunction distanceToMatch(node, matchPredicate, limit = Infinity, distance = 0) {\n if (!node)\n return -1;\n if (node.nodeType !== node.ELEMENT_NODE)\n return -1;\n if (distance > limit)\n return -1;\n if (matchPredicate(node))\n return distance;\n return distanceToMatch(node.parentNode, matchPredicate, limit, distance + 1);\n}\nfunction createMatchPredicate(className, selector) {\n return (node) => {\n const el = node;\n if (el === null)\n return false;\n try {\n if (className) {\n if (typeof className === 'string') {\n if (el.matches(`.${className}`))\n return true;\n }\n else if (elementClassMatchesRegex(el, className)) {\n return true;\n }\n }\n if (selector && el.matches(selector))\n return true;\n return false;\n }\n catch (e2) {\n return false;\n }\n };\n}\nfunction needMaskingText(node, maskTextClass, maskTextSelector, unmaskTextClass, unmaskTextSelector, maskAllText) {\n try {\n const el = node.nodeType === node.ELEMENT_NODE\n ? node\n : node.parentElement;\n if (el === null)\n return false;\n if (el.tagName === 'INPUT') {\n const autocomplete = el.getAttribute('autocomplete');\n const disallowedAutocompleteValues = [\n 'current-password',\n 'new-password',\n 'cc-number',\n 'cc-exp',\n 'cc-exp-month',\n 'cc-exp-year',\n 'cc-csc',\n ];\n if (disallowedAutocompleteValues.includes(autocomplete)) {\n return true;\n }\n }\n let maskDistance = -1;\n let unmaskDistance = -1;\n if (maskAllText) {\n unmaskDistance = distanceToMatch(el, createMatchPredicate(unmaskTextClass, unmaskTextSelector));\n if (unmaskDistance < 0) {\n return true;\n }\n maskDistance = distanceToMatch(el, createMatchPredicate(maskTextClass, maskTextSelector), unmaskDistance >= 0 ? unmaskDistance : Infinity);\n }\n else {\n maskDistance = distanceToMatch(el, createMatchPredicate(maskTextClass, maskTextSelector));\n if (maskDistance < 0) {\n return false;\n }\n unmaskDistance = distanceToMatch(el, createMatchPredicate(unmaskTextClass, unmaskTextSelector), maskDistance >= 0 ? maskDistance : Infinity);\n }\n return maskDistance >= 0\n ? unmaskDistance >= 0\n ? maskDistance <= unmaskDistance\n : true\n : unmaskDistance >= 0\n ? false\n : !!maskAllText;\n }\n catch (e) {\n }\n return !!maskAllText;\n}\nfunction onceIframeLoaded(iframeEl, listener, iframeLoadTimeout) {\n const win = iframeEl.contentWindow;\n if (!win) {\n return;\n }\n let fired = false;\n let readyState;\n try {\n readyState = win.document.readyState;\n }\n catch (error) {\n return;\n }\n if (readyState !== 'complete') {\n const timer = setTimeout(() => {\n if (!fired) {\n listener();\n fired = true;\n }\n }, iframeLoadTimeout);\n iframeEl.addEventListener('load', () => {\n clearTimeout(timer);\n fired = true;\n listener();\n });\n return;\n }\n const blankUrl = 'about:blank';\n if (win.location.href !== blankUrl ||\n iframeEl.src === blankUrl ||\n iframeEl.src === '') {\n setTimeout(listener, 0);\n return iframeEl.addEventListener('load', listener);\n }\n iframeEl.addEventListener('load', listener);\n}\nfunction onceStylesheetLoaded(link, listener, styleSheetLoadTimeout) {\n let fired = false;\n let styleSheetLoaded;\n try {\n styleSheetLoaded = link.sheet;\n }\n catch (error) {\n return;\n }\n if (styleSheetLoaded)\n return;\n const timer = setTimeout(() => {\n if (!fired) {\n listener();\n fired = true;\n }\n }, styleSheetLoadTimeout);\n link.addEventListener('load', () => {\n clearTimeout(timer);\n fired = true;\n listener();\n });\n}\nfunction serializeNode(n, options) {\n const { doc, mirror, blockClass, blockSelector, unblockSelector, maskAllText, maskAttributeFn, maskTextClass, unmaskTextClass, maskTextSelector, unmaskTextSelector, inlineStylesheet, maskInputOptions = {}, maskTextFn, maskInputFn, dataURLOptions = {}, inlineImages, recordCanvas, keepIframeSrcFn, newlyAddedElement = false, } = options;\n const rootId = getRootId(doc, mirror);\n switch (n.nodeType) {\n case n.DOCUMENT_NODE:\n if (n.compatMode !== 'CSS1Compat') {\n return {\n type: NodeType$1.Document,\n childNodes: [],\n compatMode: n.compatMode,\n };\n }\n else {\n return {\n type: NodeType$1.Document,\n childNodes: [],\n };\n }\n case n.DOCUMENT_TYPE_NODE:\n return {\n type: NodeType$1.DocumentType,\n name: n.name,\n publicId: n.publicId,\n systemId: n.systemId,\n rootId,\n };\n case n.ELEMENT_NODE:\n return serializeElementNode(n, {\n doc,\n blockClass,\n blockSelector,\n unblockSelector,\n inlineStylesheet,\n maskAttributeFn,\n maskInputOptions,\n maskInputFn,\n dataURLOptions,\n inlineImages,\n recordCanvas,\n keepIframeSrcFn,\n newlyAddedElement,\n rootId,\n maskAllText,\n maskTextClass,\n unmaskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n });\n case n.TEXT_NODE:\n return serializeTextNode(n, {\n maskAllText,\n maskTextClass,\n unmaskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n maskTextFn,\n maskInputOptions,\n maskInputFn,\n rootId,\n });\n case n.CDATA_SECTION_NODE:\n return {\n type: NodeType$1.CDATA,\n textContent: '',\n rootId,\n };\n case n.COMMENT_NODE:\n return {\n type: NodeType$1.Comment,\n textContent: n.textContent || '',\n rootId,\n };\n default:\n return false;\n }\n}\nfunction getRootId(doc, mirror) {\n if (!mirror.hasNode(doc))\n return undefined;\n const docId = mirror.getId(doc);\n return docId === 1 ? undefined : docId;\n}\nfunction serializeTextNode(n, options) {\n const { maskAllText, maskTextClass, unmaskTextClass, maskTextSelector, unmaskTextSelector, maskTextFn, maskInputOptions, maskInputFn, rootId, } = options;\n const parentTagName = n.parentNode && n.parentNode.tagName;\n let textContent = n.textContent;\n const isStyle = parentTagName === 'STYLE' ? true : undefined;\n const isScript = parentTagName === 'SCRIPT' ? true : undefined;\n const isTextarea = parentTagName === 'TEXTAREA' ? true : undefined;\n if (isStyle && textContent) {\n try {\n if (n.nextSibling || n.previousSibling) {\n }\n else if (_optionalChain$5([n, 'access', _6 => _6.parentNode, 'access', _7 => _7.sheet, 'optionalAccess', _8 => _8.cssRules])) {\n textContent = stringifyStylesheet(n.parentNode.sheet);\n }\n }\n catch (err) {\n console.warn(`Cannot get CSS styles from text's parentNode. Error: ${err}`, n);\n }\n textContent = absoluteToStylesheet(textContent, getHref());\n }\n if (isScript) {\n textContent = 'SCRIPT_PLACEHOLDER';\n }\n const forceMask = needMaskingText(n, maskTextClass, maskTextSelector, unmaskTextClass, unmaskTextSelector, maskAllText);\n if (!isStyle && !isScript && !isTextarea && textContent && forceMask) {\n textContent = maskTextFn\n ? maskTextFn(textContent, n.parentElement)\n : textContent.replace(/[\\S]/g, '*');\n }\n if (isTextarea && textContent && (maskInputOptions.textarea || forceMask)) {\n textContent = maskInputFn\n ? maskInputFn(textContent, n.parentNode)\n : textContent.replace(/[\\S]/g, '*');\n }\n if (parentTagName === 'OPTION' && textContent) {\n const isInputMasked = shouldMaskInput({\n type: null,\n tagName: parentTagName,\n maskInputOptions,\n });\n textContent = maskInputValue({\n isMasked: needMaskingText(n, maskTextClass, maskTextSelector, unmaskTextClass, unmaskTextSelector, isInputMasked),\n element: n,\n value: textContent,\n maskInputFn,\n });\n }\n return {\n type: NodeType$1.Text,\n textContent: textContent || '',\n isStyle,\n rootId,\n };\n}\nfunction serializeElementNode(n, options) {\n const { doc, blockClass, blockSelector, unblockSelector, inlineStylesheet, maskInputOptions = {}, maskAttributeFn, maskInputFn, dataURLOptions = {}, inlineImages, recordCanvas, keepIframeSrcFn, newlyAddedElement = false, rootId, maskAllText, maskTextClass, unmaskTextClass, maskTextSelector, unmaskTextSelector, } = options;\n const needBlock = _isBlockedElement(n, blockClass, blockSelector, unblockSelector);\n const tagName = getValidTagName(n);\n let attributes = {};\n const len = n.attributes.length;\n for (let i = 0; i < len; i++) {\n const attr = n.attributes[i];\n if (attr.name && !ignoreAttribute(tagName, attr.name, attr.value)) {\n attributes[attr.name] = transformAttribute(doc, tagName, toLowerCase(attr.name), attr.value, n, maskAttributeFn);\n }\n }\n if (tagName === 'link' && inlineStylesheet) {\n const stylesheet = Array.from(doc.styleSheets).find((s) => {\n return s.href === n.href;\n });\n let cssText = null;\n if (stylesheet) {\n cssText = stringifyStylesheet(stylesheet);\n }\n if (cssText) {\n delete attributes.rel;\n delete attributes.href;\n attributes._cssText = absoluteToStylesheet(cssText, stylesheet.href);\n }\n }\n if (tagName === 'style' &&\n n.sheet &&\n !(n.innerText || n.textContent || '').trim().length) {\n const cssText = stringifyStylesheet(n.sheet);\n if (cssText) {\n attributes._cssText = absoluteToStylesheet(cssText, getHref());\n }\n }\n if (tagName === 'input' ||\n tagName === 'textarea' ||\n tagName === 'select' ||\n tagName === 'option') {\n const el = n;\n const type = getInputType(el);\n const value = getInputValue(el, toUpperCase(tagName), type);\n const checked = el.checked;\n if (type !== 'submit' && type !== 'button' && value) {\n const forceMask = needMaskingText(el, maskTextClass, maskTextSelector, unmaskTextClass, unmaskTextSelector, shouldMaskInput({\n type,\n tagName: toUpperCase(tagName),\n maskInputOptions,\n }));\n attributes.value = maskInputValue({\n isMasked: forceMask,\n element: el,\n value,\n maskInputFn,\n });\n }\n if (checked) {\n attributes.checked = checked;\n }\n }\n if (tagName === 'option') {\n if (n.selected && !maskInputOptions['select']) {\n attributes.selected = true;\n }\n else {\n delete attributes.selected;\n }\n }\n if (tagName === 'canvas' && recordCanvas) {\n if (n.__context === '2d') {\n if (!is2DCanvasBlank(n)) {\n attributes.rr_dataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n }\n else if (!('__context' in n)) {\n const canvasDataURL = n.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n const blankCanvas = document.createElement('canvas');\n blankCanvas.width = n.width;\n blankCanvas.height = n.height;\n const blankCanvasDataURL = blankCanvas.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n if (canvasDataURL !== blankCanvasDataURL) {\n attributes.rr_dataURL = canvasDataURL;\n }\n }\n }\n if (tagName === 'img' && inlineImages) {\n if (!canvasService) {\n canvasService = doc.createElement('canvas');\n canvasCtx = canvasService.getContext('2d');\n }\n const image = n;\n const oldValue = image.crossOrigin;\n image.crossOrigin = 'anonymous';\n const recordInlineImage = () => {\n image.removeEventListener('load', recordInlineImage);\n try {\n canvasService.width = image.naturalWidth;\n canvasService.height = image.naturalHeight;\n canvasCtx.drawImage(image, 0, 0);\n attributes.rr_dataURL = canvasService.toDataURL(dataURLOptions.type, dataURLOptions.quality);\n }\n catch (err) {\n console.warn(`Cannot inline img src=${image.currentSrc}! Error: ${err}`);\n }\n oldValue\n ? (attributes.crossOrigin = oldValue)\n : image.removeAttribute('crossorigin');\n };\n if (image.complete && image.naturalWidth !== 0)\n recordInlineImage();\n else\n image.addEventListener('load', recordInlineImage);\n }\n if (tagName === 'audio' || tagName === 'video') {\n attributes.rr_mediaState = n.paused\n ? 'paused'\n : 'played';\n attributes.rr_mediaCurrentTime = n.currentTime;\n }\n if (!newlyAddedElement) {\n if (n.scrollLeft) {\n attributes.rr_scrollLeft = n.scrollLeft;\n }\n if (n.scrollTop) {\n attributes.rr_scrollTop = n.scrollTop;\n }\n }\n if (needBlock) {\n const { width, height } = n.getBoundingClientRect();\n attributes = {\n class: attributes.class,\n rr_width: `${width}px`,\n rr_height: `${height}px`,\n };\n }\n if (tagName === 'iframe' && !keepIframeSrcFn(attributes.src)) {\n if (!n.contentDocument) {\n attributes.rr_src = attributes.src;\n }\n delete attributes.src;\n }\n let isCustomElement;\n try {\n if (customElements.get(tagName))\n isCustomElement = true;\n }\n catch (e) {\n }\n return {\n type: NodeType$1.Element,\n tagName,\n attributes,\n childNodes: [],\n isSVG: isSVGElement(n) || undefined,\n needBlock,\n rootId,\n isCustom: isCustomElement,\n };\n}\nfunction lowerIfExists(maybeAttr) {\n if (maybeAttr === undefined || maybeAttr === null) {\n return '';\n }\n else {\n return maybeAttr.toLowerCase();\n }\n}\nfunction slimDOMExcluded(sn, slimDOMOptions) {\n if (slimDOMOptions.comment && sn.type === NodeType$1.Comment) {\n return true;\n }\n else if (sn.type === NodeType$1.Element) {\n if (slimDOMOptions.script &&\n (sn.tagName === 'script' ||\n (sn.tagName === 'link' &&\n (sn.attributes.rel === 'preload' ||\n sn.attributes.rel === 'modulepreload') &&\n sn.attributes.as === 'script') ||\n (sn.tagName === 'link' &&\n sn.attributes.rel === 'prefetch' &&\n typeof sn.attributes.href === 'string' &&\n sn.attributes.href.endsWith('.js')))) {\n return true;\n }\n else if (slimDOMOptions.headFavicon &&\n ((sn.tagName === 'link' && sn.attributes.rel === 'shortcut icon') ||\n (sn.tagName === 'meta' &&\n (lowerIfExists(sn.attributes.name).match(/^msapplication-tile(image|color)$/) ||\n lowerIfExists(sn.attributes.name) === 'application-name' ||\n lowerIfExists(sn.attributes.rel) === 'icon' ||\n lowerIfExists(sn.attributes.rel) === 'apple-touch-icon' ||\n lowerIfExists(sn.attributes.rel) === 'shortcut icon')))) {\n return true;\n }\n else if (sn.tagName === 'meta') {\n if (slimDOMOptions.headMetaDescKeywords &&\n lowerIfExists(sn.attributes.name).match(/^description|keywords$/)) {\n return true;\n }\n else if (slimDOMOptions.headMetaSocial &&\n (lowerIfExists(sn.attributes.property).match(/^(og|twitter|fb):/) ||\n lowerIfExists(sn.attributes.name).match(/^(og|twitter):/) ||\n lowerIfExists(sn.attributes.name) === 'pinterest')) {\n return true;\n }\n else if (slimDOMOptions.headMetaRobots &&\n (lowerIfExists(sn.attributes.name) === 'robots' ||\n lowerIfExists(sn.attributes.name) === 'googlebot' ||\n lowerIfExists(sn.attributes.name) === 'bingbot')) {\n return true;\n }\n else if (slimDOMOptions.headMetaHttpEquiv &&\n sn.attributes['http-equiv'] !== undefined) {\n return true;\n }\n else if (slimDOMOptions.headMetaAuthorship &&\n (lowerIfExists(sn.attributes.name) === 'author' ||\n lowerIfExists(sn.attributes.name) === 'generator' ||\n lowerIfExists(sn.attributes.name) === 'framework' ||\n lowerIfExists(sn.attributes.name) === 'publisher' ||\n lowerIfExists(sn.attributes.name) === 'progid' ||\n lowerIfExists(sn.attributes.property).match(/^article:/) ||\n lowerIfExists(sn.attributes.property).match(/^product:/))) {\n return true;\n }\n else if (slimDOMOptions.headMetaVerification &&\n (lowerIfExists(sn.attributes.name) === 'google-site-verification' ||\n lowerIfExists(sn.attributes.name) === 'yandex-verification' ||\n lowerIfExists(sn.attributes.name) === 'csrf-token' ||\n lowerIfExists(sn.attributes.name) === 'p:domain_verify' ||\n lowerIfExists(sn.attributes.name) === 'verify-v1' ||\n lowerIfExists(sn.attributes.name) === 'verification' ||\n lowerIfExists(sn.attributes.name) === 'shopify-checkout-api-token')) {\n return true;\n }\n }\n }\n return false;\n}\nfunction serializeNodeWithId(n, options) {\n const { doc, mirror, blockClass, blockSelector, unblockSelector, maskAllText, maskTextClass, unmaskTextClass, maskTextSelector, unmaskTextSelector, skipChild = false, inlineStylesheet = true, maskInputOptions = {}, maskAttributeFn, maskTextFn, maskInputFn, slimDOMOptions, dataURLOptions = {}, inlineImages = false, recordCanvas = false, onSerialize, onIframeLoad, iframeLoadTimeout = 5000, onStylesheetLoad, stylesheetLoadTimeout = 5000, keepIframeSrcFn = () => false, newlyAddedElement = false, } = options;\n let { preserveWhiteSpace = true } = options;\n const _serializedNode = serializeNode(n, {\n doc,\n mirror,\n blockClass,\n blockSelector,\n maskAllText,\n unblockSelector,\n maskTextClass,\n unmaskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n inlineStylesheet,\n maskInputOptions,\n maskAttributeFn,\n maskTextFn,\n maskInputFn,\n dataURLOptions,\n inlineImages,\n recordCanvas,\n keepIframeSrcFn,\n newlyAddedElement,\n });\n if (!_serializedNode) {\n console.warn(n, 'not serialized');\n return null;\n }\n let id;\n if (mirror.hasNode(n)) {\n id = mirror.getId(n);\n }\n else if (slimDOMExcluded(_serializedNode, slimDOMOptions) ||\n (!preserveWhiteSpace &&\n _serializedNode.type === NodeType$1.Text &&\n !_serializedNode.isStyle &&\n !_serializedNode.textContent.replace(/^\\s+|\\s+$/gm, '').length)) {\n id = IGNORED_NODE;\n }\n else {\n id = genId();\n }\n const serializedNode = Object.assign(_serializedNode, { id });\n mirror.add(n, serializedNode);\n if (id === IGNORED_NODE) {\n return null;\n }\n if (onSerialize) {\n onSerialize(n);\n }\n let recordChild = !skipChild;\n if (serializedNode.type === NodeType$1.Element) {\n recordChild = recordChild && !serializedNode.needBlock;\n delete serializedNode.needBlock;\n const shadowRoot = n.shadowRoot;\n if (shadowRoot && isNativeShadowDom(shadowRoot))\n serializedNode.isShadowHost = true;\n }\n if ((serializedNode.type === NodeType$1.Document ||\n serializedNode.type === NodeType$1.Element) &&\n recordChild) {\n if (slimDOMOptions.headWhitespace &&\n serializedNode.type === NodeType$1.Element &&\n serializedNode.tagName === 'head') {\n preserveWhiteSpace = false;\n }\n const bypassOptions = {\n doc,\n mirror,\n blockClass,\n blockSelector,\n maskAllText,\n unblockSelector,\n maskTextClass,\n unmaskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n skipChild,\n inlineStylesheet,\n maskInputOptions,\n maskAttributeFn,\n maskTextFn,\n maskInputFn,\n slimDOMOptions,\n dataURLOptions,\n inlineImages,\n recordCanvas,\n preserveWhiteSpace,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout,\n onStylesheetLoad,\n stylesheetLoadTimeout,\n keepIframeSrcFn,\n };\n for (const childN of Array.from(n.childNodes)) {\n const serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n if (isElement$1(n) && n.shadowRoot) {\n for (const childN of Array.from(n.shadowRoot.childNodes)) {\n const serializedChildNode = serializeNodeWithId(childN, bypassOptions);\n if (serializedChildNode) {\n isNativeShadowDom(n.shadowRoot) &&\n (serializedChildNode.isShadow = true);\n serializedNode.childNodes.push(serializedChildNode);\n }\n }\n }\n }\n if (n.parentNode &&\n isShadowRoot(n.parentNode) &&\n isNativeShadowDom(n.parentNode)) {\n serializedNode.isShadow = true;\n }\n if (serializedNode.type === NodeType$1.Element &&\n serializedNode.tagName === 'iframe') {\n onceIframeLoaded(n, () => {\n const iframeDoc = n.contentDocument;\n if (iframeDoc && onIframeLoad) {\n const serializedIframeNode = serializeNodeWithId(iframeDoc, {\n doc: iframeDoc,\n mirror,\n blockClass,\n blockSelector,\n unblockSelector,\n maskAllText,\n maskTextClass,\n unmaskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n skipChild: false,\n inlineStylesheet,\n maskInputOptions,\n maskAttributeFn,\n maskTextFn,\n maskInputFn,\n slimDOMOptions,\n dataURLOptions,\n inlineImages,\n recordCanvas,\n preserveWhiteSpace,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout,\n onStylesheetLoad,\n stylesheetLoadTimeout,\n keepIframeSrcFn,\n });\n if (serializedIframeNode) {\n onIframeLoad(n, serializedIframeNode);\n }\n }\n }, iframeLoadTimeout);\n }\n if (serializedNode.type === NodeType$1.Element &&\n serializedNode.tagName === 'link' &&\n serializedNode.attributes.rel === 'stylesheet') {\n onceStylesheetLoaded(n, () => {\n if (onStylesheetLoad) {\n const serializedLinkNode = serializeNodeWithId(n, {\n doc,\n mirror,\n blockClass,\n blockSelector,\n unblockSelector,\n maskAllText,\n maskTextClass,\n unmaskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n skipChild: false,\n inlineStylesheet,\n maskInputOptions,\n maskAttributeFn,\n maskTextFn,\n maskInputFn,\n slimDOMOptions,\n dataURLOptions,\n inlineImages,\n recordCanvas,\n preserveWhiteSpace,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout,\n onStylesheetLoad,\n stylesheetLoadTimeout,\n keepIframeSrcFn,\n });\n if (serializedLinkNode) {\n onStylesheetLoad(n, serializedLinkNode);\n }\n }\n }, stylesheetLoadTimeout);\n }\n return serializedNode;\n}\nfunction snapshot(n, options) {\n const { mirror = new Mirror(), blockClass = 'rr-block', blockSelector = null, unblockSelector = null, maskAllText = false, maskTextClass = 'rr-mask', unmaskTextClass = null, maskTextSelector = null, unmaskTextSelector = null, inlineStylesheet = true, inlineImages = false, recordCanvas = false, maskAllInputs = false, maskAttributeFn, maskTextFn, maskInputFn, slimDOM = false, dataURLOptions, preserveWhiteSpace, onSerialize, onIframeLoad, iframeLoadTimeout, onStylesheetLoad, stylesheetLoadTimeout, keepIframeSrcFn = () => false, } = options || {};\n const maskInputOptions = maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n }\n : maskAllInputs === false\n ? {}\n : maskAllInputs;\n const slimDOMOptions = slimDOM === true || slimDOM === 'all'\n ?\n {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaDescKeywords: slimDOM === 'all',\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaAuthorship: true,\n headMetaVerification: true,\n }\n : slimDOM === false\n ? {}\n : slimDOM;\n return serializeNodeWithId(n, {\n doc: n,\n mirror,\n blockClass,\n blockSelector,\n unblockSelector,\n maskAllText,\n maskTextClass,\n unmaskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n skipChild: false,\n inlineStylesheet,\n maskInputOptions,\n maskAttributeFn,\n maskTextFn,\n maskInputFn,\n slimDOMOptions,\n dataURLOptions,\n inlineImages,\n recordCanvas,\n preserveWhiteSpace,\n onSerialize,\n onIframeLoad,\n iframeLoadTimeout,\n onStylesheetLoad,\n stylesheetLoadTimeout,\n keepIframeSrcFn,\n newlyAddedElement: false,\n });\n}\n\nfunction _optionalChain$4(ops) { let lastAccessLHS = undefined; let value = ops[0]; let i = 1; while (i < ops.length) { const op = ops[i]; const fn = ops[i + 1]; i += 2; if ((op === 'optionalAccess' || op === 'optionalCall') && value == null) { return undefined; } if (op === 'access' || op === 'optionalAccess') { lastAccessLHS = value; value = fn(value); } else if (op === 'call' || op === 'optionalCall') { value = fn((...args) => value.call(lastAccessLHS, ...args)); lastAccessLHS = undefined; } } return value; }\nfunction on(type, fn, target = document) {\n const options = { capture: true, passive: true };\n target.addEventListener(type, fn, options);\n return () => target.removeEventListener(type, fn, options);\n}\nconst DEPARTED_MIRROR_ACCESS_WARNING = 'Please stop import mirror directly. Instead of that,' +\n '\\r\\n' +\n 'now you can use replayer.getMirror() to access the mirror instance of a replayer,' +\n '\\r\\n' +\n 'or you can use record.mirror to access the mirror instance during recording.';\nlet _mirror = {\n map: {},\n getId() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return -1;\n },\n getNode() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return null;\n },\n removeNodeFromMap() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n has() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n return false;\n },\n reset() {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n },\n};\nif (typeof window !== 'undefined' && window.Proxy && window.Reflect) {\n _mirror = new Proxy(_mirror, {\n get(target, prop, receiver) {\n if (prop === 'map') {\n console.error(DEPARTED_MIRROR_ACCESS_WARNING);\n }\n return Reflect.get(target, prop, receiver);\n },\n });\n}\nfunction throttle$1(func, wait, options = {}) {\n let timeout = null;\n let previous = 0;\n return function (...args) {\n const now = Date.now();\n if (!previous && options.leading === false) {\n previous = now;\n }\n const remaining = wait - (now - previous);\n const context = this;\n if (remaining <= 0 || remaining > wait) {\n if (timeout) {\n clearTimeout$1(timeout);\n timeout = null;\n }\n previous = now;\n func.apply(context, args);\n }\n else if (!timeout && options.trailing !== false) {\n timeout = setTimeout$1(() => {\n previous = options.leading === false ? 0 : Date.now();\n timeout = null;\n func.apply(context, args);\n }, remaining);\n }\n };\n}\nfunction hookSetter(target, key, d, isRevoked, win = window) {\n const original = win.Object.getOwnPropertyDescriptor(target, key);\n win.Object.defineProperty(target, key, isRevoked\n ? d\n : {\n set(value) {\n setTimeout$1(() => {\n d.set.call(this, value);\n }, 0);\n if (original && original.set) {\n original.set.call(this, value);\n }\n },\n });\n return () => hookSetter(target, key, original || {}, true);\n}\nfunction patch(source, name, replacement) {\n try {\n if (!(name in source)) {\n return () => {\n };\n }\n const original = source[name];\n const wrapped = replacement(original);\n if (typeof wrapped === 'function') {\n wrapped.prototype = wrapped.prototype || {};\n Object.defineProperties(wrapped, {\n __rrweb_original__: {\n enumerable: false,\n value: original,\n },\n });\n }\n source[name] = wrapped;\n return () => {\n source[name] = original;\n };\n }\n catch (e2) {\n return () => {\n };\n }\n}\nlet nowTimestamp = Date.now;\nif (!(/[1-9][0-9]{12}/.test(Date.now().toString()))) {\n nowTimestamp = () => new Date().getTime();\n}\nfunction getWindowScroll(win) {\n const doc = win.document;\n return {\n left: doc.scrollingElement\n ? doc.scrollingElement.scrollLeft\n : win.pageXOffset !== undefined\n ? win.pageXOffset\n : _optionalChain$4([doc, 'optionalAccess', _ => _.documentElement, 'access', _2 => _2.scrollLeft]) ||\n _optionalChain$4([doc, 'optionalAccess', _3 => _3.body, 'optionalAccess', _4 => _4.parentElement, 'optionalAccess', _5 => _5.scrollLeft]) ||\n _optionalChain$4([doc, 'optionalAccess', _6 => _6.body, 'optionalAccess', _7 => _7.scrollLeft]) ||\n 0,\n top: doc.scrollingElement\n ? doc.scrollingElement.scrollTop\n : win.pageYOffset !== undefined\n ? win.pageYOffset\n : _optionalChain$4([doc, 'optionalAccess', _8 => _8.documentElement, 'access', _9 => _9.scrollTop]) ||\n _optionalChain$4([doc, 'optionalAccess', _10 => _10.body, 'optionalAccess', _11 => _11.parentElement, 'optionalAccess', _12 => _12.scrollTop]) ||\n _optionalChain$4([doc, 'optionalAccess', _13 => _13.body, 'optionalAccess', _14 => _14.scrollTop]) ||\n 0,\n };\n}\nfunction getWindowHeight() {\n return (window.innerHeight ||\n (document.documentElement && document.documentElement.clientHeight) ||\n (document.body && document.body.clientHeight));\n}\nfunction getWindowWidth() {\n return (window.innerWidth ||\n (document.documentElement && document.documentElement.clientWidth) ||\n (document.body && document.body.clientWidth));\n}\nfunction closestElementOfNode(node) {\n if (!node) {\n return null;\n }\n const el = node.nodeType === node.ELEMENT_NODE\n ? node\n : node.parentElement;\n return el;\n}\nfunction isBlocked(node, blockClass, blockSelector, unblockSelector, checkAncestors) {\n if (!node) {\n return false;\n }\n const el = closestElementOfNode(node);\n if (!el) {\n return false;\n }\n const blockedPredicate = createMatchPredicate(blockClass, blockSelector);\n if (!checkAncestors) {\n const isUnblocked = unblockSelector && el.matches(unblockSelector);\n return blockedPredicate(el) && !isUnblocked;\n }\n const blockDistance = distanceToMatch(el, blockedPredicate);\n let unblockDistance = -1;\n if (blockDistance < 0) {\n return false;\n }\n if (unblockSelector) {\n unblockDistance = distanceToMatch(el, createMatchPredicate(null, unblockSelector));\n }\n if (blockDistance > -1 && unblockDistance < 0) {\n return true;\n }\n return blockDistance < unblockDistance;\n}\nfunction isSerialized(n, mirror) {\n return mirror.getId(n) !== -1;\n}\nfunction isIgnored(n, mirror) {\n return mirror.getId(n) === IGNORED_NODE;\n}\nfunction isAncestorRemoved(target, mirror) {\n if (isShadowRoot(target)) {\n return false;\n }\n const id = mirror.getId(target);\n if (!mirror.has(id)) {\n return true;\n }\n if (target.parentNode &&\n target.parentNode.nodeType === target.DOCUMENT_NODE) {\n return false;\n }\n if (!target.parentNode) {\n return true;\n }\n return isAncestorRemoved(target.parentNode, mirror);\n}\nfunction legacy_isTouchEvent(event) {\n return Boolean(event.changedTouches);\n}\nfunction polyfill(win = window) {\n if ('NodeList' in win && !win.NodeList.prototype.forEach) {\n win.NodeList.prototype.forEach = Array.prototype\n .forEach;\n }\n if ('DOMTokenList' in win && !win.DOMTokenList.prototype.forEach) {\n win.DOMTokenList.prototype.forEach = Array.prototype\n .forEach;\n }\n if (!Node.prototype.contains) {\n Node.prototype.contains = (...args) => {\n let node = args[0];\n if (!(0 in args)) {\n throw new TypeError('1 argument is required');\n }\n do {\n if (this === node) {\n return true;\n }\n } while ((node = node && node.parentNode));\n return false;\n };\n }\n}\nfunction isSerializedIframe(n, mirror) {\n return Boolean(n.nodeName === 'IFRAME' && mirror.getMeta(n));\n}\nfunction isSerializedStylesheet(n, mirror) {\n return Boolean(n.nodeName === 'LINK' &&\n n.nodeType === n.ELEMENT_NODE &&\n n.getAttribute &&\n n.getAttribute('rel') === 'stylesheet' &&\n mirror.getMeta(n));\n}\nfunction hasShadowRoot(n) {\n return Boolean(_optionalChain$4([n, 'optionalAccess', _18 => _18.shadowRoot]));\n}\nclass StyleSheetMirror {\n constructor() {\n this.id = 1;\n this.styleIDMap = new WeakMap();\n this.idStyleMap = new Map();\n }\n getId(stylesheet) {\n return _nullishCoalesce(this.styleIDMap.get(stylesheet), () => ( -1));\n }\n has(stylesheet) {\n return this.styleIDMap.has(stylesheet);\n }\n add(stylesheet, id) {\n if (this.has(stylesheet))\n return this.getId(stylesheet);\n let newId;\n if (id === undefined) {\n newId = this.id++;\n }\n else\n newId = id;\n this.styleIDMap.set(stylesheet, newId);\n this.idStyleMap.set(newId, stylesheet);\n return newId;\n }\n getStyle(id) {\n return this.idStyleMap.get(id) || null;\n }\n reset() {\n this.styleIDMap = new WeakMap();\n this.idStyleMap = new Map();\n this.id = 1;\n }\n generateId() {\n return this.id++;\n }\n}\nfunction getShadowHost(n) {\n let shadowHost = null;\n if (_optionalChain$4([n, 'access', _19 => _19.getRootNode, 'optionalCall', _20 => _20(), 'optionalAccess', _21 => _21.nodeType]) === Node.DOCUMENT_FRAGMENT_NODE &&\n n.getRootNode().host)\n shadowHost = n.getRootNode().host;\n return shadowHost;\n}\nfunction getRootShadowHost(n) {\n let rootShadowHost = n;\n let shadowHost;\n while ((shadowHost = getShadowHost(rootShadowHost)))\n rootShadowHost = shadowHost;\n return rootShadowHost;\n}\nfunction shadowHostInDom(n) {\n const doc = n.ownerDocument;\n if (!doc)\n return false;\n const shadowHost = getRootShadowHost(n);\n return doc.contains(shadowHost);\n}\nfunction inDom(n) {\n const doc = n.ownerDocument;\n if (!doc)\n return false;\n return doc.contains(n) || shadowHostInDom(n);\n}\nconst cachedImplementations = {};\nfunction getImplementation(name) {\n const cached = cachedImplementations[name];\n if (cached) {\n return cached;\n }\n const document = window.document;\n let impl = window[name];\n if (document && typeof document.createElement === 'function') {\n try {\n const sandbox = document.createElement('iframe');\n sandbox.hidden = true;\n document.head.appendChild(sandbox);\n const contentWindow = sandbox.contentWindow;\n if (contentWindow && contentWindow[name]) {\n impl =\n contentWindow[name];\n }\n document.head.removeChild(sandbox);\n }\n catch (e) {\n }\n }\n return (cachedImplementations[name] = impl.bind(window));\n}\nfunction onRequestAnimationFrame(...rest) {\n return getImplementation('requestAnimationFrame')(...rest);\n}\nfunction setTimeout$1(...rest) {\n return getImplementation('setTimeout')(...rest);\n}\nfunction clearTimeout$1(...rest) {\n return getImplementation('clearTimeout')(...rest);\n}\n\nvar EventType = /* @__PURE__ */ ((EventType2) => {\n EventType2[EventType2[\"DomContentLoaded\"] = 0] = \"DomContentLoaded\";\n EventType2[EventType2[\"Load\"] = 1] = \"Load\";\n EventType2[EventType2[\"FullSnapshot\"] = 2] = \"FullSnapshot\";\n EventType2[EventType2[\"IncrementalSnapshot\"] = 3] = \"IncrementalSnapshot\";\n EventType2[EventType2[\"Meta\"] = 4] = \"Meta\";\n EventType2[EventType2[\"Custom\"] = 5] = \"Custom\";\n EventType2[EventType2[\"Plugin\"] = 6] = \"Plugin\";\n return EventType2;\n})(EventType || {});\nvar IncrementalSource = /* @__PURE__ */ ((IncrementalSource2) => {\n IncrementalSource2[IncrementalSource2[\"Mutation\"] = 0] = \"Mutation\";\n IncrementalSource2[IncrementalSource2[\"MouseMove\"] = 1] = \"MouseMove\";\n IncrementalSource2[IncrementalSource2[\"MouseInteraction\"] = 2] = \"MouseInteraction\";\n IncrementalSource2[IncrementalSource2[\"Scroll\"] = 3] = \"Scroll\";\n IncrementalSource2[IncrementalSource2[\"ViewportResize\"] = 4] = \"ViewportResize\";\n IncrementalSource2[IncrementalSource2[\"Input\"] = 5] = \"Input\";\n IncrementalSource2[IncrementalSource2[\"TouchMove\"] = 6] = \"TouchMove\";\n IncrementalSource2[IncrementalSource2[\"MediaInteraction\"] = 7] = \"MediaInteraction\";\n IncrementalSource2[IncrementalSource2[\"StyleSheetRule\"] = 8] = \"StyleSheetRule\";\n IncrementalSource2[IncrementalSource2[\"CanvasMutation\"] = 9] = \"CanvasMutation\";\n IncrementalSource2[IncrementalSource2[\"Font\"] = 10] = \"Font\";\n IncrementalSource2[IncrementalSource2[\"Log\"] = 11] = \"Log\";\n IncrementalSource2[IncrementalSource2[\"Drag\"] = 12] = \"Drag\";\n IncrementalSource2[IncrementalSource2[\"StyleDeclaration\"] = 13] = \"StyleDeclaration\";\n IncrementalSource2[IncrementalSource2[\"Selection\"] = 14] = \"Selection\";\n IncrementalSource2[IncrementalSource2[\"AdoptedStyleSheet\"] = 15] = \"AdoptedStyleSheet\";\n IncrementalSource2[IncrementalSource2[\"CustomElement\"] = 16] = \"CustomElement\";\n return IncrementalSource2;\n})(IncrementalSource || {});\nvar MouseInteractions = /* @__PURE__ */ ((MouseInteractions2) => {\n MouseInteractions2[MouseInteractions2[\"MouseUp\"] = 0] = \"MouseUp\";\n MouseInteractions2[MouseInteractions2[\"MouseDown\"] = 1] = \"MouseDown\";\n MouseInteractions2[MouseInteractions2[\"Click\"] = 2] = \"Click\";\n MouseInteractions2[MouseInteractions2[\"ContextMenu\"] = 3] = \"ContextMenu\";\n MouseInteractions2[MouseInteractions2[\"DblClick\"] = 4] = \"DblClick\";\n MouseInteractions2[MouseInteractions2[\"Focus\"] = 5] = \"Focus\";\n MouseInteractions2[MouseInteractions2[\"Blur\"] = 6] = \"Blur\";\n MouseInteractions2[MouseInteractions2[\"TouchStart\"] = 7] = \"TouchStart\";\n MouseInteractions2[MouseInteractions2[\"TouchMove_Departed\"] = 8] = \"TouchMove_Departed\";\n MouseInteractions2[MouseInteractions2[\"TouchEnd\"] = 9] = \"TouchEnd\";\n MouseInteractions2[MouseInteractions2[\"TouchCancel\"] = 10] = \"TouchCancel\";\n return MouseInteractions2;\n})(MouseInteractions || {});\nvar PointerTypes = /* @__PURE__ */ ((PointerTypes2) => {\n PointerTypes2[PointerTypes2[\"Mouse\"] = 0] = \"Mouse\";\n PointerTypes2[PointerTypes2[\"Pen\"] = 1] = \"Pen\";\n PointerTypes2[PointerTypes2[\"Touch\"] = 2] = \"Touch\";\n return PointerTypes2;\n})(PointerTypes || {});\n\nfunction _optionalChain$3(ops) { let lastAccessLHS = undefined; let value = ops[0]; let i = 1; while (i < ops.length) { const op = ops[i]; const fn = ops[i + 1]; i += 2; if ((op === 'optionalAccess' || op === 'optionalCall') && value == null) { return undefined; } if (op === 'access' || op === 'optionalAccess') { lastAccessLHS = value; value = fn(value); } else if (op === 'call' || op === 'optionalCall') { value = fn((...args) => value.call(lastAccessLHS, ...args)); lastAccessLHS = undefined; } } return value; }\nfunction isNodeInLinkedList(n) {\n return '__ln' in n;\n}\nclass DoubleLinkedList {\n constructor() {\n this.length = 0;\n this.head = null;\n this.tail = null;\n }\n get(position) {\n if (position >= this.length) {\n throw new Error('Position outside of list range');\n }\n let current = this.head;\n for (let index = 0; index < position; index++) {\n current = _optionalChain$3([current, 'optionalAccess', _ => _.next]) || null;\n }\n return current;\n }\n addNode(n) {\n const node = {\n value: n,\n previous: null,\n next: null,\n };\n n.__ln = node;\n if (n.previousSibling && isNodeInLinkedList(n.previousSibling)) {\n const current = n.previousSibling.__ln.next;\n node.next = current;\n node.previous = n.previousSibling.__ln;\n n.previousSibling.__ln.next = node;\n if (current) {\n current.previous = node;\n }\n }\n else if (n.nextSibling &&\n isNodeInLinkedList(n.nextSibling) &&\n n.nextSibling.__ln.previous) {\n const current = n.nextSibling.__ln.previous;\n node.previous = current;\n node.next = n.nextSibling.__ln;\n n.nextSibling.__ln.previous = node;\n if (current) {\n current.next = node;\n }\n }\n else {\n if (this.head) {\n this.head.previous = node;\n }\n node.next = this.head;\n this.head = node;\n }\n if (node.next === null) {\n this.tail = node;\n }\n this.length++;\n }\n removeNode(n) {\n const current = n.__ln;\n if (!this.head) {\n return;\n }\n if (!current.previous) {\n this.head = current.next;\n if (this.head) {\n this.head.previous = null;\n }\n else {\n this.tail = null;\n }\n }\n else {\n current.previous.next = current.next;\n if (current.next) {\n current.next.previous = current.previous;\n }\n else {\n this.tail = current.previous;\n }\n }\n if (n.__ln) {\n delete n.__ln;\n }\n this.length--;\n }\n}\nconst moveKey = (id, parentId) => `${id}@${parentId}`;\nclass MutationBuffer {\n constructor() {\n this.frozen = false;\n this.locked = false;\n this.texts = [];\n this.attributes = [];\n this.attributeMap = new WeakMap();\n this.removes = [];\n this.mapRemoves = [];\n this.movedMap = {};\n this.addedSet = new Set();\n this.movedSet = new Set();\n this.droppedSet = new Set();\n this.processMutations = (mutations) => {\n mutations.forEach(this.processMutation);\n this.emit();\n };\n this.emit = () => {\n if (this.frozen || this.locked) {\n return;\n }\n const adds = [];\n const addedIds = new Set();\n const addList = new DoubleLinkedList();\n const getNextId = (n) => {\n let ns = n;\n let nextId = IGNORED_NODE;\n while (nextId === IGNORED_NODE) {\n ns = ns && ns.nextSibling;\n nextId = ns && this.mirror.getId(ns);\n }\n return nextId;\n };\n const pushAdd = (n) => {\n if (!n.parentNode || !inDom(n)) {\n return;\n }\n const parentId = isShadowRoot(n.parentNode)\n ? this.mirror.getId(getShadowHost(n))\n : this.mirror.getId(n.parentNode);\n const nextId = getNextId(n);\n if (parentId === -1 || nextId === -1) {\n return addList.addNode(n);\n }\n const sn = serializeNodeWithId(n, {\n doc: this.doc,\n mirror: this.mirror,\n blockClass: this.blockClass,\n blockSelector: this.blockSelector,\n maskAllText: this.maskAllText,\n unblockSelector: this.unblockSelector,\n maskTextClass: this.maskTextClass,\n unmaskTextClass: this.unmaskTextClass,\n maskTextSelector: this.maskTextSelector,\n unmaskTextSelector: this.unmaskTextSelector,\n skipChild: true,\n newlyAddedElement: true,\n inlineStylesheet: this.inlineStylesheet,\n maskInputOptions: this.maskInputOptions,\n maskAttributeFn: this.maskAttributeFn,\n maskTextFn: this.maskTextFn,\n maskInputFn: this.maskInputFn,\n slimDOMOptions: this.slimDOMOptions,\n dataURLOptions: this.dataURLOptions,\n recordCanvas: this.recordCanvas,\n inlineImages: this.inlineImages,\n onSerialize: (currentN) => {\n if (isSerializedIframe(currentN, this.mirror)) {\n this.iframeManager.addIframe(currentN);\n }\n if (isSerializedStylesheet(currentN, this.mirror)) {\n this.stylesheetManager.trackLinkElement(currentN);\n }\n if (hasShadowRoot(n)) {\n this.shadowDomManager.addShadowRoot(n.shadowRoot, this.doc);\n }\n },\n onIframeLoad: (iframe, childSn) => {\n this.iframeManager.attachIframe(iframe, childSn);\n this.shadowDomManager.observeAttachShadow(iframe);\n },\n onStylesheetLoad: (link, childSn) => {\n this.stylesheetManager.attachLinkElement(link, childSn);\n },\n });\n if (sn) {\n adds.push({\n parentId,\n nextId,\n node: sn,\n });\n addedIds.add(sn.id);\n }\n };\n while (this.mapRemoves.length) {\n this.mirror.removeNodeFromMap(this.mapRemoves.shift());\n }\n for (const n of this.movedSet) {\n if (isParentRemoved(this.removes, n, this.mirror) &&\n !this.movedSet.has(n.parentNode)) {\n continue;\n }\n pushAdd(n);\n }\n for (const n of this.addedSet) {\n if (!isAncestorInSet(this.droppedSet, n) &&\n !isParentRemoved(this.removes, n, this.mirror)) {\n pushAdd(n);\n }\n else if (isAncestorInSet(this.movedSet, n)) {\n pushAdd(n);\n }\n else {\n this.droppedSet.add(n);\n }\n }\n let candidate = null;\n while (addList.length) {\n let node = null;\n if (candidate) {\n const parentId = this.mirror.getId(candidate.value.parentNode);\n const nextId = getNextId(candidate.value);\n if (parentId !== -1 && nextId !== -1) {\n node = candidate;\n }\n }\n if (!node) {\n let tailNode = addList.tail;\n while (tailNode) {\n const _node = tailNode;\n tailNode = tailNode.previous;\n if (_node) {\n const parentId = this.mirror.getId(_node.value.parentNode);\n const nextId = getNextId(_node.value);\n if (nextId === -1)\n continue;\n else if (parentId !== -1) {\n node = _node;\n break;\n }\n else {\n const unhandledNode = _node.value;\n if (unhandledNode.parentNode &&\n unhandledNode.parentNode.nodeType ===\n Node.DOCUMENT_FRAGMENT_NODE) {\n const shadowHost = unhandledNode.parentNode\n .host;\n const parentId = this.mirror.getId(shadowHost);\n if (parentId !== -1) {\n node = _node;\n break;\n }\n }\n }\n }\n }\n }\n if (!node) {\n while (addList.head) {\n addList.removeNode(addList.head.value);\n }\n break;\n }\n candidate = node.previous;\n addList.removeNode(node.value);\n pushAdd(node.value);\n }\n const payload = {\n texts: this.texts\n .map((text) => ({\n id: this.mirror.getId(text.node),\n value: text.value,\n }))\n .filter((text) => !addedIds.has(text.id))\n .filter((text) => this.mirror.has(text.id)),\n attributes: this.attributes\n .map((attribute) => {\n const { attributes } = attribute;\n if (typeof attributes.style === 'string') {\n const diffAsStr = JSON.stringify(attribute.styleDiff);\n const unchangedAsStr = JSON.stringify(attribute._unchangedStyles);\n if (diffAsStr.length < attributes.style.length) {\n if ((diffAsStr + unchangedAsStr).split('var(').length ===\n attributes.style.split('var(').length) {\n attributes.style = attribute.styleDiff;\n }\n }\n }\n return {\n id: this.mirror.getId(attribute.node),\n attributes: attributes,\n };\n })\n .filter((attribute) => !addedIds.has(attribute.id))\n .filter((attribute) => this.mirror.has(attribute.id)),\n removes: this.removes,\n adds,\n };\n if (!payload.texts.length &&\n !payload.attributes.length &&\n !payload.removes.length &&\n !payload.adds.length) {\n return;\n }\n this.texts = [];\n this.attributes = [];\n this.attributeMap = new WeakMap();\n this.removes = [];\n this.addedSet = new Set();\n this.movedSet = new Set();\n this.droppedSet = new Set();\n this.movedMap = {};\n this.mutationCb(payload);\n };\n this.processMutation = (m) => {\n if (isIgnored(m.target, this.mirror)) {\n return;\n }\n switch (m.type) {\n case 'characterData': {\n const value = m.target.textContent;\n if (!isBlocked(m.target, this.blockClass, this.blockSelector, this.unblockSelector, false) &&\n value !== m.oldValue) {\n this.texts.push({\n value: needMaskingText(m.target, this.maskTextClass, this.maskTextSelector, this.unmaskTextClass, this.unmaskTextSelector, this.maskAllText) && value\n ? this.maskTextFn\n ? this.maskTextFn(value, closestElementOfNode(m.target))\n : value.replace(/[\\S]/g, '*')\n : value,\n node: m.target,\n });\n }\n break;\n }\n case 'attributes': {\n const target = m.target;\n let attributeName = m.attributeName;\n let value = m.target.getAttribute(attributeName);\n if (attributeName === 'value') {\n const type = getInputType(target);\n const tagName = target.tagName;\n value = getInputValue(target, tagName, type);\n const isInputMasked = shouldMaskInput({\n maskInputOptions: this.maskInputOptions,\n tagName,\n type,\n });\n const forceMask = needMaskingText(m.target, this.maskTextClass, this.maskTextSelector, this.unmaskTextClass, this.unmaskTextSelector, isInputMasked);\n value = maskInputValue({\n isMasked: forceMask,\n element: target,\n value,\n maskInputFn: this.maskInputFn,\n });\n }\n if (isBlocked(m.target, this.blockClass, this.blockSelector, this.unblockSelector, false) ||\n value === m.oldValue) {\n return;\n }\n let item = this.attributeMap.get(m.target);\n if (target.tagName === 'IFRAME' &&\n attributeName === 'src' &&\n !this.keepIframeSrcFn(value)) {\n if (!target.contentDocument) {\n attributeName = 'rr_src';\n }\n else {\n return;\n }\n }\n if (!item) {\n item = {\n node: m.target,\n attributes: {},\n styleDiff: {},\n _unchangedStyles: {},\n };\n this.attributes.push(item);\n this.attributeMap.set(m.target, item);\n }\n if (attributeName === 'type' &&\n target.tagName === 'INPUT' &&\n (m.oldValue || '').toLowerCase() === 'password') {\n target.setAttribute('data-rr-is-password', 'true');\n }\n if (!ignoreAttribute(target.tagName, attributeName)) {\n item.attributes[attributeName] = transformAttribute(this.doc, toLowerCase(target.tagName), toLowerCase(attributeName), value, target, this.maskAttributeFn);\n if (attributeName === 'style') {\n if (!this.unattachedDoc) {\n try {\n this.unattachedDoc =\n document.implementation.createHTMLDocument();\n }\n catch (e) {\n this.unattachedDoc = this.doc;\n }\n }\n const old = this.unattachedDoc.createElement('span');\n if (m.oldValue) {\n old.setAttribute('style', m.oldValue);\n }\n for (const pname of Array.from(target.style)) {\n const newValue = target.style.getPropertyValue(pname);\n const newPriority = target.style.getPropertyPriority(pname);\n if (newValue !== old.style.getPropertyValue(pname) ||\n newPriority !== old.style.getPropertyPriority(pname)) {\n if (newPriority === '') {\n item.styleDiff[pname] = newValue;\n }\n else {\n item.styleDiff[pname] = [newValue, newPriority];\n }\n }\n else {\n item._unchangedStyles[pname] = [newValue, newPriority];\n }\n }\n for (const pname of Array.from(old.style)) {\n if (target.style.getPropertyValue(pname) === '') {\n item.styleDiff[pname] = false;\n }\n }\n }\n }\n break;\n }\n case 'childList': {\n if (isBlocked(m.target, this.blockClass, this.blockSelector, this.unblockSelector, true)) {\n return;\n }\n m.addedNodes.forEach((n) => this.genAdds(n, m.target));\n m.removedNodes.forEach((n) => {\n const nodeId = this.mirror.getId(n);\n const parentId = isShadowRoot(m.target)\n ? this.mirror.getId(m.target.host)\n : this.mirror.getId(m.target);\n if (isBlocked(m.target, this.blockClass, this.blockSelector, this.unblockSelector, false) ||\n isIgnored(n, this.mirror) ||\n !isSerialized(n, this.mirror)) {\n return;\n }\n if (this.addedSet.has(n)) {\n deepDelete(this.addedSet, n);\n this.droppedSet.add(n);\n }\n else if (this.addedSet.has(m.target) && nodeId === -1) ;\n else if (isAncestorRemoved(m.target, this.mirror)) ;\n else if (this.movedSet.has(n) &&\n this.movedMap[moveKey(nodeId, parentId)]) {\n deepDelete(this.movedSet, n);\n }\n else {\n this.removes.push({\n parentId,\n id: nodeId,\n isShadow: isShadowRoot(m.target) && isNativeShadowDom(m.target)\n ? true\n : undefined,\n });\n }\n this.mapRemoves.push(n);\n });\n break;\n }\n }\n };\n this.genAdds = (n, target) => {\n if (this.processedNodeManager.inOtherBuffer(n, this))\n return;\n if (this.addedSet.has(n) || this.movedSet.has(n))\n return;\n if (this.mirror.hasNode(n)) {\n if (isIgnored(n, this.mirror)) {\n return;\n }\n this.movedSet.add(n);\n let targetId = null;\n if (target && this.mirror.hasNode(target)) {\n targetId = this.mirror.getId(target);\n }\n if (targetId && targetId !== -1) {\n this.movedMap[moveKey(this.mirror.getId(n), targetId)] = true;\n }\n }\n else {\n this.addedSet.add(n);\n this.droppedSet.delete(n);\n }\n if (!isBlocked(n, this.blockClass, this.blockSelector, this.unblockSelector, false)) {\n n.childNodes.forEach((childN) => this.genAdds(childN));\n if (hasShadowRoot(n)) {\n n.shadowRoot.childNodes.forEach((childN) => {\n this.processedNodeManager.add(childN, this);\n this.genAdds(childN, n);\n });\n }\n }\n };\n }\n init(options) {\n [\n 'mutationCb',\n 'blockClass',\n 'blockSelector',\n 'unblockSelector',\n 'maskAllText',\n 'maskTextClass',\n 'unmaskTextClass',\n 'maskTextSelector',\n 'unmaskTextSelector',\n 'inlineStylesheet',\n 'maskInputOptions',\n 'maskAttributeFn',\n 'maskTextFn',\n 'maskInputFn',\n 'keepIframeSrcFn',\n 'recordCanvas',\n 'inlineImages',\n 'slimDOMOptions',\n 'dataURLOptions',\n 'doc',\n 'mirror',\n 'iframeManager',\n 'stylesheetManager',\n 'shadowDomManager',\n 'canvasManager',\n 'processedNodeManager',\n ].forEach((key) => {\n this[key] = options[key];\n });\n }\n freeze() {\n this.frozen = true;\n this.canvasManager.freeze();\n }\n unfreeze() {\n this.frozen = false;\n this.canvasManager.unfreeze();\n this.emit();\n }\n isFrozen() {\n return this.frozen;\n }\n lock() {\n this.locked = true;\n this.canvasManager.lock();\n }\n unlock() {\n this.locked = false;\n this.canvasManager.unlock();\n this.emit();\n }\n reset() {\n this.shadowDomManager.reset();\n this.canvasManager.reset();\n }\n}\nfunction deepDelete(addsSet, n) {\n addsSet.delete(n);\n n.childNodes.forEach((childN) => deepDelete(addsSet, childN));\n}\nfunction isParentRemoved(removes, n, mirror) {\n if (removes.length === 0)\n return false;\n return _isParentRemoved(removes, n, mirror);\n}\nfunction _isParentRemoved(removes, n, mirror) {\n const { parentNode } = n;\n if (!parentNode) {\n return false;\n }\n const parentId = mirror.getId(parentNode);\n if (removes.some((r) => r.id === parentId)) {\n return true;\n }\n return _isParentRemoved(removes, parentNode, mirror);\n}\nfunction isAncestorInSet(set, n) {\n if (set.size === 0)\n return false;\n return _isAncestorInSet(set, n);\n}\nfunction _isAncestorInSet(set, n) {\n const { parentNode } = n;\n if (!parentNode) {\n return false;\n }\n if (set.has(parentNode)) {\n return true;\n }\n return _isAncestorInSet(set, parentNode);\n}\n\nlet errorHandler;\nfunction registerErrorHandler(handler) {\n errorHandler = handler;\n}\nfunction unregisterErrorHandler() {\n errorHandler = undefined;\n}\nconst callbackWrapper = (cb) => {\n if (!errorHandler) {\n return cb;\n }\n const rrwebWrapped = ((...rest) => {\n try {\n return cb(...rest);\n }\n catch (error) {\n if (errorHandler && errorHandler(error) === true) {\n return () => {\n };\n }\n throw error;\n }\n });\n return rrwebWrapped;\n};\n\nfunction _optionalChain$2(ops) { let lastAccessLHS = undefined; let value = ops[0]; let i = 1; while (i < ops.length) { const op = ops[i]; const fn = ops[i + 1]; i += 2; if ((op === 'optionalAccess' || op === 'optionalCall') && value == null) { return undefined; } if (op === 'access' || op === 'optionalAccess') { lastAccessLHS = value; value = fn(value); } else if (op === 'call' || op === 'optionalCall') { value = fn((...args) => value.call(lastAccessLHS, ...args)); lastAccessLHS = undefined; } } return value; }\nconst mutationBuffers = [];\nfunction getEventTarget(event) {\n try {\n if ('composedPath' in event) {\n const path = event.composedPath();\n if (path.length) {\n return path[0];\n }\n }\n else if ('path' in event && event.path.length) {\n return event.path[0];\n }\n }\n catch (e2) {\n }\n return event && event.target;\n}\nfunction initMutationObserver(options, rootEl) {\n const mutationBuffer = new MutationBuffer();\n mutationBuffers.push(mutationBuffer);\n mutationBuffer.init(options);\n let mutationObserverCtor = window.MutationObserver ||\n window.__rrMutationObserver;\n const angularZoneSymbol = _optionalChain$2([window, 'optionalAccess', _ => _.Zone, 'optionalAccess', _2 => _2.__symbol__, 'optionalCall', _3 => _3('MutationObserver')]);\n if (angularZoneSymbol &&\n window[angularZoneSymbol]) {\n mutationObserverCtor = window[angularZoneSymbol];\n }\n const observer = new mutationObserverCtor(callbackWrapper((mutations) => {\n if (options.onMutation && options.onMutation(mutations) === false) {\n return;\n }\n mutationBuffer.processMutations.bind(mutationBuffer)(mutations);\n }));\n observer.observe(rootEl, {\n attributes: true,\n attributeOldValue: true,\n characterData: true,\n characterDataOldValue: true,\n childList: true,\n subtree: true,\n });\n return observer;\n}\nfunction initMoveObserver({ mousemoveCb, sampling, doc, mirror, }) {\n if (sampling.mousemove === false) {\n return () => {\n };\n }\n const threshold = typeof sampling.mousemove === 'number' ? sampling.mousemove : 50;\n const callbackThreshold = typeof sampling.mousemoveCallback === 'number'\n ? sampling.mousemoveCallback\n : 500;\n let positions = [];\n let timeBaseline;\n const wrappedCb = throttle$1(callbackWrapper((source) => {\n const totalOffset = Date.now() - timeBaseline;\n mousemoveCb(positions.map((p) => {\n p.timeOffset -= totalOffset;\n return p;\n }), source);\n positions = [];\n timeBaseline = null;\n }), callbackThreshold);\n const updatePosition = callbackWrapper(throttle$1(callbackWrapper((evt) => {\n const target = getEventTarget(evt);\n const { clientX, clientY } = legacy_isTouchEvent(evt)\n ? evt.changedTouches[0]\n : evt;\n if (!timeBaseline) {\n timeBaseline = nowTimestamp();\n }\n positions.push({\n x: clientX,\n y: clientY,\n id: mirror.getId(target),\n timeOffset: nowTimestamp() - timeBaseline,\n });\n wrappedCb(typeof DragEvent !== 'undefined' && evt instanceof DragEvent\n ? IncrementalSource.Drag\n : evt instanceof MouseEvent\n ? IncrementalSource.MouseMove\n : IncrementalSource.TouchMove);\n }), threshold, {\n trailing: false,\n }));\n const handlers = [\n on('mousemove', updatePosition, doc),\n on('touchmove', updatePosition, doc),\n on('drag', updatePosition, doc),\n ];\n return callbackWrapper(() => {\n handlers.forEach((h) => h());\n });\n}\nfunction initMouseInteractionObserver({ mouseInteractionCb, doc, mirror, blockClass, blockSelector, unblockSelector, sampling, }) {\n if (sampling.mouseInteraction === false) {\n return () => {\n };\n }\n const disableMap = sampling.mouseInteraction === true ||\n sampling.mouseInteraction === undefined\n ? {}\n : sampling.mouseInteraction;\n const handlers = [];\n let currentPointerType = null;\n const getHandler = (eventKey) => {\n return (event) => {\n const target = getEventTarget(event);\n if (isBlocked(target, blockClass, blockSelector, unblockSelector, true)) {\n return;\n }\n let pointerType = null;\n let thisEventKey = eventKey;\n if ('pointerType' in event) {\n switch (event.pointerType) {\n case 'mouse':\n pointerType = PointerTypes.Mouse;\n break;\n case 'touch':\n pointerType = PointerTypes.Touch;\n break;\n case 'pen':\n pointerType = PointerTypes.Pen;\n break;\n }\n if (pointerType === PointerTypes.Touch) {\n if (MouseInteractions[eventKey] === MouseInteractions.MouseDown) {\n thisEventKey = 'TouchStart';\n }\n else if (MouseInteractions[eventKey] === MouseInteractions.MouseUp) {\n thisEventKey = 'TouchEnd';\n }\n }\n else if (pointerType === PointerTypes.Pen) ;\n }\n else if (legacy_isTouchEvent(event)) {\n pointerType = PointerTypes.Touch;\n }\n if (pointerType !== null) {\n currentPointerType = pointerType;\n if ((thisEventKey.startsWith('Touch') &&\n pointerType === PointerTypes.Touch) ||\n (thisEventKey.startsWith('Mouse') &&\n pointerType === PointerTypes.Mouse)) {\n pointerType = null;\n }\n }\n else if (MouseInteractions[eventKey] === MouseInteractions.Click) {\n pointerType = currentPointerType;\n currentPointerType = null;\n }\n const e = legacy_isTouchEvent(event) ? event.changedTouches[0] : event;\n if (!e) {\n return;\n }\n const id = mirror.getId(target);\n const { clientX, clientY } = e;\n callbackWrapper(mouseInteractionCb)({\n type: MouseInteractions[thisEventKey],\n id,\n x: clientX,\n y: clientY,\n ...(pointerType !== null && { pointerType }),\n });\n };\n };\n Object.keys(MouseInteractions)\n .filter((key) => Number.isNaN(Number(key)) &&\n !key.endsWith('_Departed') &&\n disableMap[key] !== false)\n .forEach((eventKey) => {\n let eventName = toLowerCase(eventKey);\n const handler = getHandler(eventKey);\n if (window.PointerEvent) {\n switch (MouseInteractions[eventKey]) {\n case MouseInteractions.MouseDown:\n case MouseInteractions.MouseUp:\n eventName = eventName.replace('mouse', 'pointer');\n break;\n case MouseInteractions.TouchStart:\n case MouseInteractions.TouchEnd:\n return;\n }\n }\n handlers.push(on(eventName, handler, doc));\n });\n return callbackWrapper(() => {\n handlers.forEach((h) => h());\n });\n}\nfunction initScrollObserver({ scrollCb, doc, mirror, blockClass, blockSelector, unblockSelector, sampling, }) {\n const updatePosition = callbackWrapper(throttle$1(callbackWrapper((evt) => {\n const target = getEventTarget(evt);\n if (!target ||\n isBlocked(target, blockClass, blockSelector, unblockSelector, true)) {\n return;\n }\n const id = mirror.getId(target);\n if (target === doc && doc.defaultView) {\n const scrollLeftTop = getWindowScroll(doc.defaultView);\n scrollCb({\n id,\n x: scrollLeftTop.left,\n y: scrollLeftTop.top,\n });\n }\n else {\n scrollCb({\n id,\n x: target.scrollLeft,\n y: target.scrollTop,\n });\n }\n }), sampling.scroll || 100));\n return on('scroll', updatePosition, doc);\n}\nfunction initViewportResizeObserver({ viewportResizeCb }, { win }) {\n let lastH = -1;\n let lastW = -1;\n const updateDimension = callbackWrapper(throttle$1(callbackWrapper(() => {\n const height = getWindowHeight();\n const width = getWindowWidth();\n if (lastH !== height || lastW !== width) {\n viewportResizeCb({\n width: Number(width),\n height: Number(height),\n });\n lastH = height;\n lastW = width;\n }\n }), 200));\n return on('resize', updateDimension, win);\n}\nconst INPUT_TAGS = ['INPUT', 'TEXTAREA', 'SELECT'];\nconst lastInputValueMap = new WeakMap();\nfunction initInputObserver({ inputCb, doc, mirror, blockClass, blockSelector, unblockSelector, ignoreClass, ignoreSelector, maskInputOptions, maskInputFn, sampling, userTriggeredOnInput, maskTextClass, unmaskTextClass, maskTextSelector, unmaskTextSelector, }) {\n function eventHandler(event) {\n let target = getEventTarget(event);\n const userTriggered = event.isTrusted;\n const tagName = target && toUpperCase(target.tagName);\n if (tagName === 'OPTION')\n target = target.parentElement;\n if (!target ||\n !tagName ||\n INPUT_TAGS.indexOf(tagName) < 0 ||\n isBlocked(target, blockClass, blockSelector, unblockSelector, true)) {\n return;\n }\n const el = target;\n if (el.classList.contains(ignoreClass) ||\n (ignoreSelector && el.matches(ignoreSelector))) {\n return;\n }\n const type = getInputType(target);\n let text = getInputValue(el, tagName, type);\n let isChecked = false;\n const isInputMasked = shouldMaskInput({\n maskInputOptions,\n tagName,\n type,\n });\n const forceMask = needMaskingText(target, maskTextClass, maskTextSelector, unmaskTextClass, unmaskTextSelector, isInputMasked);\n if (type === 'radio' || type === 'checkbox') {\n isChecked = target.checked;\n }\n text = maskInputValue({\n isMasked: forceMask,\n element: target,\n value: text,\n maskInputFn,\n });\n cbWithDedup(target, userTriggeredOnInput\n ? { text, isChecked, userTriggered }\n : { text, isChecked });\n const name = target.name;\n if (type === 'radio' && name && isChecked) {\n doc\n .querySelectorAll(`input[type=\"radio\"][name=\"${name}\"]`)\n .forEach((el) => {\n if (el !== target) {\n const text = maskInputValue({\n isMasked: forceMask,\n element: el,\n value: getInputValue(el, tagName, type),\n maskInputFn,\n });\n cbWithDedup(el, userTriggeredOnInput\n ? { text, isChecked: !isChecked, userTriggered: false }\n : { text, isChecked: !isChecked });\n }\n });\n }\n }\n function cbWithDedup(target, v) {\n const lastInputValue = lastInputValueMap.get(target);\n if (!lastInputValue ||\n lastInputValue.text !== v.text ||\n lastInputValue.isChecked !== v.isChecked) {\n lastInputValueMap.set(target, v);\n const id = mirror.getId(target);\n callbackWrapper(inputCb)({\n ...v,\n id,\n });\n }\n }\n const events = sampling.input === 'last' ? ['change'] : ['input', 'change'];\n const handlers = events.map((eventName) => on(eventName, callbackWrapper(eventHandler), doc));\n const currentWindow = doc.defaultView;\n if (!currentWindow) {\n return () => {\n handlers.forEach((h) => h());\n };\n }\n const propertyDescriptor = currentWindow.Object.getOwnPropertyDescriptor(currentWindow.HTMLInputElement.prototype, 'value');\n const hookProperties = [\n [currentWindow.HTMLInputElement.prototype, 'value'],\n [currentWindow.HTMLInputElement.prototype, 'checked'],\n [currentWindow.HTMLSelectElement.prototype, 'value'],\n [currentWindow.HTMLTextAreaElement.prototype, 'value'],\n [currentWindow.HTMLSelectElement.prototype, 'selectedIndex'],\n [currentWindow.HTMLOptionElement.prototype, 'selected'],\n ];\n if (propertyDescriptor && propertyDescriptor.set) {\n handlers.push(...hookProperties.map((p) => hookSetter(p[0], p[1], {\n set() {\n callbackWrapper(eventHandler)({\n target: this,\n isTrusted: false,\n });\n },\n }, false, currentWindow)));\n }\n return callbackWrapper(() => {\n handlers.forEach((h) => h());\n });\n}\nfunction getNestedCSSRulePositions(rule) {\n const positions = [];\n function recurse(childRule, pos) {\n if ((hasNestedCSSRule('CSSGroupingRule') &&\n childRule.parentRule instanceof CSSGroupingRule) ||\n (hasNestedCSSRule('CSSMediaRule') &&\n childRule.parentRule instanceof CSSMediaRule) ||\n (hasNestedCSSRule('CSSSupportsRule') &&\n childRule.parentRule instanceof CSSSupportsRule) ||\n (hasNestedCSSRule('CSSConditionRule') &&\n childRule.parentRule instanceof CSSConditionRule)) {\n const rules = Array.from(childRule.parentRule.cssRules);\n const index = rules.indexOf(childRule);\n pos.unshift(index);\n }\n else if (childRule.parentStyleSheet) {\n const rules = Array.from(childRule.parentStyleSheet.cssRules);\n const index = rules.indexOf(childRule);\n pos.unshift(index);\n }\n return pos;\n }\n return recurse(rule, positions);\n}\nfunction getIdAndStyleId(sheet, mirror, styleMirror) {\n let id, styleId;\n if (!sheet)\n return {};\n if (sheet.ownerNode)\n id = mirror.getId(sheet.ownerNode);\n else\n styleId = styleMirror.getId(sheet);\n return {\n styleId,\n id,\n };\n}\nfunction initStyleSheetObserver({ styleSheetRuleCb, mirror, stylesheetManager }, { win }) {\n if (!win.CSSStyleSheet || !win.CSSStyleSheet.prototype) {\n return () => {\n };\n }\n const insertRule = win.CSSStyleSheet.prototype.insertRule;\n win.CSSStyleSheet.prototype.insertRule = new Proxy(insertRule, {\n apply: callbackWrapper((target, thisArg, argumentsList) => {\n const [rule, index] = argumentsList;\n const { id, styleId } = getIdAndStyleId(thisArg, mirror, stylesheetManager.styleMirror);\n if ((id && id !== -1) || (styleId && styleId !== -1)) {\n styleSheetRuleCb({\n id,\n styleId,\n adds: [{ rule, index }],\n });\n }\n return target.apply(thisArg, argumentsList);\n }),\n });\n const deleteRule = win.CSSStyleSheet.prototype.deleteRule;\n win.CSSStyleSheet.prototype.deleteRule = new Proxy(deleteRule, {\n apply: callbackWrapper((target, thisArg, argumentsList) => {\n const [index] = argumentsList;\n const { id, styleId } = getIdAndStyleId(thisArg, mirror, stylesheetManager.styleMirror);\n if ((id && id !== -1) || (styleId && styleId !== -1)) {\n styleSheetRuleCb({\n id,\n styleId,\n removes: [{ index }],\n });\n }\n return target.apply(thisArg, argumentsList);\n }),\n });\n let replace;\n if (win.CSSStyleSheet.prototype.replace) {\n replace = win.CSSStyleSheet.prototype.replace;\n win.CSSStyleSheet.prototype.replace = new Proxy(replace, {\n apply: callbackWrapper((target, thisArg, argumentsList) => {\n const [text] = argumentsList;\n const { id, styleId } = getIdAndStyleId(thisArg, mirror, stylesheetManager.styleMirror);\n if ((id && id !== -1) || (styleId && styleId !== -1)) {\n styleSheetRuleCb({\n id,\n styleId,\n replace: text,\n });\n }\n return target.apply(thisArg, argumentsList);\n }),\n });\n }\n let replaceSync;\n if (win.CSSStyleSheet.prototype.replaceSync) {\n replaceSync = win.CSSStyleSheet.prototype.replaceSync;\n win.CSSStyleSheet.prototype.replaceSync = new Proxy(replaceSync, {\n apply: callbackWrapper((target, thisArg, argumentsList) => {\n const [text] = argumentsList;\n const { id, styleId } = getIdAndStyleId(thisArg, mirror, stylesheetManager.styleMirror);\n if ((id && id !== -1) || (styleId && styleId !== -1)) {\n styleSheetRuleCb({\n id,\n styleId,\n replaceSync: text,\n });\n }\n return target.apply(thisArg, argumentsList);\n }),\n });\n }\n const supportedNestedCSSRuleTypes = {};\n if (canMonkeyPatchNestedCSSRule('CSSGroupingRule')) {\n supportedNestedCSSRuleTypes.CSSGroupingRule = win.CSSGroupingRule;\n }\n else {\n if (canMonkeyPatchNestedCSSRule('CSSMediaRule')) {\n supportedNestedCSSRuleTypes.CSSMediaRule = win.CSSMediaRule;\n }\n if (canMonkeyPatchNestedCSSRule('CSSConditionRule')) {\n supportedNestedCSSRuleTypes.CSSConditionRule = win.CSSConditionRule;\n }\n if (canMonkeyPatchNestedCSSRule('CSSSupportsRule')) {\n supportedNestedCSSRuleTypes.CSSSupportsRule = win.CSSSupportsRule;\n }\n }\n const unmodifiedFunctions = {};\n Object.entries(supportedNestedCSSRuleTypes).forEach(([typeKey, type]) => {\n unmodifiedFunctions[typeKey] = {\n insertRule: type.prototype.insertRule,\n deleteRule: type.prototype.deleteRule,\n };\n type.prototype.insertRule = new Proxy(unmodifiedFunctions[typeKey].insertRule, {\n apply: callbackWrapper((target, thisArg, argumentsList) => {\n const [rule, index] = argumentsList;\n const { id, styleId } = getIdAndStyleId(thisArg.parentStyleSheet, mirror, stylesheetManager.styleMirror);\n if ((id && id !== -1) || (styleId && styleId !== -1)) {\n styleSheetRuleCb({\n id,\n styleId,\n adds: [\n {\n rule,\n index: [\n ...getNestedCSSRulePositions(thisArg),\n index || 0,\n ],\n },\n ],\n });\n }\n return target.apply(thisArg, argumentsList);\n }),\n });\n type.prototype.deleteRule = new Proxy(unmodifiedFunctions[typeKey].deleteRule, {\n apply: callbackWrapper((target, thisArg, argumentsList) => {\n const [index] = argumentsList;\n const { id, styleId } = getIdAndStyleId(thisArg.parentStyleSheet, mirror, stylesheetManager.styleMirror);\n if ((id && id !== -1) || (styleId && styleId !== -1)) {\n styleSheetRuleCb({\n id,\n styleId,\n removes: [\n { index: [...getNestedCSSRulePositions(thisArg), index] },\n ],\n });\n }\n return target.apply(thisArg, argumentsList);\n }),\n });\n });\n return callbackWrapper(() => {\n win.CSSStyleSheet.prototype.insertRule = insertRule;\n win.CSSStyleSheet.prototype.deleteRule = deleteRule;\n replace && (win.CSSStyleSheet.prototype.replace = replace);\n replaceSync && (win.CSSStyleSheet.prototype.replaceSync = replaceSync);\n Object.entries(supportedNestedCSSRuleTypes).forEach(([typeKey, type]) => {\n type.prototype.insertRule = unmodifiedFunctions[typeKey].insertRule;\n type.prototype.deleteRule = unmodifiedFunctions[typeKey].deleteRule;\n });\n });\n}\nfunction initAdoptedStyleSheetObserver({ mirror, stylesheetManager, }, host) {\n let hostId = null;\n if (host.nodeName === '#document')\n hostId = mirror.getId(host);\n else\n hostId = mirror.getId(host.host);\n const patchTarget = host.nodeName === '#document'\n ? _optionalChain$2([host, 'access', _4 => _4.defaultView, 'optionalAccess', _5 => _5.Document])\n : _optionalChain$2([host, 'access', _6 => _6.ownerDocument, 'optionalAccess', _7 => _7.defaultView, 'optionalAccess', _8 => _8.ShadowRoot]);\n const originalPropertyDescriptor = _optionalChain$2([patchTarget, 'optionalAccess', _9 => _9.prototype])\n ? Object.getOwnPropertyDescriptor(_optionalChain$2([patchTarget, 'optionalAccess', _10 => _10.prototype]), 'adoptedStyleSheets')\n : undefined;\n if (hostId === null ||\n hostId === -1 ||\n !patchTarget ||\n !originalPropertyDescriptor)\n return () => {\n };\n Object.defineProperty(host, 'adoptedStyleSheets', {\n configurable: originalPropertyDescriptor.configurable,\n enumerable: originalPropertyDescriptor.enumerable,\n get() {\n return _optionalChain$2([originalPropertyDescriptor, 'access', _11 => _11.get, 'optionalAccess', _12 => _12.call, 'call', _13 => _13(this)]);\n },\n set(sheets) {\n const result = _optionalChain$2([originalPropertyDescriptor, 'access', _14 => _14.set, 'optionalAccess', _15 => _15.call, 'call', _16 => _16(this, sheets)]);\n if (hostId !== null && hostId !== -1) {\n try {\n stylesheetManager.adoptStyleSheets(sheets, hostId);\n }\n catch (e) {\n }\n }\n return result;\n },\n });\n return callbackWrapper(() => {\n Object.defineProperty(host, 'adoptedStyleSheets', {\n configurable: originalPropertyDescriptor.configurable,\n enumerable: originalPropertyDescriptor.enumerable,\n get: originalPropertyDescriptor.get,\n set: originalPropertyDescriptor.set,\n });\n });\n}\nfunction initStyleDeclarationObserver({ styleDeclarationCb, mirror, ignoreCSSAttributes, stylesheetManager, }, { win }) {\n const setProperty = win.CSSStyleDeclaration.prototype.setProperty;\n win.CSSStyleDeclaration.prototype.setProperty = new Proxy(setProperty, {\n apply: callbackWrapper((target, thisArg, argumentsList) => {\n const [property, value, priority] = argumentsList;\n if (ignoreCSSAttributes.has(property)) {\n return setProperty.apply(thisArg, [property, value, priority]);\n }\n const { id, styleId } = getIdAndStyleId(_optionalChain$2([thisArg, 'access', _17 => _17.parentRule, 'optionalAccess', _18 => _18.parentStyleSheet]), mirror, stylesheetManager.styleMirror);\n if ((id && id !== -1) || (styleId && styleId !== -1)) {\n styleDeclarationCb({\n id,\n styleId,\n set: {\n property,\n value,\n priority,\n },\n index: getNestedCSSRulePositions(thisArg.parentRule),\n });\n }\n return target.apply(thisArg, argumentsList);\n }),\n });\n const removeProperty = win.CSSStyleDeclaration.prototype.removeProperty;\n win.CSSStyleDeclaration.prototype.removeProperty = new Proxy(removeProperty, {\n apply: callbackWrapper((target, thisArg, argumentsList) => {\n const [property] = argumentsList;\n if (ignoreCSSAttributes.has(property)) {\n return removeProperty.apply(thisArg, [property]);\n }\n const { id, styleId } = getIdAndStyleId(_optionalChain$2([thisArg, 'access', _19 => _19.parentRule, 'optionalAccess', _20 => _20.parentStyleSheet]), mirror, stylesheetManager.styleMirror);\n if ((id && id !== -1) || (styleId && styleId !== -1)) {\n styleDeclarationCb({\n id,\n styleId,\n remove: {\n property,\n },\n index: getNestedCSSRulePositions(thisArg.parentRule),\n });\n }\n return target.apply(thisArg, argumentsList);\n }),\n });\n return callbackWrapper(() => {\n win.CSSStyleDeclaration.prototype.setProperty = setProperty;\n win.CSSStyleDeclaration.prototype.removeProperty = removeProperty;\n });\n}\nfunction initMediaInteractionObserver({ mediaInteractionCb, blockClass, blockSelector, unblockSelector, mirror, sampling, doc, }) {\n const handler = callbackWrapper((type) => throttle$1(callbackWrapper((event) => {\n const target = getEventTarget(event);\n if (!target ||\n isBlocked(target, blockClass, blockSelector, unblockSelector, true)) {\n return;\n }\n const { currentTime, volume, muted, playbackRate } = target;\n mediaInteractionCb({\n type,\n id: mirror.getId(target),\n currentTime,\n volume,\n muted,\n playbackRate,\n });\n }), sampling.media || 500));\n const handlers = [\n on('play', handler(0), doc),\n on('pause', handler(1), doc),\n on('seeked', handler(2), doc),\n on('volumechange', handler(3), doc),\n on('ratechange', handler(4), doc),\n ];\n return callbackWrapper(() => {\n handlers.forEach((h) => h());\n });\n}\nfunction initFontObserver({ fontCb, doc }) {\n const win = doc.defaultView;\n if (!win) {\n return () => {\n };\n }\n const handlers = [];\n const fontMap = new WeakMap();\n const originalFontFace = win.FontFace;\n win.FontFace = function FontFace(family, source, descriptors) {\n const fontFace = new originalFontFace(family, source, descriptors);\n fontMap.set(fontFace, {\n family,\n buffer: typeof source !== 'string',\n descriptors,\n fontSource: typeof source === 'string'\n ? source\n : JSON.stringify(Array.from(new Uint8Array(source))),\n });\n return fontFace;\n };\n const restoreHandler = patch(doc.fonts, 'add', function (original) {\n return function (fontFace) {\n setTimeout$1(callbackWrapper(() => {\n const p = fontMap.get(fontFace);\n if (p) {\n fontCb(p);\n fontMap.delete(fontFace);\n }\n }), 0);\n return original.apply(this, [fontFace]);\n };\n });\n handlers.push(() => {\n win.FontFace = originalFontFace;\n });\n handlers.push(restoreHandler);\n return callbackWrapper(() => {\n handlers.forEach((h) => h());\n });\n}\nfunction initSelectionObserver(param) {\n const { doc, mirror, blockClass, blockSelector, unblockSelector, selectionCb, } = param;\n let collapsed = true;\n const updateSelection = callbackWrapper(() => {\n const selection = doc.getSelection();\n if (!selection || (collapsed && _optionalChain$2([selection, 'optionalAccess', _21 => _21.isCollapsed])))\n return;\n collapsed = selection.isCollapsed || false;\n const ranges = [];\n const count = selection.rangeCount || 0;\n for (let i = 0; i < count; i++) {\n const range = selection.getRangeAt(i);\n const { startContainer, startOffset, endContainer, endOffset } = range;\n const blocked = isBlocked(startContainer, blockClass, blockSelector, unblockSelector, true) ||\n isBlocked(endContainer, blockClass, blockSelector, unblockSelector, true);\n if (blocked)\n continue;\n ranges.push({\n start: mirror.getId(startContainer),\n startOffset,\n end: mirror.getId(endContainer),\n endOffset,\n });\n }\n selectionCb({ ranges });\n });\n updateSelection();\n return on('selectionchange', updateSelection);\n}\nfunction initCustomElementObserver({ doc, customElementCb, }) {\n const win = doc.defaultView;\n if (!win || !win.customElements)\n return () => { };\n const restoreHandler = patch(win.customElements, 'define', function (original) {\n return function (name, constructor, options) {\n try {\n customElementCb({\n define: {\n name,\n },\n });\n }\n catch (e) {\n }\n return original.apply(this, [name, constructor, options]);\n };\n });\n return restoreHandler;\n}\nfunction initObservers(o, _hooks = {}) {\n const currentWindow = o.doc.defaultView;\n if (!currentWindow) {\n return () => {\n };\n }\n const mutationObserver = initMutationObserver(o, o.doc);\n const mousemoveHandler = initMoveObserver(o);\n const mouseInteractionHandler = initMouseInteractionObserver(o);\n const scrollHandler = initScrollObserver(o);\n const viewportResizeHandler = initViewportResizeObserver(o, {\n win: currentWindow,\n });\n const inputHandler = initInputObserver(o);\n const mediaInteractionHandler = initMediaInteractionObserver(o);\n const styleSheetObserver = initStyleSheetObserver(o, { win: currentWindow });\n const adoptedStyleSheetObserver = initAdoptedStyleSheetObserver(o, o.doc);\n const styleDeclarationObserver = initStyleDeclarationObserver(o, {\n win: currentWindow,\n });\n const fontObserver = o.collectFonts\n ? initFontObserver(o)\n : () => {\n };\n const selectionObserver = initSelectionObserver(o);\n const customElementObserver = initCustomElementObserver(o);\n const pluginHandlers = [];\n for (const plugin of o.plugins) {\n pluginHandlers.push(plugin.observer(plugin.callback, currentWindow, plugin.options));\n }\n return callbackWrapper(() => {\n mutationBuffers.forEach((b) => b.reset());\n mutationObserver.disconnect();\n mousemoveHandler();\n mouseInteractionHandler();\n scrollHandler();\n viewportResizeHandler();\n inputHandler();\n mediaInteractionHandler();\n styleSheetObserver();\n adoptedStyleSheetObserver();\n styleDeclarationObserver();\n fontObserver();\n selectionObserver();\n customElementObserver();\n pluginHandlers.forEach((h) => h());\n });\n}\nfunction hasNestedCSSRule(prop) {\n return typeof window[prop] !== 'undefined';\n}\nfunction canMonkeyPatchNestedCSSRule(prop) {\n return Boolean(typeof window[prop] !== 'undefined' &&\n window[prop].prototype &&\n 'insertRule' in window[prop].prototype &&\n 'deleteRule' in window[prop].prototype);\n}\n\nclass CrossOriginIframeMirror {\n constructor(generateIdFn) {\n this.generateIdFn = generateIdFn;\n this.iframeIdToRemoteIdMap = new WeakMap();\n this.iframeRemoteIdToIdMap = new WeakMap();\n }\n getId(iframe, remoteId, idToRemoteMap, remoteToIdMap) {\n const idToRemoteIdMap = idToRemoteMap || this.getIdToRemoteIdMap(iframe);\n const remoteIdToIdMap = remoteToIdMap || this.getRemoteIdToIdMap(iframe);\n let id = idToRemoteIdMap.get(remoteId);\n if (!id) {\n id = this.generateIdFn();\n idToRemoteIdMap.set(remoteId, id);\n remoteIdToIdMap.set(id, remoteId);\n }\n return id;\n }\n getIds(iframe, remoteId) {\n const idToRemoteIdMap = this.getIdToRemoteIdMap(iframe);\n const remoteIdToIdMap = this.getRemoteIdToIdMap(iframe);\n return remoteId.map((id) => this.getId(iframe, id, idToRemoteIdMap, remoteIdToIdMap));\n }\n getRemoteId(iframe, id, map) {\n const remoteIdToIdMap = map || this.getRemoteIdToIdMap(iframe);\n if (typeof id !== 'number')\n return id;\n const remoteId = remoteIdToIdMap.get(id);\n if (!remoteId)\n return -1;\n return remoteId;\n }\n getRemoteIds(iframe, ids) {\n const remoteIdToIdMap = this.getRemoteIdToIdMap(iframe);\n return ids.map((id) => this.getRemoteId(iframe, id, remoteIdToIdMap));\n }\n reset(iframe) {\n if (!iframe) {\n this.iframeIdToRemoteIdMap = new WeakMap();\n this.iframeRemoteIdToIdMap = new WeakMap();\n return;\n }\n this.iframeIdToRemoteIdMap.delete(iframe);\n this.iframeRemoteIdToIdMap.delete(iframe);\n }\n getIdToRemoteIdMap(iframe) {\n let idToRemoteIdMap = this.iframeIdToRemoteIdMap.get(iframe);\n if (!idToRemoteIdMap) {\n idToRemoteIdMap = new Map();\n this.iframeIdToRemoteIdMap.set(iframe, idToRemoteIdMap);\n }\n return idToRemoteIdMap;\n }\n getRemoteIdToIdMap(iframe) {\n let remoteIdToIdMap = this.iframeRemoteIdToIdMap.get(iframe);\n if (!remoteIdToIdMap) {\n remoteIdToIdMap = new Map();\n this.iframeRemoteIdToIdMap.set(iframe, remoteIdToIdMap);\n }\n return remoteIdToIdMap;\n }\n}\n\nfunction _optionalChain$1(ops) { let lastAccessLHS = undefined; let value = ops[0]; let i = 1; while (i < ops.length) { const op = ops[i]; const fn = ops[i + 1]; i += 2; if ((op === 'optionalAccess' || op === 'optionalCall') && value == null) { return undefined; } if (op === 'access' || op === 'optionalAccess') { lastAccessLHS = value; value = fn(value); } else if (op === 'call' || op === 'optionalCall') { value = fn((...args) => value.call(lastAccessLHS, ...args)); lastAccessLHS = undefined; } } return value; }\nclass IframeManagerNoop {\n constructor() {\n this.crossOriginIframeMirror = new CrossOriginIframeMirror(genId);\n this.crossOriginIframeRootIdMap = new WeakMap();\n }\n addIframe() {\n }\n addLoadListener() {\n }\n attachIframe() {\n }\n}\nclass IframeManager {\n constructor(options) {\n this.iframes = new WeakMap();\n this.crossOriginIframeMap = new WeakMap();\n this.crossOriginIframeMirror = new CrossOriginIframeMirror(genId);\n this.crossOriginIframeRootIdMap = new WeakMap();\n this.mutationCb = options.mutationCb;\n this.wrappedEmit = options.wrappedEmit;\n this.stylesheetManager = options.stylesheetManager;\n this.recordCrossOriginIframes = options.recordCrossOriginIframes;\n this.crossOriginIframeStyleMirror = new CrossOriginIframeMirror(this.stylesheetManager.styleMirror.generateId.bind(this.stylesheetManager.styleMirror));\n this.mirror = options.mirror;\n if (this.recordCrossOriginIframes) {\n window.addEventListener('message', this.handleMessage.bind(this));\n }\n }\n addIframe(iframeEl) {\n this.iframes.set(iframeEl, true);\n if (iframeEl.contentWindow)\n this.crossOriginIframeMap.set(iframeEl.contentWindow, iframeEl);\n }\n addLoadListener(cb) {\n this.loadListener = cb;\n }\n attachIframe(iframeEl, childSn) {\n this.mutationCb({\n adds: [\n {\n parentId: this.mirror.getId(iframeEl),\n nextId: null,\n node: childSn,\n },\n ],\n removes: [],\n texts: [],\n attributes: [],\n isAttachIframe: true,\n });\n _optionalChain$1([this, 'access', _ => _.loadListener, 'optionalCall', _2 => _2(iframeEl)]);\n if (iframeEl.contentDocument &&\n iframeEl.contentDocument.adoptedStyleSheets &&\n iframeEl.contentDocument.adoptedStyleSheets.length > 0)\n this.stylesheetManager.adoptStyleSheets(iframeEl.contentDocument.adoptedStyleSheets, this.mirror.getId(iframeEl.contentDocument));\n }\n handleMessage(message) {\n const crossOriginMessageEvent = message;\n if (crossOriginMessageEvent.data.type !== 'rrweb' ||\n crossOriginMessageEvent.origin !== crossOriginMessageEvent.data.origin)\n return;\n const iframeSourceWindow = message.source;\n if (!iframeSourceWindow)\n return;\n const iframeEl = this.crossOriginIframeMap.get(message.source);\n if (!iframeEl)\n return;\n const transformedEvent = this.transformCrossOriginEvent(iframeEl, crossOriginMessageEvent.data.event);\n if (transformedEvent)\n this.wrappedEmit(transformedEvent, crossOriginMessageEvent.data.isCheckout);\n }\n transformCrossOriginEvent(iframeEl, e) {\n switch (e.type) {\n case EventType.FullSnapshot: {\n this.crossOriginIframeMirror.reset(iframeEl);\n this.crossOriginIframeStyleMirror.reset(iframeEl);\n this.replaceIdOnNode(e.data.node, iframeEl);\n const rootId = e.data.node.id;\n this.crossOriginIframeRootIdMap.set(iframeEl, rootId);\n this.patchRootIdOnNode(e.data.node, rootId);\n return {\n timestamp: e.timestamp,\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Mutation,\n adds: [\n {\n parentId: this.mirror.getId(iframeEl),\n nextId: null,\n node: e.data.node,\n },\n ],\n removes: [],\n texts: [],\n attributes: [],\n isAttachIframe: true,\n },\n };\n }\n case EventType.Meta:\n case EventType.Load:\n case EventType.DomContentLoaded: {\n return false;\n }\n case EventType.Plugin: {\n return e;\n }\n case EventType.Custom: {\n this.replaceIds(e.data.payload, iframeEl, ['id', 'parentId', 'previousId', 'nextId']);\n return e;\n }\n case EventType.IncrementalSnapshot: {\n switch (e.data.source) {\n case IncrementalSource.Mutation: {\n e.data.adds.forEach((n) => {\n this.replaceIds(n, iframeEl, [\n 'parentId',\n 'nextId',\n 'previousId',\n ]);\n this.replaceIdOnNode(n.node, iframeEl);\n const rootId = this.crossOriginIframeRootIdMap.get(iframeEl);\n rootId && this.patchRootIdOnNode(n.node, rootId);\n });\n e.data.removes.forEach((n) => {\n this.replaceIds(n, iframeEl, ['parentId', 'id']);\n });\n e.data.attributes.forEach((n) => {\n this.replaceIds(n, iframeEl, ['id']);\n });\n e.data.texts.forEach((n) => {\n this.replaceIds(n, iframeEl, ['id']);\n });\n return e;\n }\n case IncrementalSource.Drag:\n case IncrementalSource.TouchMove:\n case IncrementalSource.MouseMove: {\n e.data.positions.forEach((p) => {\n this.replaceIds(p, iframeEl, ['id']);\n });\n return e;\n }\n case IncrementalSource.ViewportResize: {\n return false;\n }\n case IncrementalSource.MediaInteraction:\n case IncrementalSource.MouseInteraction:\n case IncrementalSource.Scroll:\n case IncrementalSource.CanvasMutation:\n case IncrementalSource.Input: {\n this.replaceIds(e.data, iframeEl, ['id']);\n return e;\n }\n case IncrementalSource.StyleSheetRule:\n case IncrementalSource.StyleDeclaration: {\n this.replaceIds(e.data, iframeEl, ['id']);\n this.replaceStyleIds(e.data, iframeEl, ['styleId']);\n return e;\n }\n case IncrementalSource.Font: {\n return e;\n }\n case IncrementalSource.Selection: {\n e.data.ranges.forEach((range) => {\n this.replaceIds(range, iframeEl, ['start', 'end']);\n });\n return e;\n }\n case IncrementalSource.AdoptedStyleSheet: {\n this.replaceIds(e.data, iframeEl, ['id']);\n this.replaceStyleIds(e.data, iframeEl, ['styleIds']);\n _optionalChain$1([e, 'access', _3 => _3.data, 'access', _4 => _4.styles, 'optionalAccess', _5 => _5.forEach, 'call', _6 => _6((style) => {\n this.replaceStyleIds(style, iframeEl, ['styleId']);\n })]);\n return e;\n }\n }\n }\n }\n return false;\n }\n replace(iframeMirror, obj, iframeEl, keys) {\n for (const key of keys) {\n if (!Array.isArray(obj[key]) && typeof obj[key] !== 'number')\n continue;\n if (Array.isArray(obj[key])) {\n obj[key] = iframeMirror.getIds(iframeEl, obj[key]);\n }\n else {\n obj[key] = iframeMirror.getId(iframeEl, obj[key]);\n }\n }\n return obj;\n }\n replaceIds(obj, iframeEl, keys) {\n return this.replace(this.crossOriginIframeMirror, obj, iframeEl, keys);\n }\n replaceStyleIds(obj, iframeEl, keys) {\n return this.replace(this.crossOriginIframeStyleMirror, obj, iframeEl, keys);\n }\n replaceIdOnNode(node, iframeEl) {\n this.replaceIds(node, iframeEl, ['id', 'rootId']);\n if ('childNodes' in node) {\n node.childNodes.forEach((child) => {\n this.replaceIdOnNode(child, iframeEl);\n });\n }\n }\n patchRootIdOnNode(node, rootId) {\n if (node.type !== NodeType$1.Document && !node.rootId)\n node.rootId = rootId;\n if ('childNodes' in node) {\n node.childNodes.forEach((child) => {\n this.patchRootIdOnNode(child, rootId);\n });\n }\n }\n}\n\nclass ShadowDomManagerNoop {\n init() {\n }\n addShadowRoot() {\n }\n observeAttachShadow() {\n }\n reset() {\n }\n}\nclass ShadowDomManager {\n constructor(options) {\n this.shadowDoms = new WeakSet();\n this.restoreHandlers = [];\n this.mutationCb = options.mutationCb;\n this.scrollCb = options.scrollCb;\n this.bypassOptions = options.bypassOptions;\n this.mirror = options.mirror;\n this.init();\n }\n init() {\n this.reset();\n this.patchAttachShadow(Element, document);\n }\n addShadowRoot(shadowRoot, doc) {\n if (!isNativeShadowDom(shadowRoot))\n return;\n if (this.shadowDoms.has(shadowRoot))\n return;\n this.shadowDoms.add(shadowRoot);\n const observer = initMutationObserver({\n ...this.bypassOptions,\n doc,\n mutationCb: this.mutationCb,\n mirror: this.mirror,\n shadowDomManager: this,\n }, shadowRoot);\n this.restoreHandlers.push(() => observer.disconnect());\n this.restoreHandlers.push(initScrollObserver({\n ...this.bypassOptions,\n scrollCb: this.scrollCb,\n doc: shadowRoot,\n mirror: this.mirror,\n }));\n setTimeout$1(() => {\n if (shadowRoot.adoptedStyleSheets &&\n shadowRoot.adoptedStyleSheets.length > 0)\n this.bypassOptions.stylesheetManager.adoptStyleSheets(shadowRoot.adoptedStyleSheets, this.mirror.getId(shadowRoot.host));\n this.restoreHandlers.push(initAdoptedStyleSheetObserver({\n mirror: this.mirror,\n stylesheetManager: this.bypassOptions.stylesheetManager,\n }, shadowRoot));\n }, 0);\n }\n observeAttachShadow(iframeElement) {\n if (!iframeElement.contentWindow || !iframeElement.contentDocument)\n return;\n this.patchAttachShadow(iframeElement.contentWindow.Element, iframeElement.contentDocument);\n }\n patchAttachShadow(element, doc) {\n const manager = this;\n this.restoreHandlers.push(patch(element.prototype, 'attachShadow', function (original) {\n return function (option) {\n const shadowRoot = original.call(this, option);\n if (this.shadowRoot && inDom(this))\n manager.addShadowRoot(this.shadowRoot, doc);\n return shadowRoot;\n };\n }));\n }\n reset() {\n this.restoreHandlers.forEach((handler) => {\n try {\n handler();\n }\n catch (e) {\n }\n });\n this.restoreHandlers = [];\n this.shadowDoms = new WeakSet();\n }\n}\n\nclass CanvasManagerNoop {\n reset() {\n }\n freeze() {\n }\n unfreeze() {\n }\n lock() {\n }\n unlock() {\n }\n snapshot() {\n }\n}\n\nclass StylesheetManager {\n constructor(options) {\n this.trackedLinkElements = new WeakSet();\n this.styleMirror = new StyleSheetMirror();\n this.mutationCb = options.mutationCb;\n this.adoptedStyleSheetCb = options.adoptedStyleSheetCb;\n }\n attachLinkElement(linkEl, childSn) {\n if ('_cssText' in childSn.attributes)\n this.mutationCb({\n adds: [],\n removes: [],\n texts: [],\n attributes: [\n {\n id: childSn.id,\n attributes: childSn\n .attributes,\n },\n ],\n });\n this.trackLinkElement(linkEl);\n }\n trackLinkElement(linkEl) {\n if (this.trackedLinkElements.has(linkEl))\n return;\n this.trackedLinkElements.add(linkEl);\n this.trackStylesheetInLinkElement(linkEl);\n }\n adoptStyleSheets(sheets, hostId) {\n if (sheets.length === 0)\n return;\n const adoptedStyleSheetData = {\n id: hostId,\n styleIds: [],\n };\n const styles = [];\n for (const sheet of sheets) {\n let styleId;\n if (!this.styleMirror.has(sheet)) {\n styleId = this.styleMirror.add(sheet);\n styles.push({\n styleId,\n rules: Array.from(sheet.rules || CSSRule, (r, index) => ({\n rule: stringifyRule(r),\n index,\n })),\n });\n }\n else\n styleId = this.styleMirror.getId(sheet);\n adoptedStyleSheetData.styleIds.push(styleId);\n }\n if (styles.length > 0)\n adoptedStyleSheetData.styles = styles;\n this.adoptedStyleSheetCb(adoptedStyleSheetData);\n }\n reset() {\n this.styleMirror.reset();\n this.trackedLinkElements = new WeakSet();\n }\n trackStylesheetInLinkElement(linkEl) {\n }\n}\n\nclass ProcessedNodeManager {\n constructor() {\n this.nodeMap = new WeakMap();\n this.loop = true;\n this.periodicallyClear();\n }\n periodicallyClear() {\n onRequestAnimationFrame(() => {\n this.clear();\n if (this.loop)\n this.periodicallyClear();\n });\n }\n inOtherBuffer(node, thisBuffer) {\n const buffers = this.nodeMap.get(node);\n return (buffers && Array.from(buffers).some((buffer) => buffer !== thisBuffer));\n }\n add(node, buffer) {\n this.nodeMap.set(node, (this.nodeMap.get(node) || new Set()).add(buffer));\n }\n clear() {\n this.nodeMap = new WeakMap();\n }\n destroy() {\n this.loop = false;\n }\n}\n\nlet wrappedEmit;\nlet _takeFullSnapshot;\nconst mirror = createMirror();\nfunction record(options = {}) {\n const { emit, checkoutEveryNms, checkoutEveryNth, blockClass = 'rr-block', blockSelector = null, unblockSelector = null, ignoreClass = 'rr-ignore', ignoreSelector = null, maskAllText = false, maskTextClass = 'rr-mask', unmaskTextClass = null, maskTextSelector = null, unmaskTextSelector = null, inlineStylesheet = true, maskAllInputs, maskInputOptions: _maskInputOptions, slimDOMOptions: _slimDOMOptions, maskAttributeFn, maskInputFn, maskTextFn, maxCanvasSize = null, packFn, sampling = {}, dataURLOptions = {}, mousemoveWait, recordCanvas = false, recordCrossOriginIframes = false, recordAfter = options.recordAfter === 'DOMContentLoaded'\n ? options.recordAfter\n : 'load', userTriggeredOnInput = false, collectFonts = false, inlineImages = false, plugins, keepIframeSrcFn = () => false, ignoreCSSAttributes = new Set([]), errorHandler, onMutation, getCanvasManager, } = options;\n registerErrorHandler(errorHandler);\n const inEmittingFrame = recordCrossOriginIframes\n ? window.parent === window\n : true;\n let passEmitsToParent = false;\n if (!inEmittingFrame) {\n try {\n if (window.parent.document) {\n passEmitsToParent = false;\n }\n }\n catch (e) {\n passEmitsToParent = true;\n }\n }\n if (inEmittingFrame && !emit) {\n throw new Error('emit function is required');\n }\n if (mousemoveWait !== undefined && sampling.mousemove === undefined) {\n sampling.mousemove = mousemoveWait;\n }\n mirror.reset();\n const maskInputOptions = maskAllInputs === true\n ? {\n color: true,\n date: true,\n 'datetime-local': true,\n email: true,\n month: true,\n number: true,\n range: true,\n search: true,\n tel: true,\n text: true,\n time: true,\n url: true,\n week: true,\n textarea: true,\n select: true,\n radio: true,\n checkbox: true,\n }\n : _maskInputOptions !== undefined\n ? _maskInputOptions\n : {};\n const slimDOMOptions = _slimDOMOptions === true || _slimDOMOptions === 'all'\n ? {\n script: true,\n comment: true,\n headFavicon: true,\n headWhitespace: true,\n headMetaSocial: true,\n headMetaRobots: true,\n headMetaHttpEquiv: true,\n headMetaVerification: true,\n headMetaAuthorship: _slimDOMOptions === 'all',\n headMetaDescKeywords: _slimDOMOptions === 'all',\n }\n : _slimDOMOptions\n ? _slimDOMOptions\n : {};\n polyfill();\n let lastFullSnapshotEvent;\n let incrementalSnapshotCount = 0;\n const eventProcessor = (e) => {\n for (const plugin of plugins || []) {\n if (plugin.eventProcessor) {\n e = plugin.eventProcessor(e);\n }\n }\n if (packFn &&\n !passEmitsToParent) {\n e = packFn(e);\n }\n return e;\n };\n wrappedEmit = (r, isCheckout) => {\n const e = r;\n e.timestamp = nowTimestamp();\n if (_optionalChain([mutationBuffers, 'access', _ => _[0], 'optionalAccess', _2 => _2.isFrozen, 'call', _3 => _3()]) &&\n e.type !== EventType.FullSnapshot &&\n !(e.type === EventType.IncrementalSnapshot &&\n e.data.source === IncrementalSource.Mutation)) {\n mutationBuffers.forEach((buf) => buf.unfreeze());\n }\n if (inEmittingFrame) {\n _optionalChain([emit, 'optionalCall', _4 => _4(eventProcessor(e), isCheckout)]);\n }\n else if (passEmitsToParent) {\n const message = {\n type: 'rrweb',\n event: eventProcessor(e),\n origin: window.location.origin,\n isCheckout,\n };\n window.parent.postMessage(message, '*');\n }\n if (e.type === EventType.FullSnapshot) {\n lastFullSnapshotEvent = e;\n incrementalSnapshotCount = 0;\n }\n else if (e.type === EventType.IncrementalSnapshot) {\n if (e.data.source === IncrementalSource.Mutation &&\n e.data.isAttachIframe) {\n return;\n }\n incrementalSnapshotCount++;\n const exceedCount = checkoutEveryNth && incrementalSnapshotCount >= checkoutEveryNth;\n const exceedTime = checkoutEveryNms &&\n lastFullSnapshotEvent &&\n e.timestamp - lastFullSnapshotEvent.timestamp > checkoutEveryNms;\n if (exceedCount || exceedTime) {\n takeFullSnapshot(true);\n }\n }\n };\n const wrappedMutationEmit = (m) => {\n wrappedEmit({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Mutation,\n ...m,\n },\n });\n };\n const wrappedScrollEmit = (p) => wrappedEmit({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Scroll,\n ...p,\n },\n });\n const wrappedCanvasMutationEmit = (p) => wrappedEmit({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.CanvasMutation,\n ...p,\n },\n });\n const wrappedAdoptedStyleSheetEmit = (a) => wrappedEmit({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.AdoptedStyleSheet,\n ...a,\n },\n });\n const stylesheetManager = new StylesheetManager({\n mutationCb: wrappedMutationEmit,\n adoptedStyleSheetCb: wrappedAdoptedStyleSheetEmit,\n });\n const iframeManager = typeof __RRWEB_EXCLUDE_IFRAME__ === 'boolean' && __RRWEB_EXCLUDE_IFRAME__\n ? new IframeManagerNoop()\n : new IframeManager({\n mirror,\n mutationCb: wrappedMutationEmit,\n stylesheetManager: stylesheetManager,\n recordCrossOriginIframes,\n wrappedEmit,\n });\n for (const plugin of plugins || []) {\n if (plugin.getMirror)\n plugin.getMirror({\n nodeMirror: mirror,\n crossOriginIframeMirror: iframeManager.crossOriginIframeMirror,\n crossOriginIframeStyleMirror: iframeManager.crossOriginIframeStyleMirror,\n });\n }\n const processedNodeManager = new ProcessedNodeManager();\n const canvasManager = _getCanvasManager(getCanvasManager, {\n mirror,\n win: window,\n mutationCb: (p) => wrappedEmit({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.CanvasMutation,\n ...p,\n },\n }),\n recordCanvas,\n blockClass,\n blockSelector,\n unblockSelector,\n maxCanvasSize,\n sampling: sampling['canvas'],\n dataURLOptions,\n errorHandler,\n });\n const shadowDomManager = typeof __RRWEB_EXCLUDE_SHADOW_DOM__ === 'boolean' &&\n __RRWEB_EXCLUDE_SHADOW_DOM__\n ? new ShadowDomManagerNoop()\n : new ShadowDomManager({\n mutationCb: wrappedMutationEmit,\n scrollCb: wrappedScrollEmit,\n bypassOptions: {\n onMutation,\n blockClass,\n blockSelector,\n unblockSelector,\n maskAllText,\n maskTextClass,\n unmaskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n inlineStylesheet,\n maskInputOptions,\n dataURLOptions,\n maskAttributeFn,\n maskTextFn,\n maskInputFn,\n recordCanvas,\n inlineImages,\n sampling,\n slimDOMOptions,\n iframeManager,\n stylesheetManager,\n canvasManager,\n keepIframeSrcFn,\n processedNodeManager,\n },\n mirror,\n });\n const takeFullSnapshot = (isCheckout = false) => {\n wrappedEmit({\n type: EventType.Meta,\n data: {\n href: window.location.href,\n width: getWindowWidth(),\n height: getWindowHeight(),\n },\n }, isCheckout);\n stylesheetManager.reset();\n shadowDomManager.init();\n mutationBuffers.forEach((buf) => buf.lock());\n const node = snapshot(document, {\n mirror,\n blockClass,\n blockSelector,\n unblockSelector,\n maskAllText,\n maskTextClass,\n unmaskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n inlineStylesheet,\n maskAllInputs: maskInputOptions,\n maskAttributeFn,\n maskInputFn,\n maskTextFn,\n slimDOM: slimDOMOptions,\n dataURLOptions,\n recordCanvas,\n inlineImages,\n onSerialize: (n) => {\n if (isSerializedIframe(n, mirror)) {\n iframeManager.addIframe(n);\n }\n if (isSerializedStylesheet(n, mirror)) {\n stylesheetManager.trackLinkElement(n);\n }\n if (hasShadowRoot(n)) {\n shadowDomManager.addShadowRoot(n.shadowRoot, document);\n }\n },\n onIframeLoad: (iframe, childSn) => {\n iframeManager.attachIframe(iframe, childSn);\n shadowDomManager.observeAttachShadow(iframe);\n },\n onStylesheetLoad: (linkEl, childSn) => {\n stylesheetManager.attachLinkElement(linkEl, childSn);\n },\n keepIframeSrcFn,\n });\n if (!node) {\n return console.warn('Failed to snapshot the document');\n }\n wrappedEmit({\n type: EventType.FullSnapshot,\n data: {\n node,\n initialOffset: getWindowScroll(window),\n },\n });\n mutationBuffers.forEach((buf) => buf.unlock());\n if (document.adoptedStyleSheets && document.adoptedStyleSheets.length > 0)\n stylesheetManager.adoptStyleSheets(document.adoptedStyleSheets, mirror.getId(document));\n };\n _takeFullSnapshot = takeFullSnapshot;\n try {\n const handlers = [];\n const observe = (doc) => {\n return callbackWrapper(initObservers)({\n onMutation,\n mutationCb: wrappedMutationEmit,\n mousemoveCb: (positions, source) => wrappedEmit({\n type: EventType.IncrementalSnapshot,\n data: {\n source,\n positions,\n },\n }),\n mouseInteractionCb: (d) => wrappedEmit({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.MouseInteraction,\n ...d,\n },\n }),\n scrollCb: wrappedScrollEmit,\n viewportResizeCb: (d) => wrappedEmit({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.ViewportResize,\n ...d,\n },\n }),\n inputCb: (v) => wrappedEmit({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Input,\n ...v,\n },\n }),\n mediaInteractionCb: (p) => wrappedEmit({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.MediaInteraction,\n ...p,\n },\n }),\n styleSheetRuleCb: (r) => wrappedEmit({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.StyleSheetRule,\n ...r,\n },\n }),\n styleDeclarationCb: (r) => wrappedEmit({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.StyleDeclaration,\n ...r,\n },\n }),\n canvasMutationCb: wrappedCanvasMutationEmit,\n fontCb: (p) => wrappedEmit({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Font,\n ...p,\n },\n }),\n selectionCb: (p) => {\n wrappedEmit({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.Selection,\n ...p,\n },\n });\n },\n customElementCb: (c) => {\n wrappedEmit({\n type: EventType.IncrementalSnapshot,\n data: {\n source: IncrementalSource.CustomElement,\n ...c,\n },\n });\n },\n blockClass,\n ignoreClass,\n ignoreSelector,\n maskAllText,\n maskTextClass,\n unmaskTextClass,\n maskTextSelector,\n unmaskTextSelector,\n maskInputOptions,\n inlineStylesheet,\n sampling,\n recordCanvas,\n inlineImages,\n userTriggeredOnInput,\n collectFonts,\n doc,\n maskAttributeFn,\n maskInputFn,\n maskTextFn,\n keepIframeSrcFn,\n blockSelector,\n unblockSelector,\n slimDOMOptions,\n dataURLOptions,\n mirror,\n iframeManager,\n stylesheetManager,\n shadowDomManager,\n processedNodeManager,\n canvasManager,\n ignoreCSSAttributes,\n plugins: _optionalChain([plugins\n, 'optionalAccess', _5 => _5.filter, 'call', _6 => _6((p) => p.observer)\n, 'optionalAccess', _7 => _7.map, 'call', _8 => _8((p) => ({\n observer: p.observer,\n options: p.options,\n callback: (payload) => wrappedEmit({\n type: EventType.Plugin,\n data: {\n plugin: p.name,\n payload,\n },\n }),\n }))]) || [],\n }, {});\n };\n iframeManager.addLoadListener((iframeEl) => {\n try {\n handlers.push(observe(iframeEl.contentDocument));\n }\n catch (error) {\n console.warn(error);\n }\n });\n const init = () => {\n takeFullSnapshot();\n handlers.push(observe(document));\n };\n if (document.readyState === 'interactive' ||\n document.readyState === 'complete') {\n init();\n }\n else {\n handlers.push(on('DOMContentLoaded', () => {\n wrappedEmit({\n type: EventType.DomContentLoaded,\n data: {},\n });\n if (recordAfter === 'DOMContentLoaded')\n init();\n }));\n handlers.push(on('load', () => {\n wrappedEmit({\n type: EventType.Load,\n data: {},\n });\n if (recordAfter === 'load')\n init();\n }, window));\n }\n return () => {\n handlers.forEach((h) => h());\n processedNodeManager.destroy();\n _takeFullSnapshot = undefined;\n unregisterErrorHandler();\n };\n }\n catch (error) {\n console.warn(error);\n }\n}\nfunction takeFullSnapshot(isCheckout) {\n if (!_takeFullSnapshot) {\n throw new Error('please take full snapshot after start recording');\n }\n _takeFullSnapshot(isCheckout);\n}\nrecord.mirror = mirror;\nrecord.takeFullSnapshot = takeFullSnapshot;\nfunction _getCanvasManager(getCanvasManagerFn, options) {\n try {\n return getCanvasManagerFn\n ? getCanvasManagerFn(options)\n : new CanvasManagerNoop();\n }\n catch (e2) {\n console.warn('Unable to initialize CanvasManager');\n return new CanvasManagerNoop();\n }\n}\n\nconst ReplayEventTypeIncrementalSnapshot = 3;\nconst ReplayEventTypeCustom = 5;\n\n/**\n * Converts a timestamp to ms, if it was in s, or keeps it as ms.\n */\nfunction timestampToMs(timestamp) {\n const isMs = timestamp > 9999999999;\n return isMs ? timestamp : timestamp * 1000;\n}\n\n/**\n * Converts a timestamp to s, if it was in ms, or keeps it as s.\n */\nfunction timestampToS(timestamp) {\n const isMs = timestamp > 9999999999;\n return isMs ? timestamp / 1000 : timestamp;\n}\n\n/**\n * Add a breadcrumb event to replay.\n */\nfunction addBreadcrumbEvent(replay, breadcrumb) {\n if (breadcrumb.category === 'sentry.transaction') {\n return;\n }\n\n if (['ui.click', 'ui.input'].includes(breadcrumb.category )) {\n replay.triggerUserActivity();\n } else {\n replay.checkAndHandleExpiredSession();\n }\n\n replay.addUpdate(() => {\n // This should never reject\n // eslint-disable-next-line @typescript-eslint/no-floating-promises\n replay.throttledAddEvent({\n type: EventType.Custom,\n // TODO: We were converting from ms to seconds for breadcrumbs, spans,\n // but maybe we should just keep them as milliseconds\n timestamp: (breadcrumb.timestamp || 0) * 1000,\n data: {\n tag: 'breadcrumb',\n // normalize to max. 10 depth and 1_000 properties per object\n payload: normalize(breadcrumb, 10, 1000),\n },\n });\n\n // Do not flush after console log messages\n return breadcrumb.category === 'console';\n });\n}\n\nconst INTERACTIVE_SELECTOR = 'button,a';\n\n/** Get the closest interactive parent element, or else return the given element. */\nfunction getClosestInteractive(element) {\n const closestInteractive = element.closest(INTERACTIVE_SELECTOR);\n return closestInteractive || element;\n}\n\n/**\n * For clicks, we check if the target is inside of a button or link\n * If so, we use this as the target instead\n * This is useful because if you click on the image in ,\n * The target will be the image, not the button, which we don't want here\n */\nfunction getClickTargetNode(event) {\n const target = getTargetNode(event);\n\n if (!target || !(target instanceof Element)) {\n return target;\n }\n\n return getClosestInteractive(target);\n}\n\n/** Get the event target node. */\nfunction getTargetNode(event) {\n if (isEventWithTarget(event)) {\n return event.target ;\n }\n\n return event;\n}\n\nfunction isEventWithTarget(event) {\n return typeof event === 'object' && !!event && 'target' in event;\n}\n\nlet handlers;\n\n/**\n * Register a handler to be called when `window.open()` is called.\n * Returns a cleanup function.\n */\nfunction onWindowOpen(cb) {\n // Ensure to only register this once\n if (!handlers) {\n handlers = [];\n monkeyPatchWindowOpen();\n }\n\n handlers.push(cb);\n\n return () => {\n const pos = handlers ? handlers.indexOf(cb) : -1;\n if (pos > -1) {\n (handlers ).splice(pos, 1);\n }\n };\n}\n\nfunction monkeyPatchWindowOpen() {\n fill(WINDOW, 'open', function (originalWindowOpen) {\n return function (...args) {\n if (handlers) {\n try {\n handlers.forEach(handler => handler());\n } catch (e) {\n // ignore errors in here\n }\n }\n\n return originalWindowOpen.apply(WINDOW, args);\n };\n });\n}\n\n/** Handle a click. */\nfunction handleClick(clickDetector, clickBreadcrumb, node) {\n clickDetector.handleClick(clickBreadcrumb, node);\n}\n\n/** A click detector class that can be used to detect slow or rage clicks on elements. */\nclass ClickDetector {\n // protected for testing\n\n constructor(\n replay,\n slowClickConfig,\n // Just for easier testing\n _addBreadcrumbEvent = addBreadcrumbEvent,\n ) {\n this._lastMutation = 0;\n this._lastScroll = 0;\n this._clicks = [];\n\n // We want everything in s, but options are in ms\n this._timeout = slowClickConfig.timeout / 1000;\n this._threshold = slowClickConfig.threshold / 1000;\n this._scollTimeout = slowClickConfig.scrollTimeout / 1000;\n this._replay = replay;\n this._ignoreSelector = slowClickConfig.ignoreSelector;\n this._addBreadcrumbEvent = _addBreadcrumbEvent;\n }\n\n /** Register click detection handlers on mutation or scroll. */\n addListeners() {\n const cleanupWindowOpen = onWindowOpen(() => {\n // Treat window.open as mutation\n this._lastMutation = nowInSeconds();\n });\n\n this._teardown = () => {\n cleanupWindowOpen();\n\n this._clicks = [];\n this._lastMutation = 0;\n this._lastScroll = 0;\n };\n }\n\n /** Clean up listeners. */\n removeListeners() {\n if (this._teardown) {\n this._teardown();\n }\n\n if (this._checkClickTimeout) {\n clearTimeout(this._checkClickTimeout);\n }\n }\n\n /** @inheritDoc */\n handleClick(breadcrumb, node) {\n if (ignoreElement(node, this._ignoreSelector) || !isClickBreadcrumb(breadcrumb)) {\n return;\n }\n\n const newClick = {\n timestamp: timestampToS(breadcrumb.timestamp),\n clickBreadcrumb: breadcrumb,\n // Set this to 0 so we know it originates from the click breadcrumb\n clickCount: 0,\n node,\n };\n\n // If there was a click in the last 1s on the same element, ignore it - only keep a single reference per second\n if (\n this._clicks.some(click => click.node === newClick.node && Math.abs(click.timestamp - newClick.timestamp) < 1)\n ) {\n return;\n }\n\n this._clicks.push(newClick);\n\n // If this is the first new click, set a timeout to check for multi clicks\n if (this._clicks.length === 1) {\n this._scheduleCheckClicks();\n }\n }\n\n /** @inheritDoc */\n registerMutation(timestamp = Date.now()) {\n this._lastMutation = timestampToS(timestamp);\n }\n\n /** @inheritDoc */\n registerScroll(timestamp = Date.now()) {\n this._lastScroll = timestampToS(timestamp);\n }\n\n /** @inheritDoc */\n registerClick(element) {\n const node = getClosestInteractive(element);\n this._handleMultiClick(node );\n }\n\n /** Count multiple clicks on elements. */\n _handleMultiClick(node) {\n this._getClicks(node).forEach(click => {\n click.clickCount++;\n });\n }\n\n /** Get all pending clicks for a given node. */\n _getClicks(node) {\n return this._clicks.filter(click => click.node === node);\n }\n\n /** Check the clicks that happened. */\n _checkClicks() {\n const timedOutClicks = [];\n\n const now = nowInSeconds();\n\n this._clicks.forEach(click => {\n if (!click.mutationAfter && this._lastMutation) {\n click.mutationAfter = click.timestamp <= this._lastMutation ? this._lastMutation - click.timestamp : undefined;\n }\n if (!click.scrollAfter && this._lastScroll) {\n click.scrollAfter = click.timestamp <= this._lastScroll ? this._lastScroll - click.timestamp : undefined;\n }\n\n // All of these are in seconds!\n if (click.timestamp + this._timeout <= now) {\n timedOutClicks.push(click);\n }\n });\n\n // Remove \"old\" clicks\n for (const click of timedOutClicks) {\n const pos = this._clicks.indexOf(click);\n\n if (pos > -1) {\n this._generateBreadcrumbs(click);\n this._clicks.splice(pos, 1);\n }\n }\n\n // Trigger new check, unless no clicks left\n if (this._clicks.length) {\n this._scheduleCheckClicks();\n }\n }\n\n /** Generate matching breadcrumb(s) for the click. */\n _generateBreadcrumbs(click) {\n const replay = this._replay;\n const hadScroll = click.scrollAfter && click.scrollAfter <= this._scollTimeout;\n const hadMutation = click.mutationAfter && click.mutationAfter <= this._threshold;\n\n const isSlowClick = !hadScroll && !hadMutation;\n const { clickCount, clickBreadcrumb } = click;\n\n // Slow click\n if (isSlowClick) {\n // If `mutationAfter` is set, it means a mutation happened after the threshold, but before the timeout\n // If not, it means we just timed out without scroll & mutation\n const timeAfterClickMs = Math.min(click.mutationAfter || this._timeout, this._timeout) * 1000;\n const endReason = timeAfterClickMs < this._timeout * 1000 ? 'mutation' : 'timeout';\n\n const breadcrumb = {\n type: 'default',\n message: clickBreadcrumb.message,\n timestamp: clickBreadcrumb.timestamp,\n category: 'ui.slowClickDetected',\n data: {\n ...clickBreadcrumb.data,\n url: WINDOW.location.href,\n route: replay.getCurrentRoute(),\n timeAfterClickMs,\n endReason,\n // If clickCount === 0, it means multiClick was not correctly captured here\n // - we still want to send 1 in this case\n clickCount: clickCount || 1,\n },\n };\n\n this._addBreadcrumbEvent(replay, breadcrumb);\n return;\n }\n\n // Multi click\n if (clickCount > 1) {\n const breadcrumb = {\n type: 'default',\n message: clickBreadcrumb.message,\n timestamp: clickBreadcrumb.timestamp,\n category: 'ui.multiClick',\n data: {\n ...clickBreadcrumb.data,\n url: WINDOW.location.href,\n route: replay.getCurrentRoute(),\n clickCount,\n metric: true,\n },\n };\n\n this._addBreadcrumbEvent(replay, breadcrumb);\n }\n }\n\n /** Schedule to check current clicks. */\n _scheduleCheckClicks() {\n if (this._checkClickTimeout) {\n clearTimeout(this._checkClickTimeout);\n }\n\n this._checkClickTimeout = setTimeout(() => this._checkClicks(), 1000);\n }\n}\n\nconst SLOW_CLICK_TAGS = ['A', 'BUTTON', 'INPUT'];\n\n/** exported for tests only */\nfunction ignoreElement(node, ignoreSelector) {\n if (!SLOW_CLICK_TAGS.includes(node.tagName)) {\n return true;\n }\n\n // If tag, we only want to consider input[type='submit'] & input[type='button']\n if (node.tagName === 'INPUT' && !['submit', 'button'].includes(node.getAttribute('type') || '')) {\n return true;\n }\n\n // If tag, detect special variants that may not lead to an action\n // If target !== _self, we may open the link somewhere else, which would lead to no action\n // Also, when downloading a file, we may not leave the page, but still not trigger an action\n if (\n node.tagName === 'A' &&\n (node.hasAttribute('download') || (node.hasAttribute('target') && node.getAttribute('target') !== '_self'))\n ) {\n return true;\n }\n\n if (ignoreSelector && node.matches(ignoreSelector)) {\n return true;\n }\n\n return false;\n}\n\nfunction isClickBreadcrumb(breadcrumb) {\n return !!(breadcrumb.data && typeof breadcrumb.data.nodeId === 'number' && breadcrumb.timestamp);\n}\n\n// This is good enough for us, and is easier to test/mock than `timestampInSeconds`\nfunction nowInSeconds() {\n return Date.now() / 1000;\n}\n\n/** Update the click detector based on a recording event of rrweb. */\nfunction updateClickDetectorForRecordingEvent(clickDetector, event) {\n try {\n // note: We only consider incremental snapshots here\n // This means that any full snapshot is ignored for mutation detection - the reason is that we simply cannot know if a mutation happened here.\n // E.g. think that we are buffering, an error happens and we take a full snapshot because we switched to session mode -\n // in this scenario, we would not know if a dead click happened because of the error, which is a key dead click scenario.\n // Instead, by ignoring full snapshots, we have the risk that we generate a false positive\n // (if a mutation _did_ happen but was \"swallowed\" by the full snapshot)\n // But this should be more unlikely as we'd generally capture the incremental snapshot right away\n\n if (!isIncrementalEvent(event)) {\n return;\n }\n\n const { source } = event.data;\n if (source === IncrementalSource.Mutation) {\n clickDetector.registerMutation(event.timestamp);\n }\n\n if (source === IncrementalSource.Scroll) {\n clickDetector.registerScroll(event.timestamp);\n }\n\n if (isIncrementalMouseInteraction(event)) {\n const { type, id } = event.data;\n const node = record.mirror.getNode(id);\n\n if (node instanceof HTMLElement && type === MouseInteractions.Click) {\n clickDetector.registerClick(node);\n }\n }\n } catch (e) {\n // ignore errors here, e.g. if accessing something that does not exist\n }\n}\n\nfunction isIncrementalEvent(event) {\n return event.type === ReplayEventTypeIncrementalSnapshot;\n}\n\nfunction isIncrementalMouseInteraction(\n event,\n) {\n return event.data.source === IncrementalSource.MouseInteraction;\n}\n\n/**\n * Create a breadcrumb for a replay.\n */\nfunction createBreadcrumb(\n breadcrumb,\n) {\n return {\n timestamp: Date.now() / 1000,\n type: 'default',\n ...breadcrumb,\n };\n}\n\nvar NodeType;\n(function (NodeType) {\n NodeType[NodeType[\"Document\"] = 0] = \"Document\";\n NodeType[NodeType[\"DocumentType\"] = 1] = \"DocumentType\";\n NodeType[NodeType[\"Element\"] = 2] = \"Element\";\n NodeType[NodeType[\"Text\"] = 3] = \"Text\";\n NodeType[NodeType[\"CDATA\"] = 4] = \"CDATA\";\n NodeType[NodeType[\"Comment\"] = 5] = \"Comment\";\n})(NodeType || (NodeType = {}));\n\n// Note that these are the serialized attributes and not attributes directly on\n// the DOM Node. Attributes we are interested in:\nconst ATTRIBUTES_TO_RECORD = new Set([\n 'id',\n 'class',\n 'aria-label',\n 'role',\n 'name',\n 'alt',\n 'title',\n 'data-test-id',\n 'data-testid',\n 'disabled',\n 'aria-disabled',\n 'data-sentry-component',\n]);\n\n/**\n * Inclusion list of attributes that we want to record from the DOM element\n */\nfunction getAttributesToRecord(attributes) {\n const obj = {};\n for (const key in attributes) {\n if (ATTRIBUTES_TO_RECORD.has(key)) {\n let normalizedKey = key;\n\n if (key === 'data-testid' || key === 'data-test-id') {\n normalizedKey = 'testId';\n }\n\n obj[normalizedKey] = attributes[key];\n }\n }\n\n return obj;\n}\n\nconst handleDomListener = (\n replay,\n) => {\n return (handlerData) => {\n if (!replay.isEnabled()) {\n return;\n }\n\n const result = handleDom(handlerData);\n\n if (!result) {\n return;\n }\n\n const isClick = handlerData.name === 'click';\n const event = isClick ? (handlerData.event ) : undefined;\n // Ignore clicks if ctrl/alt/meta/shift keys are held down as they alter behavior of clicks (e.g. open in new tab)\n if (\n isClick &&\n replay.clickDetector &&\n event &&\n event.target &&\n !event.altKey &&\n !event.metaKey &&\n !event.ctrlKey &&\n !event.shiftKey\n ) {\n handleClick(\n replay.clickDetector,\n result ,\n getClickTargetNode(handlerData.event ) ,\n );\n }\n\n addBreadcrumbEvent(replay, result);\n };\n};\n\n/** Get the base DOM breadcrumb. */\nfunction getBaseDomBreadcrumb(target, message) {\n const nodeId = record.mirror.getId(target);\n const node = nodeId && record.mirror.getNode(nodeId);\n const meta = node && record.mirror.getMeta(node);\n const element = meta && isElement(meta) ? meta : null;\n\n return {\n message,\n data: element\n ? {\n nodeId,\n node: {\n id: nodeId,\n tagName: element.tagName,\n textContent: Array.from(element.childNodes)\n .map((node) => node.type === NodeType.Text && node.textContent)\n .filter(Boolean) // filter out empty values\n .map(text => (text ).trim())\n .join(''),\n attributes: getAttributesToRecord(element.attributes),\n },\n }\n : {},\n };\n}\n\n/**\n * An event handler to react to DOM events.\n * Exported for tests.\n */\nfunction handleDom(handlerData) {\n const { target, message } = getDomTarget(handlerData);\n\n return createBreadcrumb({\n category: `ui.${handlerData.name}`,\n ...getBaseDomBreadcrumb(target, message),\n });\n}\n\nfunction getDomTarget(handlerData) {\n const isClick = handlerData.name === 'click';\n\n let message;\n let target = null;\n\n // Accessing event.target can throw (see getsentry/raven-js#838, #768)\n try {\n target = isClick ? getClickTargetNode(handlerData.event ) : getTargetNode(handlerData.event );\n message = htmlTreeAsString(target, { maxStringLength: 200 }) || '';\n } catch (e) {\n message = '';\n }\n\n return { target, message };\n}\n\nfunction isElement(node) {\n return node.type === NodeType.Element;\n}\n\n/** Handle keyboard events & create breadcrumbs. */\nfunction handleKeyboardEvent(replay, event) {\n if (!replay.isEnabled()) {\n return;\n }\n\n // Update user activity, but do not restart recording as it can create\n // noisy/low-value replays (e.g. user comes back from idle, hits alt-tab, new\n // session with a single \"keydown\" breadcrumb is created)\n replay.updateUserActivity();\n\n const breadcrumb = getKeyboardBreadcrumb(event);\n\n if (!breadcrumb) {\n return;\n }\n\n addBreadcrumbEvent(replay, breadcrumb);\n}\n\n/** exported only for tests */\nfunction getKeyboardBreadcrumb(event) {\n const { metaKey, shiftKey, ctrlKey, altKey, key, target } = event;\n\n // never capture for input fields\n if (!target || isInputElement(target ) || !key) {\n return null;\n }\n\n // Note: We do not consider shift here, as that means \"uppercase\"\n const hasModifierKey = metaKey || ctrlKey || altKey;\n const isCharacterKey = key.length === 1; // other keys like Escape, Tab, etc have a longer length\n\n // Do not capture breadcrumb if only a word key is pressed\n // This could leak e.g. user input\n if (!hasModifierKey && isCharacterKey) {\n return null;\n }\n\n const message = htmlTreeAsString(target, { maxStringLength: 200 }) || '';\n const baseBreadcrumb = getBaseDomBreadcrumb(target , message);\n\n return createBreadcrumb({\n category: 'ui.keyDown',\n message,\n data: {\n ...baseBreadcrumb.data,\n metaKey,\n shiftKey,\n ctrlKey,\n altKey,\n key,\n },\n });\n}\n\nfunction isInputElement(target) {\n return target.tagName === 'INPUT' || target.tagName === 'TEXTAREA' || target.isContentEditable;\n}\n\n// Map entryType -> function to normalize data for event\nconst ENTRY_TYPES\n\n = {\n // @ts-expect-error TODO: entry type does not fit the create* functions entry type\n resource: createResourceEntry,\n paint: createPaintEntry,\n // @ts-expect-error TODO: entry type does not fit the create* functions entry type\n navigation: createNavigationEntry,\n};\n\n/**\n * Create replay performance entries from the browser performance entries.\n */\nfunction createPerformanceEntries(\n entries,\n) {\n return entries.map(createPerformanceEntry).filter(Boolean) ;\n}\n\nfunction createPerformanceEntry(entry) {\n if (!ENTRY_TYPES[entry.entryType]) {\n return null;\n }\n\n return ENTRY_TYPES[entry.entryType](entry);\n}\n\nfunction getAbsoluteTime(time) {\n // browserPerformanceTimeOrigin can be undefined if `performance` or\n // `performance.now` doesn't exist, but this is already checked by this integration\n return ((browserPerformanceTimeOrigin || WINDOW.performance.timeOrigin) + time) / 1000;\n}\n\nfunction createPaintEntry(entry) {\n const { duration, entryType, name, startTime } = entry;\n\n const start = getAbsoluteTime(startTime);\n return {\n type: entryType,\n name,\n start,\n end: start + duration,\n data: undefined,\n };\n}\n\nfunction createNavigationEntry(entry) {\n const {\n entryType,\n name,\n decodedBodySize,\n duration,\n domComplete,\n encodedBodySize,\n domContentLoadedEventStart,\n domContentLoadedEventEnd,\n domInteractive,\n loadEventStart,\n loadEventEnd,\n redirectCount,\n startTime,\n transferSize,\n type,\n } = entry;\n\n // Ignore entries with no duration, they do not seem to be useful and cause dupes\n if (duration === 0) {\n return null;\n }\n\n return {\n type: `${entryType}.${type}`,\n start: getAbsoluteTime(startTime),\n end: getAbsoluteTime(domComplete),\n name,\n data: {\n size: transferSize,\n decodedBodySize,\n encodedBodySize,\n duration,\n domInteractive,\n domContentLoadedEventStart,\n domContentLoadedEventEnd,\n loadEventStart,\n loadEventEnd,\n domComplete,\n redirectCount,\n },\n };\n}\n\nfunction createResourceEntry(\n entry,\n) {\n const {\n entryType,\n initiatorType,\n name,\n responseEnd,\n startTime,\n decodedBodySize,\n encodedBodySize,\n responseStatus,\n transferSize,\n } = entry;\n\n // Core SDK handles these\n if (['fetch', 'xmlhttprequest'].includes(initiatorType)) {\n return null;\n }\n\n return {\n type: `${entryType}.${initiatorType}`,\n start: getAbsoluteTime(startTime),\n end: getAbsoluteTime(responseEnd),\n name,\n data: {\n size: transferSize,\n statusCode: responseStatus,\n decodedBodySize,\n encodedBodySize,\n },\n };\n}\n\n/**\n * Add a LCP event to the replay based on an LCP metric.\n */\nfunction getLargestContentfulPaint(metric\n\n) {\n const entries = metric.entries;\n const lastEntry = entries[entries.length - 1] ;\n const element = lastEntry ? lastEntry.element : undefined;\n\n const value = metric.value;\n\n const end = getAbsoluteTime(value);\n\n const data = {\n type: 'largest-contentful-paint',\n name: 'largest-contentful-paint',\n start: end,\n end,\n data: {\n value,\n size: value,\n nodeId: element ? record.mirror.getId(element) : undefined,\n },\n };\n\n return data;\n}\n\n/**\n * Sets up a PerformanceObserver to listen to all performance entry types.\n * Returns a callback to stop observing.\n */\nfunction setupPerformanceObserver(replay) {\n function addPerformanceEntry(entry) {\n // It is possible for entries to come up multiple times\n if (!replay.performanceEntries.includes(entry)) {\n replay.performanceEntries.push(entry);\n }\n }\n\n function onEntries({ entries }) {\n entries.forEach(addPerformanceEntry);\n }\n\n const clearCallbacks = [];\n\n (['navigation', 'paint', 'resource'] ).forEach(type => {\n clearCallbacks.push(addPerformanceInstrumentationHandler(type, onEntries));\n });\n\n clearCallbacks.push(\n addLcpInstrumentationHandler(({ metric }) => {\n replay.replayPerformanceEntries.push(getLargestContentfulPaint(metric));\n }),\n );\n\n // A callback to cleanup all handlers\n return () => {\n clearCallbacks.forEach(clearCallback => clearCallback());\n };\n}\n\n/**\n * This serves as a build time flag that will be true by default, but false in non-debug builds or if users replace `__SENTRY_DEBUG__` in their generated code.\n *\n * ATTENTION: This constant must never cross package boundaries (i.e. be exported) to guarantee that it can be used for tree shaking.\n */\nconst DEBUG_BUILD = (typeof __SENTRY_DEBUG__ === 'undefined' || __SENTRY_DEBUG__);\n\nconst r = `var t=Uint8Array,n=Uint16Array,r=Int32Array,e=new t([0,0,0,0,0,0,0,0,1,1,1,1,2,2,2,2,3,3,3,3,4,4,4,4,5,5,5,5,0,0,0,0]),i=new t([0,0,0,0,1,1,2,2,3,3,4,4,5,5,6,6,7,7,8,8,9,9,10,10,11,11,12,12,13,13,0,0]),a=new t([16,17,18,0,8,7,9,6,10,5,11,4,12,3,13,2,14,1,15]),s=function(t,e){for(var i=new n(31),a=0;a<31;++a)i[a]=e+=1<>1|(21845&c)<<1;v=(61680&(v=(52428&v)>>2|(13107&v)<<2))>>4|(3855&v)<<4,u[c]=((65280&v)>>8|(255&v)<<8)>>1}var d=function(t,r,e){for(var i=t.length,a=0,s=new n(r);a>h]=l}else for(o=new n(i),a=0;a>15-t[a]);return o},g=new t(288);for(c=0;c<144;++c)g[c]=8;for(c=144;c<256;++c)g[c]=9;for(c=256;c<280;++c)g[c]=7;for(c=280;c<288;++c)g[c]=8;var w=new t(32);for(c=0;c<32;++c)w[c]=5;var p=d(g,9,0),y=d(w,5,0),m=function(t){return(t+7)/8|0},b=function(n,r,e){return(null==r||r<0)&&(r=0),(null==e||e>n.length)&&(e=n.length),new t(n.subarray(r,e))},M=[\"unexpected EOF\",\"invalid block type\",\"invalid length/literal\",\"invalid distance\",\"stream finished\",\"no stream handler\",,\"no callback\",\"invalid UTF-8 data\",\"extra field too long\",\"date not in range 1980-2099\",\"filename too long\",\"stream finishing\",\"invalid zip data\"],E=function(t,n,r){var e=new Error(n||M[t]);if(e.code=t,Error.captureStackTrace&&Error.captureStackTrace(e,E),!r)throw e;return e},z=function(t,n,r){r<<=7&n;var e=n/8|0;t[e]|=r,t[e+1]|=r>>8},A=function(t,n,r){r<<=7&n;var e=n/8|0;t[e]|=r,t[e+1]|=r>>8,t[e+2]|=r>>16},_=function(r,e){for(var i=[],a=0;ad&&(d=o[a].s);var g=new n(d+1),w=x(i[c-1],g,0);if(w>e){a=0;var p=0,y=w-e,m=1<e))break;p+=m-(1<>=y;p>0;){var M=o[a].s;g[M]=0&&p;--a){var E=o[a].s;g[E]==e&&(--g[E],++p)}w=e}return{t:new t(g),l:w}},x=function(t,n,r){return-1==t.s?Math.max(x(t.l,n,r+1),x(t.r,n,r+1)):n[t.s]=r},D=function(t){for(var r=t.length;r&&!t[--r];);for(var e=new n(++r),i=0,a=t[0],s=1,o=function(t){e[i++]=t},f=1;f<=r;++f)if(t[f]==a&&f!=r)++s;else{if(!a&&s>2){for(;s>138;s-=138)o(32754);s>2&&(o(s>10?s-11<<5|28690:s-3<<5|12305),s=0)}else if(s>3){for(o(a),--s;s>6;s-=6)o(8304);s>2&&(o(s-3<<5|8208),s=0)}for(;s--;)o(a);s=1,a=t[f]}return{c:e.subarray(0,i),n:r}},T=function(t,n){for(var r=0,e=0;e>8,t[i+2]=255^t[i],t[i+3]=255^t[i+1];for(var a=0;a4&&!H[a[K-1]];--K);var N,P,Q,R,V=v+5<<3,W=T(f,g)+T(h,w)+l,X=T(f,M)+T(h,C)+l+14+3*K+T(q,H)+2*q[16]+3*q[17]+7*q[18];if(c>=0&&V<=W&&V<=X)return k(r,m,t.subarray(c,c+v));if(z(r,m,1+(X15&&(z(r,m,tt[B]>>5&127),m+=tt[B]>>12)}}}else N=p,P=g,Q=y,R=w;for(B=0;B255){A(r,m,N[(nt=rt>>18&31)+257]),m+=P[nt+257],nt>7&&(z(r,m,rt>>23&31),m+=e[nt]);var et=31&rt;A(r,m,Q[et]),m+=R[et],et>3&&(A(r,m,rt>>5&8191),m+=i[et])}else A(r,m,N[rt]),m+=P[rt]}return A(r,m,N[256]),m+P[256]},U=new r([65540,131080,131088,131104,262176,1048704,1048832,2114560,2117632]),F=new t(0),I=function(){for(var t=new Int32Array(256),n=0;n<256;++n){for(var r=n,e=9;--e;)r=(1&r&&-306674912)^r>>>1;t[n]=r}return t}(),S=function(){var t=1,n=0;return{p:function(r){for(var e=t,i=n,a=0|r.length,s=0;s!=a;){for(var o=Math.min(s+2655,a);s>16),i=(65535&i)+15*(i>>16)}t=e,n=i},d:function(){return(255&(t%=65521))<<24|(65280&t)<<8|(255&(n%=65521))<<8|n>>8}}},L=function(a,s,o,f,u){if(!u&&(u={l:1},s.dictionary)){var c=s.dictionary.subarray(-32768),v=new t(c.length+a.length);v.set(c),v.set(a,c.length),a=v,u.w=c.length}return function(a,s,o,f,u,c){var v=c.z||a.length,d=new t(f+v+5*(1+Math.ceil(v/7e3))+u),g=d.subarray(f,d.length-u),w=c.l,p=7&(c.r||0);if(s){p&&(g[0]=c.r>>3);for(var y=U[s-1],M=y>>13,E=8191&y,z=(1<7e3||q>24576)&&(N>423||!w)){p=C(a,g,0,F,I,S,O,q,G,j-G,p),q=L=O=0,G=j;for(var P=0;P<286;++P)I[P]=0;for(P=0;P<30;++P)S[P]=0}var Q=2,R=0,V=E,W=J-K&32767;if(N>2&&H==T(j-W))for(var X=Math.min(M,N)-1,Y=Math.min(32767,j),Z=Math.min(258,N);W<=Y&&--V&&J!=K;){if(a[j+Q]==a[j+Q-W]){for(var $=0;$Q){if(Q=$,R=W,$>X)break;var tt=Math.min(W,$-2),nt=0;for(P=0;Pnt&&(nt=et,K=rt)}}}W+=(J=K)-(K=A[J])&32767}if(R){F[q++]=268435456|h[Q]<<18|l[R];var it=31&h[Q],at=31&l[R];O+=e[it]+i[at],++I[257+it],++S[at],B=j+Q,++L}else F[q++]=a[j],++I[a[j]]}}for(j=Math.max(j,B);j=v&&(g[p/8|0]=w,st=v),p=k(g,p+1,a.subarray(j,st))}c.i=v}return b(d,0,f+m(p)+u)}(a,null==s.level?6:s.level,null==s.mem?Math.ceil(1.5*Math.max(8,Math.min(13,Math.log(a.length)))):12+s.mem,o,f,u)},O=function(t,n,r){for(;r;++n)t[n]=r,r>>>=8},j=function(){function n(n,r){if(\"function\"==typeof n&&(r=n,n={}),this.ondata=r,this.o=n||{},this.s={l:0,i:32768,w:32768,z:32768},this.b=new t(98304),this.o.dictionary){var e=this.o.dictionary.subarray(-32768);this.b.set(e,32768-e.length),this.s.i=32768-e.length}}return n.prototype.p=function(t,n){this.ondata(L(t,this.o,0,0,this.s),n)},n.prototype.push=function(n,r){this.ondata||E(5),this.s.l&&E(4);var e=n.length+this.s.z;if(e>this.b.length){if(e>2*this.b.length-32768){var i=new t(-32768&e);i.set(this.b.subarray(0,this.s.z)),this.b=i}var a=this.b.length-this.s.z;a&&(this.b.set(n.subarray(0,a),this.s.z),this.s.z=this.b.length,this.p(this.b,!1)),this.b.set(this.b.subarray(-32768)),this.b.set(n.subarray(a),32768),this.s.z=n.length-a+32768,this.s.i=32766,this.s.w=32768}else this.b.set(n,this.s.z),this.s.z+=n.length;this.s.l=1&r,(this.s.z>this.s.w+8191||r)&&(this.p(this.b,r||!1),this.s.w=this.s.i,this.s.i-=2)},n}();function q(t,n){n||(n={});var r=function(){var t=-1;return{p:function(n){for(var r=t,e=0;e>>8;t=r},d:function(){return~t}}}(),e=t.length;r.p(t);var i,a=L(t,n,10+((i=n).filename?i.filename.length+1:0),8),s=a.length;return function(t,n){var r=n.filename;if(t[0]=31,t[1]=139,t[2]=8,t[8]=n.level<2?4:9==n.level?2:0,t[9]=3,0!=n.mtime&&O(t,4,Math.floor(new Date(n.mtime||Date.now())/1e3)),r){t[3]=8;for(var e=0;e<=r.length;++e)t[e+10]=r.charCodeAt(e)}}(a,n),O(a,s-8,r.d()),O(a,s-4,e),a}var B=function(){function t(t,n){this.c=S(),this.v=1,j.call(this,t,n)}return t.prototype.push=function(t,n){this.c.p(t),j.prototype.push.call(this,t,n)},t.prototype.p=function(t,n){var r=L(t,this.o,this.v&&(this.o.dictionary?6:2),n&&4,this.s);this.v&&(function(t,n){var r=n.level,e=0==r?0:r<6?1:9==r?3:2;if(t[0]=120,t[1]=e<<6|(n.dictionary&&32),t[1]|=31-(t[0]<<8|t[1])%31,n.dictionary){var i=S();i.p(n.dictionary),O(t,2,i.d())}}(r,this.o),this.v=0),n&&O(r,r.length-4,this.c.d()),this.ondata(r,n)},t}(),G=\"undefined\"!=typeof TextEncoder&&new TextEncoder,H=\"undefined\"!=typeof TextDecoder&&new TextDecoder;try{H.decode(F,{stream:!0})}catch(t){}var J=function(){function t(t){this.ondata=t}return t.prototype.push=function(t,n){this.ondata||E(5),this.d&&E(4),this.ondata(K(t),this.d=n||!1)},t}();function K(n,r){if(r){for(var e=new t(n.length),i=0;i>1)),o=0,f=function(t){s[o++]=t};for(i=0;is.length){var h=new t(o+8+(a-i<<1));h.set(s),s=h}var l=n.charCodeAt(i);l<128||r?f(l):l<2048?(f(192|l>>6),f(128|63&l)):l>55295&&l<57344?(f(240|(l=65536+(1047552&l)|1023&n.charCodeAt(++i))>>18),f(128|l>>12&63),f(128|l>>6&63),f(128|63&l)):(f(224|l>>12),f(128|l>>6&63),f(128|63&l))}return b(s,0,o)}const N=new class{constructor(){this._init()}clear(){this._init()}addEvent(t){if(!t)throw new Error(\"Adding invalid event\");const n=this._hasEvents?\",\":\"\";this.stream.push(n+t),this._hasEvents=!0}finish(){this.stream.push(\"]\",!0);const t=function(t){let n=0;for(let r=0,e=t.length;r{this._deflatedData.push(t)},this.stream=new J(((t,n)=>{this.deflate.push(t,n)})),this.stream.push(\"[\")}},P={clear:()=>{N.clear()},addEvent:t=>N.addEvent(t),finish:()=>N.finish(),compress:t=>function(t){return q(K(t))}(t)};addEventListener(\"message\",(function(t){const n=t.data.method,r=t.data.id,e=t.data.arg;if(n in P&&\"function\"==typeof P[n])try{const t=P[n](e);postMessage({id:r,method:n,success:!0,response:t})}catch(t){postMessage({id:r,method:n,success:!1,response:t.message}),console.error(t)}})),postMessage({id:void 0,method:\"init\",success:!0,response:void 0});`;\n\nfunction e(){const e=new Blob([r]);return URL.createObjectURL(e)}\n\n/**\n * Log a message in debug mode, and add a breadcrumb when _experiment.traceInternals is enabled.\n */\nfunction logInfo(message, shouldAddBreadcrumb) {\n if (!DEBUG_BUILD) {\n return;\n }\n\n logger.info(message);\n\n if (shouldAddBreadcrumb) {\n addLogBreadcrumb(message);\n }\n}\n\n/**\n * Log a message, and add a breadcrumb in the next tick.\n * This is necessary when the breadcrumb may be added before the replay is initialized.\n */\nfunction logInfoNextTick(message, shouldAddBreadcrumb) {\n if (!DEBUG_BUILD) {\n return;\n }\n\n logger.info(message);\n\n if (shouldAddBreadcrumb) {\n // Wait a tick here to avoid race conditions for some initial logs\n // which may be added before replay is initialized\n setTimeout(() => {\n addLogBreadcrumb(message);\n }, 0);\n }\n}\n\nfunction addLogBreadcrumb(message) {\n addBreadcrumb(\n {\n category: 'console',\n data: {\n logger: 'replay',\n },\n level: 'info',\n message,\n },\n { level: 'info' },\n );\n}\n\n/** This error indicates that the event buffer size exceeded the limit.. */\nclass EventBufferSizeExceededError extends Error {\n constructor() {\n super(`Event buffer exceeded maximum size of ${REPLAY_MAX_EVENT_BUFFER_SIZE}.`);\n }\n}\n\n/**\n * A basic event buffer that does not do any compression.\n * Used as fallback if the compression worker cannot be loaded or is disabled.\n */\nclass EventBufferArray {\n /** All the events that are buffered to be sent. */\n\n /** @inheritdoc */\n\n constructor() {\n this.events = [];\n this._totalSize = 0;\n this.hasCheckout = false;\n }\n\n /** @inheritdoc */\n get hasEvents() {\n return this.events.length > 0;\n }\n\n /** @inheritdoc */\n get type() {\n return 'sync';\n }\n\n /** @inheritdoc */\n destroy() {\n this.events = [];\n }\n\n /** @inheritdoc */\n async addEvent(event) {\n const eventSize = JSON.stringify(event).length;\n this._totalSize += eventSize;\n if (this._totalSize > REPLAY_MAX_EVENT_BUFFER_SIZE) {\n throw new EventBufferSizeExceededError();\n }\n\n this.events.push(event);\n }\n\n /** @inheritdoc */\n finish() {\n return new Promise(resolve => {\n // Make a copy of the events array reference and immediately clear the\n // events member so that we do not lose new events while uploading\n // attachment.\n const eventsRet = this.events;\n this.clear();\n resolve(JSON.stringify(eventsRet));\n });\n }\n\n /** @inheritdoc */\n clear() {\n this.events = [];\n this._totalSize = 0;\n this.hasCheckout = false;\n }\n\n /** @inheritdoc */\n getEarliestTimestamp() {\n const timestamp = this.events.map(event => event.timestamp).sort()[0];\n\n if (!timestamp) {\n return null;\n }\n\n return timestampToMs(timestamp);\n }\n}\n\n/**\n * Event buffer that uses a web worker to compress events.\n * Exported only for testing.\n */\nclass WorkerHandler {\n\n constructor(worker) {\n this._worker = worker;\n this._id = 0;\n }\n\n /**\n * Ensure the worker is ready (or not).\n * This will either resolve when the worker is ready, or reject if an error occured.\n */\n ensureReady() {\n // Ensure we only check once\n if (this._ensureReadyPromise) {\n return this._ensureReadyPromise;\n }\n\n this._ensureReadyPromise = new Promise((resolve, reject) => {\n this._worker.addEventListener(\n 'message',\n ({ data }) => {\n if ((data ).success) {\n resolve();\n } else {\n reject();\n }\n },\n { once: true },\n );\n\n this._worker.addEventListener(\n 'error',\n error => {\n reject(error);\n },\n { once: true },\n );\n });\n\n return this._ensureReadyPromise;\n }\n\n /**\n * Destroy the worker.\n */\n destroy() {\n logInfo('[Replay] Destroying compression worker');\n this._worker.terminate();\n }\n\n /**\n * Post message to worker and wait for response before resolving promise.\n */\n postMessage(method, arg) {\n const id = this._getAndIncrementId();\n\n return new Promise((resolve, reject) => {\n const listener = ({ data }) => {\n const response = data ;\n if (response.method !== method) {\n return;\n }\n\n // There can be multiple listeners for a single method, the id ensures\n // that the response matches the caller.\n if (response.id !== id) {\n return;\n }\n\n // At this point, we'll always want to remove listener regardless of result status\n this._worker.removeEventListener('message', listener);\n\n if (!response.success) {\n // TODO: Do some error handling, not sure what\n DEBUG_BUILD && logger.error('[Replay]', response.response);\n\n reject(new Error('Error in compression worker'));\n return;\n }\n\n resolve(response.response );\n };\n\n // Note: we can't use `once` option because it's possible it needs to\n // listen to multiple messages\n this._worker.addEventListener('message', listener);\n this._worker.postMessage({ id, method, arg });\n });\n }\n\n /** Get the current ID and increment it for the next call. */\n _getAndIncrementId() {\n return this._id++;\n }\n}\n\n/**\n * Event buffer that uses a web worker to compress events.\n * Exported only for testing.\n */\nclass EventBufferCompressionWorker {\n /** @inheritdoc */\n\n constructor(worker) {\n this._worker = new WorkerHandler(worker);\n this._earliestTimestamp = null;\n this._totalSize = 0;\n this.hasCheckout = false;\n }\n\n /** @inheritdoc */\n get hasEvents() {\n return !!this._earliestTimestamp;\n }\n\n /** @inheritdoc */\n get type() {\n return 'worker';\n }\n\n /**\n * Ensure the worker is ready (or not).\n * This will either resolve when the worker is ready, or reject if an error occured.\n */\n ensureReady() {\n return this._worker.ensureReady();\n }\n\n /**\n * Destroy the event buffer.\n */\n destroy() {\n this._worker.destroy();\n }\n\n /**\n * Add an event to the event buffer.\n *\n * Returns true if event was successfuly received and processed by worker.\n */\n addEvent(event) {\n const timestamp = timestampToMs(event.timestamp);\n if (!this._earliestTimestamp || timestamp < this._earliestTimestamp) {\n this._earliestTimestamp = timestamp;\n }\n\n const data = JSON.stringify(event);\n this._totalSize += data.length;\n\n if (this._totalSize > REPLAY_MAX_EVENT_BUFFER_SIZE) {\n return Promise.reject(new EventBufferSizeExceededError());\n }\n\n return this._sendEventToWorker(data);\n }\n\n /**\n * Finish the event buffer and return the compressed data.\n */\n finish() {\n return this._finishRequest();\n }\n\n /** @inheritdoc */\n clear() {\n this._earliestTimestamp = null;\n this._totalSize = 0;\n this.hasCheckout = false;\n\n // We do not wait on this, as we assume the order of messages is consistent for the worker\n this._worker.postMessage('clear').then(null, e => {\n DEBUG_BUILD && logger.warn('[Replay] Sending \"clear\" message to worker failed', e);\n });\n }\n\n /** @inheritdoc */\n getEarliestTimestamp() {\n return this._earliestTimestamp;\n }\n\n /**\n * Send the event to the worker.\n */\n _sendEventToWorker(data) {\n return this._worker.postMessage('addEvent', data);\n }\n\n /**\n * Finish the request and return the compressed data from the worker.\n */\n async _finishRequest() {\n const response = await this._worker.postMessage('finish');\n\n this._earliestTimestamp = null;\n this._totalSize = 0;\n\n return response;\n }\n}\n\n/**\n * This proxy will try to use the compression worker, and fall back to use the simple buffer if an error occurs there.\n * This can happen e.g. if the worker cannot be loaded.\n * Exported only for testing.\n */\nclass EventBufferProxy {\n\n constructor(worker) {\n this._fallback = new EventBufferArray();\n this._compression = new EventBufferCompressionWorker(worker);\n this._used = this._fallback;\n\n this._ensureWorkerIsLoadedPromise = this._ensureWorkerIsLoaded();\n }\n\n /** @inheritdoc */\n get type() {\n return this._used.type;\n }\n\n /** @inheritDoc */\n get hasEvents() {\n return this._used.hasEvents;\n }\n\n /** @inheritdoc */\n get hasCheckout() {\n return this._used.hasCheckout;\n }\n /** @inheritdoc */\n set hasCheckout(value) {\n this._used.hasCheckout = value;\n }\n\n /** @inheritDoc */\n destroy() {\n this._fallback.destroy();\n this._compression.destroy();\n }\n\n /** @inheritdoc */\n clear() {\n return this._used.clear();\n }\n\n /** @inheritdoc */\n getEarliestTimestamp() {\n return this._used.getEarliestTimestamp();\n }\n\n /**\n * Add an event to the event buffer.\n *\n * Returns true if event was successfully added.\n */\n addEvent(event) {\n return this._used.addEvent(event);\n }\n\n /** @inheritDoc */\n async finish() {\n // Ensure the worker is loaded, so the sent event is compressed\n await this.ensureWorkerIsLoaded();\n\n return this._used.finish();\n }\n\n /** Ensure the worker has loaded. */\n ensureWorkerIsLoaded() {\n return this._ensureWorkerIsLoadedPromise;\n }\n\n /** Actually check if the worker has been loaded. */\n async _ensureWorkerIsLoaded() {\n try {\n await this._compression.ensureReady();\n } catch (error) {\n // If the worker fails to load, we fall back to the simple buffer.\n // Nothing more to do from our side here\n logInfo('[Replay] Failed to load the compression worker, falling back to simple buffer');\n return;\n }\n\n // Now we need to switch over the array buffer to the compression worker\n await this._switchToCompressionWorker();\n }\n\n /** Switch the used buffer to the compression worker. */\n async _switchToCompressionWorker() {\n const { events, hasCheckout } = this._fallback;\n\n const addEventPromises = [];\n for (const event of events) {\n addEventPromises.push(this._compression.addEvent(event));\n }\n\n this._compression.hasCheckout = hasCheckout;\n\n // We switch over to the new buffer immediately - any further events will be added\n // after the previously buffered ones\n this._used = this._compression;\n\n // Wait for original events to be re-added before resolving\n try {\n await Promise.all(addEventPromises);\n } catch (error) {\n DEBUG_BUILD && logger.warn('[Replay] Failed to add events when switching buffers.', error);\n }\n }\n}\n\n/**\n * Create an event buffer for replays.\n */\nfunction createEventBuffer({\n useCompression,\n workerUrl: customWorkerUrl,\n}) {\n if (\n useCompression &&\n // eslint-disable-next-line no-restricted-globals\n window.Worker\n ) {\n const worker = _loadWorker(customWorkerUrl);\n\n if (worker) {\n return worker;\n }\n }\n\n logInfo('[Replay] Using simple buffer');\n return new EventBufferArray();\n}\n\nfunction _loadWorker(customWorkerUrl) {\n try {\n const workerUrl = customWorkerUrl || _getWorkerUrl();\n\n if (!workerUrl) {\n return;\n }\n\n logInfo(`[Replay] Using compression worker${customWorkerUrl ? ` from ${customWorkerUrl}` : ''}`);\n const worker = new Worker(workerUrl);\n return new EventBufferProxy(worker);\n } catch (error) {\n logInfo('[Replay] Failed to create compression worker');\n // Fall back to use simple event buffer array\n }\n}\n\nfunction _getWorkerUrl() {\n if (typeof __SENTRY_EXCLUDE_REPLAY_WORKER__ === 'undefined' || !__SENTRY_EXCLUDE_REPLAY_WORKER__) {\n return e();\n }\n\n return '';\n}\n\n/** If sessionStorage is available. */\nfunction hasSessionStorage() {\n try {\n // This can throw, e.g. when being accessed in a sandboxed iframe\n return 'sessionStorage' in WINDOW && !!WINDOW.sessionStorage;\n } catch (e) {\n return false;\n }\n}\n\n/**\n * Removes the session from Session Storage and unsets session in replay instance\n */\nfunction clearSession(replay) {\n deleteSession();\n replay.session = undefined;\n}\n\n/**\n * Deletes a session from storage\n */\nfunction deleteSession() {\n if (!hasSessionStorage()) {\n return;\n }\n\n try {\n WINDOW.sessionStorage.removeItem(REPLAY_SESSION_KEY);\n } catch (e) {\n // Ignore potential SecurityError exceptions\n }\n}\n\n/**\n * Given a sample rate, returns true if replay should be sampled.\n *\n * 1.0 = 100% sampling\n * 0.0 = 0% sampling\n */\nfunction isSampled(sampleRate) {\n if (sampleRate === undefined) {\n return false;\n }\n\n // Math.random() returns a number in range of 0 to 1 (inclusive of 0, but not 1)\n return Math.random() < sampleRate;\n}\n\n/**\n * Get a session with defaults & applied sampling.\n */\nfunction makeSession(session) {\n const now = Date.now();\n const id = session.id || uuid4();\n // Note that this means we cannot set a started/lastActivity of `0`, but this should not be relevant outside of tests.\n const started = session.started || now;\n const lastActivity = session.lastActivity || now;\n const segmentId = session.segmentId || 0;\n const sampled = session.sampled;\n const previousSessionId = session.previousSessionId;\n\n return {\n id,\n started,\n lastActivity,\n segmentId,\n sampled,\n previousSessionId,\n };\n}\n\n/**\n * Save a session to session storage.\n */\nfunction saveSession(session) {\n if (!hasSessionStorage()) {\n return;\n }\n\n try {\n WINDOW.sessionStorage.setItem(REPLAY_SESSION_KEY, JSON.stringify(session));\n } catch (e) {\n // Ignore potential SecurityError exceptions\n }\n}\n\n/**\n * Get the sampled status for a session based on sample rates & current sampled status.\n */\nfunction getSessionSampleType(sessionSampleRate, allowBuffering) {\n return isSampled(sessionSampleRate) ? 'session' : allowBuffering ? 'buffer' : false;\n}\n\n/**\n * Create a new session, which in its current implementation is a Sentry event\n * that all replays will be saved to as attachments. Currently, we only expect\n * one of these Sentry events per \"replay session\".\n */\nfunction createSession(\n { sessionSampleRate, allowBuffering, stickySession = false },\n { previousSessionId } = {},\n) {\n const sampled = getSessionSampleType(sessionSampleRate, allowBuffering);\n const session = makeSession({\n sampled,\n previousSessionId,\n });\n\n if (stickySession) {\n saveSession(session);\n }\n\n return session;\n}\n\n/**\n * Fetches a session from storage\n */\nfunction fetchSession(traceInternals) {\n if (!hasSessionStorage()) {\n return null;\n }\n\n try {\n // This can throw if cookies are disabled\n const sessionStringFromStorage = WINDOW.sessionStorage.getItem(REPLAY_SESSION_KEY);\n\n if (!sessionStringFromStorage) {\n return null;\n }\n\n const sessionObj = JSON.parse(sessionStringFromStorage) ;\n\n logInfoNextTick('[Replay] Loading existing session', traceInternals);\n\n return makeSession(sessionObj);\n } catch (e) {\n return null;\n }\n}\n\n/**\n * Given an initial timestamp and an expiry duration, checks to see if current\n * time should be considered as expired.\n */\nfunction isExpired(\n initialTime,\n expiry,\n targetTime = +new Date(),\n) {\n // Always expired if < 0\n if (initialTime === null || expiry === undefined || expiry < 0) {\n return true;\n }\n\n // Never expires if == 0\n if (expiry === 0) {\n return false;\n }\n\n return initialTime + expiry <= targetTime;\n}\n\n/**\n * Checks to see if session is expired\n */\nfunction isSessionExpired(\n session,\n {\n maxReplayDuration,\n sessionIdleExpire,\n targetTime = Date.now(),\n },\n) {\n return (\n // First, check that maximum session length has not been exceeded\n isExpired(session.started, maxReplayDuration, targetTime) ||\n // check that the idle timeout has not been exceeded (i.e. user has\n // performed an action within the last `sessionIdleExpire` ms)\n isExpired(session.lastActivity, sessionIdleExpire, targetTime)\n );\n}\n\n/** If the session should be refreshed or not. */\nfunction shouldRefreshSession(\n session,\n { sessionIdleExpire, maxReplayDuration },\n) {\n // If not expired, all good, just keep the session\n if (!isSessionExpired(session, { sessionIdleExpire, maxReplayDuration })) {\n return false;\n }\n\n // If we are buffering & haven't ever flushed yet, always continue\n if (session.sampled === 'buffer' && session.segmentId === 0) {\n return false;\n }\n\n return true;\n}\n\n/**\n * Get or create a session, when initializing the replay.\n * Returns a session that may be unsampled.\n */\nfunction loadOrCreateSession(\n {\n traceInternals,\n sessionIdleExpire,\n maxReplayDuration,\n previousSessionId,\n }\n\n,\n sessionOptions,\n) {\n const existingSession = sessionOptions.stickySession && fetchSession(traceInternals);\n\n // No session exists yet, just create a new one\n if (!existingSession) {\n logInfoNextTick('[Replay] Creating new session', traceInternals);\n return createSession(sessionOptions, { previousSessionId });\n }\n\n if (!shouldRefreshSession(existingSession, { sessionIdleExpire, maxReplayDuration })) {\n return existingSession;\n }\n\n logInfoNextTick('[Replay] Session in sessionStorage is expired, creating new one...');\n return createSession(sessionOptions, { previousSessionId: existingSession.id });\n}\n\nfunction isCustomEvent(event) {\n return event.type === EventType.Custom;\n}\n\n/**\n * Add an event to the event buffer.\n * In contrast to `addEvent`, this does not return a promise & does not wait for the adding of the event to succeed/fail.\n * Instead this returns `true` if we tried to add the event, else false.\n * It returns `false` e.g. if we are paused, disabled, or out of the max replay duration.\n *\n * `isCheckout` is true if this is either the very first event, or an event triggered by `checkoutEveryNms`.\n */\nfunction addEventSync(replay, event, isCheckout) {\n if (!shouldAddEvent(replay, event)) {\n return false;\n }\n\n // This should never reject\n // eslint-disable-next-line @typescript-eslint/no-floating-promises\n _addEvent(replay, event, isCheckout);\n\n return true;\n}\n\n/**\n * Add an event to the event buffer.\n * Resolves to `null` if no event was added, else to `void`.\n *\n * `isCheckout` is true if this is either the very first event, or an event triggered by `checkoutEveryNms`.\n */\nfunction addEvent(\n replay,\n event,\n isCheckout,\n) {\n if (!shouldAddEvent(replay, event)) {\n return Promise.resolve(null);\n }\n\n return _addEvent(replay, event, isCheckout);\n}\n\nasync function _addEvent(\n replay,\n event,\n isCheckout,\n) {\n if (!replay.eventBuffer) {\n return null;\n }\n\n try {\n if (isCheckout && replay.recordingMode === 'buffer') {\n replay.eventBuffer.clear();\n }\n\n if (isCheckout) {\n replay.eventBuffer.hasCheckout = true;\n }\n\n const replayOptions = replay.getOptions();\n\n const eventAfterPossibleCallback = maybeApplyCallback(event, replayOptions.beforeAddRecordingEvent);\n\n if (!eventAfterPossibleCallback) {\n return;\n }\n\n return await replay.eventBuffer.addEvent(eventAfterPossibleCallback);\n } catch (error) {\n const reason = error && error instanceof EventBufferSizeExceededError ? 'addEventSizeExceeded' : 'addEvent';\n\n DEBUG_BUILD && logger.error(error);\n await replay.stop({ reason });\n\n const client = getClient();\n\n if (client) {\n client.recordDroppedEvent('internal_sdk_error', 'replay');\n }\n }\n}\n\n/** Exported only for tests. */\nfunction shouldAddEvent(replay, event) {\n if (!replay.eventBuffer || replay.isPaused() || !replay.isEnabled()) {\n return false;\n }\n\n const timestampInMs = timestampToMs(event.timestamp);\n\n // Throw out events that happen more than 5 minutes ago. This can happen if\n // page has been left open and idle for a long period of time and user\n // comes back to trigger a new session. The performance entries rely on\n // `performance.timeOrigin`, which is when the page first opened.\n if (timestampInMs + replay.timeouts.sessionIdlePause < Date.now()) {\n return false;\n }\n\n // Throw out events that are +60min from the initial timestamp\n if (timestampInMs > replay.getContext().initialTimestamp + replay.getOptions().maxReplayDuration) {\n logInfo(\n `[Replay] Skipping event with timestamp ${timestampInMs} because it is after maxReplayDuration`,\n replay.getOptions()._experiments.traceInternals,\n );\n return false;\n }\n\n return true;\n}\n\nfunction maybeApplyCallback(\n event,\n callback,\n) {\n try {\n if (typeof callback === 'function' && isCustomEvent(event)) {\n return callback(event);\n }\n } catch (error) {\n DEBUG_BUILD &&\n logger.error('[Replay] An error occured in the `beforeAddRecordingEvent` callback, skipping the event...', error);\n return null;\n }\n\n return event;\n}\n\n/** If the event is an error event */\nfunction isErrorEvent(event) {\n return !event.type;\n}\n\n/** If the event is a transaction event */\nfunction isTransactionEvent(event) {\n return event.type === 'transaction';\n}\n\n/** If the event is an replay event */\nfunction isReplayEvent(event) {\n return event.type === 'replay_event';\n}\n\n/** If the event is a feedback event */\nfunction isFeedbackEvent(event) {\n return event.type === 'feedback';\n}\n\n/**\n * Returns a listener to be added to `client.on('afterSendErrorEvent, listener)`.\n */\nfunction handleAfterSendEvent(replay) {\n // Custom transports may still be returning `Promise`, which means we cannot expect the status code to be available there\n // TODO (v8): remove this check as it will no longer be necessary\n const enforceStatusCode = isBaseTransportSend();\n\n return (event, sendResponse) => {\n if (!replay.isEnabled() || (!isErrorEvent(event) && !isTransactionEvent(event))) {\n return;\n }\n\n const statusCode = sendResponse && sendResponse.statusCode;\n\n // We only want to do stuff on successful error sending, otherwise you get error replays without errors attached\n // If not using the base transport, we allow `undefined` response (as a custom transport may not implement this correctly yet)\n // If we do use the base transport, we skip if we encountered an non-OK status code\n if (enforceStatusCode && (!statusCode || statusCode < 200 || statusCode >= 300)) {\n return;\n }\n\n if (isTransactionEvent(event)) {\n handleTransactionEvent(replay, event);\n return;\n }\n\n handleErrorEvent(replay, event);\n };\n}\n\nfunction handleTransactionEvent(replay, event) {\n const replayContext = replay.getContext();\n\n // Collect traceIds in _context regardless of `recordingMode`\n // In error mode, _context gets cleared on every checkout\n // We limit to max. 100 transactions linked\n if (event.contexts && event.contexts.trace && event.contexts.trace.trace_id && replayContext.traceIds.size < 100) {\n replayContext.traceIds.add(event.contexts.trace.trace_id );\n }\n}\n\nfunction handleErrorEvent(replay, event) {\n const replayContext = replay.getContext();\n\n // Add error to list of errorIds of replay. This is ok to do even if not\n // sampled because context will get reset at next checkout.\n // XXX: There is also a race condition where it's possible to capture an\n // error to Sentry before Replay SDK has loaded, but response returns after\n // it was loaded, and this gets called.\n // We limit to max. 100 errors linked\n if (event.event_id && replayContext.errorIds.size < 100) {\n replayContext.errorIds.add(event.event_id);\n }\n\n // If error event is tagged with replay id it means it was sampled (when in buffer mode)\n // Need to be very careful that this does not cause an infinite loop\n if (replay.recordingMode !== 'buffer' || !event.tags || !event.tags.replayId) {\n return;\n }\n\n const { beforeErrorSampling } = replay.getOptions();\n if (typeof beforeErrorSampling === 'function' && !beforeErrorSampling(event)) {\n return;\n }\n\n setTimeout(() => {\n // Capture current event buffer as new replay\n // This should never reject\n // eslint-disable-next-line @typescript-eslint/no-floating-promises\n replay.sendBufferedReplayOrFlush();\n });\n}\n\nfunction isBaseTransportSend() {\n const client = getClient();\n if (!client) {\n return false;\n }\n\n const transport = client.getTransport();\n if (!transport) {\n return false;\n }\n\n return (\n (transport.send ).__sentry__baseTransport__ || false\n );\n}\n\n/**\n * Returns a listener to be added to `client.on('afterSendErrorEvent, listener)`.\n */\nfunction handleBeforeSendEvent(replay) {\n return (event) => {\n if (!replay.isEnabled() || !isErrorEvent(event)) {\n return;\n }\n\n handleHydrationError(replay, event);\n };\n}\n\nfunction handleHydrationError(replay, event) {\n const exceptionValue = event.exception && event.exception.values && event.exception.values[0].value;\n if (typeof exceptionValue !== 'string') {\n return;\n }\n\n if (\n // Only matches errors in production builds of react-dom\n // Example https://reactjs.org/docs/error-decoder.html?invariant=423\n exceptionValue.match(/reactjs\\.org\\/docs\\/error-decoder\\.html\\?invariant=(418|419|422|423|425)/) ||\n // Development builds of react-dom\n // Error 1: Hydration failed because the initial UI does not match what was rendered on the server.\n // Error 2: Text content does not match server-rendered HTML. Warning: Text content did not match.\n exceptionValue.match(/(does not match server-rendered HTML|Hydration failed because)/i)\n ) {\n const breadcrumb = createBreadcrumb({\n category: 'replay.hydrate-error',\n });\n addBreadcrumbEvent(replay, breadcrumb);\n }\n}\n\n/**\n * Returns true if we think the given event is an error originating inside of rrweb.\n */\nfunction isRrwebError(event, hint) {\n if (event.type || !event.exception || !event.exception.values || !event.exception.values.length) {\n return false;\n }\n\n // @ts-expect-error this may be set by rrweb when it finds errors\n if (hint.originalException && hint.originalException.__rrweb__) {\n return true;\n }\n\n return false;\n}\n\n/**\n * Add a feedback breadcrumb event to replay.\n */\nfunction addFeedbackBreadcrumb(replay, event) {\n replay.triggerUserActivity();\n replay.addUpdate(() => {\n if (!event.timestamp) {\n // Ignore events that don't have timestamps (this shouldn't happen, more of a typing issue)\n // Return true here so that we don't flush\n return true;\n }\n\n // This should never reject\n // eslint-disable-next-line @typescript-eslint/no-floating-promises\n replay.throttledAddEvent({\n type: EventType.Custom,\n timestamp: event.timestamp * 1000,\n data: {\n tag: 'breadcrumb',\n payload: {\n timestamp: event.timestamp,\n type: 'default',\n category: 'sentry.feedback',\n data: {\n feedbackId: event.event_id,\n },\n },\n },\n } );\n\n return false;\n });\n}\n\n/**\n * Determine if event should be sampled (only applies in buffer mode).\n * When an event is captured by `hanldleGlobalEvent`, when in buffer mode\n * we determine if we want to sample the error or not.\n */\nfunction shouldSampleForBufferEvent(replay, event) {\n if (replay.recordingMode !== 'buffer') {\n return false;\n }\n\n // ignore this error because otherwise we could loop indefinitely with\n // trying to capture replay and failing\n if (event.message === UNABLE_TO_SEND_REPLAY) {\n return false;\n }\n\n // Require the event to be an error event & to have an exception\n if (!event.exception || event.type) {\n return false;\n }\n\n return isSampled(replay.getOptions().errorSampleRate);\n}\n\n/**\n * Returns a listener to be added to `addEventProcessor(listener)`.\n */\nfunction handleGlobalEventListener(\n replay,\n includeAfterSendEventHandling = false,\n) {\n const afterSendHandler = includeAfterSendEventHandling ? handleAfterSendEvent(replay) : undefined;\n\n return Object.assign(\n (event, hint) => {\n // Do nothing if replay has been disabled\n if (!replay.isEnabled()) {\n return event;\n }\n\n if (isReplayEvent(event)) {\n // Replays have separate set of breadcrumbs, do not include breadcrumbs\n // from core SDK\n delete event.breadcrumbs;\n return event;\n }\n\n // We only want to handle errors, transactions, and feedbacks, nothing else\n if (!isErrorEvent(event) && !isTransactionEvent(event) && !isFeedbackEvent(event)) {\n return event;\n }\n\n // Ensure we do not add replay_id if the session is expired\n const isSessionActive = replay.checkAndHandleExpiredSession();\n if (!isSessionActive) {\n return event;\n }\n\n if (isFeedbackEvent(event)) {\n // This should never reject\n // eslint-disable-next-line @typescript-eslint/no-floating-promises\n replay.flush();\n event.contexts.feedback.replay_id = replay.getSessionId();\n // Add a replay breadcrumb for this piece of feedback\n addFeedbackBreadcrumb(replay, event);\n return event;\n }\n\n // Unless `captureExceptions` is enabled, we want to ignore errors coming from rrweb\n // As there can be a bunch of stuff going wrong in internals there, that we don't want to bubble up to users\n if (isRrwebError(event, hint) && !replay.getOptions()._experiments.captureExceptions) {\n DEBUG_BUILD && logger.log('[Replay] Ignoring error from rrweb internals', event);\n return null;\n }\n\n // When in buffer mode, we decide to sample here.\n // Later, in `handleAfterSendEvent`, if the replayId is set, we know that we sampled\n // And convert the buffer session to a full session\n const isErrorEventSampled = shouldSampleForBufferEvent(replay, event);\n\n // Tag errors if it has been sampled in buffer mode, or if it is session mode\n // Only tag transactions if in session mode\n const shouldTagReplayId = isErrorEventSampled || replay.recordingMode === 'session';\n\n if (shouldTagReplayId) {\n event.tags = { ...event.tags, replayId: replay.getSessionId() };\n }\n\n // In cases where a custom client is used that does not support the new hooks (yet),\n // we manually call this hook method here\n if (afterSendHandler) {\n // Pretend the error had a 200 response so we always capture it\n afterSendHandler(event, { statusCode: 200 });\n }\n\n return event;\n },\n { id: 'Replay' },\n );\n}\n\n/**\n * Create a \"span\" for each performance entry.\n */\nfunction createPerformanceSpans(\n replay,\n entries,\n) {\n return entries.map(({ type, start, end, name, data }) => {\n const response = replay.throttledAddEvent({\n type: EventType.Custom,\n timestamp: start,\n data: {\n tag: 'performanceSpan',\n payload: {\n op: type,\n description: name,\n startTimestamp: start,\n endTimestamp: end,\n data,\n },\n },\n });\n\n // If response is a string, it means its either THROTTLED or SKIPPED\n return typeof response === 'string' ? Promise.resolve(null) : response;\n });\n}\n\nfunction handleHistory(handlerData) {\n const { from, to } = handlerData;\n\n const now = Date.now() / 1000;\n\n return {\n type: 'navigation.push',\n start: now,\n end: now,\n name: to,\n data: {\n previous: from,\n },\n };\n}\n\n/**\n * Returns a listener to be added to `addHistoryInstrumentationHandler(listener)`.\n */\nfunction handleHistorySpanListener(replay) {\n return (handlerData) => {\n if (!replay.isEnabled()) {\n return;\n }\n\n const result = handleHistory(handlerData);\n\n if (result === null) {\n return;\n }\n\n // Need to collect visited URLs\n replay.getContext().urls.push(result.name);\n replay.triggerUserActivity();\n\n replay.addUpdate(() => {\n createPerformanceSpans(replay, [result]);\n // Returning false to flush\n return false;\n });\n };\n}\n\n/**\n * Check whether a given request URL should be filtered out. This is so we\n * don't log Sentry ingest requests.\n */\nfunction shouldFilterRequest(replay, url) {\n // If we enabled the `traceInternals` experiment, we want to trace everything\n if (DEBUG_BUILD && replay.getOptions()._experiments.traceInternals) {\n return false;\n }\n\n return isSentryRequestUrl(url, getClient());\n}\n\n/** Add a performance entry breadcrumb */\nfunction addNetworkBreadcrumb(\n replay,\n result,\n) {\n if (!replay.isEnabled()) {\n return;\n }\n\n if (result === null) {\n return;\n }\n\n if (shouldFilterRequest(replay, result.name)) {\n return;\n }\n\n replay.addUpdate(() => {\n createPerformanceSpans(replay, [result]);\n // Returning true will cause `addUpdate` to not flush\n // We do not want network requests to cause a flush. This will prevent\n // recurring/polling requests from keeping the replay session alive.\n return true;\n });\n}\n\n/** only exported for tests */\nfunction handleFetch(handlerData) {\n const { startTimestamp, endTimestamp, fetchData, response } = handlerData;\n\n if (!endTimestamp) {\n return null;\n }\n\n // This is only used as a fallback, so we know the body sizes are never set here\n const { method, url } = fetchData;\n\n return {\n type: 'resource.fetch',\n start: startTimestamp / 1000,\n end: endTimestamp / 1000,\n name: url,\n data: {\n method,\n statusCode: response ? (response ).status : undefined,\n },\n };\n}\n\n/**\n * Returns a listener to be added to `addFetchInstrumentationHandler(listener)`.\n */\nfunction handleFetchSpanListener(replay) {\n return (handlerData) => {\n if (!replay.isEnabled()) {\n return;\n }\n\n const result = handleFetch(handlerData);\n\n addNetworkBreadcrumb(replay, result);\n };\n}\n\n/** only exported for tests */\nfunction handleXhr(handlerData) {\n const { startTimestamp, endTimestamp, xhr } = handlerData;\n\n const sentryXhrData = xhr[SENTRY_XHR_DATA_KEY];\n\n if (!startTimestamp || !endTimestamp || !sentryXhrData) {\n return null;\n }\n\n // This is only used as a fallback, so we know the body sizes are never set here\n const { method, url, status_code: statusCode } = sentryXhrData;\n\n if (url === undefined) {\n return null;\n }\n\n return {\n type: 'resource.xhr',\n name: url,\n start: startTimestamp / 1000,\n end: endTimestamp / 1000,\n data: {\n method,\n statusCode,\n },\n };\n}\n\n/**\n * Returns a listener to be added to `addXhrInstrumentationHandler(listener)`.\n */\nfunction handleXhrSpanListener(replay) {\n return (handlerData) => {\n if (!replay.isEnabled()) {\n return;\n }\n\n const result = handleXhr(handlerData);\n\n addNetworkBreadcrumb(replay, result);\n };\n}\n\n/** Get the size of a body. */\nfunction getBodySize(\n body,\n textEncoder,\n) {\n if (!body) {\n return undefined;\n }\n\n try {\n if (typeof body === 'string') {\n return textEncoder.encode(body).length;\n }\n\n if (body instanceof URLSearchParams) {\n return textEncoder.encode(body.toString()).length;\n }\n\n if (body instanceof FormData) {\n const formDataStr = _serializeFormData(body);\n return textEncoder.encode(formDataStr).length;\n }\n\n if (body instanceof Blob) {\n return body.size;\n }\n\n if (body instanceof ArrayBuffer) {\n return body.byteLength;\n }\n\n // Currently unhandled types: ArrayBufferView, ReadableStream\n } catch (e) {\n // just return undefined\n }\n\n return undefined;\n}\n\n/** Convert a Content-Length header to number/undefined. */\nfunction parseContentLengthHeader(header) {\n if (!header) {\n return undefined;\n }\n\n const size = parseInt(header, 10);\n return isNaN(size) ? undefined : size;\n}\n\n/** Get the string representation of a body. */\nfunction getBodyString(body) {\n try {\n if (typeof body === 'string') {\n return [body];\n }\n\n if (body instanceof URLSearchParams) {\n return [body.toString()];\n }\n\n if (body instanceof FormData) {\n return [_serializeFormData(body)];\n }\n\n if (!body) {\n return [undefined];\n }\n } catch (e2) {\n DEBUG_BUILD && logger.warn('[Replay] Failed to serialize body', body);\n return [undefined, 'BODY_PARSE_ERROR'];\n }\n\n DEBUG_BUILD && logger.info('[Replay] Skipping network body because of body type', body);\n\n return [undefined, 'UNPARSEABLE_BODY_TYPE'];\n}\n\n/** Merge a warning into an existing network request/response. */\nfunction mergeWarning(\n info,\n warning,\n) {\n if (!info) {\n return {\n headers: {},\n size: undefined,\n _meta: {\n warnings: [warning],\n },\n };\n }\n\n const newMeta = { ...info._meta };\n const existingWarnings = newMeta.warnings || [];\n newMeta.warnings = [...existingWarnings, warning];\n\n info._meta = newMeta;\n return info;\n}\n\n/** Convert ReplayNetworkRequestData to a PerformanceEntry. */\nfunction makeNetworkReplayBreadcrumb(\n type,\n data,\n) {\n if (!data) {\n return null;\n }\n\n const { startTimestamp, endTimestamp, url, method, statusCode, request, response } = data;\n\n const result = {\n type,\n start: startTimestamp / 1000,\n end: endTimestamp / 1000,\n name: url,\n data: dropUndefinedKeys({\n method,\n statusCode,\n request,\n response,\n }),\n };\n\n return result;\n}\n\n/** Build the request or response part of a replay network breadcrumb that was skipped. */\nfunction buildSkippedNetworkRequestOrResponse(bodySize) {\n return {\n headers: {},\n size: bodySize,\n _meta: {\n warnings: ['URL_SKIPPED'],\n },\n };\n}\n\n/** Build the request or response part of a replay network breadcrumb. */\nfunction buildNetworkRequestOrResponse(\n headers,\n bodySize,\n body,\n) {\n if (!bodySize && Object.keys(headers).length === 0) {\n return undefined;\n }\n\n if (!bodySize) {\n return {\n headers,\n };\n }\n\n if (!body) {\n return {\n headers,\n size: bodySize,\n };\n }\n\n const info = {\n headers,\n size: bodySize,\n };\n\n const { body: normalizedBody, warnings } = normalizeNetworkBody(body);\n info.body = normalizedBody;\n if (warnings && warnings.length > 0) {\n info._meta = {\n warnings,\n };\n }\n\n return info;\n}\n\n/** Filter a set of headers */\nfunction getAllowedHeaders(headers, allowedHeaders) {\n return Object.keys(headers).reduce((filteredHeaders, key) => {\n const normalizedKey = key.toLowerCase();\n // Avoid putting empty strings into the headers\n if (allowedHeaders.includes(normalizedKey) && headers[key]) {\n filteredHeaders[normalizedKey] = headers[key];\n }\n return filteredHeaders;\n }, {});\n}\n\nfunction _serializeFormData(formData) {\n // This is a bit simplified, but gives us a decent estimate\n // This converts e.g. { name: 'Anne Smith', age: 13 } to 'name=Anne+Smith&age=13'\n // @ts-expect-error passing FormData to URLSearchParams actually works\n return new URLSearchParams(formData).toString();\n}\n\nfunction normalizeNetworkBody(body)\n\n {\n if (!body || typeof body !== 'string') {\n return {\n body,\n };\n }\n\n const exceedsSizeLimit = body.length > NETWORK_BODY_MAX_SIZE;\n const isProbablyJson = _strIsProbablyJson(body);\n\n if (exceedsSizeLimit) {\n const truncatedBody = body.slice(0, NETWORK_BODY_MAX_SIZE);\n\n if (isProbablyJson) {\n return {\n body: truncatedBody,\n warnings: ['MAYBE_JSON_TRUNCATED'],\n };\n }\n\n return {\n body: `${truncatedBody}…`,\n warnings: ['TEXT_TRUNCATED'],\n };\n }\n\n if (isProbablyJson) {\n try {\n const jsonBody = JSON.parse(body);\n return {\n body: jsonBody,\n };\n } catch (e3) {\n // fall back to just send the body as string\n }\n }\n\n return {\n body,\n };\n}\n\nfunction _strIsProbablyJson(str) {\n const first = str[0];\n const last = str[str.length - 1];\n\n // Simple check: If this does not start & end with {} or [], it's not JSON\n return (first === '[' && last === ']') || (first === '{' && last === '}');\n}\n\n/** Match an URL against a list of strings/Regex. */\nfunction urlMatches(url, urls) {\n const fullUrl = getFullUrl(url);\n\n return stringMatchesSomePattern(fullUrl, urls);\n}\n\n/** exported for tests */\nfunction getFullUrl(url, baseURI = WINDOW.document.baseURI) {\n // Short circuit for common cases:\n if (url.startsWith('http://') || url.startsWith('https://') || url.startsWith(WINDOW.location.origin)) {\n return url;\n }\n const fixedUrl = new URL(url, baseURI);\n\n // If these do not match, we are not dealing with a relative URL, so just return it\n if (fixedUrl.origin !== new URL(baseURI).origin) {\n return url;\n }\n\n const fullUrl = fixedUrl.href;\n\n // Remove trailing slashes, if they don't match the original URL\n if (!url.endsWith('/') && fullUrl.endsWith('/')) {\n return fullUrl.slice(0, -1);\n }\n\n return fullUrl;\n}\n\n/**\n * Capture a fetch breadcrumb to a replay.\n * This adds additional data (where approriate).\n */\nasync function captureFetchBreadcrumbToReplay(\n breadcrumb,\n hint,\n options\n\n,\n) {\n try {\n const data = await _prepareFetchData(breadcrumb, hint, options);\n\n // Create a replay performance entry from this breadcrumb\n const result = makeNetworkReplayBreadcrumb('resource.fetch', data);\n addNetworkBreadcrumb(options.replay, result);\n } catch (error) {\n DEBUG_BUILD && logger.error('[Replay] Failed to capture fetch breadcrumb', error);\n }\n}\n\n/**\n * Enrich a breadcrumb with additional data.\n * This has to be sync & mutate the given breadcrumb,\n * as the breadcrumb is afterwards consumed by other handlers.\n */\nfunction enrichFetchBreadcrumb(\n breadcrumb,\n hint,\n options,\n) {\n const { input, response } = hint;\n\n const body = input ? _getFetchRequestArgBody(input) : undefined;\n const reqSize = getBodySize(body, options.textEncoder);\n\n const resSize = response ? parseContentLengthHeader(response.headers.get('content-length')) : undefined;\n\n if (reqSize !== undefined) {\n breadcrumb.data.request_body_size = reqSize;\n }\n if (resSize !== undefined) {\n breadcrumb.data.response_body_size = resSize;\n }\n}\n\nasync function _prepareFetchData(\n breadcrumb,\n hint,\n options\n\n,\n) {\n const now = Date.now();\n const { startTimestamp = now, endTimestamp = now } = hint;\n\n const {\n url,\n method,\n status_code: statusCode = 0,\n request_body_size: requestBodySize,\n response_body_size: responseBodySize,\n } = breadcrumb.data;\n\n const captureDetails =\n urlMatches(url, options.networkDetailAllowUrls) && !urlMatches(url, options.networkDetailDenyUrls);\n\n const request = captureDetails\n ? _getRequestInfo(options, hint.input, requestBodySize)\n : buildSkippedNetworkRequestOrResponse(requestBodySize);\n const response = await _getResponseInfo(captureDetails, options, hint.response, responseBodySize);\n\n return {\n startTimestamp,\n endTimestamp,\n url,\n method,\n statusCode,\n request,\n response,\n };\n}\n\nfunction _getRequestInfo(\n { networkCaptureBodies, networkRequestHeaders },\n input,\n requestBodySize,\n) {\n const headers = input ? getRequestHeaders(input, networkRequestHeaders) : {};\n\n if (!networkCaptureBodies) {\n return buildNetworkRequestOrResponse(headers, requestBodySize, undefined);\n }\n\n // We only want to transmit string or string-like bodies\n const requestBody = _getFetchRequestArgBody(input);\n const [bodyStr, warning] = getBodyString(requestBody);\n const data = buildNetworkRequestOrResponse(headers, requestBodySize, bodyStr);\n\n if (warning) {\n return mergeWarning(data, warning);\n }\n\n return data;\n}\n\n/** Exported only for tests. */\nasync function _getResponseInfo(\n captureDetails,\n {\n networkCaptureBodies,\n textEncoder,\n networkResponseHeaders,\n }\n\n,\n response,\n responseBodySize,\n) {\n if (!captureDetails && responseBodySize !== undefined) {\n return buildSkippedNetworkRequestOrResponse(responseBodySize);\n }\n\n const headers = response ? getAllHeaders(response.headers, networkResponseHeaders) : {};\n\n if (!response || (!networkCaptureBodies && responseBodySize !== undefined)) {\n return buildNetworkRequestOrResponse(headers, responseBodySize, undefined);\n }\n\n const [bodyText, warning] = await _parseFetchResponseBody(response);\n const result = getResponseData(bodyText, {\n networkCaptureBodies,\n textEncoder,\n responseBodySize,\n captureDetails,\n headers,\n });\n\n if (warning) {\n return mergeWarning(result, warning);\n }\n\n return result;\n}\n\nfunction getResponseData(\n bodyText,\n {\n networkCaptureBodies,\n textEncoder,\n responseBodySize,\n captureDetails,\n headers,\n }\n\n,\n) {\n try {\n const size =\n bodyText && bodyText.length && responseBodySize === undefined\n ? getBodySize(bodyText, textEncoder)\n : responseBodySize;\n\n if (!captureDetails) {\n return buildSkippedNetworkRequestOrResponse(size);\n }\n\n if (networkCaptureBodies) {\n return buildNetworkRequestOrResponse(headers, size, bodyText);\n }\n\n return buildNetworkRequestOrResponse(headers, size, undefined);\n } catch (error) {\n DEBUG_BUILD && logger.warn('[Replay] Failed to serialize response body', error);\n // fallback\n return buildNetworkRequestOrResponse(headers, responseBodySize, undefined);\n }\n}\n\nasync function _parseFetchResponseBody(response) {\n const res = _tryCloneResponse(response);\n\n if (!res) {\n return [undefined, 'BODY_PARSE_ERROR'];\n }\n\n try {\n const text = await _tryGetResponseText(res);\n return [text];\n } catch (error) {\n DEBUG_BUILD && logger.warn('[Replay] Failed to get text body from response', error);\n return [undefined, 'BODY_PARSE_ERROR'];\n }\n}\n\nfunction _getFetchRequestArgBody(fetchArgs = []) {\n // We only support getting the body from the fetch options\n if (fetchArgs.length !== 2 || typeof fetchArgs[1] !== 'object') {\n return undefined;\n }\n\n return (fetchArgs[1] ).body;\n}\n\nfunction getAllHeaders(headers, allowedHeaders) {\n const allHeaders = {};\n\n allowedHeaders.forEach(header => {\n if (headers.get(header)) {\n allHeaders[header] = headers.get(header) ;\n }\n });\n\n return allHeaders;\n}\n\nfunction getRequestHeaders(fetchArgs, allowedHeaders) {\n if (fetchArgs.length === 1 && typeof fetchArgs[0] !== 'string') {\n return getHeadersFromOptions(fetchArgs[0] , allowedHeaders);\n }\n\n if (fetchArgs.length === 2) {\n return getHeadersFromOptions(fetchArgs[1] , allowedHeaders);\n }\n\n return {};\n}\n\nfunction getHeadersFromOptions(\n input,\n allowedHeaders,\n) {\n if (!input) {\n return {};\n }\n\n const headers = input.headers;\n\n if (!headers) {\n return {};\n }\n\n if (headers instanceof Headers) {\n return getAllHeaders(headers, allowedHeaders);\n }\n\n // We do not support this, as it is not really documented (anymore?)\n if (Array.isArray(headers)) {\n return {};\n }\n\n return getAllowedHeaders(headers, allowedHeaders);\n}\n\nfunction _tryCloneResponse(response) {\n try {\n // We have to clone this, as the body can only be read once\n return response.clone();\n } catch (error) {\n // this can throw if the response was already consumed before\n DEBUG_BUILD && logger.warn('[Replay] Failed to clone response body', error);\n }\n}\n\n/**\n * Get the response body of a fetch request, or timeout after 500ms.\n * Fetch can return a streaming body, that may not resolve (or not for a long time).\n * If that happens, we rather abort after a short time than keep waiting for this.\n */\nfunction _tryGetResponseText(response) {\n return new Promise((resolve, reject) => {\n const timeout = setTimeout(() => reject(new Error('Timeout while trying to read response body')), 500);\n\n _getResponseText(response)\n .then(\n txt => resolve(txt),\n reason => reject(reason),\n )\n .finally(() => clearTimeout(timeout));\n });\n}\n\nasync function _getResponseText(response) {\n // Force this to be a promise, just to be safe\n // eslint-disable-next-line no-return-await\n return await response.text();\n}\n\n/**\n * Capture an XHR breadcrumb to a replay.\n * This adds additional data (where approriate).\n */\nasync function captureXhrBreadcrumbToReplay(\n breadcrumb,\n hint,\n options,\n) {\n try {\n const data = _prepareXhrData(breadcrumb, hint, options);\n\n // Create a replay performance entry from this breadcrumb\n const result = makeNetworkReplayBreadcrumb('resource.xhr', data);\n addNetworkBreadcrumb(options.replay, result);\n } catch (error) {\n DEBUG_BUILD && logger.error('[Replay] Failed to capture xhr breadcrumb', error);\n }\n}\n\n/**\n * Enrich a breadcrumb with additional data.\n * This has to be sync & mutate the given breadcrumb,\n * as the breadcrumb is afterwards consumed by other handlers.\n */\nfunction enrichXhrBreadcrumb(\n breadcrumb,\n hint,\n options,\n) {\n const { xhr, input } = hint;\n\n if (!xhr) {\n return;\n }\n\n const reqSize = getBodySize(input, options.textEncoder);\n const resSize = xhr.getResponseHeader('content-length')\n ? parseContentLengthHeader(xhr.getResponseHeader('content-length'))\n : _getBodySize(xhr.response, xhr.responseType, options.textEncoder);\n\n if (reqSize !== undefined) {\n breadcrumb.data.request_body_size = reqSize;\n }\n if (resSize !== undefined) {\n breadcrumb.data.response_body_size = resSize;\n }\n}\n\nfunction _prepareXhrData(\n breadcrumb,\n hint,\n options,\n) {\n const now = Date.now();\n const { startTimestamp = now, endTimestamp = now, input, xhr } = hint;\n\n const {\n url,\n method,\n status_code: statusCode = 0,\n request_body_size: requestBodySize,\n response_body_size: responseBodySize,\n } = breadcrumb.data;\n\n if (!url) {\n return null;\n }\n\n if (!xhr || !urlMatches(url, options.networkDetailAllowUrls) || urlMatches(url, options.networkDetailDenyUrls)) {\n const request = buildSkippedNetworkRequestOrResponse(requestBodySize);\n const response = buildSkippedNetworkRequestOrResponse(responseBodySize);\n return {\n startTimestamp,\n endTimestamp,\n url,\n method,\n statusCode,\n request,\n response,\n };\n }\n\n const xhrInfo = xhr[SENTRY_XHR_DATA_KEY];\n const networkRequestHeaders = xhrInfo\n ? getAllowedHeaders(xhrInfo.request_headers, options.networkRequestHeaders)\n : {};\n const networkResponseHeaders = getAllowedHeaders(getResponseHeaders(xhr), options.networkResponseHeaders);\n\n const [requestBody, requestWarning] = options.networkCaptureBodies ? getBodyString(input) : [undefined];\n const [responseBody, responseWarning] = options.networkCaptureBodies ? _getXhrResponseBody(xhr) : [undefined];\n\n const request = buildNetworkRequestOrResponse(networkRequestHeaders, requestBodySize, requestBody);\n const response = buildNetworkRequestOrResponse(networkResponseHeaders, responseBodySize, responseBody);\n\n return {\n startTimestamp,\n endTimestamp,\n url,\n method,\n statusCode,\n request: requestWarning ? mergeWarning(request, requestWarning) : request,\n response: responseWarning ? mergeWarning(response, responseWarning) : response,\n };\n}\n\nfunction getResponseHeaders(xhr) {\n const headers = xhr.getAllResponseHeaders();\n\n if (!headers) {\n return {};\n }\n\n return headers.split('\\r\\n').reduce((acc, line) => {\n const [key, value] = line.split(': ');\n acc[key.toLowerCase()] = value;\n return acc;\n }, {});\n}\n\nfunction _getXhrResponseBody(xhr) {\n // We collect errors that happen, but only log them if we can't get any response body\n const errors = [];\n\n try {\n return [xhr.responseText];\n } catch (e) {\n errors.push(e);\n }\n\n // Try to manually parse the response body, if responseText fails\n try {\n return _parseXhrResponse(xhr.response, xhr.responseType);\n } catch (e) {\n errors.push(e);\n }\n\n DEBUG_BUILD && logger.warn('[Replay] Failed to get xhr response body', ...errors);\n\n return [undefined];\n}\n\n/**\n * Get the string representation of the XHR response.\n * Based on MDN, these are the possible types of the response:\n * string\n * ArrayBuffer\n * Blob\n * Document\n * POJO\n *\n * Exported only for tests.\n */\nfunction _parseXhrResponse(\n body,\n responseType,\n) {\n try {\n if (typeof body === 'string') {\n return [body];\n }\n\n if (body instanceof Document) {\n return [body.body.outerHTML];\n }\n\n if (responseType === 'json' && body && typeof body === 'object') {\n return [JSON.stringify(body)];\n }\n\n if (!body) {\n return [undefined];\n }\n } catch (e2) {\n DEBUG_BUILD && logger.warn('[Replay] Failed to serialize body', body);\n return [undefined, 'BODY_PARSE_ERROR'];\n }\n\n DEBUG_BUILD && logger.info('[Replay] Skipping network body because of body type', body);\n\n return [undefined, 'UNPARSEABLE_BODY_TYPE'];\n}\n\nfunction _getBodySize(\n body,\n responseType,\n textEncoder,\n) {\n try {\n const bodyStr = responseType === 'json' && body && typeof body === 'object' ? JSON.stringify(body) : body;\n return getBodySize(bodyStr, textEncoder);\n } catch (e3) {\n return undefined;\n }\n}\n\n/**\n * This method does two things:\n * - It enriches the regular XHR/fetch breadcrumbs with request/response size data\n * - It captures the XHR/fetch breadcrumbs to the replay\n * (enriching it with further data that is _not_ added to the regular breadcrumbs)\n */\nfunction handleNetworkBreadcrumbs(replay) {\n const client = getClient();\n\n try {\n const textEncoder = new TextEncoder();\n\n const {\n networkDetailAllowUrls,\n networkDetailDenyUrls,\n networkCaptureBodies,\n networkRequestHeaders,\n networkResponseHeaders,\n } = replay.getOptions();\n\n const options = {\n replay,\n textEncoder,\n networkDetailAllowUrls,\n networkDetailDenyUrls,\n networkCaptureBodies,\n networkRequestHeaders,\n networkResponseHeaders,\n };\n\n if (client && client.on) {\n client.on('beforeAddBreadcrumb', (breadcrumb, hint) => beforeAddNetworkBreadcrumb(options, breadcrumb, hint));\n } else {\n // Fallback behavior\n addFetchInstrumentationHandler(handleFetchSpanListener(replay));\n addXhrInstrumentationHandler(handleXhrSpanListener(replay));\n }\n } catch (e2) {\n // Do nothing\n }\n}\n\n/** just exported for tests */\nfunction beforeAddNetworkBreadcrumb(\n options,\n breadcrumb,\n hint,\n) {\n if (!breadcrumb.data) {\n return;\n }\n\n try {\n if (_isXhrBreadcrumb(breadcrumb) && _isXhrHint(hint)) {\n // This has to be sync, as we need to ensure the breadcrumb is enriched in the same tick\n // Because the hook runs synchronously, and the breadcrumb is afterwards passed on\n // So any async mutations to it will not be reflected in the final breadcrumb\n enrichXhrBreadcrumb(breadcrumb, hint, options);\n\n // This call should not reject\n // eslint-disable-next-line @typescript-eslint/no-floating-promises\n captureXhrBreadcrumbToReplay(breadcrumb, hint, options);\n }\n\n if (_isFetchBreadcrumb(breadcrumb) && _isFetchHint(hint)) {\n // This has to be sync, as we need to ensure the breadcrumb is enriched in the same tick\n // Because the hook runs synchronously, and the breadcrumb is afterwards passed on\n // So any async mutations to it will not be reflected in the final breadcrumb\n enrichFetchBreadcrumb(breadcrumb, hint, options);\n\n // This call should not reject\n // eslint-disable-next-line @typescript-eslint/no-floating-promises\n captureFetchBreadcrumbToReplay(breadcrumb, hint, options);\n }\n } catch (e) {\n DEBUG_BUILD && logger.warn('Error when enriching network breadcrumb');\n }\n}\n\nfunction _isXhrBreadcrumb(breadcrumb) {\n return breadcrumb.category === 'xhr';\n}\n\nfunction _isFetchBreadcrumb(breadcrumb) {\n return breadcrumb.category === 'fetch';\n}\n\nfunction _isXhrHint(hint) {\n return hint && hint.xhr;\n}\n\nfunction _isFetchHint(hint) {\n return hint && hint.response;\n}\n\nlet _LAST_BREADCRUMB = null;\n\nfunction isBreadcrumbWithCategory(breadcrumb) {\n return !!breadcrumb.category;\n}\n\nconst handleScopeListener =\n (replay) =>\n (scope) => {\n if (!replay.isEnabled()) {\n return;\n }\n\n const result = handleScope(scope);\n\n if (!result) {\n return;\n }\n\n addBreadcrumbEvent(replay, result);\n };\n\n/**\n * An event handler to handle scope changes.\n */\nfunction handleScope(scope) {\n // TODO (v8): Remove this guard. This was put in place because we introduced\n // Scope.getLastBreadcrumb mid-v7 which caused incompatibilities with older SDKs.\n // For now, we'll just return null if the method doesn't exist but we should eventually\n // get rid of this guard.\n const newBreadcrumb = scope.getLastBreadcrumb && scope.getLastBreadcrumb();\n\n // Listener can be called when breadcrumbs have not changed, so we store the\n // reference to the last crumb and only return a crumb if it has changed\n if (_LAST_BREADCRUMB === newBreadcrumb || !newBreadcrumb) {\n return null;\n }\n\n _LAST_BREADCRUMB = newBreadcrumb;\n\n if (\n !isBreadcrumbWithCategory(newBreadcrumb) ||\n ['fetch', 'xhr', 'sentry.event', 'sentry.transaction'].includes(newBreadcrumb.category) ||\n newBreadcrumb.category.startsWith('ui.')\n ) {\n return null;\n }\n\n if (newBreadcrumb.category === 'console') {\n return normalizeConsoleBreadcrumb(newBreadcrumb);\n }\n\n return createBreadcrumb(newBreadcrumb);\n}\n\n/** exported for tests only */\nfunction normalizeConsoleBreadcrumb(\n breadcrumb,\n) {\n const args = breadcrumb.data && breadcrumb.data.arguments;\n\n if (!Array.isArray(args) || args.length === 0) {\n return createBreadcrumb(breadcrumb);\n }\n\n let isTruncated = false;\n\n // Avoid giant args captures\n const normalizedArgs = args.map(arg => {\n if (!arg) {\n return arg;\n }\n if (typeof arg === 'string') {\n if (arg.length > CONSOLE_ARG_MAX_SIZE) {\n isTruncated = true;\n return `${arg.slice(0, CONSOLE_ARG_MAX_SIZE)}…`;\n }\n\n return arg;\n }\n if (typeof arg === 'object') {\n try {\n const normalizedArg = normalize(arg, 7);\n const stringified = JSON.stringify(normalizedArg);\n if (stringified.length > CONSOLE_ARG_MAX_SIZE) {\n isTruncated = true;\n // We use the pretty printed JSON string here as a base\n return `${JSON.stringify(normalizedArg, null, 2).slice(0, CONSOLE_ARG_MAX_SIZE)}…`;\n }\n return normalizedArg;\n } catch (e) {\n // fall back to default\n }\n }\n\n return arg;\n });\n\n return createBreadcrumb({\n ...breadcrumb,\n data: {\n ...breadcrumb.data,\n arguments: normalizedArgs,\n ...(isTruncated ? { _meta: { warnings: ['CONSOLE_ARG_TRUNCATED'] } } : {}),\n },\n });\n}\n\n/**\n * Add global listeners that cannot be removed.\n */\nfunction addGlobalListeners(replay) {\n // Listeners from core SDK //\n const scope = getCurrentScope();\n const client = getClient();\n\n scope.addScopeListener(handleScopeListener(replay));\n addClickKeypressInstrumentationHandler(handleDomListener(replay));\n addHistoryInstrumentationHandler(handleHistorySpanListener(replay));\n handleNetworkBreadcrumbs(replay);\n\n // Tag all (non replay) events that get sent to Sentry with the current\n // replay ID so that we can reference them later in the UI\n const eventProcessor = handleGlobalEventListener(replay, !hasHooks(client));\n if (client && client.addEventProcessor) {\n client.addEventProcessor(eventProcessor);\n } else {\n addEventProcessor(eventProcessor);\n }\n\n // If a custom client has no hooks yet, we continue to use the \"old\" implementation\n if (hasHooks(client)) {\n client.on('beforeSendEvent', handleBeforeSendEvent(replay));\n client.on('afterSendEvent', handleAfterSendEvent(replay));\n client.on('createDsc', (dsc) => {\n const replayId = replay.getSessionId();\n // We do not want to set the DSC when in buffer mode, as that means the replay has not been sent (yet)\n if (replayId && replay.isEnabled() && replay.recordingMode === 'session') {\n // Ensure to check that the session is still active - it could have expired in the meanwhile\n const isSessionActive = replay.checkAndHandleExpiredSession();\n if (isSessionActive) {\n dsc.replay_id = replayId;\n }\n }\n });\n\n client.on('startTransaction', transaction => {\n replay.lastTransaction = transaction;\n });\n\n // We may be missing the initial startTransaction due to timing issues,\n // so we capture it on finish again.\n client.on('finishTransaction', transaction => {\n replay.lastTransaction = transaction;\n });\n\n // We want to flush replay\n client.on('beforeSendFeedback', (feedbackEvent, options) => {\n const replayId = replay.getSessionId();\n if (options && options.includeReplay && replay.isEnabled() && replayId) {\n // This should never reject\n if (feedbackEvent.contexts && feedbackEvent.contexts.feedback) {\n feedbackEvent.contexts.feedback.replay_id = replayId;\n }\n }\n });\n }\n}\n\n// eslint-disable-next-line @typescript-eslint/no-explicit-any\nfunction hasHooks(client) {\n return !!(client && client.on);\n}\n\n/**\n * Create a \"span\" for the total amount of memory being used by JS objects\n * (including v8 internal objects).\n */\nasync function addMemoryEntry(replay) {\n // window.performance.memory is a non-standard API and doesn't work on all browsers, so we try-catch this\n try {\n return Promise.all(\n createPerformanceSpans(replay, [\n // @ts-expect-error memory doesn't exist on type Performance as the API is non-standard (we check that it exists above)\n createMemoryEntry(WINDOW.performance.memory),\n ]),\n );\n } catch (error) {\n // Do nothing\n return [];\n }\n}\n\nfunction createMemoryEntry(memoryEntry) {\n const { jsHeapSizeLimit, totalJSHeapSize, usedJSHeapSize } = memoryEntry;\n // we don't want to use `getAbsoluteTime` because it adds the event time to the\n // time origin, so we get the current timestamp instead\n const time = Date.now() / 1000;\n return {\n type: 'memory',\n name: 'memory',\n start: time,\n end: time,\n data: {\n memory: {\n jsHeapSizeLimit,\n totalJSHeapSize,\n usedJSHeapSize,\n },\n },\n };\n}\n\n/**\n * Heavily simplified debounce function based on lodash.debounce.\n *\n * This function takes a callback function (@param fun) and delays its invocation\n * by @param wait milliseconds. Optionally, a maxWait can be specified in @param options,\n * which ensures that the callback is invoked at least once after the specified max. wait time.\n *\n * @param func the function whose invocation is to be debounced\n * @param wait the minimum time until the function is invoked after it was called once\n * @param options the options object, which can contain the `maxWait` property\n *\n * @returns the debounced version of the function, which needs to be called at least once to start the\n * debouncing process. Subsequent calls will reset the debouncing timer and, in case @paramfunc\n * was already invoked in the meantime, return @param func's return value.\n * The debounced function has two additional properties:\n * - `flush`: Invokes the debounced function immediately and returns its return value\n * - `cancel`: Cancels the debouncing process and resets the debouncing timer\n */\nfunction debounce(func, wait, options) {\n let callbackReturnValue;\n\n let timerId;\n let maxTimerId;\n\n const maxWait = options && options.maxWait ? Math.max(options.maxWait, wait) : 0;\n\n function invokeFunc() {\n cancelTimers();\n callbackReturnValue = func();\n return callbackReturnValue;\n }\n\n function cancelTimers() {\n timerId !== undefined && clearTimeout(timerId);\n maxTimerId !== undefined && clearTimeout(maxTimerId);\n timerId = maxTimerId = undefined;\n }\n\n function flush() {\n if (timerId !== undefined || maxTimerId !== undefined) {\n return invokeFunc();\n }\n return callbackReturnValue;\n }\n\n function debounced() {\n if (timerId) {\n clearTimeout(timerId);\n }\n timerId = setTimeout(invokeFunc, wait);\n\n if (maxWait && maxTimerId === undefined) {\n maxTimerId = setTimeout(invokeFunc, maxWait);\n }\n\n return callbackReturnValue;\n }\n\n debounced.cancel = cancelTimers;\n debounced.flush = flush;\n return debounced;\n}\n\n/**\n * Handler for recording events.\n *\n * Adds to event buffer, and has varying flushing behaviors if the event was a checkout.\n */\nfunction getHandleRecordingEmit(replay) {\n let hadFirstEvent = false;\n\n return (event, _isCheckout) => {\n // If this is false, it means session is expired, create and a new session and wait for checkout\n if (!replay.checkAndHandleExpiredSession()) {\n DEBUG_BUILD && logger.warn('[Replay] Received replay event after session expired.');\n\n return;\n }\n\n // `_isCheckout` is only set when the checkout is due to `checkoutEveryNms`\n // We also want to treat the first event as a checkout, so we handle this specifically here\n const isCheckout = _isCheckout || !hadFirstEvent;\n hadFirstEvent = true;\n\n if (replay.clickDetector) {\n updateClickDetectorForRecordingEvent(replay.clickDetector, event);\n }\n\n // The handler returns `true` if we do not want to trigger debounced flush, `false` if we want to debounce flush.\n replay.addUpdate(() => {\n // The session is always started immediately on pageload/init, but for\n // error-only replays, it should reflect the most recent checkout\n // when an error occurs. Clear any state that happens before this current\n // checkout. This needs to happen before `addEvent()` which updates state\n // dependent on this reset.\n if (replay.recordingMode === 'buffer' && isCheckout) {\n replay.setInitialState();\n }\n\n // If the event is not added (e.g. due to being paused, disabled, or out of the max replay duration),\n // Skip all further steps\n if (!addEventSync(replay, event, isCheckout)) {\n // Return true to skip scheduling a debounced flush\n return true;\n }\n\n // Different behavior for full snapshots (type=2), ignore other event types\n // See https://github.com/rrweb-io/rrweb/blob/d8f9290ca496712aa1e7d472549480c4e7876594/packages/rrweb/src/types.ts#L16\n if (!isCheckout) {\n return false;\n }\n\n // Additionally, create a meta event that will capture certain SDK settings.\n // In order to handle buffer mode, this needs to either be done when we\n // receive checkout events or at flush time.\n //\n // `isCheckout` is always true, but want to be explicit that it should\n // only be added for checkouts\n addSettingsEvent(replay, isCheckout);\n\n // If there is a previousSessionId after a full snapshot occurs, then\n // the replay session was started due to session expiration. The new session\n // is started before triggering a new checkout and contains the id\n // of the previous session. Do not immediately flush in this case\n // to avoid capturing only the checkout and instead the replay will\n // be captured if they perform any follow-up actions.\n if (replay.session && replay.session.previousSessionId) {\n return true;\n }\n\n // When in buffer mode, make sure we adjust the session started date to the current earliest event of the buffer\n // this should usually be the timestamp of the checkout event, but to be safe...\n if (replay.recordingMode === 'buffer' && replay.session && replay.eventBuffer) {\n const earliestEvent = replay.eventBuffer.getEarliestTimestamp();\n if (earliestEvent) {\n logInfo(\n `[Replay] Updating session start time to earliest event in buffer to ${new Date(earliestEvent)}`,\n replay.getOptions()._experiments.traceInternals,\n );\n\n replay.session.started = earliestEvent;\n\n if (replay.getOptions().stickySession) {\n saveSession(replay.session);\n }\n }\n }\n\n if (replay.recordingMode === 'session') {\n // If the full snapshot is due to an initial load, we will not have\n // a previous session ID. In this case, we want to buffer events\n // for a set amount of time before flushing. This can help avoid\n // capturing replays of users that immediately close the window.\n\n // This should never reject\n // eslint-disable-next-line @typescript-eslint/no-floating-promises\n void replay.flush();\n }\n\n return true;\n });\n };\n}\n\n/**\n * Exported for tests\n */\nfunction createOptionsEvent(replay) {\n const options = replay.getOptions();\n return {\n type: EventType.Custom,\n timestamp: Date.now(),\n data: {\n tag: 'options',\n payload: {\n shouldRecordCanvas: replay.isRecordingCanvas(),\n sessionSampleRate: options.sessionSampleRate,\n errorSampleRate: options.errorSampleRate,\n useCompressionOption: options.useCompression,\n blockAllMedia: options.blockAllMedia,\n maskAllText: options.maskAllText,\n maskAllInputs: options.maskAllInputs,\n useCompression: replay.eventBuffer ? replay.eventBuffer.type === 'worker' : false,\n networkDetailHasUrls: options.networkDetailAllowUrls.length > 0,\n networkCaptureBodies: options.networkCaptureBodies,\n networkRequestHasHeaders: options.networkRequestHeaders.length > 0,\n networkResponseHasHeaders: options.networkResponseHeaders.length > 0,\n },\n },\n };\n}\n\n/**\n * Add a \"meta\" event that contains a simplified view on current configuration\n * options. This should only be included on the first segment of a recording.\n */\nfunction addSettingsEvent(replay, isCheckout) {\n // Only need to add this event when sending the first segment\n if (!isCheckout || !replay.session || replay.session.segmentId !== 0) {\n return;\n }\n\n addEventSync(replay, createOptionsEvent(replay), false);\n}\n\n/**\n * Create a replay envelope ready to be sent.\n * This includes both the replay event, as well as the recording data.\n */\nfunction createReplayEnvelope(\n replayEvent,\n recordingData,\n dsn,\n tunnel,\n) {\n return createEnvelope(\n createEventEnvelopeHeaders(replayEvent, getSdkMetadataForEnvelopeHeader(replayEvent), tunnel, dsn),\n [\n [{ type: 'replay_event' }, replayEvent],\n [\n {\n type: 'replay_recording',\n // If string then we need to encode to UTF8, otherwise will have\n // wrong size. TextEncoder has similar browser support to\n // MutationObserver, although it does not accept IE11.\n length:\n typeof recordingData === 'string' ? new TextEncoder().encode(recordingData).length : recordingData.length,\n },\n recordingData,\n ],\n ],\n );\n}\n\n/**\n * Prepare the recording data ready to be sent.\n */\nfunction prepareRecordingData({\n recordingData,\n headers,\n}\n\n) {\n let payloadWithSequence;\n\n // XXX: newline is needed to separate sequence id from events\n const replayHeaders = `${JSON.stringify(headers)}\n`;\n\n if (typeof recordingData === 'string') {\n payloadWithSequence = `${replayHeaders}${recordingData}`;\n } else {\n const enc = new TextEncoder();\n // XXX: newline is needed to separate sequence id from events\n const sequence = enc.encode(replayHeaders);\n // Merge the two Uint8Arrays\n payloadWithSequence = new Uint8Array(sequence.length + recordingData.length);\n payloadWithSequence.set(sequence);\n payloadWithSequence.set(recordingData, sequence.length);\n }\n\n return payloadWithSequence;\n}\n\n/**\n * Prepare a replay event & enrich it with the SDK metadata.\n */\nasync function prepareReplayEvent({\n client,\n scope,\n replayId: event_id,\n event,\n}\n\n) {\n const integrations =\n typeof client._integrations === 'object' && client._integrations !== null && !Array.isArray(client._integrations)\n ? Object.keys(client._integrations)\n : undefined;\n\n const eventHint = { event_id, integrations };\n\n if (client.emit) {\n client.emit('preprocessEvent', event, eventHint);\n }\n\n const preparedEvent = (await prepareEvent(\n client.getOptions(),\n event,\n eventHint,\n scope,\n client,\n getIsolationScope(),\n )) ;\n\n // If e.g. a global event processor returned null\n if (!preparedEvent) {\n return null;\n }\n\n // This normally happens in browser client \"_prepareEvent\"\n // but since we do not use this private method from the client, but rather the plain import\n // we need to do this manually.\n preparedEvent.platform = preparedEvent.platform || 'javascript';\n\n // extract the SDK name because `client._prepareEvent` doesn't add it to the event\n const metadata = client.getSdkMetadata && client.getSdkMetadata();\n const { name, version } = (metadata && metadata.sdk) || {};\n\n preparedEvent.sdk = {\n ...preparedEvent.sdk,\n name: name || 'sentry.javascript.unknown',\n version: version || '0.0.0',\n };\n\n return preparedEvent;\n}\n\n/**\n * Send replay attachment using `fetch()`\n */\nasync function sendReplayRequest({\n recordingData,\n replayId,\n segmentId: segment_id,\n eventContext,\n timestamp,\n session,\n}) {\n const preparedRecordingData = prepareRecordingData({\n recordingData,\n headers: {\n segment_id,\n },\n });\n\n const { urls, errorIds, traceIds, initialTimestamp } = eventContext;\n\n const client = getClient();\n const scope = getCurrentScope();\n const transport = client && client.getTransport();\n const dsn = client && client.getDsn();\n\n if (!client || !transport || !dsn || !session.sampled) {\n return;\n }\n\n const baseEvent = {\n type: REPLAY_EVENT_NAME,\n replay_start_timestamp: initialTimestamp / 1000,\n timestamp: timestamp / 1000,\n error_ids: errorIds,\n trace_ids: traceIds,\n urls,\n replay_id: replayId,\n segment_id,\n replay_type: session.sampled,\n };\n\n const replayEvent = await prepareReplayEvent({ scope, client, replayId, event: baseEvent });\n\n if (!replayEvent) {\n // Taken from baseclient's `_processEvent` method, where this is handled for errors/transactions\n client.recordDroppedEvent('event_processor', 'replay', baseEvent);\n logInfo('An event processor returned `null`, will not send event.');\n return;\n }\n\n /*\n For reference, the fully built event looks something like this:\n {\n \"type\": \"replay_event\",\n \"timestamp\": 1670837008.634,\n \"error_ids\": [\n \"errorId\"\n ],\n \"trace_ids\": [\n \"traceId\"\n ],\n \"urls\": [\n \"https://example.com\"\n ],\n \"replay_id\": \"eventId\",\n \"segment_id\": 3,\n \"replay_type\": \"error\",\n \"platform\": \"javascript\",\n \"event_id\": \"eventId\",\n \"environment\": \"production\",\n \"sdk\": {\n \"integrations\": [\n \"BrowserTracing\",\n \"Replay\"\n ],\n \"name\": \"sentry.javascript.browser\",\n \"version\": \"7.25.0\"\n },\n \"sdkProcessingMetadata\": {},\n \"contexts\": {\n },\n }\n */\n\n // Prevent this data (which, if it exists, was used in earlier steps in the processing pipeline) from being sent to\n // sentry. (Note: Our use of this property comes and goes with whatever we might be debugging, whatever hacks we may\n // have temporarily added, etc. Even if we don't happen to be using it at some point in the future, let's not get rid\n // of this `delete`, lest we miss putting it back in the next time the property is in use.)\n delete replayEvent.sdkProcessingMetadata;\n\n const envelope = createReplayEnvelope(replayEvent, preparedRecordingData, dsn, client.getOptions().tunnel);\n\n let response;\n\n try {\n response = await transport.send(envelope);\n } catch (err) {\n const error = new Error(UNABLE_TO_SEND_REPLAY);\n\n try {\n // In case browsers don't allow this property to be writable\n // @ts-expect-error This needs lib es2022 and newer\n error.cause = err;\n } catch (e) {\n // nothing to do\n }\n throw error;\n }\n\n // TODO (v8): we can remove this guard once transport.send's type signature doesn't include void anymore\n if (!response) {\n return response;\n }\n\n // If the status code is invalid, we want to immediately stop & not retry\n if (typeof response.statusCode === 'number' && (response.statusCode < 200 || response.statusCode >= 300)) {\n throw new TransportStatusCodeError(response.statusCode);\n }\n\n const rateLimits = updateRateLimits({}, response);\n if (isRateLimited(rateLimits, 'replay')) {\n throw new RateLimitError(rateLimits);\n }\n\n return response;\n}\n\n/**\n * This error indicates that the transport returned an invalid status code.\n */\nclass TransportStatusCodeError extends Error {\n constructor(statusCode) {\n super(`Transport returned status code ${statusCode}`);\n }\n}\n\n/**\n * This error indicates that we hit a rate limit API error.\n */\nclass RateLimitError extends Error {\n\n constructor(rateLimits) {\n super('Rate limit hit');\n this.rateLimits = rateLimits;\n }\n}\n\n/**\n * Finalize and send the current replay event to Sentry\n */\nasync function sendReplay(\n replayData,\n retryConfig = {\n count: 0,\n interval: RETRY_BASE_INTERVAL,\n },\n) {\n const { recordingData, options } = replayData;\n\n // short circuit if there's no events to upload (this shouldn't happen as _runFlush makes this check)\n if (!recordingData.length) {\n return;\n }\n\n try {\n await sendReplayRequest(replayData);\n return true;\n } catch (err) {\n if (err instanceof TransportStatusCodeError || err instanceof RateLimitError) {\n throw err;\n }\n\n // Capture error for every failed replay\n setContext('Replays', {\n _retryCount: retryConfig.count,\n });\n\n if (DEBUG_BUILD && options._experiments && options._experiments.captureExceptions) {\n captureException(err);\n }\n\n // If an error happened here, it's likely that uploading the attachment\n // failed, we'll can retry with the same events payload\n if (retryConfig.count >= RETRY_MAX_COUNT) {\n const error = new Error(`${UNABLE_TO_SEND_REPLAY} - max retries exceeded`);\n\n try {\n // In case browsers don't allow this property to be writable\n // @ts-expect-error This needs lib es2022 and newer\n error.cause = err;\n } catch (e) {\n // nothing to do\n }\n\n throw error;\n }\n\n // will retry in intervals of 5, 10, 30\n retryConfig.interval *= ++retryConfig.count;\n\n return new Promise((resolve, reject) => {\n setTimeout(async () => {\n try {\n await sendReplay(replayData, retryConfig);\n resolve(true);\n } catch (err) {\n reject(err);\n }\n }, retryConfig.interval);\n });\n }\n}\n\nconst THROTTLED = '__THROTTLED';\nconst SKIPPED = '__SKIPPED';\n\n/**\n * Create a throttled function off a given function.\n * When calling the throttled function, it will call the original function only\n * if it hasn't been called more than `maxCount` times in the last `durationSeconds`.\n *\n * Returns `THROTTLED` if throttled for the first time, after that `SKIPPED`,\n * or else the return value of the original function.\n */\n// eslint-disable-next-line @typescript-eslint/no-explicit-any\nfunction throttle(\n fn,\n maxCount,\n durationSeconds,\n) {\n const counter = new Map();\n\n const _cleanup = (now) => {\n const threshold = now - durationSeconds;\n counter.forEach((_value, key) => {\n if (key < threshold) {\n counter.delete(key);\n }\n });\n };\n\n const _getTotalCount = () => {\n return [...counter.values()].reduce((a, b) => a + b, 0);\n };\n\n let isThrottled = false;\n\n return (...rest) => {\n // Date in second-precision, which we use as basis for the throttling\n const now = Math.floor(Date.now() / 1000);\n\n // First, make sure to delete any old entries\n _cleanup(now);\n\n // If already over limit, do nothing\n if (_getTotalCount() >= maxCount) {\n const wasThrottled = isThrottled;\n isThrottled = true;\n return wasThrottled ? SKIPPED : THROTTLED;\n }\n\n isThrottled = false;\n const count = counter.get(now) || 0;\n counter.set(now, count + 1);\n\n return fn(...rest);\n };\n}\n\n/* eslint-disable max-lines */ // TODO: We might want to split this file up\n\n/**\n * The main replay container class, which holds all the state and methods for recording and sending replays.\n */\nclass ReplayContainer {\n\n /**\n * Recording can happen in one of three modes:\n * - session: Record the whole session, sending it continuously\n * - buffer: Always keep the last 60s of recording, requires:\n * - having replaysOnErrorSampleRate > 0 to capture replay when an error occurs\n * - or calling `flush()` to send the replay\n */\n\n /**\n * The current or last active transcation.\n * This is only available when performance is enabled.\n */\n\n /**\n * These are here so we can overwrite them in tests etc.\n * @hidden\n */\n\n /**\n * Options to pass to `rrweb.record()`\n */\n\n /**\n * Timestamp of the last user activity. This lives across sessions.\n */\n\n /**\n * Is the integration currently active?\n */\n\n /**\n * Paused is a state where:\n * - DOM Recording is not listening at all\n * - Nothing will be added to event buffer (e.g. core SDK events)\n */\n\n /**\n * Have we attached listeners to the core SDK?\n * Note we have to track this as there is no way to remove instrumentation handlers.\n */\n\n /**\n * Function to stop recording\n */\n\n /**\n * Internal use for canvas recording options\n */\n\n constructor({\n options,\n recordingOptions,\n }\n\n) {ReplayContainer.prototype.__init.call(this);ReplayContainer.prototype.__init2.call(this);ReplayContainer.prototype.__init3.call(this);ReplayContainer.prototype.__init4.call(this);ReplayContainer.prototype.__init5.call(this);ReplayContainer.prototype.__init6.call(this);\n this.eventBuffer = null;\n this.performanceEntries = [];\n this.replayPerformanceEntries = [];\n this.recordingMode = 'session';\n this.timeouts = {\n sessionIdlePause: SESSION_IDLE_PAUSE_DURATION,\n sessionIdleExpire: SESSION_IDLE_EXPIRE_DURATION,\n } ;\n this._lastActivity = Date.now();\n this._isEnabled = false;\n this._isPaused = false;\n this._hasInitializedCoreListeners = false;\n this._context = {\n errorIds: new Set(),\n traceIds: new Set(),\n urls: [],\n initialTimestamp: Date.now(),\n initialUrl: '',\n };\n\n this._recordingOptions = recordingOptions;\n this._options = options;\n\n this._debouncedFlush = debounce(() => this._flush(), this._options.flushMinDelay, {\n maxWait: this._options.flushMaxDelay,\n });\n\n this._throttledAddEvent = throttle(\n (event, isCheckout) => addEvent(this, event, isCheckout),\n // Max 300 events...\n 300,\n // ... per 5s\n 5,\n );\n\n const { slowClickTimeout, slowClickIgnoreSelectors } = this.getOptions();\n\n const slowClickConfig = slowClickTimeout\n ? {\n threshold: Math.min(SLOW_CLICK_THRESHOLD, slowClickTimeout),\n timeout: slowClickTimeout,\n scrollTimeout: SLOW_CLICK_SCROLL_TIMEOUT,\n ignoreSelector: slowClickIgnoreSelectors ? slowClickIgnoreSelectors.join(',') : '',\n }\n : undefined;\n\n if (slowClickConfig) {\n this.clickDetector = new ClickDetector(this, slowClickConfig);\n }\n }\n\n /** Get the event context. */\n getContext() {\n return this._context;\n }\n\n /** If recording is currently enabled. */\n isEnabled() {\n return this._isEnabled;\n }\n\n /** If recording is currently paused. */\n isPaused() {\n return this._isPaused;\n }\n\n /**\n * Determine if canvas recording is enabled\n */\n isRecordingCanvas() {\n return Boolean(this._canvas);\n }\n\n /** Get the replay integration options. */\n getOptions() {\n return this._options;\n }\n\n /**\n * Initializes the plugin based on sampling configuration. Should not be\n * called outside of constructor.\n */\n initializeSampling(previousSessionId) {\n const { errorSampleRate, sessionSampleRate } = this._options;\n\n // If neither sample rate is > 0, then do nothing - user will need to call one of\n // `start()` or `startBuffering` themselves.\n if (errorSampleRate <= 0 && sessionSampleRate <= 0) {\n return;\n }\n\n // Otherwise if there is _any_ sample rate set, try to load an existing\n // session, or create a new one.\n this._initializeSessionForSampling(previousSessionId);\n\n if (!this.session) {\n // This should not happen, something wrong has occurred\n this._handleException(new Error('Unable to initialize and create session'));\n return;\n }\n\n if (this.session.sampled === false) {\n // This should only occur if `errorSampleRate` is 0 and was unsampled for\n // session-based replay. In this case there is nothing to do.\n return;\n }\n\n // If segmentId > 0, it means we've previously already captured this session\n // In this case, we still want to continue in `session` recording mode\n this.recordingMode = this.session.sampled === 'buffer' && this.session.segmentId === 0 ? 'buffer' : 'session';\n\n logInfoNextTick(\n `[Replay] Starting replay in ${this.recordingMode} mode`,\n this._options._experiments.traceInternals,\n );\n\n this._initializeRecording();\n }\n\n /**\n * Start a replay regardless of sampling rate. Calling this will always\n * create a new session. Will throw an error if replay is already in progress.\n *\n * Creates or loads a session, attaches listeners to varying events (DOM,\n * _performanceObserver, Recording, Sentry SDK, etc)\n */\n start() {\n if (this._isEnabled && this.recordingMode === 'session') {\n throw new Error('Replay recording is already in progress');\n }\n\n if (this._isEnabled && this.recordingMode === 'buffer') {\n throw new Error('Replay buffering is in progress, call `flush()` to save the replay');\n }\n\n logInfoNextTick('[Replay] Starting replay in session mode', this._options._experiments.traceInternals);\n\n // Required as user activity is initially set in\n // constructor, so if `start()` is called after\n // session idle expiration, a replay will not be\n // created due to an idle timeout.\n this._updateUserActivity();\n\n const session = loadOrCreateSession(\n {\n maxReplayDuration: this._options.maxReplayDuration,\n sessionIdleExpire: this.timeouts.sessionIdleExpire,\n traceInternals: this._options._experiments.traceInternals,\n },\n {\n stickySession: this._options.stickySession,\n // This is intentional: create a new session-based replay when calling `start()`\n sessionSampleRate: 1,\n allowBuffering: false,\n },\n );\n\n this.session = session;\n\n this._initializeRecording();\n }\n\n /**\n * Start replay buffering. Buffers until `flush()` is called or, if\n * `replaysOnErrorSampleRate` > 0, an error occurs.\n */\n startBuffering() {\n if (this._isEnabled) {\n throw new Error('Replay recording is already in progress');\n }\n\n logInfoNextTick('[Replay] Starting replay in buffer mode', this._options._experiments.traceInternals);\n\n const session = loadOrCreateSession(\n {\n sessionIdleExpire: this.timeouts.sessionIdleExpire,\n maxReplayDuration: this._options.maxReplayDuration,\n traceInternals: this._options._experiments.traceInternals,\n },\n {\n stickySession: this._options.stickySession,\n sessionSampleRate: 0,\n allowBuffering: true,\n },\n );\n\n this.session = session;\n\n this.recordingMode = 'buffer';\n this._initializeRecording();\n }\n\n /**\n * Start recording.\n *\n * Note that this will cause a new DOM checkout\n */\n startRecording() {\n try {\n const canvasOptions = this._canvas;\n\n this._stopRecording = record({\n ...this._recordingOptions,\n // When running in error sampling mode, we need to overwrite `checkoutEveryNms`\n // Without this, it would record forever, until an error happens, which we don't want\n // instead, we'll always keep the last 60 seconds of replay before an error happened\n ...(this.recordingMode === 'buffer' && { checkoutEveryNms: BUFFER_CHECKOUT_TIME }),\n emit: getHandleRecordingEmit(this),\n onMutation: this._onMutationHandler,\n ...(canvasOptions\n ? {\n recordCanvas: canvasOptions.recordCanvas,\n getCanvasManager: canvasOptions.getCanvasManager,\n sampling: canvasOptions.sampling,\n dataURLOptions: canvasOptions.dataURLOptions,\n }\n : {}),\n });\n } catch (err) {\n this._handleException(err);\n }\n }\n\n /**\n * Stops the recording, if it was running.\n *\n * Returns true if it was previously stopped, or is now stopped,\n * otherwise false.\n */\n stopRecording() {\n try {\n if (this._stopRecording) {\n this._stopRecording();\n this._stopRecording = undefined;\n }\n\n return true;\n } catch (err) {\n this._handleException(err);\n return false;\n }\n }\n\n /**\n * Currently, this needs to be manually called (e.g. for tests). Sentry SDK\n * does not support a teardown\n */\n async stop({ forceFlush = false, reason } = {}) {\n if (!this._isEnabled) {\n return;\n }\n\n // We can't move `_isEnabled` after awaiting a flush, otherwise we can\n // enter into an infinite loop when `stop()` is called while flushing.\n this._isEnabled = false;\n\n try {\n logInfo(\n `[Replay] Stopping Replay${reason ? ` triggered by ${reason}` : ''}`,\n this._options._experiments.traceInternals,\n );\n\n this._removeListeners();\n this.stopRecording();\n\n this._debouncedFlush.cancel();\n // See comment above re: `_isEnabled`, we \"force\" a flush, ignoring the\n // `_isEnabled` state of the plugin since it was disabled above.\n if (forceFlush) {\n await this._flush({ force: true });\n }\n\n // After flush, destroy event buffer\n this.eventBuffer && this.eventBuffer.destroy();\n this.eventBuffer = null;\n\n // Clear session from session storage, note this means if a new session\n // is started after, it will not have `previousSessionId`\n clearSession(this);\n } catch (err) {\n this._handleException(err);\n }\n }\n\n /**\n * Pause some replay functionality. See comments for `_isPaused`.\n * This differs from stop as this only stops DOM recording, it is\n * not as thorough of a shutdown as `stop()`.\n */\n pause() {\n if (this._isPaused) {\n return;\n }\n\n this._isPaused = true;\n this.stopRecording();\n\n logInfo('[Replay] Pausing replay', this._options._experiments.traceInternals);\n }\n\n /**\n * Resumes recording, see notes for `pause().\n *\n * Note that calling `startRecording()` here will cause a\n * new DOM checkout.`\n */\n resume() {\n if (!this._isPaused || !this._checkSession()) {\n return;\n }\n\n this._isPaused = false;\n this.startRecording();\n\n logInfo('[Replay] Resuming replay', this._options._experiments.traceInternals);\n }\n\n /**\n * If not in \"session\" recording mode, flush event buffer which will create a new replay.\n * Unless `continueRecording` is false, the replay will continue to record and\n * behave as a \"session\"-based replay.\n *\n * Otherwise, queue up a flush.\n */\n async sendBufferedReplayOrFlush({ continueRecording = true } = {}) {\n if (this.recordingMode === 'session') {\n return this.flushImmediate();\n }\n\n const activityTime = Date.now();\n\n logInfo('[Replay] Converting buffer to session', this._options._experiments.traceInternals);\n\n // Allow flush to complete before resuming as a session recording, otherwise\n // the checkout from `startRecording` may be included in the payload.\n // Prefer to keep the error replay as a separate (and smaller) segment\n // than the session replay.\n await this.flushImmediate();\n\n const hasStoppedRecording = this.stopRecording();\n\n if (!continueRecording || !hasStoppedRecording) {\n return;\n }\n\n // To avoid race conditions where this is called multiple times, we check here again that we are still buffering\n if ((this.recordingMode ) === 'session') {\n return;\n }\n\n // Re-start recording in session-mode\n this.recordingMode = 'session';\n\n // Once this session ends, we do not want to refresh it\n if (this.session) {\n this._updateUserActivity(activityTime);\n this._updateSessionActivity(activityTime);\n this._maybeSaveSession();\n }\n\n this.startRecording();\n }\n\n /**\n * We want to batch uploads of replay events. Save events only if\n * `` milliseconds have elapsed since the last event\n * *OR* if `` milliseconds have elapsed.\n *\n * Accepts a callback to perform side-effects and returns true to stop batch\n * processing and hand back control to caller.\n */\n addUpdate(cb) {\n // We need to always run `cb` (e.g. in the case of `this.recordingMode == 'buffer'`)\n const cbResult = cb();\n\n // If this option is turned on then we will only want to call `flush`\n // explicitly\n if (this.recordingMode === 'buffer') {\n return;\n }\n\n // If callback is true, we do not want to continue with flushing -- the\n // caller will need to handle it.\n if (cbResult === true) {\n return;\n }\n\n // addUpdate is called quite frequently - use _debouncedFlush so that it\n // respects the flush delays and does not flush immediately\n this._debouncedFlush();\n }\n\n /**\n * Updates the user activity timestamp and resumes recording. This should be\n * called in an event handler for a user action that we consider as the user\n * being \"active\" (e.g. a mouse click).\n */\n triggerUserActivity() {\n this._updateUserActivity();\n\n // This case means that recording was once stopped due to inactivity.\n // Ensure that recording is resumed.\n if (!this._stopRecording) {\n // Create a new session, otherwise when the user action is flushed, it\n // will get rejected due to an expired session.\n if (!this._checkSession()) {\n return;\n }\n\n // Note: This will cause a new DOM checkout\n this.resume();\n return;\n }\n\n // Otherwise... recording was never suspended, continue as normalish\n this.checkAndHandleExpiredSession();\n\n this._updateSessionActivity();\n }\n\n /**\n * Updates the user activity timestamp *without* resuming\n * recording. Some user events (e.g. keydown) can be create\n * low-value replays that only contain the keypress as a\n * breadcrumb. Instead this would require other events to\n * create a new replay after a session has expired.\n */\n updateUserActivity() {\n this._updateUserActivity();\n this._updateSessionActivity();\n }\n\n /**\n * Only flush if `this.recordingMode === 'session'`\n */\n conditionalFlush() {\n if (this.recordingMode === 'buffer') {\n return Promise.resolve();\n }\n\n return this.flushImmediate();\n }\n\n /**\n * Flush using debounce flush\n */\n flush() {\n return this._debouncedFlush() ;\n }\n\n /**\n * Always flush via `_debouncedFlush` so that we do not have flushes triggered\n * from calling both `flush` and `_debouncedFlush`. Otherwise, there could be\n * cases of mulitple flushes happening closely together.\n */\n flushImmediate() {\n this._debouncedFlush();\n // `.flush` is provided by the debounced function, analogously to lodash.debounce\n return this._debouncedFlush.flush() ;\n }\n\n /**\n * Cancels queued up flushes.\n */\n cancelFlush() {\n this._debouncedFlush.cancel();\n }\n\n /** Get the current sesion (=replay) ID */\n getSessionId() {\n return this.session && this.session.id;\n }\n\n /**\n * Checks if recording should be stopped due to user inactivity. Otherwise\n * check if session is expired and create a new session if so. Triggers a new\n * full snapshot on new session.\n *\n * Returns true if session is not expired, false otherwise.\n * @hidden\n */\n checkAndHandleExpiredSession() {\n // Prevent starting a new session if the last user activity is older than\n // SESSION_IDLE_PAUSE_DURATION. Otherwise non-user activity can trigger a new\n // session+recording. This creates noisy replays that do not have much\n // content in them.\n if (\n this._lastActivity &&\n isExpired(this._lastActivity, this.timeouts.sessionIdlePause) &&\n this.session &&\n this.session.sampled === 'session'\n ) {\n // Pause recording only for session-based replays. Otherwise, resuming\n // will create a new replay and will conflict with users who only choose\n // to record error-based replays only. (e.g. the resumed replay will not\n // contain a reference to an error)\n this.pause();\n return;\n }\n\n // --- There is recent user activity --- //\n // This will create a new session if expired, based on expiry length\n if (!this._checkSession()) {\n // Check session handles the refreshing itself\n return false;\n }\n\n return true;\n }\n\n /**\n * Capture some initial state that can change throughout the lifespan of the\n * replay. This is required because otherwise they would be captured at the\n * first flush.\n */\n setInitialState() {\n const urlPath = `${WINDOW.location.pathname}${WINDOW.location.hash}${WINDOW.location.search}`;\n const url = `${WINDOW.location.origin}${urlPath}`;\n\n this.performanceEntries = [];\n this.replayPerformanceEntries = [];\n\n // Reset _context as well\n this._clearContext();\n\n this._context.initialUrl = url;\n this._context.initialTimestamp = Date.now();\n this._context.urls.push(url);\n }\n\n /**\n * Add a breadcrumb event, that may be throttled.\n * If it was throttled, we add a custom breadcrumb to indicate that.\n */\n throttledAddEvent(\n event,\n isCheckout,\n ) {\n const res = this._throttledAddEvent(event, isCheckout);\n\n // If this is THROTTLED, it means we have throttled the event for the first time\n // In this case, we want to add a breadcrumb indicating that something was skipped\n if (res === THROTTLED) {\n const breadcrumb = createBreadcrumb({\n category: 'replay.throttled',\n });\n\n this.addUpdate(() => {\n // Return `false` if the event _was_ added, as that means we schedule a flush\n return !addEventSync(this, {\n type: ReplayEventTypeCustom,\n timestamp: breadcrumb.timestamp || 0,\n data: {\n tag: 'breadcrumb',\n payload: breadcrumb,\n metric: true,\n },\n });\n });\n }\n\n return res;\n }\n\n /**\n * This will get the parametrized route name of the current page.\n * This is only available if performance is enabled, and if an instrumented router is used.\n */\n getCurrentRoute() {\n // eslint-disable-next-line deprecation/deprecation\n const lastTransaction = this.lastTransaction || getCurrentScope().getTransaction();\n\n const attributes = (lastTransaction && spanToJSON(lastTransaction).data) || {};\n const source = attributes[SEMANTIC_ATTRIBUTE_SENTRY_SOURCE];\n if (!lastTransaction || !source || !['route', 'custom'].includes(source)) {\n return undefined;\n }\n\n return spanToJSON(lastTransaction).description;\n }\n\n /**\n * Initialize and start all listeners to varying events (DOM,\n * Performance Observer, Recording, Sentry SDK, etc)\n */\n _initializeRecording() {\n this.setInitialState();\n\n // this method is generally called on page load or manually - in both cases\n // we should treat it as an activity\n this._updateSessionActivity();\n\n this.eventBuffer = createEventBuffer({\n useCompression: this._options.useCompression,\n workerUrl: this._options.workerUrl,\n });\n\n this._removeListeners();\n this._addListeners();\n\n // Need to set as enabled before we start recording, as `record()` can trigger a flush with a new checkout\n this._isEnabled = true;\n this._isPaused = false;\n\n this.startRecording();\n }\n\n /** A wrapper to conditionally capture exceptions. */\n _handleException(error) {\n DEBUG_BUILD && logger.error('[Replay]', error);\n\n if (DEBUG_BUILD && this._options._experiments && this._options._experiments.captureExceptions) {\n captureException(error);\n }\n }\n\n /**\n * Loads (or refreshes) the current session.\n */\n _initializeSessionForSampling(previousSessionId) {\n // Whenever there is _any_ error sample rate, we always allow buffering\n // Because we decide on sampling when an error occurs, we need to buffer at all times if sampling for errors\n const allowBuffering = this._options.errorSampleRate > 0;\n\n const session = loadOrCreateSession(\n {\n sessionIdleExpire: this.timeouts.sessionIdleExpire,\n maxReplayDuration: this._options.maxReplayDuration,\n traceInternals: this._options._experiments.traceInternals,\n previousSessionId,\n },\n {\n stickySession: this._options.stickySession,\n sessionSampleRate: this._options.sessionSampleRate,\n allowBuffering,\n },\n );\n\n this.session = session;\n }\n\n /**\n * Checks and potentially refreshes the current session.\n * Returns false if session is not recorded.\n */\n _checkSession() {\n // If there is no session yet, we do not want to refresh anything\n // This should generally not happen, but to be safe....\n if (!this.session) {\n return false;\n }\n\n const currentSession = this.session;\n\n if (\n shouldRefreshSession(currentSession, {\n sessionIdleExpire: this.timeouts.sessionIdleExpire,\n maxReplayDuration: this._options.maxReplayDuration,\n })\n ) {\n // This should never reject\n // eslint-disable-next-line @typescript-eslint/no-floating-promises\n this._refreshSession(currentSession);\n return false;\n }\n\n return true;\n }\n\n /**\n * Refresh a session with a new one.\n * This stops the current session (without forcing a flush, as that would never work since we are expired),\n * and then does a new sampling based on the refreshed session.\n */\n async _refreshSession(session) {\n if (!this._isEnabled) {\n return;\n }\n await this.stop({ reason: 'refresh session' });\n this.initializeSampling(session.id);\n }\n\n /**\n * Adds listeners to record events for the replay\n */\n _addListeners() {\n try {\n WINDOW.document.addEventListener('visibilitychange', this._handleVisibilityChange);\n WINDOW.addEventListener('blur', this._handleWindowBlur);\n WINDOW.addEventListener('focus', this._handleWindowFocus);\n WINDOW.addEventListener('keydown', this._handleKeyboardEvent);\n\n if (this.clickDetector) {\n this.clickDetector.addListeners();\n }\n\n // There is no way to remove these listeners, so ensure they are only added once\n if (!this._hasInitializedCoreListeners) {\n addGlobalListeners(this);\n\n this._hasInitializedCoreListeners = true;\n }\n } catch (err) {\n this._handleException(err);\n }\n\n this._performanceCleanupCallback = setupPerformanceObserver(this);\n }\n\n /**\n * Cleans up listeners that were created in `_addListeners`\n */\n _removeListeners() {\n try {\n WINDOW.document.removeEventListener('visibilitychange', this._handleVisibilityChange);\n\n WINDOW.removeEventListener('blur', this._handleWindowBlur);\n WINDOW.removeEventListener('focus', this._handleWindowFocus);\n WINDOW.removeEventListener('keydown', this._handleKeyboardEvent);\n\n if (this.clickDetector) {\n this.clickDetector.removeListeners();\n }\n\n if (this._performanceCleanupCallback) {\n this._performanceCleanupCallback();\n }\n } catch (err) {\n this._handleException(err);\n }\n }\n\n /**\n * Handle when visibility of the page content changes. Opening a new tab will\n * cause the state to change to hidden because of content of current page will\n * be hidden. Likewise, moving a different window to cover the contents of the\n * page will also trigger a change to a hidden state.\n */\n __init() {this._handleVisibilityChange = () => {\n if (WINDOW.document.visibilityState === 'visible') {\n this._doChangeToForegroundTasks();\n } else {\n this._doChangeToBackgroundTasks();\n }\n };}\n\n /**\n * Handle when page is blurred\n */\n __init2() {this._handleWindowBlur = () => {\n const breadcrumb = createBreadcrumb({\n category: 'ui.blur',\n });\n\n // Do not count blur as a user action -- it's part of the process of them\n // leaving the page\n this._doChangeToBackgroundTasks(breadcrumb);\n };}\n\n /**\n * Handle when page is focused\n */\n __init3() {this._handleWindowFocus = () => {\n const breadcrumb = createBreadcrumb({\n category: 'ui.focus',\n });\n\n // Do not count focus as a user action -- instead wait until they focus and\n // interactive with page\n this._doChangeToForegroundTasks(breadcrumb);\n };}\n\n /** Ensure page remains active when a key is pressed. */\n __init4() {this._handleKeyboardEvent = (event) => {\n handleKeyboardEvent(this, event);\n };}\n\n /**\n * Tasks to run when we consider a page to be hidden (via blurring and/or visibility)\n */\n _doChangeToBackgroundTasks(breadcrumb) {\n if (!this.session) {\n return;\n }\n\n const expired = isSessionExpired(this.session, {\n maxReplayDuration: this._options.maxReplayDuration,\n sessionIdleExpire: this.timeouts.sessionIdleExpire,\n });\n\n if (expired) {\n return;\n }\n\n if (breadcrumb) {\n this._createCustomBreadcrumb(breadcrumb);\n }\n\n // Send replay when the page/tab becomes hidden. There is no reason to send\n // replay if it becomes visible, since no actions we care about were done\n // while it was hidden\n // This should never reject\n // eslint-disable-next-line @typescript-eslint/no-floating-promises\n void this.conditionalFlush();\n }\n\n /**\n * Tasks to run when we consider a page to be visible (via focus and/or visibility)\n */\n _doChangeToForegroundTasks(breadcrumb) {\n if (!this.session) {\n return;\n }\n\n const isSessionActive = this.checkAndHandleExpiredSession();\n\n if (!isSessionActive) {\n // If the user has come back to the page within SESSION_IDLE_PAUSE_DURATION\n // ms, we will re-use the existing session, otherwise create a new\n // session\n logInfo('[Replay] Document has become active, but session has expired');\n return;\n }\n\n if (breadcrumb) {\n this._createCustomBreadcrumb(breadcrumb);\n }\n }\n\n /**\n * Update user activity (across session lifespans)\n */\n _updateUserActivity(_lastActivity = Date.now()) {\n this._lastActivity = _lastActivity;\n }\n\n /**\n * Updates the session's last activity timestamp\n */\n _updateSessionActivity(_lastActivity = Date.now()) {\n if (this.session) {\n this.session.lastActivity = _lastActivity;\n this._maybeSaveSession();\n }\n }\n\n /**\n * Helper to create (and buffer) a replay breadcrumb from a core SDK breadcrumb\n */\n _createCustomBreadcrumb(breadcrumb) {\n this.addUpdate(() => {\n // This should never reject\n // eslint-disable-next-line @typescript-eslint/no-floating-promises\n this.throttledAddEvent({\n type: EventType.Custom,\n timestamp: breadcrumb.timestamp || 0,\n data: {\n tag: 'breadcrumb',\n payload: breadcrumb,\n },\n });\n });\n }\n\n /**\n * Observed performance events are added to `this.performanceEntries`. These\n * are included in the replay event before it is finished and sent to Sentry.\n */\n _addPerformanceEntries() {\n const performanceEntries = createPerformanceEntries(this.performanceEntries).concat(this.replayPerformanceEntries);\n\n this.performanceEntries = [];\n this.replayPerformanceEntries = [];\n\n return Promise.all(createPerformanceSpans(this, performanceEntries));\n }\n\n /**\n * Clear _context\n */\n _clearContext() {\n // XXX: `initialTimestamp` and `initialUrl` do not get cleared\n this._context.errorIds.clear();\n this._context.traceIds.clear();\n this._context.urls = [];\n }\n\n /** Update the initial timestamp based on the buffer content. */\n _updateInitialTimestampFromEventBuffer() {\n const { session, eventBuffer } = this;\n if (!session || !eventBuffer) {\n return;\n }\n\n // we only ever update this on the initial segment\n if (session.segmentId) {\n return;\n }\n\n const earliestEvent = eventBuffer.getEarliestTimestamp();\n if (earliestEvent && earliestEvent < this._context.initialTimestamp) {\n this._context.initialTimestamp = earliestEvent;\n }\n }\n\n /**\n * Return and clear _context\n */\n _popEventContext() {\n const _context = {\n initialTimestamp: this._context.initialTimestamp,\n initialUrl: this._context.initialUrl,\n errorIds: Array.from(this._context.errorIds),\n traceIds: Array.from(this._context.traceIds),\n urls: this._context.urls,\n };\n\n this._clearContext();\n\n return _context;\n }\n\n /**\n * Flushes replay event buffer to Sentry.\n *\n * Performance events are only added right before flushing - this is\n * due to the buffered performance observer events.\n *\n * Should never be called directly, only by `flush`\n */\n async _runFlush() {\n const replayId = this.getSessionId();\n\n if (!this.session || !this.eventBuffer || !replayId) {\n DEBUG_BUILD && logger.error('[Replay] No session or eventBuffer found to flush.');\n return;\n }\n\n await this._addPerformanceEntries();\n\n // Check eventBuffer again, as it could have been stopped in the meanwhile\n if (!this.eventBuffer || !this.eventBuffer.hasEvents) {\n return;\n }\n\n // Only attach memory event if eventBuffer is not empty\n await addMemoryEntry(this);\n\n // Check eventBuffer again, as it could have been stopped in the meanwhile\n if (!this.eventBuffer) {\n return;\n }\n\n // if this changed in the meanwhile, e.g. because the session was refreshed or similar, we abort here\n if (replayId !== this.getSessionId()) {\n return;\n }\n\n try {\n // This uses the data from the eventBuffer, so we need to call this before `finish()\n this._updateInitialTimestampFromEventBuffer();\n\n const timestamp = Date.now();\n\n // Check total duration again, to avoid sending outdated stuff\n // We leave 30s wiggle room to accomodate late flushing etc.\n // This _could_ happen when the browser is suspended during flushing, in which case we just want to stop\n if (timestamp - this._context.initialTimestamp > this._options.maxReplayDuration + 30000) {\n throw new Error('Session is too long, not sending replay');\n }\n\n const eventContext = this._popEventContext();\n // Always increment segmentId regardless of outcome of sending replay\n const segmentId = this.session.segmentId++;\n this._maybeSaveSession();\n\n // Note this empties the event buffer regardless of outcome of sending replay\n const recordingData = await this.eventBuffer.finish();\n\n await sendReplay({\n replayId,\n recordingData,\n segmentId,\n eventContext,\n session: this.session,\n options: this.getOptions(),\n timestamp,\n });\n } catch (err) {\n this._handleException(err);\n\n // This means we retried 3 times and all of them failed,\n // or we ran into a problem we don't want to retry, like rate limiting.\n // In this case, we want to completely stop the replay - otherwise, we may get inconsistent segments\n // This should never reject\n // eslint-disable-next-line @typescript-eslint/no-floating-promises\n this.stop({ reason: 'sendReplay' });\n\n const client = getClient();\n\n if (client) {\n client.recordDroppedEvent('send_error', 'replay');\n }\n }\n }\n\n /**\n * Flush recording data to Sentry. Creates a lock so that only a single flush\n * can be active at a time. Do not call this directly.\n */\n __init5() {this._flush = async ({\n force = false,\n }\n\n = {}) => {\n if (!this._isEnabled && !force) {\n // This can happen if e.g. the replay was stopped because of exceeding the retry limit\n return;\n }\n\n if (!this.checkAndHandleExpiredSession()) {\n DEBUG_BUILD && logger.error('[Replay] Attempting to finish replay event after session expired.');\n return;\n }\n\n if (!this.session) {\n // should never happen, as we would have bailed out before\n return;\n }\n\n const start = this.session.started;\n const now = Date.now();\n const duration = now - start;\n\n // A flush is about to happen, cancel any queued flushes\n this._debouncedFlush.cancel();\n\n // If session is too short, or too long (allow some wiggle room over maxReplayDuration), do not send it\n // This _should_ not happen, but it may happen if flush is triggered due to a page activity change or similar\n const tooShort = duration < this._options.minReplayDuration;\n const tooLong = duration > this._options.maxReplayDuration + 5000;\n if (tooShort || tooLong) {\n logInfo(\n `[Replay] Session duration (${Math.floor(duration / 1000)}s) is too ${\n tooShort ? 'short' : 'long'\n }, not sending replay.`,\n this._options._experiments.traceInternals,\n );\n\n if (tooShort) {\n this._debouncedFlush();\n }\n return;\n }\n\n const eventBuffer = this.eventBuffer;\n if (eventBuffer && this.session.segmentId === 0 && !eventBuffer.hasCheckout) {\n logInfo('[Replay] Flushing initial segment without checkout.', this._options._experiments.traceInternals);\n // TODO FN: Evaluate if we want to stop here, or remove this again?\n }\n\n // this._flushLock acts as a lock so that future calls to `_flush()`\n // will be blocked until this promise resolves\n if (!this._flushLock) {\n this._flushLock = this._runFlush();\n await this._flushLock;\n this._flushLock = undefined;\n return;\n }\n\n // Wait for previous flush to finish, then call the debounced `_flush()`.\n // It's possible there are other flush requests queued and waiting for it\n // to resolve. We want to reduce all outstanding requests (as well as any\n // new flush requests that occur within a second of the locked flush\n // completing) into a single flush.\n\n try {\n await this._flushLock;\n } catch (err) {\n DEBUG_BUILD && logger.error(err);\n } finally {\n this._debouncedFlush();\n }\n };}\n\n /** Save the session, if it is sticky */\n _maybeSaveSession() {\n if (this.session && this._options.stickySession) {\n saveSession(this.session);\n }\n }\n\n /** Handler for rrweb.record.onMutation */\n __init6() {this._onMutationHandler = (mutations) => {\n const count = mutations.length;\n\n const mutationLimit = this._options.mutationLimit;\n const mutationBreadcrumbLimit = this._options.mutationBreadcrumbLimit;\n const overMutationLimit = mutationLimit && count > mutationLimit;\n\n // Create a breadcrumb if a lot of mutations happen at the same time\n // We can show this in the UI as an information with potential performance improvements\n if (count > mutationBreadcrumbLimit || overMutationLimit) {\n const breadcrumb = createBreadcrumb({\n category: 'replay.mutations',\n data: {\n count,\n limit: overMutationLimit,\n },\n });\n this._createCustomBreadcrumb(breadcrumb);\n }\n\n // Stop replay if over the mutation limit\n if (overMutationLimit) {\n // This should never reject\n // eslint-disable-next-line @typescript-eslint/no-floating-promises\n this.stop({ reason: 'mutationLimit', forceFlush: this.recordingMode === 'session' });\n return false;\n }\n\n // `true` means we use the regular mutation handling by rrweb\n return true;\n };}\n}\n\nfunction getOption(\n selectors,\n defaultSelectors,\n deprecatedClassOption,\n deprecatedSelectorOption,\n) {\n const deprecatedSelectors = typeof deprecatedSelectorOption === 'string' ? deprecatedSelectorOption.split(',') : [];\n\n const allSelectors = [\n ...selectors,\n // @deprecated\n ...deprecatedSelectors,\n\n // sentry defaults\n ...defaultSelectors,\n ];\n\n // @deprecated\n if (typeof deprecatedClassOption !== 'undefined') {\n // NOTE: No support for RegExp\n if (typeof deprecatedClassOption === 'string') {\n allSelectors.push(`.${deprecatedClassOption}`);\n }\n\n consoleSandbox(() => {\n // eslint-disable-next-line no-console\n console.warn(\n '[Replay] You are using a deprecated configuration item for privacy. Read the documentation on how to use the new privacy configuration.',\n );\n });\n }\n\n return allSelectors.join(',');\n}\n\n/**\n * Returns privacy related configuration for use in rrweb\n */\nfunction getPrivacyOptions({\n mask,\n unmask,\n block,\n unblock,\n ignore,\n\n // eslint-disable-next-line deprecation/deprecation\n blockClass,\n // eslint-disable-next-line deprecation/deprecation\n blockSelector,\n // eslint-disable-next-line deprecation/deprecation\n maskTextClass,\n // eslint-disable-next-line deprecation/deprecation\n maskTextSelector,\n // eslint-disable-next-line deprecation/deprecation\n ignoreClass,\n}) {\n const defaultBlockedElements = ['base[href=\"/\"]'];\n\n const maskSelector = getOption(mask, ['.sentry-mask', '[data-sentry-mask]'], maskTextClass, maskTextSelector);\n const unmaskSelector = getOption(unmask, ['.sentry-unmask', '[data-sentry-unmask]']);\n\n const options = {\n // We are making the decision to make text and input selectors the same\n maskTextSelector: maskSelector,\n unmaskTextSelector: unmaskSelector,\n\n blockSelector: getOption(\n block,\n ['.sentry-block', '[data-sentry-block]', ...defaultBlockedElements],\n blockClass,\n blockSelector,\n ),\n unblockSelector: getOption(unblock, ['.sentry-unblock', '[data-sentry-unblock]']),\n ignoreSelector: getOption(ignore, ['.sentry-ignore', '[data-sentry-ignore]', 'input[type=\"file\"]'], ignoreClass),\n };\n\n if (blockClass instanceof RegExp) {\n options.blockClass = blockClass;\n }\n\n if (maskTextClass instanceof RegExp) {\n options.maskTextClass = maskTextClass;\n }\n\n return options;\n}\n\n/**\n * Masks an attribute if necessary, otherwise return attribute value as-is.\n */\nfunction maskAttribute({\n el,\n key,\n maskAttributes,\n maskAllText,\n privacyOptions,\n value,\n}) {\n // We only mask attributes if `maskAllText` is true\n if (!maskAllText) {\n return value;\n }\n\n // unmaskTextSelector takes precendence\n if (privacyOptions.unmaskTextSelector && el.matches(privacyOptions.unmaskTextSelector)) {\n return value;\n }\n\n if (\n maskAttributes.includes(key) ||\n // Need to mask `value` attribute for `` if it's a button-like\n // type\n (key === 'value' && el.tagName === 'INPUT' && ['submit', 'button'].includes(el.getAttribute('type') || ''))\n ) {\n return value.replace(/[\\S]/g, '*');\n }\n\n return value;\n}\n\nconst MEDIA_SELECTORS =\n 'img,image,svg,video,object,picture,embed,map,audio,link[rel=\"icon\"],link[rel=\"apple-touch-icon\"]';\n\nconst DEFAULT_NETWORK_HEADERS = ['content-length', 'content-type', 'accept'];\n\nlet _initialized = false;\n\nconst replayIntegration$1 = ((options) => {\n // eslint-disable-next-line deprecation/deprecation\n return new Replay$1(options);\n}) ;\n\n/**\n * The main replay integration class, to be passed to `init({ integrations: [] })`.\n * @deprecated Use `replayIntegration()` instead.\n */\nclass Replay$1 {\n /**\n * @inheritDoc\n */\n static __initStatic() {this.id = 'Replay';}\n\n /**\n * @inheritDoc\n */\n\n /**\n * Options to pass to `rrweb.record()`\n */\n\n /**\n * Initial options passed to the replay integration, merged with default values.\n * Note: `sessionSampleRate` and `errorSampleRate` are not required here, as they\n * can only be finally set when setupOnce() is called.\n *\n * @private\n */\n\n constructor({\n flushMinDelay = DEFAULT_FLUSH_MIN_DELAY,\n flushMaxDelay = DEFAULT_FLUSH_MAX_DELAY,\n minReplayDuration = MIN_REPLAY_DURATION,\n maxReplayDuration = MAX_REPLAY_DURATION,\n stickySession = true,\n useCompression = true,\n workerUrl,\n _experiments = {},\n sessionSampleRate,\n errorSampleRate,\n maskAllText = true,\n maskAllInputs = true,\n blockAllMedia = true,\n\n mutationBreadcrumbLimit = 750,\n mutationLimit = 10000,\n\n slowClickTimeout = 7000,\n slowClickIgnoreSelectors = [],\n\n networkDetailAllowUrls = [],\n networkDetailDenyUrls = [],\n networkCaptureBodies = true,\n networkRequestHeaders = [],\n networkResponseHeaders = [],\n\n mask = [],\n maskAttributes = ['title', 'placeholder'],\n unmask = [],\n block = [],\n unblock = [],\n ignore = [],\n maskFn,\n\n beforeAddRecordingEvent,\n beforeErrorSampling,\n\n // eslint-disable-next-line deprecation/deprecation\n blockClass,\n // eslint-disable-next-line deprecation/deprecation\n blockSelector,\n // eslint-disable-next-line deprecation/deprecation\n maskInputOptions,\n // eslint-disable-next-line deprecation/deprecation\n maskTextClass,\n // eslint-disable-next-line deprecation/deprecation\n maskTextSelector,\n // eslint-disable-next-line deprecation/deprecation\n ignoreClass,\n } = {}) {\n // eslint-disable-next-line deprecation/deprecation\n this.name = Replay$1.id;\n\n const privacyOptions = getPrivacyOptions({\n mask,\n unmask,\n block,\n unblock,\n ignore,\n blockClass,\n blockSelector,\n maskTextClass,\n maskTextSelector,\n ignoreClass,\n });\n\n this._recordingOptions = {\n maskAllInputs,\n maskAllText,\n maskInputOptions: { ...(maskInputOptions || {}), password: true },\n maskTextFn: maskFn,\n maskInputFn: maskFn,\n maskAttributeFn: (key, value, el) =>\n maskAttribute({\n maskAttributes,\n maskAllText,\n privacyOptions,\n key,\n value,\n el,\n }),\n\n ...privacyOptions,\n\n // Our defaults\n slimDOMOptions: 'all',\n inlineStylesheet: true,\n // Disable inline images as it will increase segment/replay size\n inlineImages: false,\n // collect fonts, but be aware that `sentry.io` needs to be an allowed\n // origin for playback\n collectFonts: true,\n errorHandler: (err) => {\n try {\n err.__rrweb__ = true;\n } catch (error) {\n // ignore errors here\n // this can happen if the error is frozen or does not allow mutation for other reasons\n }\n },\n };\n\n this._initialOptions = {\n flushMinDelay,\n flushMaxDelay,\n minReplayDuration: Math.min(minReplayDuration, MIN_REPLAY_DURATION_LIMIT),\n maxReplayDuration: Math.min(maxReplayDuration, MAX_REPLAY_DURATION),\n stickySession,\n sessionSampleRate,\n errorSampleRate,\n useCompression,\n workerUrl,\n blockAllMedia,\n maskAllInputs,\n maskAllText,\n mutationBreadcrumbLimit,\n mutationLimit,\n slowClickTimeout,\n slowClickIgnoreSelectors,\n networkDetailAllowUrls,\n networkDetailDenyUrls,\n networkCaptureBodies,\n networkRequestHeaders: _getMergedNetworkHeaders(networkRequestHeaders),\n networkResponseHeaders: _getMergedNetworkHeaders(networkResponseHeaders),\n beforeAddRecordingEvent,\n beforeErrorSampling,\n\n _experiments,\n };\n\n if (typeof sessionSampleRate === 'number') {\n // eslint-disable-next-line\n console.warn(\n `[Replay] You are passing \\`sessionSampleRate\\` to the Replay integration.\nThis option is deprecated and will be removed soon.\nInstead, configure \\`replaysSessionSampleRate\\` directly in the SDK init options, e.g.:\nSentry.init({ replaysSessionSampleRate: ${sessionSampleRate} })`,\n );\n\n this._initialOptions.sessionSampleRate = sessionSampleRate;\n }\n\n if (typeof errorSampleRate === 'number') {\n // eslint-disable-next-line\n console.warn(\n `[Replay] You are passing \\`errorSampleRate\\` to the Replay integration.\nThis option is deprecated and will be removed soon.\nInstead, configure \\`replaysOnErrorSampleRate\\` directly in the SDK init options, e.g.:\nSentry.init({ replaysOnErrorSampleRate: ${errorSampleRate} })`,\n );\n\n this._initialOptions.errorSampleRate = errorSampleRate;\n }\n\n if (this._initialOptions.blockAllMedia) {\n // `blockAllMedia` is a more user friendly option to configure blocking\n // embedded media elements\n this._recordingOptions.blockSelector = !this._recordingOptions.blockSelector\n ? MEDIA_SELECTORS\n : `${this._recordingOptions.blockSelector},${MEDIA_SELECTORS}`;\n }\n\n if (this._isInitialized && isBrowser()) {\n throw new Error('Multiple Sentry Session Replay instances are not supported');\n }\n\n this._isInitialized = true;\n }\n\n /** If replay has already been initialized */\n get _isInitialized() {\n return _initialized;\n }\n\n /** Update _isInitialized */\n set _isInitialized(value) {\n _initialized = value;\n }\n\n /**\n * Setup and initialize replay container\n */\n setupOnce() {\n if (!isBrowser()) {\n return;\n }\n\n this._setup();\n\n // Once upon a time, we tried to create a transaction in `setupOnce` and it would\n // potentially create a transaction before some native SDK integrations have run\n // and applied their own global event processor. An example is:\n // https://github.com/getsentry/sentry-javascript/blob/b47ceafbdac7f8b99093ce6023726ad4687edc48/packages/browser/src/integrations/useragent.ts\n //\n // So we call `this._initialize()` in next event loop as a workaround to wait for other\n // global event processors to finish. This is no longer needed, but keeping it\n // here to avoid any future issues.\n setTimeout(() => this._initialize());\n }\n\n /**\n * Start a replay regardless of sampling rate. Calling this will always\n * create a new session. Will throw an error if replay is already in progress.\n *\n * Creates or loads a session, attaches listeners to varying events (DOM,\n * PerformanceObserver, Recording, Sentry SDK, etc)\n */\n start() {\n if (!this._replay) {\n return;\n }\n\n this._replay.start();\n }\n\n /**\n * Start replay buffering. Buffers until `flush()` is called or, if\n * `replaysOnErrorSampleRate` > 0, until an error occurs.\n */\n startBuffering() {\n if (!this._replay) {\n return;\n }\n\n this._replay.startBuffering();\n }\n\n /**\n * Currently, this needs to be manually called (e.g. for tests). Sentry SDK\n * does not support a teardown\n */\n stop() {\n if (!this._replay) {\n return Promise.resolve();\n }\n\n return this._replay.stop({ forceFlush: this._replay.recordingMode === 'session' });\n }\n\n /**\n * If not in \"session\" recording mode, flush event buffer which will create a new replay.\n * Unless `continueRecording` is false, the replay will continue to record and\n * behave as a \"session\"-based replay.\n *\n * Otherwise, queue up a flush.\n */\n flush(options) {\n if (!this._replay || !this._replay.isEnabled()) {\n return Promise.resolve();\n }\n\n return this._replay.sendBufferedReplayOrFlush(options);\n }\n\n /**\n * Get the current session ID.\n */\n getReplayId() {\n if (!this._replay || !this._replay.isEnabled()) {\n return;\n }\n\n return this._replay.getSessionId();\n }\n\n /**\n * Initializes replay.\n */\n _initialize() {\n if (!this._replay) {\n return;\n }\n\n // We have to run this in _initialize, because this runs in setTimeout\n // So when this runs all integrations have been added\n // Before this, we cannot access integrations on the client,\n // so we need to mutate the options here\n this._maybeLoadFromReplayCanvasIntegration();\n\n this._replay.initializeSampling();\n }\n\n /** Setup the integration. */\n _setup() {\n // Client is not available in constructor, so we need to wait until setupOnce\n const finalOptions = loadReplayOptionsFromClient(this._initialOptions);\n\n this._replay = new ReplayContainer({\n options: finalOptions,\n recordingOptions: this._recordingOptions,\n });\n }\n\n /** Get canvas options from ReplayCanvas integration, if it is also added. */\n _maybeLoadFromReplayCanvasIntegration() {\n // To save bundle size, we skip checking for stuff here\n // and instead just try-catch everything - as generally this should all be defined\n /* eslint-disable @typescript-eslint/no-non-null-assertion */\n try {\n const client = getClient();\n const canvasIntegration = client.getIntegrationByName('ReplayCanvas')\n\n;\n if (!canvasIntegration) {\n return;\n }\n\n this._replay['_canvas'] = canvasIntegration.getOptions();\n } catch (e) {\n // ignore errors here\n }\n /* eslint-enable @typescript-eslint/no-non-null-assertion */\n }\n}Replay$1.__initStatic();\n\n/** Parse Replay-related options from SDK options */\nfunction loadReplayOptionsFromClient(initialOptions) {\n const client = getClient();\n const opt = client && (client.getOptions() );\n\n const finalOptions = { sessionSampleRate: 0, errorSampleRate: 0, ...dropUndefinedKeys(initialOptions) };\n\n if (!opt) {\n consoleSandbox(() => {\n // eslint-disable-next-line no-console\n console.warn('SDK client is not available.');\n });\n return finalOptions;\n }\n\n if (\n initialOptions.sessionSampleRate == null && // TODO remove once deprecated rates are removed\n initialOptions.errorSampleRate == null && // TODO remove once deprecated rates are removed\n opt.replaysSessionSampleRate == null &&\n opt.replaysOnErrorSampleRate == null\n ) {\n consoleSandbox(() => {\n // eslint-disable-next-line no-console\n console.warn(\n 'Replay is disabled because neither `replaysSessionSampleRate` nor `replaysOnErrorSampleRate` are set.',\n );\n });\n }\n\n if (typeof opt.replaysSessionSampleRate === 'number') {\n finalOptions.sessionSampleRate = opt.replaysSessionSampleRate;\n }\n\n if (typeof opt.replaysOnErrorSampleRate === 'number') {\n finalOptions.errorSampleRate = opt.replaysOnErrorSampleRate;\n }\n\n return finalOptions;\n}\n\nfunction _getMergedNetworkHeaders(headers) {\n return [...DEFAULT_NETWORK_HEADERS, ...headers.map(header => header.toLowerCase())];\n}\n\n/**\n * This is a small utility to get a type-safe instance of the Replay integration.\n */\n// eslint-disable-next-line deprecation/deprecation\nfunction getReplay$1() {\n const client = getClient();\n return (\n client && client.getIntegrationByName && client.getIntegrationByName('Replay')\n );\n}\n\n// eslint-disable-next-line deprecation/deprecation\n\n/** @deprecated Use the export from `@sentry/replay` or from framework-specific SDKs like `@sentry/react` or `@sentry/vue` */\nconst getReplay = getReplay$1;\n\n/** @deprecated Use the export from `@sentry/replay` or from framework-specific SDKs like `@sentry/react` or `@sentry/vue` */\nconst replayIntegration = replayIntegration$1;\n\n/** @deprecated Use the export from `@sentry/replay` or from framework-specific SDKs like `@sentry/react` or `@sentry/vue` */\n// eslint-disable-next-line deprecation/deprecation\nclass Replay extends Replay$1 {}\n\nexport { Replay$1 as InternalReplay, Replay, getReplay, getReplay$1 as internalGetReplay, replayIntegration$1 as internalReplayIntegration, replayIntegration };\n//# sourceMappingURL=index.js.map\n"],"names":["isNodeEnv","isBrowserBundle","isBrowser","isElectronNodeRenderer","GLOBAL_OBJ","_nullishCoalesce","lhs","rhsFn","_optionalChain","ops","lastAccessLHS","value","i","op","fn","args","isSentryRequestUrl","url","hubOrClient","client","isHub","dsn","tunnel","checkDsn","checkTunnel","removeTrailingSlash","str","WINDOW","REPLAY_SESSION_KEY","REPLAY_EVENT_NAME","UNABLE_TO_SEND_REPLAY","SESSION_IDLE_PAUSE_DURATION","SESSION_IDLE_EXPIRE_DURATION","DEFAULT_FLUSH_MIN_DELAY","DEFAULT_FLUSH_MAX_DELAY","BUFFER_CHECKOUT_TIME","RETRY_BASE_INTERVAL","RETRY_MAX_COUNT","NETWORK_BODY_MAX_SIZE","CONSOLE_ARG_MAX_SIZE","SLOW_CLICK_THRESHOLD","SLOW_CLICK_SCROLL_TIMEOUT","REPLAY_MAX_EVENT_BUFFER_SIZE","MIN_REPLAY_DURATION","MIN_REPLAY_DURATION_LIMIT","MAX_REPLAY_DURATION","_nullishCoalesce$1","_optionalChain$5","NodeType$1","NodeType","isElement$1","n","isShadowRoot","host","_","_2","isNativeShadowDom","shadowRoot","fixBrowserCompatibilityIssuesInCSS","cssText","escapeImportStatement","rule","statement","stringifyStylesheet","s","rules","stringifyRule","importStringified","isCSSImportRule","isCSSStyleRule","fixSafariColons","cssStringified","regex","Mirror","id","_3","_4","_5","childNode","node","meta","oldNode","createMirror","shouldMaskInput","maskInputOptions","tagName","type","maskInputValue","isMasked","element","maskInputFn","text","toLowerCase","toUpperCase","ORIGINAL_ATTRIBUTE_NAME","is2DCanvasBlank","canvas","ctx","chunkSize","x","y","getImageData","originalGetImageData","pixel","getInputType","getInputValue","el","_id","tagNameRegex","IGNORED_NODE","genId","getValidTagName","processedTagName","extractOrigin","origin","canvasService","canvasCtx","URL_IN_CSS_REF","URL_PROTOCOL_MATCH","URL_WWW_MATCH","DATA_URI","absoluteToStylesheet","href","quote1","path1","quote2","path2","path3","filePath","maybeQuote","stack","parts","part","SRCSET_NOT_SPACES","SRCSET_COMMAS_OR_SPACES","getAbsoluteSrcsetString","doc","attributeValue","pos","collectCharacters","regEx","chars","match","output","absoluteToDoc","descriptorsStr","inParens","c","a","isSVGElement","getHref","transformAttribute","name","maskAttributeFn","ignoreAttribute","_value","_isBlockedElement","blockClass","blockSelector","unblockSelector","eIndex","className","elementClassMatchesRegex","distanceToMatch","matchPredicate","limit","distance","createMatchPredicate","selector","needMaskingText","maskTextClass","maskTextSelector","unmaskTextClass","unmaskTextSelector","maskAllText","autocomplete","maskDistance","unmaskDistance","onceIframeLoaded","iframeEl","listener","iframeLoadTimeout","win","fired","readyState","timer","blankUrl","onceStylesheetLoaded","link","styleSheetLoadTimeout","styleSheetLoaded","serializeNode","options","mirror","inlineStylesheet","maskTextFn","dataURLOptions","inlineImages","recordCanvas","keepIframeSrcFn","newlyAddedElement","rootId","getRootId","serializeElementNode","serializeTextNode","docId","parentTagName","textContent","isStyle","isScript","isTextarea","_6","_7","_8","err","forceMask","isInputMasked","needBlock","attributes","len","attr","stylesheet","checked","canvasDataURL","blankCanvas","blankCanvasDataURL","image","oldValue","recordInlineImage","width","height","isCustomElement","lowerIfExists","maybeAttr","slimDOMExcluded","sn","slimDOMOptions","serializeNodeWithId","skipChild","onSerialize","onIframeLoad","onStylesheetLoad","stylesheetLoadTimeout","preserveWhiteSpace","_serializedNode","serializedNode","recordChild","bypassOptions","childN","serializedChildNode","iframeDoc","serializedIframeNode","serializedLinkNode","snapshot","maskAllInputs","slimDOM","_optionalChain$4","on","target","DEPARTED_MIRROR_ACCESS_WARNING","_mirror","prop","receiver","throttle$1","func","wait","timeout","previous","now","remaining","context","clearTimeout$1","setTimeout$1","hookSetter","key","d","isRevoked","original","patch","source","replacement","wrapped","nowTimestamp","getWindowScroll","_9","_10","_11","_12","_13","_14","getWindowHeight","getWindowWidth","closestElementOfNode","isBlocked","checkAncestors","blockedPredicate","isUnblocked","blockDistance","unblockDistance","isSerialized","isIgnored","isAncestorRemoved","legacy_isTouchEvent","event","polyfill","isSerializedIframe","isSerializedStylesheet","hasShadowRoot","_18","StyleSheetMirror","newId","getShadowHost","shadowHost","_19","_20","_21","getRootShadowHost","rootShadowHost","shadowHostInDom","inDom","cachedImplementations","getImplementation","cached","document","impl","sandbox","contentWindow","onRequestAnimationFrame","rest","EventType","EventType2","IncrementalSource","IncrementalSource2","MouseInteractions","MouseInteractions2","PointerTypes","PointerTypes2","_optionalChain$3","isNodeInLinkedList","DoubleLinkedList","position","current","index","moveKey","parentId","MutationBuffer","mutations","adds","addedIds","addList","getNextId","ns","nextId","pushAdd","currentN","iframe","childSn","isParentRemoved","isAncestorInSet","candidate","tailNode","_node","unhandledNode","payload","attribute","diffAsStr","unchangedAsStr","m","attributeName","item","old","pname","newValue","newPriority","nodeId","deepDelete","targetId","addsSet","removes","_isParentRemoved","parentNode","r","set","_isAncestorInSet","errorHandler","registerErrorHandler","handler","unregisterErrorHandler","callbackWrapper","cb","error","_optionalChain$2","mutationBuffers","getEventTarget","path","initMutationObserver","rootEl","mutationBuffer","mutationObserverCtor","angularZoneSymbol","observer","initMoveObserver","mousemoveCb","sampling","threshold","callbackThreshold","positions","timeBaseline","wrappedCb","totalOffset","p","updatePosition","evt","clientX","clientY","handlers","h","initMouseInteractionObserver","mouseInteractionCb","disableMap","currentPointerType","getHandler","eventKey","pointerType","thisEventKey","e","eventName","initScrollObserver","scrollCb","scrollLeftTop","initViewportResizeObserver","viewportResizeCb","lastH","lastW","updateDimension","INPUT_TAGS","lastInputValueMap","initInputObserver","inputCb","ignoreClass","ignoreSelector","userTriggeredOnInput","eventHandler","userTriggered","isChecked","cbWithDedup","v","lastInputValue","currentWindow","propertyDescriptor","hookProperties","getNestedCSSRulePositions","recurse","childRule","hasNestedCSSRule","getIdAndStyleId","sheet","styleMirror","styleId","initStyleSheetObserver","styleSheetRuleCb","stylesheetManager","insertRule","thisArg","argumentsList","deleteRule","replace","replaceSync","supportedNestedCSSRuleTypes","canMonkeyPatchNestedCSSRule","unmodifiedFunctions","typeKey","initAdoptedStyleSheetObserver","hostId","patchTarget","originalPropertyDescriptor","sheets","result","_15","_16","initStyleDeclarationObserver","styleDeclarationCb","ignoreCSSAttributes","setProperty","property","priority","_17","removeProperty","initMediaInteractionObserver","mediaInteractionCb","currentTime","volume","muted","playbackRate","initFontObserver","fontCb","fontMap","originalFontFace","family","descriptors","fontFace","restoreHandler","initSelectionObserver","param","selectionCb","collapsed","updateSelection","selection","ranges","count","range","startContainer","startOffset","endContainer","endOffset","initCustomElementObserver","customElementCb","constructor","initObservers","o","_hooks","mutationObserver","mousemoveHandler","mouseInteractionHandler","scrollHandler","viewportResizeHandler","inputHandler","mediaInteractionHandler","styleSheetObserver","adoptedStyleSheetObserver","styleDeclarationObserver","fontObserver","selectionObserver","customElementObserver","pluginHandlers","plugin","b","CrossOriginIframeMirror","generateIdFn","remoteId","idToRemoteMap","remoteToIdMap","idToRemoteIdMap","remoteIdToIdMap","map","ids","_optionalChain$1","IframeManagerNoop","IframeManager","message","crossOriginMessageEvent","transformedEvent","style","iframeMirror","obj","keys","child","ShadowDomManagerNoop","ShadowDomManager","iframeElement","manager","option","CanvasManagerNoop","StylesheetManager","linkEl","adoptedStyleSheetData","styles","ProcessedNodeManager","thisBuffer","buffers","buffer","wrappedEmit","_takeFullSnapshot","record","emit","checkoutEveryNms","checkoutEveryNth","_maskInputOptions","_slimDOMOptions","maxCanvasSize","packFn","mousemoveWait","recordCrossOriginIframes","recordAfter","collectFonts","plugins","onMutation","getCanvasManager","inEmittingFrame","passEmitsToParent","lastFullSnapshotEvent","incrementalSnapshotCount","eventProcessor","isCheckout","buf","exceedCount","exceedTime","takeFullSnapshot","wrappedMutationEmit","wrappedScrollEmit","wrappedCanvasMutationEmit","wrappedAdoptedStyleSheetEmit","iframeManager","processedNodeManager","canvasManager","_getCanvasManager","shadowDomManager","observe","init","getCanvasManagerFn","ReplayEventTypeIncrementalSnapshot","ReplayEventTypeCustom","timestampToMs","timestamp","timestampToS","addBreadcrumbEvent","replay","breadcrumb","normalize","INTERACTIVE_SELECTOR","getClosestInteractive","getClickTargetNode","getTargetNode","isEventWithTarget","onWindowOpen","monkeyPatchWindowOpen","fill","originalWindowOpen","handleClick","clickDetector","clickBreadcrumb","ClickDetector","slowClickConfig","_addBreadcrumbEvent","cleanupWindowOpen","nowInSeconds","ignoreElement","isClickBreadcrumb","newClick","click","timedOutClicks","hadScroll","hadMutation","isSlowClick","clickCount","timeAfterClickMs","endReason","SLOW_CLICK_TAGS","updateClickDetectorForRecordingEvent","isIncrementalEvent","isIncrementalMouseInteraction","createBreadcrumb","ATTRIBUTES_TO_RECORD","getAttributesToRecord","normalizedKey","handleDomListener","handlerData","handleDom","isClick","getBaseDomBreadcrumb","isElement","getDomTarget","htmlTreeAsString","handleKeyboardEvent","getKeyboardBreadcrumb","metaKey","shiftKey","ctrlKey","altKey","isInputElement","hasModifierKey","isCharacterKey","baseBreadcrumb","ENTRY_TYPES","createResourceEntry","createPaintEntry","createNavigationEntry","createPerformanceEntries","entries","createPerformanceEntry","entry","getAbsoluteTime","time","browserPerformanceTimeOrigin","duration","entryType","startTime","start","decodedBodySize","domComplete","encodedBodySize","domContentLoadedEventStart","domContentLoadedEventEnd","domInteractive","loadEventStart","loadEventEnd","redirectCount","transferSize","initiatorType","responseEnd","responseStatus","getLargestContentfulPaint","metric","lastEntry","end","setupPerformanceObserver","addPerformanceEntry","onEntries","clearCallbacks","addPerformanceInstrumentationHandler","addLcpInstrumentationHandler","clearCallback","DEBUG_BUILD","logInfo","shouldAddBreadcrumb","logger","addLogBreadcrumb","logInfoNextTick","addBreadcrumb","EventBufferSizeExceededError","EventBufferArray","eventSize","resolve","eventsRet","WorkerHandler","worker","reject","data","method","arg","response","EventBufferCompressionWorker","EventBufferProxy","events","hasCheckout","addEventPromises","createEventBuffer","useCompression","customWorkerUrl","_loadWorker","workerUrl","_getWorkerUrl","hasSessionStorage","clearSession","deleteSession","isSampled","sampleRate","makeSession","session","uuid4","started","lastActivity","segmentId","sampled","previousSessionId","saveSession","getSessionSampleType","sessionSampleRate","allowBuffering","createSession","stickySession","fetchSession","traceInternals","sessionStringFromStorage","sessionObj","isExpired","initialTime","expiry","targetTime","isSessionExpired","maxReplayDuration","sessionIdleExpire","shouldRefreshSession","loadOrCreateSession","sessionOptions","existingSession","isCustomEvent","addEventSync","shouldAddEvent","_addEvent","addEvent","replayOptions","eventAfterPossibleCallback","maybeApplyCallback","reason","getClient","timestampInMs","callback","isErrorEvent","isTransactionEvent","isReplayEvent","isFeedbackEvent","handleAfterSendEvent","enforceStatusCode","isBaseTransportSend","sendResponse","statusCode","handleTransactionEvent","handleErrorEvent","replayContext","beforeErrorSampling","transport","handleBeforeSendEvent","handleHydrationError","exceptionValue","isRrwebError","hint","addFeedbackBreadcrumb","shouldSampleForBufferEvent","handleGlobalEventListener","includeAfterSendEventHandling","afterSendHandler","createPerformanceSpans","handleHistory","from","to","handleHistorySpanListener","shouldFilterRequest","addNetworkBreadcrumb","handleFetch","startTimestamp","endTimestamp","fetchData","handleFetchSpanListener","handleXhr","xhr","sentryXhrData","SENTRY_XHR_DATA_KEY","handleXhrSpanListener","getBodySize","body","textEncoder","formDataStr","_serializeFormData","parseContentLengthHeader","header","size","getBodyString","mergeWarning","info","warning","newMeta","existingWarnings","makeNetworkReplayBreadcrumb","request","dropUndefinedKeys","buildSkippedNetworkRequestOrResponse","bodySize","buildNetworkRequestOrResponse","headers","normalizedBody","warnings","normalizeNetworkBody","getAllowedHeaders","allowedHeaders","filteredHeaders","formData","exceedsSizeLimit","isProbablyJson","_strIsProbablyJson","truncatedBody","first","last","urlMatches","urls","fullUrl","getFullUrl","stringMatchesSomePattern","baseURI","fixedUrl","captureFetchBreadcrumbToReplay","_prepareFetchData","enrichFetchBreadcrumb","input","_getFetchRequestArgBody","reqSize","resSize","requestBodySize","responseBodySize","captureDetails","_getRequestInfo","_getResponseInfo","networkCaptureBodies","networkRequestHeaders","getRequestHeaders","requestBody","bodyStr","networkResponseHeaders","getAllHeaders","bodyText","_parseFetchResponseBody","getResponseData","res","_tryCloneResponse","_tryGetResponseText","fetchArgs","allHeaders","getHeadersFromOptions","_getResponseText","txt","captureXhrBreadcrumbToReplay","_prepareXhrData","enrichXhrBreadcrumb","_getBodySize","xhrInfo","getResponseHeaders","requestWarning","responseBody","responseWarning","_getXhrResponseBody","acc","line","errors","_parseXhrResponse","responseType","handleNetworkBreadcrumbs","networkDetailAllowUrls","networkDetailDenyUrls","beforeAddNetworkBreadcrumb","addFetchInstrumentationHandler","addXhrInstrumentationHandler","_isXhrBreadcrumb","_isXhrHint","_isFetchBreadcrumb","_isFetchHint","_LAST_BREADCRUMB","isBreadcrumbWithCategory","handleScopeListener","scope","handleScope","newBreadcrumb","normalizeConsoleBreadcrumb","isTruncated","normalizedArgs","normalizedArg","addGlobalListeners","getCurrentScope","addClickKeypressInstrumentationHandler","addHistoryInstrumentationHandler","hasHooks","addEventProcessor","dsc","replayId","transaction","feedbackEvent","addMemoryEntry","createMemoryEntry","memoryEntry","jsHeapSizeLimit","totalJSHeapSize","usedJSHeapSize","debounce","callbackReturnValue","timerId","maxTimerId","maxWait","invokeFunc","cancelTimers","flush","debounced","getHandleRecordingEmit","hadFirstEvent","_isCheckout","addSettingsEvent","earliestEvent","createOptionsEvent","createReplayEnvelope","replayEvent","recordingData","createEnvelope","createEventEnvelopeHeaders","getSdkMetadataForEnvelopeHeader","prepareRecordingData","payloadWithSequence","replayHeaders","sequence","prepareReplayEvent","event_id","integrations","eventHint","preparedEvent","prepareEvent","getIsolationScope","metadata","version","sendReplayRequest","segment_id","eventContext","preparedRecordingData","errorIds","traceIds","initialTimestamp","baseEvent","envelope","TransportStatusCodeError","rateLimits","updateRateLimits","isRateLimited","RateLimitError","sendReplay","replayData","retryConfig","setContext","captureException","THROTTLED","SKIPPED","throttle","maxCount","durationSeconds","counter","_cleanup","_getTotalCount","isThrottled","wasThrottled","ReplayContainer","recordingOptions","slowClickTimeout","slowClickIgnoreSelectors","errorSampleRate","canvasOptions","forceFlush","continueRecording","activityTime","hasStoppedRecording","cbResult","urlPath","lastTransaction","spanToJSON","SEMANTIC_ATTRIBUTE_SENTRY_SOURCE","currentSession","_lastActivity","performanceEntries","eventBuffer","_context","force","tooShort","tooLong","mutationLimit","mutationBreadcrumbLimit","overMutationLimit","getOption","selectors","defaultSelectors","deprecatedClassOption","deprecatedSelectorOption","deprecatedSelectors","allSelectors","consoleSandbox","getPrivacyOptions","mask","unmask","block","unblock","ignore","defaultBlockedElements","maskSelector","unmaskSelector","maskAttribute","maskAttributes","privacyOptions","MEDIA_SELECTORS","DEFAULT_NETWORK_HEADERS","_initialized","Replay$1","flushMinDelay","flushMaxDelay","minReplayDuration","_experiments","blockAllMedia","maskFn","beforeAddRecordingEvent","_getMergedNetworkHeaders","finalOptions","loadReplayOptionsFromClient","canvasIntegration","initialOptions","opt"],"mappings":"inCAYA,SAASA,IAAY,CAGnB,MACE,CAACC,GAAiB,GAClB,OAAO,UAAU,SAAS,KAAK,OAAO,QAAY,IAAc,QAAU,CAAC,IAAM,kBAErF,CCbA,SAASC,IAAY,CAEnB,OAAO,OAAO,OAAW,MAAgB,CAACF,GAAW,GAAIG,GAAsB,EACjF,CAGA,SAASA,IAAyB,CAChC,OAEGC,GAAa,UAAY,QAAeA,GAAa,QAAU,OAAS,UAE7E,CCmBA,SAASC,GAAiBC,EAAKC,EAAO,CAEpC,OAAOD,GAAoBC,EAAO,CACpC,CC7BA,SAASC,GAAeC,EAAK,CAC3B,IAAIC,EACAC,EAAQF,EAAI,CAAC,EACbG,EAAI,EACR,KAAOA,EAAIH,EAAI,QAAQ,CACrB,MAAMI,EAAKJ,EAAIG,CAAC,EACVE,EAAKL,EAAIG,EAAI,CAAC,EAGpB,GAFAA,GAAK,GAEAC,IAAO,kBAAoBA,IAAO,iBAAmBF,GAAS,KAEjE,OAEEE,IAAO,UAAYA,IAAO,kBAC5BH,EAAgBC,EAChBA,EAAQG,EAAGH,CAAK,IACPE,IAAO,QAAUA,IAAO,kBACjCF,EAAQG,EAAG,IAAIC,IAAUJ,EAAQ,KAAKD,EAAe,GAAGK,CAAI,CAAC,EAC7DL,EAAgB,OAEtB,CACE,OAAOC,CACT,CCzBA,SAASK,GAAmBC,EAAKC,EAAa,CAC5C,MAAMC,EACJD,GAAeE,GAAMF,CAAW,EAE5BA,EAAY,UAAS,EACrBA,EACAG,EAAMF,GAAUA,EAAO,OAAQ,EAC/BG,EAASH,GAAUA,EAAO,WAAY,EAAC,OAE7C,OAAOI,GAASN,EAAKI,CAAG,GAAKG,GAAYP,EAAKK,CAAM,CACtD,CAEA,SAASE,GAAYP,EAAKK,EAAQ,CAChC,OAAKA,EAIEG,GAAoBR,CAAG,IAAMQ,GAAoBH,CAAM,EAHrD,EAIX,CAEA,SAASC,GAASN,EAAKI,EAAK,CAC1B,OAAOA,EAAMJ,EAAI,SAASI,EAAI,IAAI,EAAI,EACxC,CAEA,SAASI,GAAoBC,EAAK,CAChC,OAAOA,EAAIA,EAAI,OAAS,CAAC,IAAM,IAAMA,EAAI,MAAM,EAAG,EAAE,EAAIA,CAC1D,CAGA,SAASN,GAAMF,EAAa,CAE1B,OAAQA,EAAc,YAAc,MACtC,CC9BA,MAAMS,EAASvB,GAETwB,GAAqB,sBACrBC,GAAoB,eACpBC,GAAwB,wBAGxBC,GAA8B,IAG9BC,GAA+B,IAG/BC,GAA0B,IAG1BC,GAA0B,KAG1BC,GAAuB,IAEvBC,GAAsB,IACtBC,GAAkB,EAGlBC,GAAwB,KAGxBC,GAAuB,IAGvBC,GAAuB,IAEvBC,GAA4B,IAG5BC,GAA+B,IAG/BC,GAAsB,KAEtBC,GAA4B,KAG5BC,GAAsB,KAE5B,SAASC,GAAmBxC,EAAKC,EAAO,CAAE,OAAID,GAA2CC,IAAY,SAASwC,GAAiBtC,EAAK,CAAE,IAAIC,EAA+BC,EAAQF,EAAI,CAAC,EAAOG,EAAI,EAAG,KAAOA,EAAIH,EAAI,QAAQ,CAAE,MAAMI,EAAKJ,EAAIG,CAAC,EAASE,EAAKL,EAAIG,EAAI,CAAC,EAAW,GAARA,GAAK,GAAQC,IAAO,kBAAoBA,IAAO,iBAAmBF,GAAS,KAAQ,OAAwBE,IAAO,UAAYA,IAAO,kBAAoBH,EAAgBC,EAAOA,EAAQG,EAAGH,CAAK,IAAcE,IAAO,QAAUA,IAAO,kBAAkBF,EAAQG,EAAG,IAAIC,IAASJ,EAAM,KAAKD,EAAe,GAAGK,CAAI,CAAC,EAAGL,EAAgB,QAAe,OAAOC,CAAM,CAAE,IAAIqC,GAC7mB,SAAUC,EAAU,CACjBA,EAASA,EAAS,SAAc,CAAC,EAAI,WACrCA,EAASA,EAAS,aAAkB,CAAC,EAAI,eACzCA,EAASA,EAAS,QAAa,CAAC,EAAI,UACpCA,EAASA,EAAS,KAAU,CAAC,EAAI,OACjCA,EAASA,EAAS,MAAW,CAAC,EAAI,QAClCA,EAASA,EAAS,QAAa,CAAC,EAAI,SACxC,GAAGD,IAAeA,EAAa,CAAA,EAAG,EAElC,SAASE,GAAYC,EAAG,CACpB,OAAOA,EAAE,WAAaA,EAAE,YAC5B,CACA,SAASC,GAAaD,EAAG,CACrB,MAAME,EAAON,GAAiB,CAACI,EAAG,iBAAkBG,GAAKA,EAAE,IAAI,CAAC,EAChE,OAAeP,GAAiB,CAACM,EAAM,iBAAkBE,GAAMA,EAAG,UAAU,CAAC,IAAMJ,CACvF,CACA,SAASK,GAAkBC,EAAY,CACnC,OAAO,OAAO,UAAU,SAAS,KAAKA,CAAU,IAAM,qBAC1D,CACA,SAASC,GAAmCC,EAAS,CACjD,OAAIA,EAAQ,SAAS,yBAAyB,GAC1C,CAACA,EAAQ,SAAS,iCAAiC,IACnDA,EAAUA,EAAQ,QAAQ,0BAA2B,wDAAwD,GAE1GA,CACX,CACA,SAASC,GAAsBC,EAAM,CACjC,KAAM,CAAE,QAAAF,CAAO,EAAKE,EACpB,GAAIF,EAAQ,MAAM,GAAG,EAAE,OAAS,EAC5B,OAAOA,EACX,MAAMG,EAAY,CAAC,UAAW,OAAO,KAAK,UAAUD,EAAK,IAAI,CAAC,GAAG,EACjE,OAAIA,EAAK,YAAc,GACnBC,EAAU,KAAK,OAAO,EAEjBD,EAAK,WACVC,EAAU,KAAK,SAASD,EAAK,SAAS,GAAG,EAEzCA,EAAK,cACLC,EAAU,KAAK,YAAYD,EAAK,YAAY,GAAG,EAE/CA,EAAK,MAAM,QACXC,EAAU,KAAKD,EAAK,MAAM,SAAS,EAEhCC,EAAU,KAAK,GAAG,EAAI,GACjC,CACA,SAASC,GAAoBC,EAAG,CAC5B,GAAI,CACA,MAAMC,EAAQD,EAAE,OAASA,EAAE,SAC3B,OAAOC,EACDP,GAAmC,MAAM,KAAKO,EAAOC,EAAa,EAAE,KAAK,EAAE,CAAC,EAC5E,IACd,MACkB,CACV,OAAO,IACf,CACA,CACA,SAASA,GAAcL,EAAM,CACzB,IAAIM,EACJ,GAAIC,GAAgBP,CAAI,EACpB,GAAI,CACAM,EACIJ,GAAoBF,EAAK,UAAU,GAC/BD,GAAsBC,CAAI,CAC9C,MACsB,CACtB,SAEaQ,GAAeR,CAAI,GAAKA,EAAK,aAAa,SAAS,GAAG,EAC3D,OAAOS,GAAgBT,EAAK,OAAO,EAEvC,OAAOM,GAAqBN,EAAK,OACrC,CACA,SAASS,GAAgBC,EAAgB,CACrC,MAAMC,EAAQ,uCACd,OAAOD,EAAe,QAAQC,EAAO,QAAQ,CACjD,CACA,SAASJ,GAAgBP,EAAM,CAC3B,MAAO,eAAgBA,CAC3B,CACA,SAASQ,GAAeR,EAAM,CAC1B,MAAO,iBAAkBA,CAC7B,CACA,MAAMY,EAAO,CACT,aAAc,CACV,KAAK,UAAY,IAAI,IACrB,KAAK,YAAc,IAAI,OAC/B,CACI,MAAMtB,EAAG,CACL,GAAI,CAACA,EACD,MAAO,GACX,MAAMuB,EAAK3B,GAAiB,CAAC,KAAM,SAAU4B,GAAMA,EAAG,QAAS,OAAQC,GAAMA,EAAGzB,CAAC,EAAG,iBAAkB0B,GAAMA,EAAG,EAAE,CAAC,EAClH,OAAO/B,GAAmB4B,EAAI,IAAQ,EAAG,CACjD,CACI,QAAQA,EAAI,CACR,OAAO,KAAK,UAAU,IAAIA,CAAE,GAAK,IACzC,CACI,QAAS,CACL,OAAO,MAAM,KAAK,KAAK,UAAU,KAAI,CAAE,CAC/C,CACI,QAAQvB,EAAG,CACP,OAAO,KAAK,YAAY,IAAIA,CAAC,GAAK,IAC1C,CACI,kBAAkBA,EAAG,CACjB,MAAMuB,EAAK,KAAK,MAAMvB,CAAC,EACvB,KAAK,UAAU,OAAOuB,CAAE,EACpBvB,EAAE,YACFA,EAAE,WAAW,QAAS2B,GAAc,KAAK,kBAAkBA,CAAS,CAAC,CAEjF,CACI,IAAIJ,EAAI,CACJ,OAAO,KAAK,UAAU,IAAIA,CAAE,CACpC,CACI,QAAQK,EAAM,CACV,OAAO,KAAK,YAAY,IAAIA,CAAI,CACxC,CACI,IAAI5B,EAAG6B,EAAM,CACT,MAAMN,EAAKM,EAAK,GAChB,KAAK,UAAU,IAAIN,EAAIvB,CAAC,EACxB,KAAK,YAAY,IAAIA,EAAG6B,CAAI,CACpC,CACI,QAAQN,EAAI,EAAG,CACX,MAAMO,EAAU,KAAK,QAAQP,CAAE,EAC/B,GAAIO,EAAS,CACT,MAAMD,EAAO,KAAK,YAAY,IAAIC,CAAO,EACrCD,GACA,KAAK,YAAY,IAAI,EAAGA,CAAI,CAC5C,CACQ,KAAK,UAAU,IAAIN,EAAI,CAAC,CAChC,CACI,OAAQ,CACJ,KAAK,UAAY,IAAI,IACrB,KAAK,YAAc,IAAI,OAC/B,CACA,CACA,SAASQ,IAAe,CACpB,OAAO,IAAIT,EACf,CACA,SAASU,GAAgB,CAAE,iBAAAC,EAAkB,QAAAC,EAAS,KAAAC,CAAI,EAAK,CAC3D,OAAID,IAAY,WACZA,EAAU,UAEP,GAAQD,EAAiBC,EAAQ,YAAW,CAAE,GAChDC,GAAQF,EAAiBE,CAAI,GAC9BA,IAAS,YACRD,IAAY,SAAW,CAACC,GAAQF,EAAiB,KAC1D,CACA,SAASG,GAAe,CAAE,SAAAC,EAAU,QAAAC,EAAS,MAAA9E,EAAO,YAAA+E,CAAW,EAAK,CAChE,IAAIC,EAAOhF,GAAS,GACpB,OAAK6E,GAGDE,IACAC,EAAOD,EAAYC,EAAMF,CAAO,GAE7B,IAAI,OAAOE,EAAK,MAAM,GALlBA,CAMf,CACA,SAASC,GAAYlE,EAAK,CACtB,OAAOA,EAAI,YAAa,CAC5B,CACA,SAASmE,GAAYnE,EAAK,CACtB,OAAOA,EAAI,YAAa,CAC5B,CACA,MAAMoE,GAA0B,qBAChC,SAASC,GAAgBC,EAAQ,CAC7B,MAAMC,EAAMD,EAAO,WAAW,IAAI,EAClC,GAAI,CAACC,EACD,MAAO,GACX,MAAMC,EAAY,GAClB,QAASC,EAAI,EAAGA,EAAIH,EAAO,MAAOG,GAAKD,EACnC,QAASE,EAAI,EAAGA,EAAIJ,EAAO,OAAQI,GAAKF,EAAW,CAC/C,MAAMG,EAAeJ,EAAI,aACnBK,EAAuBR,MAA2BO,EAClDA,EAAaP,EAAuB,EACpCO,EAEN,GADoB,IAAI,YAAYC,EAAqB,KAAKL,EAAKE,EAAGC,EAAG,KAAK,IAAIF,EAAWF,EAAO,MAAQG,CAAC,EAAG,KAAK,IAAID,EAAWF,EAAO,OAASI,CAAC,CAAC,EAAE,KAAK,MAAM,EACnJ,KAAMG,GAAUA,IAAU,CAAC,EACvC,MAAO,EACvB,CAEI,MAAO,EACX,CACA,SAASC,GAAaf,EAAS,CAC3B,MAAMH,EAAOG,EAAQ,KACrB,OAAOA,EAAQ,aAAa,qBAAqB,EAC3C,WACAH,EAEMM,GAAYN,CAAI,EAClB,IACd,CACA,SAASmB,GAAcC,EAAIrB,EAASC,EAAM,CACtC,OAAID,IAAY,UAAYC,IAAS,SAAWA,IAAS,YAC9CoB,EAAG,aAAa,OAAO,GAAK,GAEhCA,EAAG,KACd,CAEA,IAAIC,GAAM,EACV,MAAMC,GAAe,IAAI,OAAO,cAAc,EACxCC,GAAe,GACrB,SAASC,IAAQ,CACb,OAAOH,IACX,CACA,SAASI,GAAgBtB,EAAS,CAC9B,GAAIA,aAAmB,gBACnB,MAAO,OAEX,MAAMuB,EAAmBpB,GAAYH,EAAQ,OAAO,EACpD,OAAImB,GAAa,KAAKI,CAAgB,EAC3B,MAEJA,CACX,CACA,SAASC,GAAchG,EAAK,CACxB,IAAIiG,EAAS,GACb,OAAIjG,EAAI,QAAQ,IAAI,EAAI,GACpBiG,EAASjG,EAAI,MAAM,GAAG,EAAE,MAAM,EAAG,CAAC,EAAE,KAAK,GAAG,EAG5CiG,EAASjG,EAAI,MAAM,GAAG,EAAE,CAAC,EAE7BiG,EAASA,EAAO,MAAM,GAAG,EAAE,CAAC,EACrBA,CACX,CACA,IAAIC,GACAC,GACJ,MAAMC,GAAiB,6CACjBC,GAAqB,sBACrBC,GAAgB,YAChBC,GAAW,wBACjB,SAASC,GAAqB9D,EAAS+D,EAAM,CACzC,OAAQ/D,GAAW,IAAI,QAAQ0D,GAAgB,CAACH,EAAQS,EAAQC,EAAOC,EAAQC,EAAOC,IAAU,CAC5F,MAAMC,EAAWJ,GAASE,GAASC,EAC7BE,EAAaN,GAAUE,GAAU,GACvC,GAAI,CAACG,EACD,OAAOd,EAEX,GAAII,GAAmB,KAAKU,CAAQ,GAAKT,GAAc,KAAKS,CAAQ,EAChE,MAAO,OAAOC,CAAU,GAAGD,CAAQ,GAAGC,CAAU,IAEpD,GAAIT,GAAS,KAAKQ,CAAQ,EACtB,MAAO,OAAOC,CAAU,GAAGD,CAAQ,GAAGC,CAAU,IAEpD,GAAID,EAAS,CAAC,IAAM,IAChB,MAAO,OAAOC,CAAU,GAAGhB,GAAcS,CAAI,EAAIM,CAAQ,GAAGC,CAAU,IAE1E,MAAMC,EAAQR,EAAK,MAAM,GAAG,EACtBS,EAAQH,EAAS,MAAM,GAAG,EAChCE,EAAM,IAAK,EACX,UAAWE,KAAQD,EACXC,IAAS,MAGJA,IAAS,KACdF,EAAM,IAAK,EAGXA,EAAM,KAAKE,CAAI,GAGvB,MAAO,OAAOH,CAAU,GAAGC,EAAM,KAAK,GAAG,CAAC,GAAGD,CAAU,GAC/D,CAAK,CACL,CACA,MAAMI,GAAoB,qBACpBC,GAA0B,qBAChC,SAASC,GAAwBC,EAAKC,EAAgB,CAClD,GAAIA,EAAe,KAAM,IAAK,GAC1B,OAAOA,EAEX,IAAIC,EAAM,EACV,SAASC,EAAkBC,EAAO,CAC9B,IAAIC,EACJ,MAAMC,EAAQF,EAAM,KAAKH,EAAe,UAAUC,CAAG,CAAC,EACtD,OAAII,GACAD,EAAQC,EAAM,CAAC,EACfJ,GAAOG,EAAM,OACNA,GAEJ,EACf,CACI,MAAME,EAAS,CAAE,EACjB,KACIJ,EAAkBL,EAAuB,EACrC,EAAAI,GAAOD,EAAe,SAFjB,CAKT,IAAIxH,EAAM0H,EAAkBN,EAAiB,EAC7C,GAAIpH,EAAI,MAAM,EAAE,IAAM,IAClBA,EAAM+H,GAAcR,EAAKvH,EAAI,UAAU,EAAGA,EAAI,OAAS,CAAC,CAAC,EACzD8H,EAAO,KAAK9H,CAAG,MAEd,CACD,IAAIgI,EAAiB,GACrBhI,EAAM+H,GAAcR,EAAKvH,CAAG,EAC5B,IAAIiI,EAAW,GACf,OAAa,CACT,MAAMC,EAAIV,EAAe,OAAOC,CAAG,EACnC,GAAIS,IAAM,GAAI,CACVJ,EAAO,MAAM9H,EAAMgI,GAAgB,KAAI,CAAE,EACzC,KACpB,SAC0BC,EAWFC,IAAM,MACND,EAAW,YAXXC,IAAM,IAAK,CACXT,GAAO,EACPK,EAAO,MAAM9H,EAAMgI,GAAgB,KAAI,CAAE,EACzC,KACxB,MAC6BE,IAAM,MACXD,EAAW,IAQnBD,GAAkBE,EAClBT,GAAO,CACvB,CACA,CACA,CACI,OAAOK,EAAO,KAAK,IAAI,CAC3B,CACA,SAASC,GAAcR,EAAKC,EAAgB,CACxC,GAAI,CAACA,GAAkBA,EAAe,KAAI,IAAO,GAC7C,OAAOA,EAEX,MAAMW,EAAIZ,EAAI,cAAc,GAAG,EAC/B,OAAAY,EAAE,KAAOX,EACFW,EAAE,IACb,CACA,SAASC,GAAa3C,EAAI,CACtB,MAAO,GAAQA,EAAG,UAAY,OAASA,EAAG,gBAC9C,CACA,SAAS4C,IAAU,CACf,MAAMF,EAAI,SAAS,cAAc,GAAG,EACpC,OAAAA,EAAE,KAAO,GACFA,EAAE,IACb,CACA,SAASG,GAAmBf,EAAKnD,EAASmE,EAAM7I,EAAO8E,EAASgE,EAAiB,CAC7E,OAAK9I,IAGD6I,IAAS,OACRA,IAAS,QAAU,EAAEnE,IAAY,OAAS1E,EAAM,CAAC,IAAM,MAGnD6I,IAAS,cAAgB7I,EAAM,CAAC,IAAM,KAGtC6I,IAAS,eACbnE,IAAY,SAAWA,IAAY,MAAQA,IAAY,MANjD2D,GAAcR,EAAK7H,CAAK,EAS1B6I,IAAS,SACPjB,GAAwBC,EAAK7H,CAAK,EAEpC6I,IAAS,QACP/B,GAAqB9G,EAAO2I,IAAS,EAEvCjE,IAAY,UAAYmE,IAAS,OAC/BR,GAAcR,EAAK7H,CAAK,EAE/B,OAAO8I,GAAoB,WACpBA,EAAgBD,EAAM7I,EAAO8E,CAAO,EAExC9E,EACX,CACA,SAAS+I,GAAgBrE,EAASmE,EAAMG,EAAQ,CAC5C,OAAQtE,IAAY,SAAWA,IAAY,UAAYmE,IAAS,UACpE,CACA,SAASI,GAAkBnE,EAASoE,EAAYC,EAAeC,EAAiB,CAC5E,GAAI,CACA,GAAIA,GAAmBtE,EAAQ,QAAQsE,CAAe,EAClD,MAAO,GAEX,GAAI,OAAOF,GAAe,UACtB,GAAIpE,EAAQ,UAAU,SAASoE,CAAU,EACrC,MAAO,OAIX,SAASG,EAASvE,EAAQ,UAAU,OAAQuE,KAAW,CACnD,MAAMC,EAAYxE,EAAQ,UAAUuE,CAAM,EAC1C,GAAIH,EAAW,KAAKI,CAAS,EACzB,MAAO,EAE3B,CAEQ,GAAIH,EACA,OAAOrE,EAAQ,QAAQqE,CAAa,CAEhD,MACc,CACd,CACI,MAAO,EACX,CACA,SAASI,GAAyBxD,EAAIlC,EAAO,CACzC,QAASwF,EAAStD,EAAG,UAAU,OAAQsD,KAAW,CAC9C,MAAMC,EAAYvD,EAAG,UAAUsD,CAAM,EACrC,GAAIxF,EAAM,KAAKyF,CAAS,EACpB,MAAO,EAEnB,CACI,MAAO,EACX,CACA,SAASE,GAAgBpF,EAAMqF,EAAgBC,EAAQ,IAAUC,EAAW,EAAG,CAK3E,MAJI,CAACvF,GAEDA,EAAK,WAAaA,EAAK,cAEvBuF,EAAWD,EACJ,GACPD,EAAerF,CAAI,EACZuF,EACJH,GAAgBpF,EAAK,WAAYqF,EAAgBC,EAAOC,EAAW,CAAC,CAC/E,CACA,SAASC,GAAqBN,EAAWO,EAAU,CAC/C,OAAQzF,GAAS,CACb,MAAM2B,EAAK3B,EACX,GAAI2B,IAAO,KACP,MAAO,GACX,GAAI,CACA,GAAIuD,GACA,GAAI,OAAOA,GAAc,UACrB,GAAIvD,EAAG,QAAQ,IAAIuD,CAAS,EAAE,EAC1B,MAAO,WAENC,GAAyBxD,EAAIuD,CAAS,EAC3C,MAAO,GAGf,MAAI,GAAAO,GAAY9D,EAAG,QAAQ8D,CAAQ,EAG/C,MACmB,CACP,MAAO,EACnB,CACK,CACL,CACA,SAASC,GAAgB1F,EAAM2F,EAAeC,EAAkBC,EAAiBC,EAAoBC,EAAa,CAC9G,GAAI,CACA,MAAMpE,EAAK3B,EAAK,WAAaA,EAAK,aAC5BA,EACAA,EAAK,cACX,GAAI2B,IAAO,KACP,MAAO,GACX,GAAIA,EAAG,UAAY,QAAS,CACxB,MAAMqE,EAAerE,EAAG,aAAa,cAAc,EAUnD,GATqC,CACjC,mBACA,eACA,YACA,SACA,eACA,cACA,QACH,EACgC,SAASqE,CAAY,EAClD,MAAO,EAEvB,CACQ,IAAIC,EAAe,GACfC,EAAiB,GACrB,GAAIH,EAAa,CAEb,GADAG,EAAiBd,GAAgBzD,EAAI6D,GAAqBK,EAAiBC,CAAkB,CAAC,EAC1FI,EAAiB,EACjB,MAAO,GAEXD,EAAeb,GAAgBzD,EAAI6D,GAAqBG,EAAeC,CAAgB,EAAGM,GAAkB,EAAIA,EAAiB,GAAQ,CACrJ,KACa,CAED,GADAD,EAAeb,GAAgBzD,EAAI6D,GAAqBG,EAAeC,CAAgB,CAAC,EACpFK,EAAe,EACf,MAAO,GAEXC,EAAiBd,GAAgBzD,EAAI6D,GAAqBK,EAAiBC,CAAkB,EAAGG,GAAgB,EAAIA,EAAe,GAAQ,CACvJ,CACQ,OAAOA,GAAgB,EACjBC,GAAkB,EACdD,GAAgBC,EAChB,GACJA,GAAkB,EACd,GACA,CAAC,CAACH,CACpB,MACc,CACd,CACI,MAAO,CAAC,CAACA,CACb,CACA,SAASI,GAAiBC,EAAUC,EAAUC,EAAmB,CAC7D,MAAMC,EAAMH,EAAS,cACrB,GAAI,CAACG,EACD,OAEJ,IAAIC,EAAQ,GACRC,EACJ,GAAI,CACAA,EAAaF,EAAI,SAAS,UAClC,MACkB,CACV,MACR,CACI,GAAIE,IAAe,WAAY,CAC3B,MAAMC,EAAQ,WAAW,IAAM,CACtBF,IACDH,EAAU,EACVG,EAAQ,GAEf,EAAEF,CAAiB,EACpBF,EAAS,iBAAiB,OAAQ,IAAM,CACpC,aAAaM,CAAK,EAClBF,EAAQ,GACRH,EAAU,CACtB,CAAS,EACD,MACR,CACI,MAAMM,EAAW,cACjB,GAAIJ,EAAI,SAAS,OAASI,GACtBP,EAAS,MAAQO,GACjBP,EAAS,MAAQ,GACjB,kBAAWC,EAAU,CAAC,EACfD,EAAS,iBAAiB,OAAQC,CAAQ,EAErDD,EAAS,iBAAiB,OAAQC,CAAQ,CAC9C,CACA,SAASO,GAAqBC,EAAMR,EAAUS,EAAuB,CACjE,IAAIN,EAAQ,GACRO,EACJ,GAAI,CACAA,EAAmBF,EAAK,KAChC,MACkB,CACV,MACR,CACI,GAAIE,EACA,OACJ,MAAML,EAAQ,WAAW,IAAM,CACtBF,IACDH,EAAU,EACVG,EAAQ,GAEf,EAAEM,CAAqB,EACxBD,EAAK,iBAAiB,OAAQ,IAAM,CAChC,aAAaH,CAAK,EAClBF,EAAQ,GACRH,EAAU,CAClB,CAAK,CACL,CACA,SAASW,GAAc5I,EAAG6I,EAAS,CAC/B,KAAM,CAAE,IAAAxD,EAAK,OAAAyD,EAAQ,WAAApC,EAAY,cAAAC,EAAe,gBAAAC,EAAiB,YAAAe,EAAa,gBAAArB,EAAiB,cAAAiB,EAAe,gBAAAE,EAAiB,iBAAAD,EAAkB,mBAAAE,EAAoB,iBAAAqB,EAAkB,iBAAA9G,EAAmB,CAAE,EAAE,WAAA+G,EAAY,YAAAzG,EAAa,eAAA0G,EAAiB,CAAA,EAAI,aAAAC,EAAc,aAAAC,EAAc,gBAAAC,EAAiB,kBAAAC,EAAoB,EAAQ,EAAGR,EAClUS,EAASC,GAAUlE,EAAKyD,CAAM,EACpC,OAAQ9I,EAAE,SAAQ,CACd,KAAKA,EAAE,cACH,OAAIA,EAAE,aAAe,aACV,CACH,KAAMH,EAAW,SACjB,WAAY,CAAE,EACd,WAAYG,EAAE,UACjB,EAGM,CACH,KAAMH,EAAW,SACjB,WAAY,CAAE,CACjB,EAET,KAAKG,EAAE,mBACH,MAAO,CACH,KAAMH,EAAW,aACjB,KAAMG,EAAE,KACR,SAAUA,EAAE,SACZ,SAAUA,EAAE,SACZ,OAAAsJ,CACH,EACL,KAAKtJ,EAAE,aACH,OAAOwJ,GAAqBxJ,EAAG,CAC3B,IAAAqF,EACA,WAAAqB,EACA,cAAAC,EACA,gBAAAC,EACA,iBAAAmC,EACA,gBAAAzC,EACA,iBAAArE,EACA,YAAAM,EACA,eAAA0G,EACA,aAAAC,EACA,aAAAC,EACA,gBAAAC,EACA,kBAAAC,EACA,OAAAC,EAEA,cAAA/B,EACA,gBAAAE,EACA,iBAAAD,EACA,mBAAAE,CAChB,CAAa,EACL,KAAK1H,EAAE,UACH,OAAOyJ,GAAkBzJ,EAAG,CACxB,YAAA2H,EACA,cAAAJ,EACA,gBAAAE,EACA,iBAAAD,EACA,mBAAAE,EACA,WAAAsB,EACA,iBAAA/G,EACA,YAAAM,EACA,OAAA+G,CAChB,CAAa,EACL,KAAKtJ,EAAE,mBACH,MAAO,CACH,KAAMH,EAAW,MACjB,YAAa,GACb,OAAAyJ,CACH,EACL,KAAKtJ,EAAE,aACH,MAAO,CACH,KAAMH,EAAW,QACjB,YAAaG,EAAE,aAAe,GAC9B,OAAAsJ,CACH,EACL,QACI,MAAO,EACnB,CACA,CACA,SAASC,GAAUlE,EAAKyD,EAAQ,CAC5B,GAAI,CAACA,EAAO,QAAQzD,CAAG,EACnB,OACJ,MAAMqE,EAAQZ,EAAO,MAAMzD,CAAG,EAC9B,OAAOqE,IAAU,EAAI,OAAYA,CACrC,CACA,SAASD,GAAkBzJ,EAAG6I,EAAS,CACnC,KAAM,CAAE,YAAAlB,EAAa,cAAAJ,EAAe,gBAAAE,EAAiB,iBAAAD,EAAkB,mBAAAE,EAAoB,WAAAsB,EAAY,iBAAA/G,EAAkB,YAAAM,EAAa,OAAA+G,CAAS,EAAGT,EAC5Ic,EAAgB3J,EAAE,YAAcA,EAAE,WAAW,QACnD,IAAI4J,EAAc5J,EAAE,YACpB,MAAM6J,EAAUF,IAAkB,QAAU,GAAO,OAC7CG,EAAWH,IAAkB,SAAW,GAAO,OAC/CI,EAAaJ,IAAkB,WAAa,GAAO,OACzD,GAAIE,GAAWD,EAAa,CACxB,GAAI,CACI5J,EAAE,aAAeA,EAAE,iBAEdJ,GAAiB,CAACI,EAAG,SAAUgK,GAAMA,EAAG,WAAY,SAAUC,GAAMA,EAAG,MAAO,iBAAkBC,GAAMA,EAAG,QAAQ,CAAC,IACvHN,EAAchJ,GAAoBZ,EAAE,WAAW,KAAK,EAEpE,OACemK,EAAK,CACR,QAAQ,KAAK,wDAAwDA,CAAG,GAAInK,CAAC,CACzF,CACQ4J,EAActF,GAAqBsF,EAAazD,IAAS,CACjE,CACQ2D,IACAF,EAAc,sBAElB,MAAMQ,EAAY9C,GAAgBtH,EAAGuH,EAAeC,EAAkBC,EAAiBC,EAAoBC,CAAW,EAWtH,GAVI,CAACkC,GAAW,CAACC,GAAY,CAACC,GAAcH,GAAeQ,IACvDR,EAAcZ,EACRA,EAAWY,EAAa5J,EAAE,aAAa,EACvC4J,EAAY,QAAQ,QAAS,GAAG,GAEtCG,GAAcH,IAAgB3H,EAAiB,UAAYmI,KAC3DR,EAAcrH,EACRA,EAAYqH,EAAa5J,EAAE,UAAU,EACrC4J,EAAY,QAAQ,QAAS,GAAG,GAEtCD,IAAkB,UAAYC,EAAa,CAC3C,MAAMS,EAAgBrI,GAAgB,CAClC,KAAM,KACN,QAAS2H,EACT,iBAAA1H,CACZ,CAAS,EACD2H,EAAcxH,GAAe,CACzB,SAAUkF,GAAgBtH,EAAGuH,EAAeC,EAAkBC,EAAiBC,EAAoB2C,CAAa,EAChH,QAASrK,EACT,MAAO4J,EACP,YAAArH,CACZ,CAAS,CACT,CACI,MAAO,CACH,KAAM1C,EAAW,KACjB,YAAa+J,GAAe,GAC5B,QAAAC,EACA,OAAAP,CACH,CACL,CACA,SAASE,GAAqBxJ,EAAG6I,EAAS,CACtC,KAAM,CAAE,IAAAxD,EAAK,WAAAqB,EAAY,cAAAC,EAAe,gBAAAC,EAAiB,iBAAAmC,EAAkB,iBAAA9G,EAAmB,CAAE,EAAE,gBAAAqE,EAAiB,YAAA/D,EAAa,eAAA0G,EAAiB,GAAI,aAAAC,EAAc,aAAAC,EAAc,gBAAAC,EAAiB,kBAAAC,EAAoB,GAAO,OAAAC,EAAqB,cAAA/B,EAAe,gBAAAE,EAAiB,iBAAAD,EAAkB,mBAAAE,CAAqB,EAAGmB,EACtTyB,EAAY7D,GAAkBzG,EAAG0G,EAAYC,EAAeC,CAAe,EAC3E1E,EAAU0B,GAAgB5D,CAAC,EACjC,IAAIuK,EAAa,CAAE,EACnB,MAAMC,EAAMxK,EAAE,WAAW,OACzB,QAASvC,EAAI,EAAGA,EAAI+M,EAAK/M,IAAK,CAC1B,MAAMgN,EAAOzK,EAAE,WAAWvC,CAAC,EACvBgN,EAAK,MAAQ,CAAClE,GAAgBrE,EAASuI,EAAK,KAAMA,EAAK,KAAK,IAC5DF,EAAWE,EAAK,IAAI,EAAIrE,GAAmBf,EAAKnD,EAASO,GAAYgI,EAAK,IAAI,EAAGA,EAAK,MAAOzK,EAAGsG,CAAe,EAE3H,CACI,GAAIpE,IAAY,QAAU6G,EAAkB,CACxC,MAAM2B,EAAa,MAAM,KAAKrF,EAAI,WAAW,EAAE,KAAMxE,GAC1CA,EAAE,OAASb,EAAE,IACvB,EACD,IAAIQ,EAAU,KACVkK,IACAlK,EAAUI,GAAoB8J,CAAU,GAExClK,IACA,OAAO+J,EAAW,IAClB,OAAOA,EAAW,KAClBA,EAAW,SAAWjG,GAAqB9D,EAASkK,EAAW,IAAI,EAE/E,CACI,GAAIxI,IAAY,SACZlC,EAAE,OACF,EAAEA,EAAE,WAAaA,EAAE,aAAe,IAAI,KAAM,EAAC,OAAQ,CACrD,MAAMQ,EAAUI,GAAoBZ,EAAE,KAAK,EACvCQ,IACA+J,EAAW,SAAWjG,GAAqB9D,EAAS2F,GAAO,CAAE,EAEzE,CACI,GAAIjE,IAAY,SACZA,IAAY,YACZA,IAAY,UACZA,IAAY,SAAU,CACtB,MAAMqB,EAAKvD,EACLmC,EAAOkB,GAAaE,CAAE,EACtB/F,EAAQ8F,GAAcC,EAAIb,GAAYR,CAAO,EAAGC,CAAI,EACpDwI,EAAUpH,EAAG,QACnB,GAAIpB,IAAS,UAAYA,IAAS,UAAY3E,EAAO,CACjD,MAAM4M,EAAY9C,GAAgB/D,EAAIgE,EAAeC,EAAkBC,EAAiBC,EAAoB1F,GAAgB,CACxH,KAAAG,EACA,QAASO,GAAYR,CAAO,EAC5B,iBAAAD,CAChB,CAAa,CAAC,EACFsI,EAAW,MAAQnI,GAAe,CAC9B,SAAUgI,EACV,QAAS7G,EACT,MAAA/F,EACA,YAAA+E,CAChB,CAAa,CACb,CACYoI,IACAJ,EAAW,QAAUI,EAEjC,CASI,GARIzI,IAAY,WACRlC,EAAE,UAAY,CAACiC,EAAiB,OAChCsI,EAAW,SAAW,GAGtB,OAAOA,EAAW,UAGtBrI,IAAY,UAAYiH,GACxB,GAAInJ,EAAE,YAAc,KACX4C,GAAgB5C,CAAC,IAClBuK,EAAW,WAAavK,EAAE,UAAUiJ,EAAe,KAAMA,EAAe,OAAO,WAG9E,EAAE,cAAejJ,GAAI,CAC1B,MAAM4K,EAAgB5K,EAAE,UAAUiJ,EAAe,KAAMA,EAAe,OAAO,EACvE4B,EAAc,SAAS,cAAc,QAAQ,EACnDA,EAAY,MAAQ7K,EAAE,MACtB6K,EAAY,OAAS7K,EAAE,OACvB,MAAM8K,EAAqBD,EAAY,UAAU5B,EAAe,KAAMA,EAAe,OAAO,EACxF2B,IAAkBE,IAClBP,EAAW,WAAaK,EAExC,EAEI,GAAI1I,IAAY,OAASgH,EAAc,CAC9BlF,KACDA,GAAgBqB,EAAI,cAAc,QAAQ,EAC1CpB,GAAYD,GAAc,WAAW,IAAI,GAE7C,MAAM+G,EAAQ/K,EACRgL,EAAWD,EAAM,YACvBA,EAAM,YAAc,YACpB,MAAME,EAAoB,IAAM,CAC5BF,EAAM,oBAAoB,OAAQE,CAAiB,EACnD,GAAI,CACAjH,GAAc,MAAQ+G,EAAM,aAC5B/G,GAAc,OAAS+G,EAAM,cAC7B9G,GAAU,UAAU8G,EAAO,EAAG,CAAC,EAC/BR,EAAW,WAAavG,GAAc,UAAUiF,EAAe,KAAMA,EAAe,OAAO,CAC3G,OACmBkB,EAAK,CACR,QAAQ,KAAK,yBAAyBY,EAAM,UAAU,YAAYZ,CAAG,EAAE,CACvF,CACYa,EACOT,EAAW,YAAcS,EAC1BD,EAAM,gBAAgB,aAAa,CAC5C,EACGA,EAAM,UAAYA,EAAM,eAAiB,EACzCE,EAAmB,EAEnBF,EAAM,iBAAiB,OAAQE,CAAiB,CAC5D,CAeI,IAdI/I,IAAY,SAAWA,IAAY,WACnCqI,EAAW,cAAgBvK,EAAE,OACvB,SACA,SACNuK,EAAW,oBAAsBvK,EAAE,aAElCqJ,IACGrJ,EAAE,aACFuK,EAAW,cAAgBvK,EAAE,YAE7BA,EAAE,YACFuK,EAAW,aAAevK,EAAE,YAGhCsK,EAAW,CACX,KAAM,CAAE,MAAAY,EAAO,OAAAC,GAAWnL,EAAE,sBAAuB,EACnDuK,EAAa,CACT,MAAOA,EAAW,MAClB,SAAU,GAAGW,CAAK,KAClB,UAAW,GAAGC,CAAM,IACvB,CACT,CACQjJ,IAAY,UAAY,CAACkH,EAAgBmB,EAAW,GAAG,IAClDvK,EAAE,kBACHuK,EAAW,OAASA,EAAW,KAEnC,OAAOA,EAAW,KAEtB,IAAIa,EACJ,GAAI,CACI,eAAe,IAAIlJ,CAAO,IAC1BkJ,EAAkB,GAC9B,MACc,CACd,CACI,MAAO,CACH,KAAMvL,EAAW,QACjB,QAAAqC,EACA,WAAAqI,EACA,WAAY,CAAE,EACd,MAAOrE,GAAalG,CAAC,GAAK,OAC1B,UAAAsK,EACA,OAAAhB,EACA,SAAU8B,CACb,CACL,CACA,SAASC,EAAcC,EAAW,CAC9B,OAA+BA,GAAc,KAClC,GAGAA,EAAU,YAAa,CAEtC,CACA,SAASC,GAAgBC,EAAIC,EAAgB,CACzC,GAAIA,EAAe,SAAWD,EAAG,OAAS3L,EAAW,QACjD,MAAO,GAEN,GAAI2L,EAAG,OAAS3L,EAAW,QAAS,CACrC,GAAI4L,EAAe,SACdD,EAAG,UAAY,UACXA,EAAG,UAAY,SACXA,EAAG,WAAW,MAAQ,WACnBA,EAAG,WAAW,MAAQ,kBAC1BA,EAAG,WAAW,KAAO,UACxBA,EAAG,UAAY,QACZA,EAAG,WAAW,MAAQ,YACtB,OAAOA,EAAG,WAAW,MAAS,UAC9BA,EAAG,WAAW,KAAK,SAAS,KAAK,GACzC,MAAO,GAEN,GAAIC,EAAe,cAClBD,EAAG,UAAY,QAAUA,EAAG,WAAW,MAAQ,iBAC5CA,EAAG,UAAY,SACXH,EAAcG,EAAG,WAAW,IAAI,EAAE,MAAM,mCAAmC,GACxEH,EAAcG,EAAG,WAAW,IAAI,IAAM,oBACtCH,EAAcG,EAAG,WAAW,GAAG,IAAM,QACrCH,EAAcG,EAAG,WAAW,GAAG,IAAM,oBACrCH,EAAcG,EAAG,WAAW,GAAG,IAAM,kBACjD,MAAO,GAEN,GAAIA,EAAG,UAAY,OAAQ,CAC5B,GAAIC,EAAe,sBACfJ,EAAcG,EAAG,WAAW,IAAI,EAAE,MAAM,wBAAwB,EAChE,MAAO,GAEN,GAAIC,EAAe,iBACnBJ,EAAcG,EAAG,WAAW,QAAQ,EAAE,MAAM,mBAAmB,GAC5DH,EAAcG,EAAG,WAAW,IAAI,EAAE,MAAM,gBAAgB,GACxDH,EAAcG,EAAG,WAAW,IAAI,IAAM,aAC1C,MAAO,GAEN,GAAIC,EAAe,iBACnBJ,EAAcG,EAAG,WAAW,IAAI,IAAM,UACnCH,EAAcG,EAAG,WAAW,IAAI,IAAM,aACtCH,EAAcG,EAAG,WAAW,IAAI,IAAM,WAC1C,MAAO,GAEN,GAAIC,EAAe,mBACpBD,EAAG,WAAW,YAAY,IAAM,OAChC,MAAO,GAEN,GAAIC,EAAe,qBACnBJ,EAAcG,EAAG,WAAW,IAAI,IAAM,UACnCH,EAAcG,EAAG,WAAW,IAAI,IAAM,aACtCH,EAAcG,EAAG,WAAW,IAAI,IAAM,aACtCH,EAAcG,EAAG,WAAW,IAAI,IAAM,aACtCH,EAAcG,EAAG,WAAW,IAAI,IAAM,UACtCH,EAAcG,EAAG,WAAW,QAAQ,EAAE,MAAM,WAAW,GACvDH,EAAcG,EAAG,WAAW,QAAQ,EAAE,MAAM,WAAW,GAC3D,MAAO,GAEN,GAAIC,EAAe,uBACnBJ,EAAcG,EAAG,WAAW,IAAI,IAAM,4BACnCH,EAAcG,EAAG,WAAW,IAAI,IAAM,uBACtCH,EAAcG,EAAG,WAAW,IAAI,IAAM,cACtCH,EAAcG,EAAG,WAAW,IAAI,IAAM,mBACtCH,EAAcG,EAAG,WAAW,IAAI,IAAM,aACtCH,EAAcG,EAAG,WAAW,IAAI,IAAM,gBACtCH,EAAcG,EAAG,WAAW,IAAI,IAAM,8BAC1C,MAAO,EAEvB,CACA,CACI,MAAO,EACX,CACA,SAASE,GAAoB1L,EAAG6I,EAAS,CACrC,KAAM,CAAE,IAAAxD,EAAK,OAAAyD,EAAQ,WAAApC,EAAY,cAAAC,EAAe,gBAAAC,EAAiB,YAAAe,EAAa,cAAAJ,EAAe,gBAAAE,EAAiB,iBAAAD,EAAkB,mBAAAE,EAAoB,UAAAiE,EAAY,GAAO,iBAAA5C,EAAmB,GAAM,iBAAA9G,EAAmB,CAAA,EAAI,gBAAAqE,EAAiB,WAAA0C,EAAY,YAAAzG,EAAa,eAAAkJ,EAAgB,eAAAxC,EAAiB,CAAE,EAAE,aAAAC,EAAe,GAAO,aAAAC,EAAe,GAAO,YAAAyC,EAAa,aAAAC,EAAc,kBAAA3D,EAAoB,IAAM,iBAAA4D,EAAkB,sBAAAC,EAAwB,IAAM,gBAAA3C,EAAkB,IAAM,GAAO,kBAAAC,EAAoB,EAAK,EAAMR,EACrf,GAAI,CAAE,mBAAAmD,EAAqB,EAAI,EAAKnD,EACpC,MAAMoD,EAAkBrD,GAAc5I,EAAG,CACrC,IAAAqF,EACA,OAAAyD,EACA,WAAApC,EACA,cAAAC,EACA,YAAAgB,EACA,gBAAAf,EACA,cAAAW,EACA,gBAAAE,EACA,iBAAAD,EACA,mBAAAE,EACA,iBAAAqB,EACA,iBAAA9G,EACA,gBAAAqE,EACA,WAAA0C,EACA,YAAAzG,EACA,eAAA0G,EACA,aAAAC,EACA,aAAAC,EACA,gBAAAC,EACA,kBAAAC,CACR,CAAK,EACD,GAAI,CAAC4C,EACD,eAAQ,KAAKjM,EAAG,gBAAgB,EACzB,KAEX,IAAIuB,EACAuH,EAAO,QAAQ9I,CAAC,EAChBuB,EAAKuH,EAAO,MAAM9I,CAAC,EAEduL,GAAgBU,EAAiBR,CAAc,GACnD,CAACO,GACEC,EAAgB,OAASpM,EAAW,MACpC,CAACoM,EAAgB,SACjB,CAACA,EAAgB,YAAY,QAAQ,cAAe,EAAE,EAAE,OAC5D1K,EAAKmC,GAGLnC,EAAKoC,GAAO,EAEhB,MAAMuI,EAAiB,OAAO,OAAOD,EAAiB,CAAE,GAAA1K,CAAE,CAAE,EAE5D,GADAuH,EAAO,IAAI9I,EAAGkM,CAAc,EACxB3K,IAAOmC,GACP,OAAO,KAEPkI,GACAA,EAAY5L,CAAC,EAEjB,IAAImM,EAAc,CAACR,EACnB,GAAIO,EAAe,OAASrM,EAAW,QAAS,CAC5CsM,EAAcA,GAAe,CAACD,EAAe,UAC7C,OAAOA,EAAe,UACtB,MAAM5L,EAAaN,EAAE,WACjBM,GAAcD,GAAkBC,CAAU,IAC1C4L,EAAe,aAAe,GAC1C,CACI,IAAKA,EAAe,OAASrM,EAAW,UACpCqM,EAAe,OAASrM,EAAW,UACnCsM,EAAa,CACTV,EAAe,gBACfS,EAAe,OAASrM,EAAW,SACnCqM,EAAe,UAAY,SAC3BF,EAAqB,IAEzB,MAAMI,EAAgB,CAClB,IAAA/G,EACA,OAAAyD,EACA,WAAApC,EACA,cAAAC,EACA,YAAAgB,EACA,gBAAAf,EACA,cAAAW,EACA,gBAAAE,EACA,iBAAAD,EACA,mBAAAE,EACA,UAAAiE,EACA,iBAAA5C,EACA,iBAAA9G,EACA,gBAAAqE,EACA,WAAA0C,EACA,YAAAzG,EACA,eAAAkJ,EACA,eAAAxC,EACA,aAAAC,EACA,aAAAC,EACA,mBAAA6C,EACA,YAAAJ,EACA,aAAAC,EACA,kBAAA3D,EACA,iBAAA4D,EACA,sBAAAC,EACA,gBAAA3C,CACH,EACD,UAAWiD,KAAU,MAAM,KAAKrM,EAAE,UAAU,EAAG,CAC3C,MAAMsM,EAAsBZ,GAAoBW,EAAQD,CAAa,EACjEE,GACAJ,EAAe,WAAW,KAAKI,CAAmB,CAElE,CACQ,GAAIvM,GAAYC,CAAC,GAAKA,EAAE,WACpB,UAAWqM,KAAU,MAAM,KAAKrM,EAAE,WAAW,UAAU,EAAG,CACtD,MAAMsM,EAAsBZ,GAAoBW,EAAQD,CAAa,EACjEE,IACAjM,GAAkBL,EAAE,UAAU,IACzBsM,EAAoB,SAAW,IACpCJ,EAAe,WAAW,KAAKI,CAAmB,EAEtE,CAEA,CACI,OAAItM,EAAE,YACFC,GAAaD,EAAE,UAAU,GACzBK,GAAkBL,EAAE,UAAU,IAC9BkM,EAAe,SAAW,IAE1BA,EAAe,OAASrM,EAAW,SACnCqM,EAAe,UAAY,UAC3BnE,GAAiB/H,EAAG,IAAM,CACtB,MAAMuM,EAAYvM,EAAE,gBACpB,GAAIuM,GAAaV,EAAc,CAC3B,MAAMW,EAAuBd,GAAoBa,EAAW,CACxD,IAAKA,EACL,OAAAzD,EACA,WAAApC,EACA,cAAAC,EACA,gBAAAC,EACA,YAAAe,EACA,cAAAJ,EACA,gBAAAE,EACA,iBAAAD,EACA,mBAAAE,EACA,UAAW,GACX,iBAAAqB,EACA,iBAAA9G,EACA,gBAAAqE,EACA,WAAA0C,EACA,YAAAzG,EACA,eAAAkJ,EACA,eAAAxC,EACA,aAAAC,EACA,aAAAC,EACA,mBAAA6C,EACA,YAAAJ,EACA,aAAAC,EACA,kBAAA3D,EACA,iBAAA4D,EACA,sBAAAC,EACA,gBAAA3C,CACpB,CAAiB,EACGoD,GACAX,EAAa7L,EAAGwM,CAAoB,CAExD,CACS,EAAEtE,CAAiB,EAEpBgE,EAAe,OAASrM,EAAW,SACnCqM,EAAe,UAAY,QAC3BA,EAAe,WAAW,MAAQ,cAClC1D,GAAqBxI,EAAG,IAAM,CAC1B,GAAI8L,EAAkB,CAClB,MAAMW,EAAqBf,GAAoB1L,EAAG,CAC9C,IAAAqF,EACA,OAAAyD,EACA,WAAApC,EACA,cAAAC,EACA,gBAAAC,EACA,YAAAe,EACA,cAAAJ,EACA,gBAAAE,EACA,iBAAAD,EACA,mBAAAE,EACA,UAAW,GACX,iBAAAqB,EACA,iBAAA9G,EACA,gBAAAqE,EACA,WAAA0C,EACA,YAAAzG,EACA,eAAAkJ,EACA,eAAAxC,EACA,aAAAC,EACA,aAAAC,EACA,mBAAA6C,EACA,YAAAJ,EACA,aAAAC,EACA,kBAAA3D,EACA,iBAAA4D,EACA,sBAAAC,EACA,gBAAA3C,CACpB,CAAiB,EACGqD,GACAX,EAAiB9L,EAAGyM,CAAkB,CAE1D,CACS,EAAEV,CAAqB,EAErBG,CACX,CACA,SAASQ,GAAS1M,EAAG6I,EAAS,CAC1B,KAAM,CAAE,OAAAC,EAAS,IAAIxH,GAAU,WAAAoF,EAAa,WAAY,cAAAC,EAAgB,KAAM,gBAAAC,EAAkB,KAAM,YAAAe,EAAc,GAAO,cAAAJ,EAAgB,UAAW,gBAAAE,EAAkB,KAAM,iBAAAD,EAAmB,KAAM,mBAAAE,EAAqB,KAAM,iBAAAqB,EAAmB,GAAM,aAAAG,EAAe,GAAO,aAAAC,EAAe,GAAO,cAAAwD,EAAgB,GAAO,gBAAArG,EAAiB,WAAA0C,EAAY,YAAAzG,EAAa,QAAAqK,EAAU,GAAO,eAAA3D,EAAgB,mBAAA+C,EAAoB,YAAAJ,EAAa,aAAAC,EAAc,kBAAA3D,EAAmB,iBAAA4D,EAAkB,sBAAAC,EAAuB,gBAAA3C,EAAkB,IAAM,IAAWP,GAAW,CAAE,EAuCpiB,OAAO6C,GAAoB1L,EAAG,CAC1B,IAAKA,EACL,OAAA8I,EACA,WAAApC,EACA,cAAAC,EACA,gBAAAC,EACA,YAAAe,EACA,cAAAJ,EACA,gBAAAE,EACA,iBAAAD,EACA,mBAAAE,EACA,UAAW,GACX,iBAAAqB,EACA,iBAnDqB4D,IAAkB,GACrC,CACE,MAAO,GACP,KAAM,GACN,iBAAkB,GAClB,MAAO,GACP,MAAO,GACP,OAAQ,GACR,MAAO,GACP,OAAQ,GACR,IAAK,GACL,KAAM,GACN,KAAM,GACN,IAAK,GACL,KAAM,GACN,SAAU,GACV,OAAQ,EACpB,EACUA,IAAkB,GACd,CAAA,EACAA,EAgCN,gBAAArG,EACA,WAAA0C,EACA,YAAAzG,EACA,eAlCmBqK,IAAY,IAAQA,IAAY,MAE/C,CACI,OAAQ,GACR,QAAS,GACT,YAAa,GACb,eAAgB,GAChB,qBAAsBA,IAAY,MAClC,eAAgB,GAChB,eAAgB,GAChB,kBAAmB,GACnB,mBAAoB,GACpB,qBAAsB,EACtC,EACUA,IAAY,GACR,CAAA,EACAA,EAmBN,eAAA3D,EACA,aAAAC,EACA,aAAAC,EACA,mBAAA6C,EACA,YAAAJ,EACA,aAAAC,EACA,kBAAA3D,EACA,iBAAA4D,EACA,sBAAAC,EACA,gBAAA3C,EACA,kBAAmB,EAC3B,CAAK,CACL,CAEA,SAASyD,GAAiBvP,EAAK,CAAE,IAAIC,EAA+BC,EAAQF,EAAI,CAAC,EAAOG,EAAI,EAAG,KAAOA,EAAIH,EAAI,QAAQ,CAAE,MAAMI,EAAKJ,EAAIG,CAAC,EAASE,EAAKL,EAAIG,EAAI,CAAC,EAAW,GAARA,GAAK,GAAQC,IAAO,kBAAoBA,IAAO,iBAAmBF,GAAS,KAAQ,OAAwBE,IAAO,UAAYA,IAAO,kBAAoBH,EAAgBC,EAAOA,EAAQG,EAAGH,CAAK,IAAcE,IAAO,QAAUA,IAAO,kBAAkBF,EAAQG,EAAG,IAAIC,IAASJ,EAAM,KAAKD,EAAe,GAAGK,CAAI,CAAC,EAAGL,EAAgB,OAAY,CAAG,OAAOC,CAAM,CACngB,SAASsP,EAAG3K,EAAMxE,EAAIoP,EAAS,SAAU,CACrC,MAAMlE,EAAU,CAAE,QAAS,GAAM,QAAS,EAAM,EAChD,OAAAkE,EAAO,iBAAiB5K,EAAMxE,EAAIkL,CAAO,EAClC,IAAMkE,EAAO,oBAAoB5K,EAAMxE,EAAIkL,CAAO,CAC7D,CACA,MAAMmE,GAAiC;AAAA;AAAA,8EAKvC,IAAIC,GAAU,CACV,IAAK,CAAE,EACP,OAAQ,CACJ,eAAQ,MAAMD,EAA8B,EACrC,EACV,EACD,SAAU,CACN,eAAQ,MAAMA,EAA8B,EACrC,IACV,EACD,mBAAoB,CAChB,QAAQ,MAAMA,EAA8B,CAC/C,EACD,KAAM,CACF,eAAQ,MAAMA,EAA8B,EACrC,EACV,EACD,OAAQ,CACJ,QAAQ,MAAMA,EAA8B,CAC/C,CACL,EACI,OAAO,OAAW,KAAe,OAAO,OAAS,OAAO,UACxDC,GAAU,IAAI,MAAMA,GAAS,CACzB,IAAIF,EAAQG,EAAMC,EAAU,CACxB,OAAID,IAAS,OACT,QAAQ,MAAMF,EAA8B,EAEzC,QAAQ,IAAID,EAAQG,EAAMC,CAAQ,CAC5C,CACT,CAAK,GAEL,SAASC,GAAWC,EAAMC,EAAMzE,EAAU,CAAA,EAAI,CAC1C,IAAI0E,EAAU,KACVC,EAAW,EACf,OAAO,YAAa5P,EAAM,CACtB,MAAM6P,EAAM,KAAK,IAAK,EAClB,CAACD,GAAY3E,EAAQ,UAAY,KACjC2E,EAAWC,GAEf,MAAMC,EAAYJ,GAAQG,EAAMD,GAC1BG,EAAU,KACZD,GAAa,GAAKA,EAAYJ,GAC1BC,IACAK,GAAeL,CAAO,EACtBA,EAAU,MAEdC,EAAWC,EACXJ,EAAK,MAAMM,EAAS/P,CAAI,GAEnB,CAAC2P,GAAW1E,EAAQ,WAAa,KACtC0E,EAAUM,GAAa,IAAM,CACzBL,EAAW3E,EAAQ,UAAY,GAAQ,EAAI,KAAK,IAAK,EACrD0E,EAAU,KACVF,EAAK,MAAMM,EAAS/P,CAAI,CAC3B,EAAE8P,CAAS,EAEnB,CACL,CACA,SAASI,GAAWf,EAAQgB,EAAKC,EAAGC,EAAW9F,EAAM,OAAQ,CACzD,MAAM+F,EAAW/F,EAAI,OAAO,yBAAyB4E,EAAQgB,CAAG,EAChE,OAAA5F,EAAI,OAAO,eAAe4E,EAAQgB,EAAKE,EACjCD,EACA,CACE,IAAIxQ,EAAO,CACPqQ,GAAa,IAAM,CACfG,EAAE,IAAI,KAAK,KAAMxQ,CAAK,CACzB,EAAE,CAAC,EACA0Q,GAAYA,EAAS,KACrBA,EAAS,IAAI,KAAK,KAAM1Q,CAAK,CAEpC,CACb,CAAS,EACE,IAAMsQ,GAAWf,EAAQgB,EAAKG,GAAY,CAAE,EAAE,EAAI,CAC7D,CACA,SAASC,GAAMC,EAAQ/H,EAAMgI,EAAa,CACtC,GAAI,CACA,GAAI,EAAEhI,KAAQ+H,GACV,MAAO,IAAM,CACZ,EAEL,MAAMF,EAAWE,EAAO/H,CAAI,EACtBiI,EAAUD,EAAYH,CAAQ,EACpC,OAAI,OAAOI,GAAY,aACnBA,EAAQ,UAAYA,EAAQ,WAAa,CAAE,EAC3C,OAAO,iBAAiBA,EAAS,CAC7B,mBAAoB,CAChB,WAAY,GACZ,MAAOJ,CACV,CACjB,CAAa,GAELE,EAAO/H,CAAI,EAAIiI,EACR,IAAM,CACTF,EAAO/H,CAAI,EAAI6H,CAClB,CACT,MACe,CACP,MAAO,IAAM,CACZ,CACT,CACA,CACA,IAAIK,GAAe,KAAK,IAClB,iBAAiB,KAAK,KAAK,IAAG,EAAG,SAAU,CAAA,IAC7CA,GAAe,IAAM,IAAI,KAAM,EAAC,QAAS,GAE7C,SAASC,GAAgBrG,EAAK,CAC1B,MAAM9C,EAAM8C,EAAI,SAChB,MAAO,CACH,KAAM9C,EAAI,iBACJA,EAAI,iBAAiB,WACrB8C,EAAI,cAAgB,OAChBA,EAAI,YACJ0E,GAAiB,CAACxH,EAAK,iBAAkBlF,GAAKA,EAAE,gBAAiB,SAAUC,GAAMA,EAAG,UAAU,CAAC,GAC7FyM,GAAiB,CAACxH,EAAK,iBAAkB7D,GAAMA,EAAG,KAAM,iBAAkBC,GAAMA,EAAG,cAAe,iBAAkBC,GAAMA,EAAG,UAAU,CAAC,GACxImL,GAAiB,CAACxH,EAAK,iBAAkB2E,GAAMA,EAAG,KAAM,iBAAkBC,GAAMA,EAAG,UAAU,CAAC,GAC9F,EACZ,IAAK5E,EAAI,iBACHA,EAAI,iBAAiB,UACrB8C,EAAI,cAAgB,OAChBA,EAAI,YACJ0E,GAAiB,CAACxH,EAAK,iBAAkB6E,GAAMA,EAAG,gBAAiB,SAAUuE,GAAMA,EAAG,SAAS,CAAC,GAC9F5B,GAAiB,CAACxH,EAAK,iBAAkBqJ,GAAOA,EAAI,KAAM,iBAAkBC,GAAOA,EAAI,cAAe,iBAAkBC,GAAOA,EAAI,SAAS,CAAC,GAC7I/B,GAAiB,CAACxH,EAAK,iBAAkBwJ,GAAOA,EAAI,KAAM,iBAAkBC,GAAOA,EAAI,SAAS,CAAC,GACjG,CACf,CACL,CACA,SAASC,IAAkB,CACvB,OAAQ,OAAO,aACV,SAAS,iBAAmB,SAAS,gBAAgB,cACrD,SAAS,MAAQ,SAAS,KAAK,YACxC,CACA,SAASC,IAAiB,CACtB,OAAQ,OAAO,YACV,SAAS,iBAAmB,SAAS,gBAAgB,aACrD,SAAS,MAAQ,SAAS,KAAK,WACxC,CACA,SAASC,GAAqBrN,EAAM,CAChC,OAAKA,EAGMA,EAAK,WAAaA,EAAK,aAC5BA,EACAA,EAAK,cAJA,IAMf,CACA,SAASsN,GAAUtN,EAAM8E,EAAYC,EAAeC,EAAiBuI,EAAgB,CACjF,GAAI,CAACvN,EACD,MAAO,GAEX,MAAM2B,EAAK0L,GAAqBrN,CAAI,EACpC,GAAI,CAAC2B,EACD,MAAO,GAEX,MAAM6L,EAAmBhI,GAAqBV,EAAYC,CAAa,EACvE,GAAI,CAACwI,EAAgB,CACjB,MAAME,EAAczI,GAAmBrD,EAAG,QAAQqD,CAAe,EACjE,OAAOwI,EAAiB7L,CAAE,GAAK,CAAC8L,CACxC,CACI,MAAMC,EAAgBtI,GAAgBzD,EAAI6L,CAAgB,EAC1D,IAAIG,EAAkB,GACtB,OAAID,EAAgB,EACT,IAEP1I,IACA2I,EAAkBvI,GAAgBzD,EAAI6D,GAAqB,KAAMR,CAAe,CAAC,GAEjF0I,EAAgB,IAAMC,EAAkB,EACjC,GAEJD,EAAgBC,EAC3B,CACA,SAASC,GAAaxP,EAAG8I,EAAQ,CAC7B,OAAOA,EAAO,MAAM9I,CAAC,IAAM,EAC/B,CACA,SAASyP,GAAUzP,EAAG8I,EAAQ,CAC1B,OAAOA,EAAO,MAAM9I,CAAC,IAAM0D,EAC/B,CACA,SAASgM,GAAkB3C,EAAQjE,EAAQ,CACvC,GAAI7I,GAAa8M,CAAM,EACnB,MAAO,GAEX,MAAMxL,EAAKuH,EAAO,MAAMiE,CAAM,EAC9B,OAAKjE,EAAO,IAAIvH,CAAE,EAGdwL,EAAO,YACPA,EAAO,WAAW,WAAaA,EAAO,cAC/B,GAENA,EAAO,WAGL2C,GAAkB3C,EAAO,WAAYjE,CAAM,EAFvC,GAPA,EAUf,CACA,SAAS6G,GAAoBC,EAAO,CAChC,MAAO,EAAQA,EAAM,cACzB,CACA,SAASC,GAAS1H,EAAM,OAAQ,CACxB,aAAcA,GAAO,CAACA,EAAI,SAAS,UAAU,UAC7CA,EAAI,SAAS,UAAU,QAAU,MAAM,UAClC,SAEL,iBAAkBA,GAAO,CAACA,EAAI,aAAa,UAAU,UACrDA,EAAI,aAAa,UAAU,QAAU,MAAM,UACtC,SAEJ,KAAK,UAAU,WAChB,KAAK,UAAU,SAAW,IAAIvK,IAAS,CACnC,IAAIgE,EAAOhE,EAAK,CAAC,EACjB,GAAI,EAAE,KAAKA,GACP,MAAM,IAAI,UAAU,wBAAwB,EAEhD,EACI,IAAI,OAASgE,EACT,MAAO,SAELA,EAAOA,GAAQA,EAAK,YAC9B,MAAO,EACV,EAET,CACA,SAASkO,GAAmB9P,EAAG8I,EAAQ,CACnC,MAAO,GAAQ9I,EAAE,WAAa,UAAY8I,EAAO,QAAQ9I,CAAC,EAC9D,CACA,SAAS+P,GAAuB/P,EAAG8I,EAAQ,CACvC,MAAO,GAAQ9I,EAAE,WAAa,QAC1BA,EAAE,WAAaA,EAAE,cACjBA,EAAE,cACFA,EAAE,aAAa,KAAK,IAAM,cAC1B8I,EAAO,QAAQ9I,CAAC,EACxB,CACA,SAASgQ,GAAchQ,EAAG,CACtB,MAAO,EAAQ6M,GAAiB,CAAC7M,EAAG,iBAAkBiQ,GAAOA,EAAI,UAAU,CAAC,CAChF,CACA,MAAMC,EAAiB,CACnB,aAAc,CACV,KAAK,GAAK,EACV,KAAK,WAAa,IAAI,QACtB,KAAK,WAAa,IAAI,GAC9B,CACI,MAAMxF,EAAY,CACd,OAAOxN,GAAiB,KAAK,WAAW,IAAIwN,CAAU,EAAG,IAAQ,EAAG,CAC5E,CACI,IAAIA,EAAY,CACZ,OAAO,KAAK,WAAW,IAAIA,CAAU,CAC7C,CACI,IAAIA,EAAYnJ,EAAI,CAChB,GAAI,KAAK,IAAImJ,CAAU,EACnB,OAAO,KAAK,MAAMA,CAAU,EAChC,IAAIyF,EACJ,OAAI5O,IAAO,OACP4O,EAAQ,KAAK,KAGbA,EAAQ5O,EACZ,KAAK,WAAW,IAAImJ,EAAYyF,CAAK,EACrC,KAAK,WAAW,IAAIA,EAAOzF,CAAU,EAC9ByF,CACf,CACI,SAAS5O,EAAI,CACT,OAAO,KAAK,WAAW,IAAIA,CAAE,GAAK,IAC1C,CACI,OAAQ,CACJ,KAAK,WAAa,IAAI,QACtB,KAAK,WAAa,IAAI,IACtB,KAAK,GAAK,CAClB,CACI,YAAa,CACT,OAAO,KAAK,IACpB,CACA,CACA,SAAS6O,GAAcpQ,EAAG,CACtB,IAAIqQ,EAAa,KACjB,OAAIxD,GAAiB,CAAC7M,EAAG,SAAUsQ,GAAOA,EAAI,YAAa,eAAgBC,GAAOA,EAAG,EAAI,iBAAkBC,GAAOA,EAAI,QAAQ,CAAC,IAAM,KAAK,wBACtIxQ,EAAE,YAAW,EAAG,OAChBqQ,EAAarQ,EAAE,YAAW,EAAG,MAC1BqQ,CACX,CACA,SAASI,GAAkBzQ,EAAG,CAC1B,IAAI0Q,EAAiB1Q,EACjBqQ,EACJ,KAAQA,EAAaD,GAAcM,CAAc,GAC7CA,EAAiBL,EACrB,OAAOK,CACX,CACA,SAASC,GAAgB3Q,EAAG,CACxB,MAAMqF,EAAMrF,EAAE,cACd,GAAI,CAACqF,EACD,MAAO,GACX,MAAMgL,EAAaI,GAAkBzQ,CAAC,EACtC,OAAOqF,EAAI,SAASgL,CAAU,CAClC,CACA,SAASO,GAAM5Q,EAAG,CACd,MAAMqF,EAAMrF,EAAE,cACd,OAAKqF,EAEEA,EAAI,SAASrF,CAAC,GAAK2Q,GAAgB3Q,CAAC,EADhC,EAEf,CACA,MAAM6Q,GAAwB,CAAE,EAChC,SAASC,GAAkBzK,EAAM,CAC7B,MAAM0K,EAASF,GAAsBxK,CAAI,EACzC,GAAI0K,EACA,OAAOA,EAEX,MAAMC,EAAW,OAAO,SACxB,IAAIC,EAAO,OAAO5K,CAAI,EACtB,GAAI2K,GAAY,OAAOA,EAAS,eAAkB,WAC9C,GAAI,CACA,MAAME,EAAUF,EAAS,cAAc,QAAQ,EAC/CE,EAAQ,OAAS,GACjBF,EAAS,KAAK,YAAYE,CAAO,EACjC,MAAMC,EAAgBD,EAAQ,cAC1BC,GAAiBA,EAAc9K,CAAI,IACnC4K,EACIE,EAAc9K,CAAI,GAE1B2K,EAAS,KAAK,YAAYE,CAAO,CAC7C,MACkB,CAClB,CAEI,OAAQL,GAAsBxK,CAAI,EAAI4K,EAAK,KAAK,MAAM,CAC1D,CACA,SAASG,MAA2BC,EAAM,CACtC,OAAOP,GAAkB,uBAAuB,EAAE,GAAGO,CAAI,CAC7D,CACA,SAASxD,MAAgBwD,EAAM,CAC3B,OAAOP,GAAkB,YAAY,EAAE,GAAGO,CAAI,CAClD,CACA,SAASzD,MAAkByD,EAAM,CAC7B,OAAOP,GAAkB,cAAc,EAAE,GAAGO,CAAI,CACpD,CAEA,IAAIC,GAA8BC,IAChCA,EAAWA,EAAW,iBAAsB,CAAC,EAAI,mBACjDA,EAAWA,EAAW,KAAU,CAAC,EAAI,OACrCA,EAAWA,EAAW,aAAkB,CAAC,EAAI,eAC7CA,EAAWA,EAAW,oBAAyB,CAAC,EAAI,sBACpDA,EAAWA,EAAW,KAAU,CAAC,EAAI,OACrCA,EAAWA,EAAW,OAAY,CAAC,EAAI,SACvCA,EAAWA,EAAW,OAAY,CAAC,EAAI,SAChCA,IACND,GAAa,CAAA,CAAE,EACdE,GAAsCC,IACxCA,EAAmBA,EAAmB,SAAc,CAAC,EAAI,WACzDA,EAAmBA,EAAmB,UAAe,CAAC,EAAI,YAC1DA,EAAmBA,EAAmB,iBAAsB,CAAC,EAAI,mBACjEA,EAAmBA,EAAmB,OAAY,CAAC,EAAI,SACvDA,EAAmBA,EAAmB,eAAoB,CAAC,EAAI,iBAC/DA,EAAmBA,EAAmB,MAAW,CAAC,EAAI,QACtDA,EAAmBA,EAAmB,UAAe,CAAC,EAAI,YAC1DA,EAAmBA,EAAmB,iBAAsB,CAAC,EAAI,mBACjEA,EAAmBA,EAAmB,eAAoB,CAAC,EAAI,iBAC/DA,EAAmBA,EAAmB,eAAoB,CAAC,EAAI,iBAC/DA,EAAmBA,EAAmB,KAAU,EAAE,EAAI,OACtDA,EAAmBA,EAAmB,IAAS,EAAE,EAAI,MACrDA,EAAmBA,EAAmB,KAAU,EAAE,EAAI,OACtDA,EAAmBA,EAAmB,iBAAsB,EAAE,EAAI,mBAClEA,EAAmBA,EAAmB,UAAe,EAAE,EAAI,YAC3DA,EAAmBA,EAAmB,kBAAuB,EAAE,EAAI,oBACnEA,EAAmBA,EAAmB,cAAmB,EAAE,EAAI,gBACxDA,IACND,GAAqB,CAAA,CAAE,EACtBE,GAAsCC,IACxCA,EAAmBA,EAAmB,QAAa,CAAC,EAAI,UACxDA,EAAmBA,EAAmB,UAAe,CAAC,EAAI,YAC1DA,EAAmBA,EAAmB,MAAW,CAAC,EAAI,QACtDA,EAAmBA,EAAmB,YAAiB,CAAC,EAAI,cAC5DA,EAAmBA,EAAmB,SAAc,CAAC,EAAI,WACzDA,EAAmBA,EAAmB,MAAW,CAAC,EAAI,QACtDA,EAAmBA,EAAmB,KAAU,CAAC,EAAI,OACrDA,EAAmBA,EAAmB,WAAgB,CAAC,EAAI,aAC3DA,EAAmBA,EAAmB,mBAAwB,CAAC,EAAI,qBACnEA,EAAmBA,EAAmB,SAAc,CAAC,EAAI,WACzDA,EAAmBA,EAAmB,YAAiB,EAAE,EAAI,cACtDA,IACND,GAAqB,CAAA,CAAE,EACtBE,IAAiCC,IACnCA,EAAcA,EAAc,MAAW,CAAC,EAAI,QAC5CA,EAAcA,EAAc,IAAS,CAAC,EAAI,MAC1CA,EAAcA,EAAc,MAAW,CAAC,EAAI,QACrCA,IACND,IAAgB,CAAA,CAAE,EAErB,SAASE,GAAiBxU,EAAK,CAAE,IAAIC,EAA+BC,EAAQF,EAAI,CAAC,EAAOG,EAAI,EAAG,KAAOA,EAAIH,EAAI,QAAQ,CAAE,MAAMI,EAAKJ,EAAIG,CAAC,EAASE,EAAKL,EAAIG,EAAI,CAAC,EAAW,GAARA,GAAK,GAAQC,IAAO,kBAAoBA,IAAO,iBAAmBF,GAAS,KAAQ,OAAwBE,IAAO,UAAYA,IAAO,kBAAoBH,EAAgBC,EAAOA,EAAQG,EAAGH,CAAK,IAAcE,IAAO,QAAUA,IAAO,kBAAkBF,EAAQG,EAAG,IAAIC,IAASJ,EAAM,KAAKD,EAAe,GAAGK,CAAI,CAAC,EAAGL,EAAgB,OAAY,CAAG,OAAOC,CAAM,CACngB,SAASuU,GAAmB/R,EAAG,CAC3B,MAAO,SAAUA,CACrB,CACA,MAAMgS,EAAiB,CACnB,aAAc,CACV,KAAK,OAAS,EACd,KAAK,KAAO,KACZ,KAAK,KAAO,IACpB,CACI,IAAIC,EAAU,CACV,GAAIA,GAAY,KAAK,OACjB,MAAM,IAAI,MAAM,gCAAgC,EAEpD,IAAIC,EAAU,KAAK,KACnB,QAASC,EAAQ,EAAGA,EAAQF,EAAUE,IAClCD,EAAUJ,GAAiB,CAACI,EAAS,iBAAkB/R,GAAKA,EAAE,IAAI,CAAC,GAAK,KAE5E,OAAO+R,CACf,CACI,QAAQlS,EAAG,CACP,MAAM4B,EAAO,CACT,MAAO5B,EACP,SAAU,KACV,KAAM,IACT,EAED,GADAA,EAAE,KAAO4B,EACL5B,EAAE,iBAAmB+R,GAAmB/R,EAAE,eAAe,EAAG,CAC5D,MAAMkS,EAAUlS,EAAE,gBAAgB,KAAK,KACvC4B,EAAK,KAAOsQ,EACZtQ,EAAK,SAAW5B,EAAE,gBAAgB,KAClCA,EAAE,gBAAgB,KAAK,KAAO4B,EAC1BsQ,IACAA,EAAQ,SAAWtQ,EAEnC,SACiB5B,EAAE,aACP+R,GAAmB/R,EAAE,WAAW,GAChCA,EAAE,YAAY,KAAK,SAAU,CAC7B,MAAMkS,EAAUlS,EAAE,YAAY,KAAK,SACnC4B,EAAK,SAAWsQ,EAChBtQ,EAAK,KAAO5B,EAAE,YAAY,KAC1BA,EAAE,YAAY,KAAK,SAAW4B,EAC1BsQ,IACAA,EAAQ,KAAOtQ,EAE/B,MAEgB,KAAK,OACL,KAAK,KAAK,SAAWA,GAEzBA,EAAK,KAAO,KAAK,KACjB,KAAK,KAAOA,EAEZA,EAAK,OAAS,OACd,KAAK,KAAOA,GAEhB,KAAK,QACb,CACI,WAAW5B,EAAG,CACV,MAAMkS,EAAUlS,EAAE,KACb,KAAK,OAGLkS,EAAQ,UAUTA,EAAQ,SAAS,KAAOA,EAAQ,KAC5BA,EAAQ,KACRA,EAAQ,KAAK,SAAWA,EAAQ,SAGhC,KAAK,KAAOA,EAAQ,WAdxB,KAAK,KAAOA,EAAQ,KAChB,KAAK,KACL,KAAK,KAAK,SAAW,KAGrB,KAAK,KAAO,MAYhBlS,EAAE,MACF,OAAOA,EAAE,KAEb,KAAK,SACb,CACA,CACA,MAAMoS,GAAU,CAAC7Q,EAAI8Q,IAAa,GAAG9Q,CAAE,IAAI8Q,CAAQ,GACnD,MAAMC,EAAe,CACjB,aAAc,CACV,KAAK,OAAS,GACd,KAAK,OAAS,GACd,KAAK,MAAQ,CAAE,EACf,KAAK,WAAa,CAAE,EACpB,KAAK,aAAe,IAAI,QACxB,KAAK,QAAU,CAAE,EACjB,KAAK,WAAa,CAAE,EACpB,KAAK,SAAW,CAAE,EAClB,KAAK,SAAW,IAAI,IACpB,KAAK,SAAW,IAAI,IACpB,KAAK,WAAa,IAAI,IACtB,KAAK,iBAAoBC,GAAc,CACnCA,EAAU,QAAQ,KAAK,eAAe,EACtC,KAAK,KAAM,CACd,EACD,KAAK,KAAO,IAAM,CACd,GAAI,KAAK,QAAU,KAAK,OACpB,OAEJ,MAAMC,EAAO,CAAE,EACTC,EAAW,IAAI,IACfC,EAAU,IAAIV,GACdW,EAAa3S,GAAM,CACrB,IAAI4S,EAAK5S,EACL6S,EAASnP,GACb,KAAOmP,IAAWnP,IACdkP,EAAKA,GAAMA,EAAG,YACdC,EAASD,GAAM,KAAK,OAAO,MAAMA,CAAE,EAEvC,OAAOC,CACV,EACKC,EAAW9S,GAAM,CACnB,GAAI,CAACA,EAAE,YAAc,CAAC4Q,GAAM5Q,CAAC,EACzB,OAEJ,MAAMqS,EAAWpS,GAAaD,EAAE,UAAU,EACpC,KAAK,OAAO,MAAMoQ,GAAcpQ,CAAC,CAAC,EAClC,KAAK,OAAO,MAAMA,EAAE,UAAU,EAC9B6S,EAASF,EAAU3S,CAAC,EAC1B,GAAIqS,IAAa,IAAMQ,IAAW,GAC9B,OAAOH,EAAQ,QAAQ1S,CAAC,EAE5B,MAAMwL,EAAKE,GAAoB1L,EAAG,CAC9B,IAAK,KAAK,IACV,OAAQ,KAAK,OACb,WAAY,KAAK,WACjB,cAAe,KAAK,cACpB,YAAa,KAAK,YAClB,gBAAiB,KAAK,gBACtB,cAAe,KAAK,cACpB,gBAAiB,KAAK,gBACtB,iBAAkB,KAAK,iBACvB,mBAAoB,KAAK,mBACzB,UAAW,GACX,kBAAmB,GACnB,iBAAkB,KAAK,iBACvB,iBAAkB,KAAK,iBACvB,gBAAiB,KAAK,gBACtB,WAAY,KAAK,WACjB,YAAa,KAAK,YAClB,eAAgB,KAAK,eACrB,eAAgB,KAAK,eACrB,aAAc,KAAK,aACnB,aAAc,KAAK,aACnB,YAAc+S,GAAa,CACnBjD,GAAmBiD,EAAU,KAAK,MAAM,GACxC,KAAK,cAAc,UAAUA,CAAQ,EAErChD,GAAuBgD,EAAU,KAAK,MAAM,GAC5C,KAAK,kBAAkB,iBAAiBA,CAAQ,EAEhD/C,GAAchQ,CAAC,GACf,KAAK,iBAAiB,cAAcA,EAAE,WAAY,KAAK,GAAG,CAEjE,EACD,aAAc,CAACgT,EAAQC,IAAY,CAC/B,KAAK,cAAc,aAAaD,EAAQC,CAAO,EAC/C,KAAK,iBAAiB,oBAAoBD,CAAM,CACnD,EACD,iBAAkB,CAACvK,EAAMwK,IAAY,CACjC,KAAK,kBAAkB,kBAAkBxK,EAAMwK,CAAO,CACzD,CACrB,CAAiB,EACGzH,IACAgH,EAAK,KAAK,CACN,SAAAH,EACA,OAAAQ,EACA,KAAMrH,CAC9B,CAAqB,EACDiH,EAAS,IAAIjH,EAAG,EAAE,EAEzB,EACD,KAAO,KAAK,WAAW,QACnB,KAAK,OAAO,kBAAkB,KAAK,WAAW,MAAK,CAAE,EAEzD,UAAWxL,KAAK,KAAK,SACbkT,GAAgB,KAAK,QAASlT,EAAG,KAAK,MAAM,GAC5C,CAAC,KAAK,SAAS,IAAIA,EAAE,UAAU,GAGnC8S,EAAQ9S,CAAC,EAEb,UAAWA,KAAK,KAAK,SACb,CAACmT,GAAgB,KAAK,WAAYnT,CAAC,GACnC,CAACkT,GAAgB,KAAK,QAASlT,EAAG,KAAK,MAAM,GAGxCmT,GAAgB,KAAK,SAAUnT,CAAC,EAFrC8S,EAAQ9S,CAAC,EAMT,KAAK,WAAW,IAAIA,CAAC,EAG7B,IAAIoT,EAAY,KAChB,KAAOV,EAAQ,QAAQ,CACnB,IAAI9Q,EAAO,KACX,GAAIwR,EAAW,CACX,MAAMf,EAAW,KAAK,OAAO,MAAMe,EAAU,MAAM,UAAU,EACvDP,EAASF,EAAUS,EAAU,KAAK,EACpCf,IAAa,IAAMQ,IAAW,KAC9BjR,EAAOwR,EAE/B,CACgB,GAAI,CAACxR,EAAM,CACP,IAAIyR,EAAWX,EAAQ,KACvB,KAAOW,GAAU,CACb,MAAMC,EAAQD,EAEd,GADAA,EAAWA,EAAS,SAChBC,EAAO,CACP,MAAMjB,EAAW,KAAK,OAAO,MAAMiB,EAAM,MAAM,UAAU,EAEzD,GADeX,EAAUW,EAAM,KAAK,IACrB,GACX,SACC,GAAIjB,IAAa,GAAI,CACtBzQ,EAAO0R,EACP,KAChC,KACiC,CACD,MAAMC,EAAgBD,EAAM,MAC5B,GAAIC,EAAc,YACdA,EAAc,WAAW,WACrB,KAAK,uBAAwB,CACjC,MAAMlD,EAAakD,EAAc,WAC5B,KAEL,GADiB,KAAK,OAAO,MAAMlD,CAAU,IAC5B,GAAI,CACjBzO,EAAO0R,EACP,KACxC,CACA,CACA,CACA,CACA,CACA,CACgB,GAAI,CAAC1R,EAAM,CACP,KAAO8Q,EAAQ,MACXA,EAAQ,WAAWA,EAAQ,KAAK,KAAK,EAEzC,KACpB,CACgBU,EAAYxR,EAAK,SACjB8Q,EAAQ,WAAW9Q,EAAK,KAAK,EAC7BkR,EAAQlR,EAAK,KAAK,CAClC,CACY,MAAM4R,EAAU,CACZ,MAAO,KAAK,MACP,IAAKhR,IAAU,CAChB,GAAI,KAAK,OAAO,MAAMA,EAAK,IAAI,EAC/B,MAAOA,EAAK,KAChC,EAAkB,EACG,OAAQA,GAAS,CAACiQ,EAAS,IAAIjQ,EAAK,EAAE,CAAC,EACvC,OAAQA,GAAS,KAAK,OAAO,IAAIA,EAAK,EAAE,CAAC,EAC9C,WAAY,KAAK,WACZ,IAAKiR,GAAc,CACpB,KAAM,CAAE,WAAAlJ,CAAU,EAAKkJ,EACvB,GAAI,OAAOlJ,EAAW,OAAU,SAAU,CACtC,MAAMmJ,EAAY,KAAK,UAAUD,EAAU,SAAS,EAC9CE,EAAiB,KAAK,UAAUF,EAAU,gBAAgB,EAC5DC,EAAU,OAASnJ,EAAW,MAAM,SAC/BmJ,EAAYC,GAAgB,MAAM,MAAM,EAAE,SAC3CpJ,EAAW,MAAM,MAAM,MAAM,EAAE,SAC/BA,EAAW,MAAQkJ,EAAU,UAG7D,CACoB,MAAO,CACH,GAAI,KAAK,OAAO,MAAMA,EAAU,IAAI,EACpC,WAAYlJ,CACf,CACJ,CAAA,EACI,OAAQkJ,GAAc,CAAChB,EAAS,IAAIgB,EAAU,EAAE,CAAC,EACjD,OAAQA,GAAc,KAAK,OAAO,IAAIA,EAAU,EAAE,CAAC,EACxD,QAAS,KAAK,QACd,KAAAjB,CACH,EACG,CAACgB,EAAQ,MAAM,QACf,CAACA,EAAQ,WAAW,QACpB,CAACA,EAAQ,QAAQ,QACjB,CAACA,EAAQ,KAAK,SAGlB,KAAK,MAAQ,CAAE,EACf,KAAK,WAAa,CAAE,EACpB,KAAK,aAAe,IAAI,QACxB,KAAK,QAAU,CAAE,EACjB,KAAK,SAAW,IAAI,IACpB,KAAK,SAAW,IAAI,IACpB,KAAK,WAAa,IAAI,IACtB,KAAK,SAAW,CAAE,EAClB,KAAK,WAAWA,CAAO,EAC1B,EACD,KAAK,gBAAmBI,GAAM,CAC1B,GAAI,CAAAnE,GAAUmE,EAAE,OAAQ,KAAK,MAAM,EAGnC,OAAQA,EAAE,KAAI,CACV,IAAK,gBAAiB,CAClB,MAAMpW,EAAQoW,EAAE,OAAO,YACnB,CAAC1E,GAAU0E,EAAE,OAAQ,KAAK,WAAY,KAAK,cAAe,KAAK,gBAAiB,EAAK,GACrFpW,IAAUoW,EAAE,UACZ,KAAK,MAAM,KAAK,CACZ,MAAOtM,GAAgBsM,EAAE,OAAQ,KAAK,cAAe,KAAK,iBAAkB,KAAK,gBAAiB,KAAK,mBAAoB,KAAK,WAAW,GAAKpW,EAC1I,KAAK,WACD,KAAK,WAAWA,EAAOyR,GAAqB2E,EAAE,MAAM,CAAC,EACrDpW,EAAM,QAAQ,QAAS,GAAG,EAC9BA,EACN,KAAMoW,EAAE,MACpC,CAAyB,EAEL,KACpB,CACgB,IAAK,aAAc,CACf,MAAM7G,EAAS6G,EAAE,OACjB,IAAIC,EAAgBD,EAAE,cAClBpW,EAAQoW,EAAE,OAAO,aAAaC,CAAa,EAC/C,GAAIA,IAAkB,QAAS,CAC3B,MAAM1R,EAAOkB,GAAa0J,CAAM,EAC1B7K,EAAU6K,EAAO,QACvBvP,EAAQ8F,GAAcyJ,EAAQ7K,EAASC,CAAI,EAC3C,MAAMkI,EAAgBrI,GAAgB,CAClC,iBAAkB,KAAK,iBACvB,QAAAE,EACA,KAAAC,CAC5B,CAAyB,EACKiI,EAAY9C,GAAgBsM,EAAE,OAAQ,KAAK,cAAe,KAAK,iBAAkB,KAAK,gBAAiB,KAAK,mBAAoBvJ,CAAa,EACnJ7M,EAAQ4E,GAAe,CACnB,SAAUgI,EACV,QAAS2C,EACT,MAAAvP,EACA,YAAa,KAAK,WAC9C,CAAyB,CACzB,CACoB,GAAI0R,GAAU0E,EAAE,OAAQ,KAAK,WAAY,KAAK,cAAe,KAAK,gBAAiB,EAAK,GACpFpW,IAAUoW,EAAE,SACZ,OAEJ,IAAIE,EAAO,KAAK,aAAa,IAAIF,EAAE,MAAM,EACzC,GAAI7G,EAAO,UAAY,UACnB8G,IAAkB,OAClB,CAAC,KAAK,gBAAgBrW,CAAK,EAC3B,GAAI,CAACuP,EAAO,gBACR8G,EAAgB,aAGhB,QAkBR,GAfKC,IACDA,EAAO,CACH,KAAMF,EAAE,OACR,WAAY,CAAE,EACd,UAAW,CAAE,EACb,iBAAkB,CAAE,CACvB,EACD,KAAK,WAAW,KAAKE,CAAI,EACzB,KAAK,aAAa,IAAIF,EAAE,OAAQE,CAAI,GAEpCD,IAAkB,QAClB9G,EAAO,UAAY,UAClB6G,EAAE,UAAY,IAAI,YAAW,IAAO,YACrC7G,EAAO,aAAa,sBAAuB,MAAM,EAEjD,CAACxG,GAAgBwG,EAAO,QAAS8G,CAAa,IAC9CC,EAAK,WAAWD,CAAa,EAAIzN,GAAmB,KAAK,IAAK3D,GAAYsK,EAAO,OAAO,EAAGtK,GAAYoR,CAAa,EAAGrW,EAAOuP,EAAQ,KAAK,eAAe,EACtJ8G,IAAkB,SAAS,CAC3B,GAAI,CAAC,KAAK,cACN,GAAI,CACA,KAAK,cACD,SAAS,eAAe,mBAAoB,CACpF,MAC0C,CACN,KAAK,cAAgB,KAAK,GAC9D,CAE4B,MAAME,EAAM,KAAK,cAAc,cAAc,MAAM,EAC/CH,EAAE,UACFG,EAAI,aAAa,QAASH,EAAE,QAAQ,EAExC,UAAWI,KAAS,MAAM,KAAKjH,EAAO,KAAK,EAAG,CAC1C,MAAMkH,EAAWlH,EAAO,MAAM,iBAAiBiH,CAAK,EAC9CE,EAAcnH,EAAO,MAAM,oBAAoBiH,CAAK,EACtDC,IAAaF,EAAI,MAAM,iBAAiBC,CAAK,GAC7CE,IAAgBH,EAAI,MAAM,oBAAoBC,CAAK,EAC/CE,IAAgB,GAChBJ,EAAK,UAAUE,CAAK,EAAIC,EAGxBH,EAAK,UAAUE,CAAK,EAAI,CAACC,EAAUC,CAAW,EAIlDJ,EAAK,iBAAiBE,CAAK,EAAI,CAACC,EAAUC,CAAW,CAEzF,CAC4B,UAAWF,KAAS,MAAM,KAAKD,EAAI,KAAK,EAChChH,EAAO,MAAM,iBAAiBiH,CAAK,IAAM,KACzCF,EAAK,UAAUE,CAAK,EAAI,GAG5D,CAEoB,KACpB,CACgB,IAAK,YAAa,CACd,GAAI9E,GAAU0E,EAAE,OAAQ,KAAK,WAAY,KAAK,cAAe,KAAK,gBAAiB,EAAI,EACnF,OAEJA,EAAE,WAAW,QAAS,GAAM,KAAK,QAAQ,EAAGA,EAAE,MAAM,CAAC,EACrDA,EAAE,aAAa,QAAS,GAAM,CAC1B,MAAMO,EAAS,KAAK,OAAO,MAAM,CAAC,EAC5B9B,EAAWpS,GAAa2T,EAAE,MAAM,EAChC,KAAK,OAAO,MAAMA,EAAE,OAAO,IAAI,EAC/B,KAAK,OAAO,MAAMA,EAAE,MAAM,EAC5B1E,GAAU0E,EAAE,OAAQ,KAAK,WAAY,KAAK,cAAe,KAAK,gBAAiB,EAAK,GACpFnE,GAAU,EAAG,KAAK,MAAM,GACxB,CAACD,GAAa,EAAG,KAAK,MAAM,IAG5B,KAAK,SAAS,IAAI,CAAC,GACnB4E,GAAW,KAAK,SAAU,CAAC,EAC3B,KAAK,WAAW,IAAI,CAAC,GAEhB,KAAK,SAAS,IAAIR,EAAE,MAAM,GAAKO,IAAW,IAC1CzE,GAAkBkE,EAAE,OAAQ,KAAK,MAAM,IACvC,KAAK,SAAS,IAAI,CAAC,GACxB,KAAK,SAASxB,GAAQ+B,EAAQ9B,CAAQ,CAAC,EACvC+B,GAAW,KAAK,SAAU,CAAC,EAG3B,KAAK,QAAQ,KAAK,CACd,SAAA/B,EACA,GAAI8B,EACJ,SAAUlU,GAAa2T,EAAE,MAAM,GAAKvT,GAAkBuT,EAAE,MAAM,EACxD,GACA,MACtC,CAA6B,GAEL,KAAK,WAAW,KAAK,CAAC,EAC9C,CAAqB,EACD,KACpB,CACA,CACS,EACD,KAAK,QAAU,CAAC5T,EAAG+M,IAAW,CAC1B,GAAI,MAAK,qBAAqB,cAAc/M,EAAG,IAAI,GAE/C,OAAK,SAAS,IAAIA,CAAC,GAAK,KAAK,SAAS,IAAIA,CAAC,GAE/C,IAAI,KAAK,OAAO,QAAQA,CAAC,EAAG,CACxB,GAAIyP,GAAUzP,EAAG,KAAK,MAAM,EACxB,OAEJ,KAAK,SAAS,IAAIA,CAAC,EACnB,IAAIqU,EAAW,KACXtH,GAAU,KAAK,OAAO,QAAQA,CAAM,IACpCsH,EAAW,KAAK,OAAO,MAAMtH,CAAM,GAEnCsH,GAAYA,IAAa,KACzB,KAAK,SAASjC,GAAQ,KAAK,OAAO,MAAMpS,CAAC,EAAGqU,CAAQ,CAAC,EAAI,GAE7E,MAEgB,KAAK,SAAS,IAAIrU,CAAC,EACnB,KAAK,WAAW,OAAOA,CAAC,EAEvBkP,GAAUlP,EAAG,KAAK,WAAY,KAAK,cAAe,KAAK,gBAAiB,EAAK,IAC9EA,EAAE,WAAW,QAASqM,GAAW,KAAK,QAAQA,CAAM,CAAC,EACjD2D,GAAchQ,CAAC,GACfA,EAAE,WAAW,WAAW,QAASqM,GAAW,CACxC,KAAK,qBAAqB,IAAIA,EAAQ,IAAI,EAC1C,KAAK,QAAQA,EAAQrM,CAAC,CAC9C,CAAqB,GAGZ,CACT,CACI,KAAK6I,EAAS,CACV,CACI,aACA,aACA,gBACA,kBACA,cACA,gBACA,kBACA,mBACA,qBACA,mBACA,mBACA,kBACA,aACA,cACA,kBACA,eACA,eACA,iBACA,iBACA,MACA,SACA,gBACA,oBACA,mBACA,gBACA,sBACZ,EAAU,QAASkF,GAAQ,CACf,KAAKA,CAAG,EAAIlF,EAAQkF,CAAG,CACnC,CAAS,CACT,CACI,QAAS,CACL,KAAK,OAAS,GACd,KAAK,cAAc,OAAQ,CACnC,CACI,UAAW,CACP,KAAK,OAAS,GACd,KAAK,cAAc,SAAU,EAC7B,KAAK,KAAM,CACnB,CACI,UAAW,CACP,OAAO,KAAK,MACpB,CACI,MAAO,CACH,KAAK,OAAS,GACd,KAAK,cAAc,KAAM,CACjC,CACI,QAAS,CACL,KAAK,OAAS,GACd,KAAK,cAAc,OAAQ,EAC3B,KAAK,KAAM,CACnB,CACI,OAAQ,CACJ,KAAK,iBAAiB,MAAO,EAC7B,KAAK,cAAc,MAAO,CAClC,CACA,CACA,SAASqG,GAAWE,EAAStU,EAAG,CAC5BsU,EAAQ,OAAOtU,CAAC,EAChBA,EAAE,WAAW,QAASqM,GAAW+H,GAAWE,EAASjI,CAAM,CAAC,CAChE,CACA,SAAS6G,GAAgBqB,EAASvU,EAAG8I,EAAQ,CACzC,OAAIyL,EAAQ,SAAW,EACZ,GACJC,GAAiBD,EAASvU,EAAG8I,CAAM,CAC9C,CACA,SAAS0L,GAAiBD,EAASvU,EAAG8I,EAAQ,CAC1C,KAAM,CAAE,WAAA2L,CAAU,EAAKzU,EACvB,GAAI,CAACyU,EACD,MAAO,GAEX,MAAMpC,EAAWvJ,EAAO,MAAM2L,CAAU,EACxC,OAAIF,EAAQ,KAAMG,GAAMA,EAAE,KAAOrC,CAAQ,EAC9B,GAEJmC,GAAiBD,EAASE,EAAY3L,CAAM,CACvD,CACA,SAASqK,GAAgBwB,EAAK3U,EAAG,CAC7B,OAAI2U,EAAI,OAAS,EACN,GACJC,GAAiBD,EAAK3U,CAAC,CAClC,CACA,SAAS4U,GAAiBD,EAAK3U,EAAG,CAC9B,KAAM,CAAE,WAAAyU,CAAU,EAAKzU,EACvB,OAAKyU,EAGDE,EAAI,IAAIF,CAAU,EACX,GAEJG,GAAiBD,EAAKF,CAAU,EAL5B,EAMf,CAEA,IAAII,GACJ,SAASC,GAAqBC,EAAS,CACnCF,GAAeE,CACnB,CACA,SAASC,IAAyB,CAC9BH,GAAe,MACnB,CACA,MAAMI,EAAmBC,GAChBL,GAGiB,IAAIxD,IAAS,CAC/B,GAAI,CACA,OAAO6D,EAAG,GAAG7D,CAAI,CAC7B,OACe8D,EAAO,CACV,GAAIN,IAAgBA,GAAaM,CAAK,IAAM,GACxC,MAAO,IAAM,CACZ,EAEL,MAAMA,CAClB,CACA,EAbeD,EAiBf,SAASE,GAAiB9X,EAAK,CAAE,IAAIC,EAA+BC,EAAQF,EAAI,CAAC,EAAOG,EAAI,EAAG,KAAOA,EAAIH,EAAI,QAAQ,CAAE,MAAMI,EAAKJ,EAAIG,CAAC,EAASE,EAAKL,EAAIG,EAAI,CAAC,EAAW,GAARA,GAAK,GAAQC,IAAO,kBAAoBA,IAAO,iBAAmBF,GAAS,KAAQ,OAAwBE,IAAO,UAAYA,IAAO,kBAAoBH,EAAgBC,EAAOA,EAAQG,EAAGH,CAAK,IAAcE,IAAO,QAAUA,IAAO,kBAAkBF,EAAQG,EAAG,IAAIC,IAASJ,EAAM,KAAKD,EAAe,GAAGK,CAAI,CAAC,EAAGL,EAAgB,OAAY,CAAG,OAAOC,CAAM,CACngB,MAAM6X,GAAkB,CAAE,EAC1B,SAASC,GAAe1F,EAAO,CAC3B,GAAI,CACA,GAAI,iBAAkBA,EAAO,CACzB,MAAM2F,EAAO3F,EAAM,aAAc,EACjC,GAAI2F,EAAK,OACL,OAAOA,EAAK,CAAC,CAE7B,SACiB,SAAU3F,GAASA,EAAM,KAAK,OACnC,OAAOA,EAAM,KAAK,CAAC,CAE/B,MACe,CACf,CACI,OAAOA,GAASA,EAAM,MAC1B,CACA,SAAS4F,GAAqB3M,EAAS4M,EAAQ,CAC3C,MAAMC,EAAiB,IAAIpD,GAC3B+C,GAAgB,KAAKK,CAAc,EACnCA,EAAe,KAAK7M,CAAO,EAC3B,IAAI8M,EAAuB,OAAO,kBAC9B,OAAO,qBACX,MAAMC,EAAoBR,GAAiB,CAAC,OAAQ,iBAAkBjV,GAAKA,EAAE,KAAM,iBAAkBC,GAAMA,EAAG,WAAY,eAAgBoB,GAAMA,EAAG,kBAAkB,CAAC,CAAC,EACnKoU,GACA,OAAOA,CAAiB,IACxBD,EAAuB,OAAOC,CAAiB,GAEnD,MAAMC,EAAW,IAAIF,EAAqBV,EAAiB1C,GAAc,CACjE1J,EAAQ,YAAcA,EAAQ,WAAW0J,CAAS,IAAM,IAG5DmD,EAAe,iBAAiB,KAAKA,CAAc,EAAEnD,CAAS,CACtE,CAAK,CAAC,EACF,OAAAsD,EAAS,QAAQJ,EAAQ,CACrB,WAAY,GACZ,kBAAmB,GACnB,cAAe,GACf,sBAAuB,GACvB,UAAW,GACX,QAAS,EACjB,CAAK,EACMI,CACX,CACA,SAASC,GAAiB,CAAE,YAAAC,EAAa,SAAAC,EAAU,IAAA3Q,EAAK,OAAAyD,CAAM,EAAK,CAC/D,GAAIkN,EAAS,YAAc,GACvB,MAAO,IAAM,CACZ,EAEL,MAAMC,EAAY,OAAOD,EAAS,WAAc,SAAWA,EAAS,UAAY,GAC1EE,EAAoB,OAAOF,EAAS,mBAAsB,SAC1DA,EAAS,kBACT,IACN,IAAIG,EAAY,CAAE,EACdC,EACJ,MAAMC,EAAYjJ,GAAW6H,EAAiB7G,GAAW,CACrD,MAAMkI,EAAc,KAAK,IAAG,EAAKF,EACjCL,EAAYI,EAAU,IAAKI,IACvBA,EAAE,YAAcD,EACTC,EACV,EAAGnI,CAAM,EACV+H,EAAY,CAAE,EACdC,EAAe,IAClB,CAAA,EAAGF,CAAiB,EACfM,EAAiBvB,EAAgB7H,GAAW6H,EAAiBwB,GAAQ,CACvE,MAAM1J,EAASuI,GAAemB,CAAG,EAC3B,CAAE,QAAAC,EAAS,QAAAC,CAAS,EAAGhH,GAAoB8G,CAAG,EAC9CA,EAAI,eAAe,CAAC,EACpBA,EACDL,IACDA,EAAe7H,GAAc,GAEjC4H,EAAU,KAAK,CACX,EAAGO,EACH,EAAGC,EACH,GAAI7N,EAAO,MAAMiE,CAAM,EACvB,WAAYwB,GAAY,EAAK6H,CACzC,CAAS,EACDC,EAAU,OAAO,UAAc,KAAeI,aAAe,UACvDjF,EAAkB,KAClBiF,aAAe,WACXjF,EAAkB,UAClBA,EAAkB,SAAS,CACxC,CAAA,EAAGyE,EAAW,CACX,SAAU,EAClB,CAAK,CAAC,EACIW,EAAW,CACb9J,EAAG,YAAa0J,EAAgBnR,CAAG,EACnCyH,EAAG,YAAa0J,EAAgBnR,CAAG,EACnCyH,EAAG,OAAQ0J,EAAgBnR,CAAG,CACjC,EACD,OAAO4P,EAAgB,IAAM,CACzB2B,EAAS,QAASC,GAAMA,EAAC,CAAE,CACnC,CAAK,CACL,CACA,SAASC,GAA6B,CAAE,mBAAAC,EAAoB,IAAA1R,EAAK,OAAAyD,EAAQ,WAAApC,EAAY,cAAAC,EAAe,gBAAAC,EAAiB,SAAAoP,GAAa,CAC9H,GAAIA,EAAS,mBAAqB,GAC9B,MAAO,IAAM,CACZ,EAEL,MAAMgB,EAAahB,EAAS,mBAAqB,IAC7CA,EAAS,mBAAqB,OAC5B,CAAA,EACAA,EAAS,iBACTY,EAAW,CAAE,EACnB,IAAIK,EAAqB,KACzB,MAAMC,EAAcC,GACRvH,GAAU,CACd,MAAM7C,EAASuI,GAAe1F,CAAK,EACnC,GAAIV,GAAUnC,EAAQrG,EAAYC,EAAeC,EAAiB,EAAI,EAClE,OAEJ,IAAIwQ,EAAc,KACdC,EAAeF,EACnB,GAAI,gBAAiBvH,EAAO,CACxB,OAAQA,EAAM,YAAW,CACrB,IAAK,QACDwH,EAAcxF,GAAa,MAC3B,MACJ,IAAK,QACDwF,EAAcxF,GAAa,MAC3B,MACJ,IAAK,MACDwF,EAAcxF,GAAa,IAC3B,KACxB,CACoBwF,IAAgBxF,GAAa,MACzBF,EAAkByF,CAAQ,IAAMzF,EAAkB,UAClD2F,EAAe,aAEV3F,EAAkByF,CAAQ,IAAMzF,EAAkB,UACvD2F,EAAe,YAGEzF,GAAa,GACtD,MACqBjC,GAAoBC,CAAK,IAC9BwH,EAAcxF,GAAa,OAE3BwF,IAAgB,MAChBH,EAAqBG,GAChBC,EAAa,WAAW,OAAO,GAChCD,IAAgBxF,GAAa,OAC5ByF,EAAa,WAAW,OAAO,GAC5BD,IAAgBxF,GAAa,SACjCwF,EAAc,OAGb1F,EAAkByF,CAAQ,IAAMzF,EAAkB,QACvD0F,EAAcH,EACdA,EAAqB,MAEzB,MAAMK,EAAI3H,GAAoBC,CAAK,EAAIA,EAAM,eAAe,CAAC,EAAIA,EACjE,GAAI,CAAC0H,EACD,OAEJ,MAAM/V,EAAKuH,EAAO,MAAMiE,CAAM,EACxB,CAAE,QAAA2J,EAAS,QAAAC,CAAO,EAAKW,EAC7BrC,EAAgB8B,CAAkB,EAAE,CAChC,KAAMrF,EAAkB2F,CAAY,EACpC,GAAA9V,EACA,EAAGmV,EACH,EAAGC,EACH,GAAIS,IAAgB,MAAQ,CAAE,YAAAA,EAC9C,CAAa,CACJ,EAEL,cAAO,KAAK1F,CAAiB,EACxB,OAAQ3D,GAAQ,OAAO,MAAM,OAAOA,CAAG,CAAC,GACzC,CAACA,EAAI,SAAS,WAAW,GACzBiJ,EAAWjJ,CAAG,IAAM,EAAK,EACxB,QAASoJ,GAAa,CACvB,IAAII,EAAY9U,GAAY0U,CAAQ,EACpC,MAAMpC,EAAUmC,EAAWC,CAAQ,EACnC,GAAI,OAAO,aACP,OAAQzF,EAAkByF,CAAQ,EAAC,CAC/B,KAAKzF,EAAkB,UACvB,KAAKA,EAAkB,QACnB6F,EAAYA,EAAU,QAAQ,QAAS,SAAS,EAChD,MACJ,KAAK7F,EAAkB,WACvB,KAAKA,EAAkB,SACnB,MACpB,CAEQkF,EAAS,KAAK9J,EAAGyK,EAAWxC,EAAS1P,CAAG,CAAC,CACjD,CAAK,EACM4P,EAAgB,IAAM,CACzB2B,EAAS,QAASC,GAAMA,EAAC,CAAE,CACnC,CAAK,CACL,CACA,SAASW,GAAmB,CAAE,SAAAC,EAAU,IAAApS,EAAK,OAAAyD,EAAQ,WAAApC,EAAY,cAAAC,EAAe,gBAAAC,EAAiB,SAAAoP,GAAa,CAC1G,MAAMQ,EAAiBvB,EAAgB7H,GAAW6H,EAAiBwB,GAAQ,CACvE,MAAM1J,EAASuI,GAAemB,CAAG,EACjC,GAAI,CAAC1J,GACDmC,GAAUnC,EAAQrG,EAAYC,EAAeC,EAAiB,EAAI,EAClE,OAEJ,MAAMrF,EAAKuH,EAAO,MAAMiE,CAAM,EAC9B,GAAIA,IAAW1H,GAAOA,EAAI,YAAa,CACnC,MAAMqS,EAAgBlJ,GAAgBnJ,EAAI,WAAW,EACrDoS,EAAS,CACL,GAAAlW,EACA,EAAGmW,EAAc,KACjB,EAAGA,EAAc,GACjC,CAAa,CACb,MAEYD,EAAS,CACL,GAAAlW,EACA,EAAGwL,EAAO,WACV,EAAGA,EAAO,SAC1B,CAAa,CAER,CAAA,EAAGiJ,EAAS,QAAU,GAAG,CAAC,EAC3B,OAAOlJ,EAAG,SAAU0J,EAAgBnR,CAAG,CAC3C,CACA,SAASsS,GAA2B,CAAE,iBAAAC,GAAoB,CAAE,IAAAzP,CAAG,EAAI,CAC/D,IAAI0P,EAAQ,GACRC,EAAQ,GACZ,MAAMC,EAAkB9C,EAAgB7H,GAAW6H,EAAgB,IAAM,CACrE,MAAM9J,EAAS4D,GAAiB,EAC1B7D,EAAQ8D,GAAgB,GAC1B6I,IAAU1M,GAAU2M,IAAU5M,KAC9B0M,EAAiB,CACb,MAAO,OAAO1M,CAAK,EACnB,OAAQ,OAAOC,CAAM,CACrC,CAAa,EACD0M,EAAQ1M,EACR2M,EAAQ5M,EAEpB,CAAK,EAAG,GAAG,CAAC,EACR,OAAO4B,EAAG,SAAUiL,EAAiB5P,CAAG,CAC5C,CACA,MAAM6P,GAAa,CAAC,QAAS,WAAY,QAAQ,EAC3CC,GAAoB,IAAI,QAC9B,SAASC,GAAkB,CAAE,QAAAC,EAAS,IAAA9S,EAAK,OAAAyD,EAAQ,WAAApC,EAAY,cAAAC,EAAe,gBAAAC,EAAiB,YAAAwR,EAAa,eAAAC,EAAgB,iBAAApW,EAAkB,YAAAM,EAAa,SAAAyT,EAAU,qBAAAsC,EAAsB,cAAA/Q,EAAe,gBAAAE,EAAiB,iBAAAD,EAAkB,mBAAAE,GAAuB,CAChQ,SAAS6Q,EAAa3I,EAAO,CACzB,IAAI7C,EAASuI,GAAe1F,CAAK,EACjC,MAAM4I,EAAgB5I,EAAM,UACtB1N,EAAU6K,GAAUrK,GAAYqK,EAAO,OAAO,EAGpD,GAFI7K,IAAY,WACZ6K,EAASA,EAAO,eAChB,CAACA,GACD,CAAC7K,GACD8V,GAAW,QAAQ9V,CAAO,EAAI,GAC9BgN,GAAUnC,EAAQrG,EAAYC,EAAeC,EAAiB,EAAI,EAClE,OAEJ,MAAMrD,EAAKwJ,EACX,GAAIxJ,EAAG,UAAU,SAAS6U,CAAW,GAChCC,GAAkB9U,EAAG,QAAQ8U,CAAc,EAC5C,OAEJ,MAAMlW,EAAOkB,GAAa0J,CAAM,EAChC,IAAIvK,EAAOc,GAAcC,EAAIrB,EAASC,CAAI,EACtCsW,EAAY,GAChB,MAAMpO,EAAgBrI,GAAgB,CAClC,iBAAAC,EACA,QAAAC,EACA,KAAAC,CACZ,CAAS,EACKiI,EAAY9C,GAAgByF,EAAQxF,EAAeC,EAAkBC,EAAiBC,EAAoB2C,CAAa,GACzHlI,IAAS,SAAWA,IAAS,cAC7BsW,EAAY1L,EAAO,SAEvBvK,EAAOJ,GAAe,CAClB,SAAUgI,EACV,QAAS2C,EACT,MAAOvK,EACP,YAAAD,CACZ,CAAS,EACDmW,EAAY3L,EAAQuL,EACd,CAAE,KAAA9V,EAAM,UAAAiW,EAAW,cAAAD,CAAa,EAChC,CAAE,KAAAhW,EAAM,UAAAiW,EAAW,EACzB,MAAMpS,EAAO0G,EAAO,KAChB5K,IAAS,SAAWkE,GAAQoS,GAC5BpT,EACK,iBAAiB,6BAA6BgB,CAAI,IAAI,EACtD,QAAS9C,GAAO,CACjB,GAAIA,IAAOwJ,EAAQ,CACf,MAAMvK,EAAOJ,GAAe,CACxB,SAAUgI,EACV,QAAS7G,EACT,MAAOD,GAAcC,EAAIrB,EAASC,CAAI,EACtC,YAAAI,CACxB,CAAqB,EACDmW,EAAYnV,EAAI+U,EACV,CAAE,KAAA9V,EAAM,UAAW,CAACiW,EAAW,cAAe,EAAK,EACnD,CAAE,KAAAjW,EAAM,UAAW,CAACiW,EAAW,CACzD,CACA,CAAa,CAEb,CACI,SAASC,EAAY3L,EAAQ4L,EAAG,CAC5B,MAAMC,EAAiBX,GAAkB,IAAIlL,CAAM,EACnD,GAAI,CAAC6L,GACDA,EAAe,OAASD,EAAE,MAC1BC,EAAe,YAAcD,EAAE,UAAW,CAC1CV,GAAkB,IAAIlL,EAAQ4L,CAAC,EAC/B,MAAMpX,EAAKuH,EAAO,MAAMiE,CAAM,EAC9BkI,EAAgBkD,CAAO,EAAE,CACrB,GAAGQ,EACH,GAAApX,CAChB,CAAa,CACb,CACA,CAEI,MAAMqV,GADSZ,EAAS,QAAU,OAAS,CAAC,QAAQ,EAAI,CAAC,QAAS,QAAQ,GAClD,IAAKuB,GAAczK,EAAGyK,EAAWtC,EAAgBsD,CAAY,EAAGlT,CAAG,CAAC,EACtFwT,EAAgBxT,EAAI,YAC1B,GAAI,CAACwT,EACD,MAAO,IAAM,CACTjC,EAAS,QAASC,GAAMA,EAAC,CAAE,CAC9B,EAEL,MAAMiC,EAAqBD,EAAc,OAAO,yBAAyBA,EAAc,iBAAiB,UAAW,OAAO,EACpHE,EAAiB,CACnB,CAACF,EAAc,iBAAiB,UAAW,OAAO,EAClD,CAACA,EAAc,iBAAiB,UAAW,SAAS,EACpD,CAACA,EAAc,kBAAkB,UAAW,OAAO,EACnD,CAACA,EAAc,oBAAoB,UAAW,OAAO,EACrD,CAACA,EAAc,kBAAkB,UAAW,eAAe,EAC3D,CAACA,EAAc,kBAAkB,UAAW,UAAU,CACzD,EACD,OAAIC,GAAsBA,EAAmB,KACzClC,EAAS,KAAK,GAAGmC,EAAe,IAAKxC,GAAMzI,GAAWyI,EAAE,CAAC,EAAGA,EAAE,CAAC,EAAG,CAC9D,KAAM,CACFtB,EAAgBsD,CAAY,EAAE,CAC1B,OAAQ,KACR,UAAW,EAC/B,CAAiB,CACJ,CACb,EAAW,GAAOM,CAAa,CAAC,CAAC,EAEtB5D,EAAgB,IAAM,CACzB2B,EAAS,QAASC,GAAMA,EAAC,CAAE,CACnC,CAAK,CACL,CACA,SAASmC,GAA0BtY,EAAM,CACrC,MAAMyV,EAAY,CAAE,EACpB,SAAS8C,EAAQC,EAAW3T,EAAK,CAC7B,GAAK4T,GAAiB,iBAAiB,GACnCD,EAAU,sBAAsB,iBAC/BC,GAAiB,cAAc,GAC5BD,EAAU,sBAAsB,cACnCC,GAAiB,iBAAiB,GAC/BD,EAAU,sBAAsB,iBACnCC,GAAiB,kBAAkB,GAChCD,EAAU,sBAAsB,iBAAmB,CAEvD,MAAM/G,EADQ,MAAM,KAAK+G,EAAU,WAAW,QAAQ,EAClC,QAAQA,CAAS,EACrC3T,EAAI,QAAQ4M,CAAK,CAC7B,SACiB+G,EAAU,iBAAkB,CAEjC,MAAM/G,EADQ,MAAM,KAAK+G,EAAU,iBAAiB,QAAQ,EACxC,QAAQA,CAAS,EACrC3T,EAAI,QAAQ4M,CAAK,CAC7B,CACQ,OAAO5M,CACf,CACI,OAAO0T,EAAQvY,EAAMyV,CAAS,CAClC,CACA,SAASiD,GAAgBC,EAAOvQ,EAAQwQ,EAAa,CACjD,IAAI/X,EAAIgY,EACR,OAAKF,GAEDA,EAAM,UACN9X,EAAKuH,EAAO,MAAMuQ,EAAM,SAAS,EAEjCE,EAAUD,EAAY,MAAMD,CAAK,EAC9B,CACH,QAAAE,EACA,GAAAhY,CACH,GARU,CAAE,CASjB,CACA,SAASiY,GAAuB,CAAE,iBAAAC,EAAkB,OAAA3Q,EAAQ,kBAAA4Q,CAAmB,EAAE,CAAE,IAAAvR,GAAO,CACtF,GAAI,CAACA,EAAI,eAAiB,CAACA,EAAI,cAAc,UACzC,MAAO,IAAM,CACZ,EAEL,MAAMwR,EAAaxR,EAAI,cAAc,UAAU,WAC/CA,EAAI,cAAc,UAAU,WAAa,IAAI,MAAMwR,EAAY,CAC3D,MAAO1E,EAAgB,CAAClI,EAAQ6M,EAASC,IAAkB,CACvD,KAAM,CAACnZ,EAAMyR,CAAK,EAAI0H,EAChB,CAAE,GAAAtY,EAAI,QAAAgY,GAAYH,GAAgBQ,EAAS9Q,EAAQ4Q,EAAkB,WAAW,EACtF,OAAKnY,GAAMA,IAAO,IAAQgY,GAAWA,IAAY,KAC7CE,EAAiB,CACb,GAAAlY,EACA,QAAAgY,EACA,KAAM,CAAC,CAAE,KAAA7Y,EAAM,MAAAyR,EAAO,CAC1C,CAAiB,EAEEpF,EAAO,MAAM6M,EAASC,CAAa,CACtD,CAAS,CACT,CAAK,EACD,MAAMC,EAAa3R,EAAI,cAAc,UAAU,WAC/CA,EAAI,cAAc,UAAU,WAAa,IAAI,MAAM2R,EAAY,CAC3D,MAAO7E,EAAgB,CAAClI,EAAQ6M,EAASC,IAAkB,CACvD,KAAM,CAAC1H,CAAK,EAAI0H,EACV,CAAE,GAAAtY,EAAI,QAAAgY,GAAYH,GAAgBQ,EAAS9Q,EAAQ4Q,EAAkB,WAAW,EACtF,OAAKnY,GAAMA,IAAO,IAAQgY,GAAWA,IAAY,KAC7CE,EAAiB,CACb,GAAAlY,EACA,QAAAgY,EACA,QAAS,CAAC,CAAE,MAAApH,EAAO,CACvC,CAAiB,EAEEpF,EAAO,MAAM6M,EAASC,CAAa,CACtD,CAAS,CACT,CAAK,EACD,IAAIE,EACA5R,EAAI,cAAc,UAAU,UAC5B4R,EAAU5R,EAAI,cAAc,UAAU,QACtCA,EAAI,cAAc,UAAU,QAAU,IAAI,MAAM4R,EAAS,CACrD,MAAO9E,EAAgB,CAAClI,EAAQ6M,EAASC,IAAkB,CACvD,KAAM,CAACrX,CAAI,EAAIqX,EACT,CAAE,GAAAtY,EAAI,QAAAgY,GAAYH,GAAgBQ,EAAS9Q,EAAQ4Q,EAAkB,WAAW,EACtF,OAAKnY,GAAMA,IAAO,IAAQgY,GAAWA,IAAY,KAC7CE,EAAiB,CACb,GAAAlY,EACA,QAAAgY,EACA,QAAS/W,CACjC,CAAqB,EAEEuK,EAAO,MAAM6M,EAASC,CAAa,CAC1D,CAAa,CACb,CAAS,GAEL,IAAIG,EACA7R,EAAI,cAAc,UAAU,cAC5B6R,EAAc7R,EAAI,cAAc,UAAU,YAC1CA,EAAI,cAAc,UAAU,YAAc,IAAI,MAAM6R,EAAa,CAC7D,MAAO/E,EAAgB,CAAClI,EAAQ6M,EAASC,IAAkB,CACvD,KAAM,CAACrX,CAAI,EAAIqX,EACT,CAAE,GAAAtY,EAAI,QAAAgY,GAAYH,GAAgBQ,EAAS9Q,EAAQ4Q,EAAkB,WAAW,EACtF,OAAKnY,GAAMA,IAAO,IAAQgY,GAAWA,IAAY,KAC7CE,EAAiB,CACb,GAAAlY,EACA,QAAAgY,EACA,YAAa/W,CACrC,CAAqB,EAEEuK,EAAO,MAAM6M,EAASC,CAAa,CAC1D,CAAa,CACb,CAAS,GAEL,MAAMI,EAA8B,CAAE,EAClCC,GAA4B,iBAAiB,EAC7CD,EAA4B,gBAAkB9R,EAAI,iBAG9C+R,GAA4B,cAAc,IAC1CD,EAA4B,aAAe9R,EAAI,cAE/C+R,GAA4B,kBAAkB,IAC9CD,EAA4B,iBAAmB9R,EAAI,kBAEnD+R,GAA4B,iBAAiB,IAC7CD,EAA4B,gBAAkB9R,EAAI,kBAG1D,MAAMgS,EAAsB,CAAE,EAC9B,cAAO,QAAQF,CAA2B,EAAE,QAAQ,CAAC,CAACG,EAASjY,CAAI,IAAM,CACrEgY,EAAoBC,CAAO,EAAI,CAC3B,WAAYjY,EAAK,UAAU,WAC3B,WAAYA,EAAK,UAAU,UAC9B,EACDA,EAAK,UAAU,WAAa,IAAI,MAAMgY,EAAoBC,CAAO,EAAE,WAAY,CAC3E,MAAOnF,EAAgB,CAAClI,EAAQ6M,EAASC,IAAkB,CACvD,KAAM,CAACnZ,EAAMyR,CAAK,EAAI0H,EAChB,CAAE,GAAAtY,EAAI,QAAAgY,CAAO,EAAKH,GAAgBQ,EAAQ,iBAAkB9Q,EAAQ4Q,EAAkB,WAAW,EACvG,OAAKnY,GAAMA,IAAO,IAAQgY,GAAWA,IAAY,KAC7CE,EAAiB,CACb,GAAAlY,EACA,QAAAgY,EACA,KAAM,CACF,CACI,KAAA7Y,EACA,MAAO,CACH,GAAGsY,GAA0BY,CAAO,EACpCzH,GAAS,CACZ,CACJ,CACJ,CACzB,CAAqB,EAEEpF,EAAO,MAAM6M,EAASC,CAAa,CAC1D,CAAa,CACb,CAAS,EACD1X,EAAK,UAAU,WAAa,IAAI,MAAMgY,EAAoBC,CAAO,EAAE,WAAY,CAC3E,MAAOnF,EAAgB,CAAClI,EAAQ6M,EAASC,IAAkB,CACvD,KAAM,CAAC1H,CAAK,EAAI0H,EACV,CAAE,GAAAtY,EAAI,QAAAgY,CAAO,EAAKH,GAAgBQ,EAAQ,iBAAkB9Q,EAAQ4Q,EAAkB,WAAW,EACvG,OAAKnY,GAAMA,IAAO,IAAQgY,GAAWA,IAAY,KAC7CE,EAAiB,CACb,GAAAlY,EACA,QAAAgY,EACA,QAAS,CACL,CAAE,MAAO,CAAC,GAAGP,GAA0BY,CAAO,EAAGzH,CAAK,CAAG,CAC5D,CACzB,CAAqB,EAEEpF,EAAO,MAAM6M,EAASC,CAAa,CAC1D,CAAa,CACb,CAAS,CACT,CAAK,EACM5E,EAAgB,IAAM,CACzB9M,EAAI,cAAc,UAAU,WAAawR,EACzCxR,EAAI,cAAc,UAAU,WAAa2R,EACzCC,IAAY5R,EAAI,cAAc,UAAU,QAAU4R,GAClDC,IAAgB7R,EAAI,cAAc,UAAU,YAAc6R,GAC1D,OAAO,QAAQC,CAA2B,EAAE,QAAQ,CAAC,CAACG,EAASjY,CAAI,IAAM,CACrEA,EAAK,UAAU,WAAagY,EAAoBC,CAAO,EAAE,WACzDjY,EAAK,UAAU,WAAagY,EAAoBC,CAAO,EAAE,UACrE,CAAS,CACT,CAAK,CACL,CACA,SAASC,GAA8B,CAAE,OAAAvR,EAAQ,kBAAA4Q,CAAiB,EAAKxZ,EAAM,CACzE,IAAIoa,EAAS,KACTpa,EAAK,WAAa,YAClBoa,EAASxR,EAAO,MAAM5I,CAAI,EAE1Boa,EAASxR,EAAO,MAAM5I,EAAK,IAAI,EACnC,MAAMqa,EAAcra,EAAK,WAAa,YAChCkV,GAAiB,CAAClV,EAAM,SAAUuB,GAAMA,EAAG,YAAa,iBAAkBC,GAAMA,EAAG,QAAQ,CAAC,EAC5F0T,GAAiB,CAAClV,EAAM,SAAU8J,GAAMA,EAAG,cAAe,iBAAkBC,GAAMA,EAAG,YAAa,iBAAkBC,GAAMA,EAAG,UAAU,CAAC,EACxIsQ,EAA6BpF,GAAiB,CAACmF,EAAa,iBAAkB9L,GAAMA,EAAG,SAAS,CAAC,EACjG,OAAO,yBAAyB2G,GAAiB,CAACmF,EAAa,iBAAkB7L,GAAOA,EAAI,SAAS,CAAC,EAAG,oBAAoB,EAC7H,OACN,OAAI4L,IAAW,MACXA,IAAW,IACX,CAACC,GACD,CAACC,EACM,IAAM,CACZ,GACL,OAAO,eAAeta,EAAM,qBAAsB,CAC9C,aAAcsa,EAA2B,aACzC,WAAYA,EAA2B,WACvC,KAAM,CACF,OAAOpF,GAAiB,CAACoF,EAA4B,SAAU7L,GAAOA,EAAI,IAAK,iBAAkBC,GAAOA,EAAI,KAAM,OAAQC,GAAOA,EAAI,IAAI,CAAC,CAAC,CAC9I,EACD,IAAI4L,EAAQ,CACR,MAAMC,EAAStF,GAAiB,CAACoF,EAA4B,SAAU1L,GAAOA,EAAI,IAAK,iBAAkB6L,GAAOA,EAAI,KAAM,OAAQC,GAAOA,EAAI,KAAMH,CAAM,CAAC,CAAC,EAC3J,GAAIH,IAAW,MAAQA,IAAW,GAC9B,GAAI,CACAZ,EAAkB,iBAAiBe,EAAQH,CAAM,CACrE,MAC0B,CAC1B,CAEY,OAAOI,CACV,CACT,CAAK,EACMzF,EAAgB,IAAM,CACzB,OAAO,eAAe/U,EAAM,qBAAsB,CAC9C,aAAcsa,EAA2B,aACzC,WAAYA,EAA2B,WACvC,IAAKA,EAA2B,IAChC,IAAKA,EAA2B,GAC5C,CAAS,CACT,CAAK,EACL,CACA,SAASK,GAA6B,CAAE,mBAAAC,EAAoB,OAAAhS,EAAQ,oBAAAiS,EAAqB,kBAAArB,CAAoB,EAAE,CAAE,IAAAvR,GAAO,CACpH,MAAM6S,EAAc7S,EAAI,oBAAoB,UAAU,YACtDA,EAAI,oBAAoB,UAAU,YAAc,IAAI,MAAM6S,EAAa,CACnE,MAAO/F,EAAgB,CAAClI,EAAQ6M,EAASC,IAAkB,CACvD,KAAM,CAACoB,EAAUzd,EAAO0d,CAAQ,EAAIrB,EACpC,GAAIkB,EAAoB,IAAIE,CAAQ,EAChC,OAAOD,EAAY,MAAMpB,EAAS,CAACqB,EAAUzd,EAAO0d,CAAQ,CAAC,EAEjE,KAAM,CAAE,GAAA3Z,EAAI,QAAAgY,GAAYH,GAAgBhE,GAAiB,CAACwE,EAAS,SAAUuB,GAAOA,EAAI,WAAY,iBAAkBlL,GAAOA,EAAI,gBAAgB,CAAC,EAAGnH,EAAQ4Q,EAAkB,WAAW,EAC1L,OAAKnY,GAAMA,IAAO,IAAQgY,GAAWA,IAAY,KAC7CuB,EAAmB,CACf,GAAAvZ,EACA,QAAAgY,EACA,IAAK,CACD,SAAA0B,EACA,MAAAzd,EACA,SAAA0d,CACH,EACD,MAAOlC,GAA0BY,EAAQ,UAAU,CACvE,CAAiB,EAEE7M,EAAO,MAAM6M,EAASC,CAAa,CACtD,CAAS,CACT,CAAK,EACD,MAAMuB,EAAiBjT,EAAI,oBAAoB,UAAU,eACzD,OAAAA,EAAI,oBAAoB,UAAU,eAAiB,IAAI,MAAMiT,EAAgB,CACzE,MAAOnG,EAAgB,CAAClI,EAAQ6M,EAASC,IAAkB,CACvD,KAAM,CAACoB,CAAQ,EAAIpB,EACnB,GAAIkB,EAAoB,IAAIE,CAAQ,EAChC,OAAOG,EAAe,MAAMxB,EAAS,CAACqB,CAAQ,CAAC,EAEnD,KAAM,CAAE,GAAA1Z,EAAI,QAAAgY,GAAYH,GAAgBhE,GAAiB,CAACwE,EAAS,SAAUtJ,GAAOA,EAAI,WAAY,iBAAkBC,GAAOA,EAAI,gBAAgB,CAAC,EAAGzH,EAAQ4Q,EAAkB,WAAW,EAC1L,OAAKnY,GAAMA,IAAO,IAAQgY,GAAWA,IAAY,KAC7CuB,EAAmB,CACf,GAAAvZ,EACA,QAAAgY,EACA,OAAQ,CACJ,SAAA0B,CACH,EACD,MAAOjC,GAA0BY,EAAQ,UAAU,CACvE,CAAiB,EAEE7M,EAAO,MAAM6M,EAASC,CAAa,CACtD,CAAS,CACT,CAAK,EACM5E,EAAgB,IAAM,CACzB9M,EAAI,oBAAoB,UAAU,YAAc6S,EAChD7S,EAAI,oBAAoB,UAAU,eAAiBiT,CAC3D,CAAK,CACL,CACA,SAASC,GAA6B,CAAE,mBAAAC,EAAoB,WAAA5U,EAAY,cAAAC,EAAe,gBAAAC,EAAiB,OAAAkC,EAAQ,SAAAkN,EAAU,IAAA3Q,GAAQ,CAC9H,MAAM0P,EAAUE,EAAiB9S,GAASiL,GAAW6H,EAAiBrF,GAAU,CAC5E,MAAM7C,EAASuI,GAAe1F,CAAK,EACnC,GAAI,CAAC7C,GACDmC,GAAUnC,EAAQrG,EAAYC,EAAeC,EAAiB,EAAI,EAClE,OAEJ,KAAM,CAAE,YAAA2U,EAAa,OAAAC,EAAQ,MAAAC,EAAO,aAAAC,CAAc,EAAG3O,EACrDuO,EAAmB,CACf,KAAAnZ,EACA,GAAI2G,EAAO,MAAMiE,CAAM,EACvB,YAAAwO,EACA,OAAAC,EACA,MAAAC,EACA,aAAAC,CACZ,CAAS,CACJ,CAAA,EAAG1F,EAAS,OAAS,GAAG,CAAC,EACpBY,EAAW,CACb9J,EAAG,OAAQiI,EAAQ,CAAC,EAAG1P,CAAG,EAC1ByH,EAAG,QAASiI,EAAQ,CAAC,EAAG1P,CAAG,EAC3ByH,EAAG,SAAUiI,EAAQ,CAAC,EAAG1P,CAAG,EAC5ByH,EAAG,eAAgBiI,EAAQ,CAAC,EAAG1P,CAAG,EAClCyH,EAAG,aAAciI,EAAQ,CAAC,EAAG1P,CAAG,CACnC,EACD,OAAO4P,EAAgB,IAAM,CACzB2B,EAAS,QAASC,GAAMA,EAAC,CAAE,CACnC,CAAK,CACL,CACA,SAAS8E,GAAiB,CAAE,OAAAC,EAAQ,IAAAvW,GAAO,CACvC,MAAM8C,EAAM9C,EAAI,YAChB,GAAI,CAAC8C,EACD,MAAO,IAAM,CACZ,EAEL,MAAMyO,EAAW,CAAE,EACbiF,EAAU,IAAI,QACdC,EAAmB3T,EAAI,SAC7BA,EAAI,SAAW,SAAkB4T,EAAQ3N,EAAQ4N,EAAa,CAC1D,MAAMC,EAAW,IAAIH,EAAiBC,EAAQ3N,EAAQ4N,CAAW,EACjE,OAAAH,EAAQ,IAAII,EAAU,CAClB,OAAAF,EACA,OAAQ,OAAO3N,GAAW,SAC1B,YAAA4N,EACA,WAAY,OAAO5N,GAAW,SACxBA,EACA,KAAK,UAAU,MAAM,KAAK,IAAI,WAAWA,CAAM,CAAC,CAAC,CACnE,CAAS,EACM6N,CACV,EACD,MAAMC,EAAiB/N,GAAM9I,EAAI,MAAO,MAAO,SAAU6I,EAAU,CAC/D,OAAO,SAAU+N,EAAU,CACvB,OAAApO,GAAaoH,EAAgB,IAAM,CAC/B,MAAMsB,EAAIsF,EAAQ,IAAII,CAAQ,EAC1B1F,IACAqF,EAAOrF,CAAC,EACRsF,EAAQ,OAAOI,CAAQ,EAE9B,CAAA,EAAG,CAAC,EACE/N,EAAS,MAAM,KAAM,CAAC+N,CAAQ,CAAC,CACzC,CACT,CAAK,EACD,OAAArF,EAAS,KAAK,IAAM,CAChBzO,EAAI,SAAW2T,CACvB,CAAK,EACDlF,EAAS,KAAKsF,CAAc,EACrBjH,EAAgB,IAAM,CACzB2B,EAAS,QAASC,GAAMA,EAAC,CAAE,CACnC,CAAK,CACL,CACA,SAASsF,GAAsBC,EAAO,CAClC,KAAM,CAAE,IAAA/W,EAAK,OAAAyD,EAAQ,WAAApC,EAAY,cAAAC,EAAe,gBAAAC,EAAiB,YAAAyV,CAAW,EAAMD,EAClF,IAAIE,EAAY,GAChB,MAAMC,EAAkBtH,EAAgB,IAAM,CAC1C,MAAMuH,EAAYnX,EAAI,aAAc,EACpC,GAAI,CAACmX,GAAcF,GAAalH,GAAiB,CAACoH,EAAW,iBAAkBhM,GAAOA,EAAI,WAAW,CAAC,EAClG,OACJ8L,EAAYE,EAAU,aAAe,GACrC,MAAMC,EAAS,CAAE,EACXC,EAAQF,EAAU,YAAc,EACtC,QAAS/e,EAAI,EAAGA,EAAIif,EAAOjf,IAAK,CAC5B,MAAMkf,EAAQH,EAAU,WAAW/e,CAAC,EAC9B,CAAE,eAAAmf,EAAgB,YAAAC,EAAa,aAAAC,EAAc,UAAAC,CAAW,EAAGJ,EACjDzN,GAAU0N,EAAgBlW,EAAYC,EAAeC,EAAiB,EAAI,GACtFsI,GAAU4N,EAAcpW,EAAYC,EAAeC,EAAiB,EAAI,GAG5E6V,EAAO,KAAK,CACR,MAAO3T,EAAO,MAAM8T,CAAc,EAClC,YAAAC,EACA,IAAK/T,EAAO,MAAMgU,CAAY,EAC9B,UAAAC,CAChB,CAAa,CACb,CACQV,EAAY,CAAE,OAAAI,EAAQ,CAC9B,CAAK,EACD,OAAAF,EAAiB,EACVzP,EAAG,kBAAmByP,CAAe,CAChD,CACA,SAASS,GAA0B,CAAE,IAAA3X,EAAK,gBAAA4X,GAAoB,CAC1D,MAAM9U,EAAM9C,EAAI,YAChB,MAAI,CAAC8C,GAAO,CAACA,EAAI,eACN,IAAM,CAAG,EACGgG,GAAMhG,EAAI,eAAgB,SAAU,SAAU+F,EAAU,CAC3E,OAAO,SAAU7H,EAAM6W,EAAarU,EAAS,CACzC,GAAI,CACAoU,EAAgB,CACZ,OAAQ,CACJ,KAAA5W,CACH,CACrB,CAAiB,CACjB,MACsB,CACtB,CACY,OAAO6H,EAAS,MAAM,KAAM,CAAC7H,EAAM6W,EAAarU,CAAO,CAAC,CAC3D,CACT,CAAK,CAEL,CACA,SAASsU,GAAcC,EAAGC,EAAS,GAAI,CACnC,MAAMxE,EAAgBuE,EAAE,IAAI,YAC5B,GAAI,CAACvE,EACD,MAAO,IAAM,CACZ,EAEL,MAAMyE,EAAmB9H,GAAqB4H,EAAGA,EAAE,GAAG,EAChDG,EAAmBzH,GAAiBsH,CAAC,EACrCI,EAA0B1G,GAA6BsG,CAAC,EACxDK,EAAgBjG,GAAmB4F,CAAC,EACpCM,EAAwB/F,GAA2ByF,EAAG,CACxD,IAAKvE,CACb,CAAK,EACK8E,EAAezF,GAAkBkF,CAAC,EAClCQ,EAA0BvC,GAA6B+B,CAAC,EACxDS,EAAqBrE,GAAuB4D,EAAG,CAAE,IAAKvE,CAAa,CAAE,EACrEiF,EAA4BzD,GAA8B+C,EAAGA,EAAE,GAAG,EAClEW,EAA2BlD,GAA6BuC,EAAG,CAC7D,IAAKvE,CACb,CAAK,EACKmF,EAAeZ,EAAE,aACjBzB,GAAiByB,CAAC,EAClB,IAAM,CACP,EACCa,EAAoB9B,GAAsBiB,CAAC,EAC3Cc,EAAwBlB,GAA0BI,CAAC,EACnDe,EAAiB,CAAE,EACzB,UAAWC,KAAUhB,EAAE,QACnBe,EAAe,KAAKC,EAAO,SAASA,EAAO,SAAUvF,EAAeuF,EAAO,OAAO,CAAC,EAEvF,OAAOnJ,EAAgB,IAAM,CACzBI,GAAgB,QAASgJ,GAAMA,EAAE,MAAK,CAAE,EACxCf,EAAiB,WAAY,EAC7BC,EAAkB,EAClBC,EAAyB,EACzBC,EAAe,EACfC,EAAuB,EACvBC,EAAc,EACdC,EAAyB,EACzBC,EAAoB,EACpBC,EAA2B,EAC3BC,EAA0B,EAC1BC,EAAc,EACdC,EAAmB,EACnBC,EAAuB,EACvBC,EAAe,QAAStH,GAAMA,EAAC,CAAE,CACzC,CAAK,CACL,CACA,SAASsC,GAAiBjM,EAAM,CAC5B,OAAO,OAAO,OAAOA,CAAI,EAAM,GACnC,CACA,SAASgN,GAA4BhN,EAAM,CACvC,MAAO,GAAQ,OAAO,OAAOA,CAAI,EAAM,KACnC,OAAOA,CAAI,EAAE,WACb,eAAgB,OAAOA,CAAI,EAAE,WAC7B,eAAgB,OAAOA,CAAI,EAAE,UACrC,CAEA,MAAMoR,EAAwB,CAC1B,YAAYC,EAAc,CACtB,KAAK,aAAeA,EACpB,KAAK,sBAAwB,IAAI,QACjC,KAAK,sBAAwB,IAAI,OACzC,CACI,MAAMvL,EAAQwL,EAAUC,EAAeC,EAAe,CAClD,MAAMC,EAAkBF,GAAiB,KAAK,mBAAmBzL,CAAM,EACjE4L,EAAkBF,GAAiB,KAAK,mBAAmB1L,CAAM,EACvE,IAAIzR,EAAKod,EAAgB,IAAIH,CAAQ,EACrC,OAAKjd,IACDA,EAAK,KAAK,aAAc,EACxBod,EAAgB,IAAIH,EAAUjd,CAAE,EAChCqd,EAAgB,IAAIrd,EAAIid,CAAQ,GAE7Bjd,CACf,CACI,OAAOyR,EAAQwL,EAAU,CACrB,MAAMG,EAAkB,KAAK,mBAAmB3L,CAAM,EAChD4L,EAAkB,KAAK,mBAAmB5L,CAAM,EACtD,OAAOwL,EAAS,IAAKjd,GAAO,KAAK,MAAMyR,EAAQzR,EAAIod,EAAiBC,CAAe,CAAC,CAC5F,CACI,YAAY5L,EAAQzR,EAAIsd,EAAK,CACzB,MAAMD,EAAkBC,GAAO,KAAK,mBAAmB7L,CAAM,EAC7D,GAAI,OAAOzR,GAAO,SACd,OAAOA,EACX,MAAMid,EAAWI,EAAgB,IAAIrd,CAAE,EACvC,OAAKid,GACM,EAEnB,CACI,aAAaxL,EAAQ8L,EAAK,CACtB,MAAMF,EAAkB,KAAK,mBAAmB5L,CAAM,EACtD,OAAO8L,EAAI,IAAKvd,GAAO,KAAK,YAAYyR,EAAQzR,EAAIqd,CAAe,CAAC,CAC5E,CACI,MAAM5L,EAAQ,CACV,GAAI,CAACA,EAAQ,CACT,KAAK,sBAAwB,IAAI,QACjC,KAAK,sBAAwB,IAAI,QACjC,MACZ,CACQ,KAAK,sBAAsB,OAAOA,CAAM,EACxC,KAAK,sBAAsB,OAAOA,CAAM,CAChD,CACI,mBAAmBA,EAAQ,CACvB,IAAI2L,EAAkB,KAAK,sBAAsB,IAAI3L,CAAM,EAC3D,OAAK2L,IACDA,EAAkB,IAAI,IACtB,KAAK,sBAAsB,IAAI3L,EAAQ2L,CAAe,GAEnDA,CACf,CACI,mBAAmB3L,EAAQ,CACvB,IAAI4L,EAAkB,KAAK,sBAAsB,IAAI5L,CAAM,EAC3D,OAAK4L,IACDA,EAAkB,IAAI,IACtB,KAAK,sBAAsB,IAAI5L,EAAQ4L,CAAe,GAEnDA,CACf,CACA,CAEA,SAASG,GAAiBzhB,EAAK,CAAE,IAAIC,EAA+BC,EAAQF,EAAI,CAAC,EAAOG,EAAI,EAAG,KAAOA,EAAIH,EAAI,QAAQ,CAAE,MAAMI,EAAKJ,EAAIG,CAAC,EAASE,EAAKL,EAAIG,EAAI,CAAC,EAAW,GAARA,GAAK,GAAQC,IAAO,kBAAoBA,IAAO,iBAAmBF,GAAS,KAAQ,OAAwBE,IAAO,UAAYA,IAAO,kBAAoBH,EAAgBC,EAAOA,EAAQG,EAAGH,CAAK,IAAcE,IAAO,QAAUA,IAAO,kBAAkBF,EAAQG,EAAG,IAAIC,IAASJ,EAAM,KAAKD,EAAe,GAAGK,CAAI,CAAC,EAAGL,EAAgB,OAAY,CAAG,OAAOC,CAAM,CACngB,MAAMwhB,EAAkB,CACpB,aAAc,CACV,KAAK,wBAA0B,IAAIV,GAAwB3a,EAAK,EAChE,KAAK,2BAA6B,IAAI,OAC9C,CACI,WAAY,CAChB,CACI,iBAAkB,CACtB,CACI,cAAe,CACnB,CACA,CACA,MAAMsb,EAAc,CAChB,YAAYpW,EAAS,CACjB,KAAK,QAAU,IAAI,QACnB,KAAK,qBAAuB,IAAI,QAChC,KAAK,wBAA0B,IAAIyV,GAAwB3a,EAAK,EAChE,KAAK,2BAA6B,IAAI,QACtC,KAAK,WAAakF,EAAQ,WAC1B,KAAK,YAAcA,EAAQ,YAC3B,KAAK,kBAAoBA,EAAQ,kBACjC,KAAK,yBAA2BA,EAAQ,yBACxC,KAAK,6BAA+B,IAAIyV,GAAwB,KAAK,kBAAkB,YAAY,WAAW,KAAK,KAAK,kBAAkB,WAAW,CAAC,EACtJ,KAAK,OAASzV,EAAQ,OAClB,KAAK,0BACL,OAAO,iBAAiB,UAAW,KAAK,cAAc,KAAK,IAAI,CAAC,CAE5E,CACI,UAAUb,EAAU,CAChB,KAAK,QAAQ,IAAIA,EAAU,EAAI,EAC3BA,EAAS,eACT,KAAK,qBAAqB,IAAIA,EAAS,cAAeA,CAAQ,CAC1E,CACI,gBAAgBkN,EAAI,CAChB,KAAK,aAAeA,CAC5B,CACI,aAAalN,EAAUiL,EAAS,CAC5B,KAAK,WAAW,CACZ,KAAM,CACF,CACI,SAAU,KAAK,OAAO,MAAMjL,CAAQ,EACpC,OAAQ,KACR,KAAMiL,CACT,CACJ,EACD,QAAS,CAAE,EACX,MAAO,CAAE,EACT,WAAY,CAAE,EACd,eAAgB,EAC5B,CAAS,EACD8L,GAAiB,CAAC,KAAM,SAAU5e,GAAKA,EAAE,aAAc,eAAgBC,GAAMA,EAAG4H,CAAQ,CAAC,CAAC,EACtFA,EAAS,iBACTA,EAAS,gBAAgB,oBACzBA,EAAS,gBAAgB,mBAAmB,OAAS,GACrD,KAAK,kBAAkB,iBAAiBA,EAAS,gBAAgB,mBAAoB,KAAK,OAAO,MAAMA,EAAS,eAAe,CAAC,CAC5I,CACI,cAAckX,EAAS,CACnB,MAAMC,EAA0BD,EAKhC,GAJIC,EAAwB,KAAK,OAAS,SACtCA,EAAwB,SAAWA,EAAwB,KAAK,QAGhE,CADuBD,EAAQ,OAE/B,OACJ,MAAMlX,EAAW,KAAK,qBAAqB,IAAIkX,EAAQ,MAAM,EAC7D,GAAI,CAAClX,EACD,OACJ,MAAMoX,EAAmB,KAAK,0BAA0BpX,EAAUmX,EAAwB,KAAK,KAAK,EAChGC,GACA,KAAK,YAAYA,EAAkBD,EAAwB,KAAK,UAAU,CACtF,CACI,0BAA0BnX,EAAUsP,EAAG,CACnC,OAAQA,EAAE,KAAI,CACV,KAAKhG,EAAU,aAAc,CACzB,KAAK,wBAAwB,MAAMtJ,CAAQ,EAC3C,KAAK,6BAA6B,MAAMA,CAAQ,EAChD,KAAK,gBAAgBsP,EAAE,KAAK,KAAMtP,CAAQ,EAC1C,MAAMsB,EAASgO,EAAE,KAAK,KAAK,GAC3B,YAAK,2BAA2B,IAAItP,EAAUsB,CAAM,EACpD,KAAK,kBAAkBgO,EAAE,KAAK,KAAMhO,CAAM,EACnC,CACH,UAAWgO,EAAE,UACb,KAAMhG,EAAU,oBAChB,KAAM,CACF,OAAQE,EAAkB,SAC1B,KAAM,CACF,CACI,SAAU,KAAK,OAAO,MAAMxJ,CAAQ,EACpC,OAAQ,KACR,KAAMsP,EAAE,KAAK,IAChB,CACJ,EACD,QAAS,CAAE,EACX,MAAO,CAAE,EACT,WAAY,CAAE,EACd,eAAgB,EACnB,CACJ,CACjB,CACY,KAAKhG,EAAU,KACf,KAAKA,EAAU,KACf,KAAKA,EAAU,iBACX,MAAO,GAEX,KAAKA,EAAU,OACX,OAAOgG,EAEX,KAAKhG,EAAU,OACX,YAAK,WAAWgG,EAAE,KAAK,QAAStP,EAAU,CAAC,KAAM,WAAY,aAAc,QAAQ,CAAC,EAC7EsP,EAEX,KAAKhG,EAAU,oBACX,OAAQgG,EAAE,KAAK,OAAM,CACjB,KAAK9F,EAAkB,SACnB,OAAA8F,EAAE,KAAK,KAAK,QAAStX,GAAM,CACvB,KAAK,WAAWA,EAAGgI,EAAU,CACzB,WACA,SACA,YAChC,CAA6B,EACD,KAAK,gBAAgBhI,EAAE,KAAMgI,CAAQ,EACrC,MAAMsB,EAAS,KAAK,2BAA2B,IAAItB,CAAQ,EAC3DsB,GAAU,KAAK,kBAAkBtJ,EAAE,KAAMsJ,CAAM,CAC3E,CAAyB,EACDgO,EAAE,KAAK,QAAQ,QAAStX,GAAM,CAC1B,KAAK,WAAWA,EAAGgI,EAAU,CAAC,WAAY,IAAI,CAAC,CAC3E,CAAyB,EACDsP,EAAE,KAAK,WAAW,QAAStX,GAAM,CAC7B,KAAK,WAAWA,EAAGgI,EAAU,CAAC,IAAI,CAAC,CAC/D,CAAyB,EACDsP,EAAE,KAAK,MAAM,QAAStX,GAAM,CACxB,KAAK,WAAWA,EAAGgI,EAAU,CAAC,IAAI,CAAC,CAC/D,CAAyB,EACMsP,EAEX,KAAK9F,EAAkB,KACvB,KAAKA,EAAkB,UACvB,KAAKA,EAAkB,UACnB,OAAA8F,EAAE,KAAK,UAAU,QAASf,GAAM,CAC5B,KAAK,WAAWA,EAAGvO,EAAU,CAAC,IAAI,CAAC,CAC/D,CAAyB,EACMsP,EAEX,KAAK9F,EAAkB,eACnB,MAAO,GAEX,KAAKA,EAAkB,iBACvB,KAAKA,EAAkB,iBACvB,KAAKA,EAAkB,OACvB,KAAKA,EAAkB,eACvB,KAAKA,EAAkB,MACnB,YAAK,WAAW8F,EAAE,KAAMtP,EAAU,CAAC,IAAI,CAAC,EACjCsP,EAEX,KAAK9F,EAAkB,eACvB,KAAKA,EAAkB,iBACnB,YAAK,WAAW8F,EAAE,KAAMtP,EAAU,CAAC,IAAI,CAAC,EACxC,KAAK,gBAAgBsP,EAAE,KAAMtP,EAAU,CAAC,SAAS,CAAC,EAC3CsP,EAEX,KAAK9F,EAAkB,KACnB,OAAO8F,EAEX,KAAK9F,EAAkB,UACnB,OAAA8F,EAAE,KAAK,OAAO,QAASqF,GAAU,CAC7B,KAAK,WAAWA,EAAO3U,EAAU,CAAC,QAAS,KAAK,CAAC,CAC7E,CAAyB,EACMsP,EAEX,KAAK9F,EAAkB,kBACnB,YAAK,WAAW8F,EAAE,KAAMtP,EAAU,CAAC,IAAI,CAAC,EACxC,KAAK,gBAAgBsP,EAAE,KAAMtP,EAAU,CAAC,UAAU,CAAC,EACnD+W,GAAiB,CAACzH,EAAG,SAAU9V,GAAMA,EAAG,KAAM,SAAUC,GAAMA,EAAG,OAAQ,iBAAkBC,GAAMA,EAAG,QAAS,OAAQsI,GAAMA,EAAIqV,GAAU,CACrI,KAAK,gBAAgBA,EAAOrX,EAAU,CAAC,SAAS,CAAC,CACpD,CAAA,CAAC,CAAC,EACIsP,CAE/B,CAEA,CACQ,MAAO,EACf,CACI,QAAQgI,EAAcC,EAAKvX,EAAUwX,EAAM,CACvC,UAAWzR,KAAOyR,EACV,CAAC,MAAM,QAAQD,EAAIxR,CAAG,CAAC,GAAK,OAAOwR,EAAIxR,CAAG,GAAM,WAEhD,MAAM,QAAQwR,EAAIxR,CAAG,CAAC,EACtBwR,EAAIxR,CAAG,EAAIuR,EAAa,OAAOtX,EAAUuX,EAAIxR,CAAG,CAAC,EAGjDwR,EAAIxR,CAAG,EAAIuR,EAAa,MAAMtX,EAAUuX,EAAIxR,CAAG,CAAC,GAGxD,OAAOwR,CACf,CACI,WAAWA,EAAKvX,EAAUwX,EAAM,CAC5B,OAAO,KAAK,QAAQ,KAAK,wBAAyBD,EAAKvX,EAAUwX,CAAI,CAC7E,CACI,gBAAgBD,EAAKvX,EAAUwX,EAAM,CACjC,OAAO,KAAK,QAAQ,KAAK,6BAA8BD,EAAKvX,EAAUwX,CAAI,CAClF,CACI,gBAAgB5d,EAAMoG,EAAU,CAC5B,KAAK,WAAWpG,EAAMoG,EAAU,CAAC,KAAM,QAAQ,CAAC,EAC5C,eAAgBpG,GAChBA,EAAK,WAAW,QAAS6d,GAAU,CAC/B,KAAK,gBAAgBA,EAAOzX,CAAQ,CACpD,CAAa,CAEb,CACI,kBAAkBpG,EAAM0H,EAAQ,CACxB1H,EAAK,OAAS/B,EAAW,UAAY,CAAC+B,EAAK,SAC3CA,EAAK,OAAS0H,GACd,eAAgB1H,GAChBA,EAAK,WAAW,QAAS6d,GAAU,CAC/B,KAAK,kBAAkBA,EAAOnW,CAAM,CACpD,CAAa,CAEb,CACA,CAEA,MAAMoW,EAAqB,CACvB,MAAO,CACX,CACI,eAAgB,CACpB,CACI,qBAAsB,CAC1B,CACI,OAAQ,CACZ,CACA,CACA,MAAMC,EAAiB,CACnB,YAAY9W,EAAS,CACjB,KAAK,WAAa,IAAI,QACtB,KAAK,gBAAkB,CAAE,EACzB,KAAK,WAAaA,EAAQ,WAC1B,KAAK,SAAWA,EAAQ,SACxB,KAAK,cAAgBA,EAAQ,cAC7B,KAAK,OAASA,EAAQ,OACtB,KAAK,KAAM,CACnB,CACI,MAAO,CACH,KAAK,MAAO,EACZ,KAAK,kBAAkB,QAAS,QAAQ,CAChD,CACI,cAAcvI,EAAY+E,EAAK,CAG3B,GAFI,CAAChF,GAAkBC,CAAU,GAE7B,KAAK,WAAW,IAAIA,CAAU,EAC9B,OACJ,KAAK,WAAW,IAAIA,CAAU,EAC9B,MAAMuV,EAAWL,GAAqB,CAClC,GAAG,KAAK,cACR,IAAAnQ,EACA,WAAY,KAAK,WACjB,OAAQ,KAAK,OACb,iBAAkB,IACrB,EAAE/E,CAAU,EACb,KAAK,gBAAgB,KAAK,IAAMuV,EAAS,WAAU,CAAE,EACrD,KAAK,gBAAgB,KAAK2B,GAAmB,CACzC,GAAG,KAAK,cACR,SAAU,KAAK,SACf,IAAKlX,EACL,OAAQ,KAAK,MACzB,CAAS,CAAC,EACFuN,GAAa,IAAM,CACXvN,EAAW,oBACXA,EAAW,mBAAmB,OAAS,GACvC,KAAK,cAAc,kBAAkB,iBAAiBA,EAAW,mBAAoB,KAAK,OAAO,MAAMA,EAAW,IAAI,CAAC,EAC3H,KAAK,gBAAgB,KAAK+Z,GAA8B,CACpD,OAAQ,KAAK,OACb,kBAAmB,KAAK,cAAc,iBACzC,EAAE/Z,CAAU,CAAC,CACjB,EAAE,CAAC,CACZ,CACI,oBAAoBsf,EAAe,CAC3B,CAACA,EAAc,eAAiB,CAACA,EAAc,iBAEnD,KAAK,kBAAkBA,EAAc,cAAc,QAASA,EAAc,eAAe,CACjG,CACI,kBAAkBtd,EAAS+C,EAAK,CAC5B,MAAMwa,EAAU,KAChB,KAAK,gBAAgB,KAAK1R,GAAM7L,EAAQ,UAAW,eAAgB,SAAU4L,EAAU,CACnF,OAAO,SAAU4R,EAAQ,CACrB,MAAMxf,EAAa4N,EAAS,KAAK,KAAM4R,CAAM,EAC7C,OAAI,KAAK,YAAclP,GAAM,IAAI,GAC7BiP,EAAQ,cAAc,KAAK,WAAYxa,CAAG,EACvC/E,CACV,CACb,CAAS,CAAC,CACV,CACI,OAAQ,CACJ,KAAK,gBAAgB,QAASyU,GAAY,CACtC,GAAI,CACAA,EAAS,CACzB,MACsB,CACtB,CACA,CAAS,EACD,KAAK,gBAAkB,CAAE,EACzB,KAAK,WAAa,IAAI,OAC9B,CACA,CAEA,MAAMgL,EAAkB,CACpB,OAAQ,CACZ,CACI,QAAS,CACb,CACI,UAAW,CACf,CACI,MAAO,CACX,CACI,QAAS,CACb,CACI,UAAW,CACf,CACA,CAEA,MAAMC,EAAkB,CACpB,YAAYnX,EAAS,CACjB,KAAK,oBAAsB,IAAI,QAC/B,KAAK,YAAc,IAAIqH,GACvB,KAAK,WAAarH,EAAQ,WAC1B,KAAK,oBAAsBA,EAAQ,mBAC3C,CACI,kBAAkBoX,EAAQhN,EAAS,CAC3B,aAAcA,EAAQ,YACtB,KAAK,WAAW,CACZ,KAAM,CAAE,EACR,QAAS,CAAE,EACX,MAAO,CAAE,EACT,WAAY,CACR,CACI,GAAIA,EAAQ,GACZ,WAAYA,EACP,UACR,CACJ,CACjB,CAAa,EACL,KAAK,iBAAiBgN,CAAM,CACpC,CACI,iBAAiBA,EAAQ,CACjB,KAAK,oBAAoB,IAAIA,CAAM,IAEvC,KAAK,oBAAoB,IAAIA,CAAM,EACnC,KAAK,6BAA6BA,CAAM,EAChD,CACI,iBAAiBxF,EAAQH,EAAQ,CAC7B,GAAIG,EAAO,SAAW,EAClB,OACJ,MAAMyF,EAAwB,CAC1B,GAAI5F,EACJ,SAAU,CAAE,CACf,EACK6F,EAAS,CAAE,EACjB,UAAW9G,KAASoB,EAAQ,CACxB,IAAIlB,EACC,KAAK,YAAY,IAAIF,CAAK,EAW3BE,EAAU,KAAK,YAAY,MAAMF,CAAK,GAVtCE,EAAU,KAAK,YAAY,IAAIF,CAAK,EACpC8G,EAAO,KAAK,CACR,QAAA5G,EACA,MAAO,MAAM,KAAKF,EAAM,OAAS,QAAS,CAAC3E,EAAGvC,KAAW,CACrD,KAAMpR,GAAc2T,CAAC,EACrB,MAAAvC,CACxB,EAAsB,CACtB,CAAiB,GAIL+N,EAAsB,SAAS,KAAK3G,CAAO,CACvD,CACY4G,EAAO,OAAS,IAChBD,EAAsB,OAASC,GACnC,KAAK,oBAAoBD,CAAqB,CACtD,CACI,OAAQ,CACJ,KAAK,YAAY,MAAO,EACxB,KAAK,oBAAsB,IAAI,OACvC,CACI,6BAA6BD,EAAQ,CACzC,CACA,CAEA,MAAMG,EAAqB,CACvB,aAAc,CACV,KAAK,QAAU,IAAI,QACnB,KAAK,KAAO,GACZ,KAAK,kBAAmB,CAChC,CACI,mBAAoB,CAChBhP,GAAwB,IAAM,CAC1B,KAAK,MAAO,EACR,KAAK,MACL,KAAK,kBAAmB,CACxC,CAAS,CACT,CACI,cAAcxP,EAAMye,EAAY,CAC5B,MAAMC,EAAU,KAAK,QAAQ,IAAI1e,CAAI,EACrC,OAAQ0e,GAAW,MAAM,KAAKA,CAAO,EAAE,KAAMC,GAAWA,IAAWF,CAAU,CACrF,CACI,IAAIze,EAAM2e,EAAQ,CACd,KAAK,QAAQ,IAAI3e,GAAO,KAAK,QAAQ,IAAIA,CAAI,GAAK,IAAI,KAAO,IAAI2e,CAAM,CAAC,CAChF,CACI,OAAQ,CACJ,KAAK,QAAU,IAAI,OAC3B,CACI,SAAU,CACN,KAAK,KAAO,EACpB,CACA,CAEA,IAAIC,EACAC,GACJ,MAAM3X,GAAS/G,GAAc,EAC7B,SAAS2e,GAAO7X,EAAU,GAAI,CAC1B,KAAM,CAAE,KAAA8X,EAAM,iBAAAC,EAAkB,iBAAAC,EAAkB,WAAAna,EAAa,WAAY,cAAAC,EAAgB,KAAM,gBAAAC,EAAkB,KAAM,YAAAwR,EAAc,YAAa,eAAAC,EAAiB,KAAM,YAAA1Q,EAAc,GAAO,cAAAJ,EAAgB,UAAW,gBAAAE,EAAkB,KAAM,iBAAAD,EAAmB,KAAM,mBAAAE,EAAqB,KAAM,iBAAAqB,EAAmB,GAAM,cAAA4D,EAAe,iBAAkBmU,EAAmB,eAAgBC,EAAiB,gBAAAza,EAAiB,YAAA/D,EAAa,WAAAyG,EAAY,cAAAgY,EAAgB,KAAM,OAAAC,EAAQ,SAAAjL,EAAW,GAAI,eAAA/M,EAAiB,CAAE,EAAE,cAAAiY,EAAe,aAAA/X,EAAe,GAAO,yBAAAgY,EAA2B,GAAO,YAAAC,EAAcvY,EAAQ,cAAgB,mBACxmBA,EAAQ,YACR,OAAQ,qBAAAyP,EAAuB,GAAO,aAAA+I,EAAe,GAAO,aAAAnY,EAAe,GAAO,QAAAoY,EAAS,gBAAAlY,EAAkB,IAAM,GAAO,oBAAA2R,EAAsB,IAAI,IAAI,CAAE,CAAA,EAAG,aAAAlG,EAAc,WAAA0M,EAAY,iBAAAC,EAAgB,EAAM3Y,EACnNiM,GAAqBD,CAAY,EACjC,MAAM4M,GAAkBN,EAClB,OAAO,SAAW,OAClB,GACN,IAAIO,GAAoB,GACxB,GAAI,CAACD,GACD,GAAI,CACI,OAAO,OAAO,WACdC,GAAoB,GAEpC,MACkB,CACNA,GAAoB,EAChC,CAEI,GAAID,IAAmB,CAACd,EACpB,MAAM,IAAI,MAAM,2BAA2B,EAE3CO,IAAkB,QAAalL,EAAS,YAAc,SACtDA,EAAS,UAAYkL,GAEzBpY,GAAO,MAAO,EACd,MAAM7G,GAAmB0K,IAAkB,GACrC,CACE,MAAO,GACP,KAAM,GACN,iBAAkB,GAClB,MAAO,GACP,MAAO,GACP,OAAQ,GACR,MAAO,GACP,OAAQ,GACR,IAAK,GACL,KAAM,GACN,KAAM,GACN,IAAK,GACL,KAAM,GACN,SAAU,GACV,OAAQ,GACR,MAAO,GACP,SAAU,EACtB,EACUmU,IAAsB,OAClBA,EACA,CAAE,EACNrV,GAAiBsV,IAAoB,IAAQA,IAAoB,MACjE,CACE,OAAQ,GACR,QAAS,GACT,YAAa,GACb,eAAgB,GAChB,eAAgB,GAChB,eAAgB,GAChB,kBAAmB,GACnB,qBAAsB,GACtB,mBAAoBA,IAAoB,MACxC,qBAAsBA,IAAoB,KACtD,EACUA,GAEI,CAAE,EACZlR,GAAU,EACV,IAAI8R,GACAC,GAA2B,EAC/B,MAAMC,GAAkBvK,GAAM,CAC1B,UAAW8G,KAAUkD,GAAW,GACxBlD,EAAO,iBACP9G,EAAI8G,EAAO,eAAe9G,CAAC,GAGnC,OAAI2J,GACA,CAACS,KACDpK,EAAI2J,EAAO3J,CAAC,GAETA,CACV,EACDkJ,EAAc,CAAC9L,EAAGoN,IAAe,CAC7B,MAAMxK,EAAI5C,EAQV,GAPA4C,EAAE,UAAY/I,GAAc,EACxBlR,GAAe,CAACgY,GAAiB,SAAUlV,GAAKA,EAAE,CAAC,EAAG,iBAAkBC,GAAMA,EAAG,SAAU,OAAQoB,GAAMA,EAAE,CAAE,CAAC,GAC9G8V,EAAE,OAAShG,EAAU,cACrB,EAAEgG,EAAE,OAAShG,EAAU,qBACnBgG,EAAE,KAAK,SAAW9F,EAAkB,WACxC6D,GAAgB,QAAS0M,GAAQA,EAAI,SAAQ,CAAE,EAE/CN,GACApkB,GAAe,CAACsjB,EAAM,eAAgBlf,GAAMA,EAAGogB,GAAevK,CAAC,EAAGwK,CAAU,CAAC,CAAC,UAEzEJ,GAAmB,CACxB,MAAMxC,EAAU,CACZ,KAAM,QACN,MAAO2C,GAAevK,CAAC,EACvB,OAAQ,OAAO,SAAS,OACxB,WAAAwK,CACH,EACD,OAAO,OAAO,YAAY5C,EAAS,GAAG,CAClD,CACQ,GAAI5H,EAAE,OAAShG,EAAU,aACrBqQ,GAAwBrK,EACxBsK,GAA2B,UAEtBtK,EAAE,OAAShG,EAAU,oBAAqB,CAC/C,GAAIgG,EAAE,KAAK,SAAW9F,EAAkB,UACpC8F,EAAE,KAAK,eACP,OAEJsK,KACA,MAAMI,EAAcnB,GAAoBe,IAA4Bf,EAC9DoB,EAAarB,GACfe,IACArK,EAAE,UAAYqK,GAAsB,UAAYf,GAChDoB,GAAeC,IACfC,GAAiB,EAAI,CAErC,CACK,EACD,MAAMC,GAAuBvO,GAAM,CAC/B4M,EAAY,CACR,KAAMlP,EAAU,oBAChB,KAAM,CACF,OAAQE,EAAkB,SAC1B,GAAGoC,CACN,CACb,CAAS,CACJ,EACKwO,GAAqB7L,GAAMiK,EAAY,CACzC,KAAMlP,EAAU,oBAChB,KAAM,CACF,OAAQE,EAAkB,OAC1B,GAAG+E,CACN,CACT,CAAK,EACK8L,GAA6B9L,GAAMiK,EAAY,CACjD,KAAMlP,EAAU,oBAChB,KAAM,CACF,OAAQE,EAAkB,eAC1B,GAAG+E,CACN,CACT,CAAK,EACK+L,GAAgCrc,GAAMua,EAAY,CACpD,KAAMlP,EAAU,oBAChB,KAAM,CACF,OAAQE,EAAkB,kBAC1B,GAAGvL,CACN,CACT,CAAK,EACKyT,GAAoB,IAAIsG,GAAkB,CAC5C,WAAYmC,GACZ,oBAAqBG,EAC7B,CAAK,EACKC,GAAgB,OAAO,0BAA6B,WAAa,yBACjE,IAAIvD,GACJ,IAAIC,GAAc,CAChB,OAAAnW,GACA,WAAYqZ,GACZ,kBAAmBzI,GACnB,yBAAAyH,EACA,YAAAX,CACZ,CAAS,EACL,UAAWpC,KAAUkD,GAAW,GACxBlD,EAAO,WACPA,EAAO,UAAU,CACb,WAAYtV,GACZ,wBAAyByZ,GAAc,wBACvC,6BAA8BA,GAAc,4BAC5D,CAAa,EAET,MAAMC,GAAuB,IAAIpC,GAC3BqC,GAAgBC,GAAkBlB,GAAkB,CACtD,OAAA1Y,GACA,IAAK,OACL,WAAayN,GAAMiK,EAAY,CAC3B,KAAMlP,EAAU,oBAChB,KAAM,CACF,OAAQE,EAAkB,eAC1B,GAAG+E,CACN,CACb,CAAS,EACD,aAAApN,EACA,WAAAzC,EACA,cAAAC,EACA,gBAAAC,EACA,cAAAoa,EACA,SAAUhL,EAAS,OACnB,eAAA/M,EACA,aAAA4L,CACR,CAAK,EACK8N,GAAmB,OAAO,8BAAiC,WAC7D,6BACE,IAAIjD,GACJ,IAAIC,GAAiB,CACnB,WAAYwC,GACZ,SAAUC,GACV,cAAe,CACX,WAAAb,EACA,WAAA7a,EACA,cAAAC,EACA,gBAAAC,EACA,YAAAe,EACA,cAAAJ,EACA,gBAAAE,EACA,iBAAAD,EACA,mBAAAE,EACA,iBAAAqB,EACA,iBAAA9G,GACA,eAAAgH,EACA,gBAAA3C,EACA,WAAA0C,EACA,YAAAzG,EACA,aAAA4G,EACA,aAAAD,EACA,SAAA8M,EACA,eAAAvK,GACA,cAAA8W,GACA,kBAAA7I,GACA,cAAA+I,GACA,gBAAArZ,EACA,qBAAAoZ,EACH,EACD,OAAA1Z,EACZ,CAAS,EACCoZ,GAAmB,CAACJ,EAAa,KAAU,CAC7CtB,EAAY,CACR,KAAMlP,EAAU,KAChB,KAAM,CACF,KAAM,OAAO,SAAS,KACtB,MAAOtC,GAAgB,EACvB,OAAQD,GAAiB,CAC5B,CACJ,EAAE+S,CAAU,EACbpI,GAAkB,MAAO,EACzBiJ,GAAiB,KAAM,EACvBtN,GAAgB,QAAS0M,GAAQA,EAAI,KAAI,CAAE,EAC3C,MAAMngB,EAAO8K,GAAS,SAAU,CAC5B,OAAA5D,GACA,WAAApC,EACA,cAAAC,EACA,gBAAAC,EACA,YAAAe,EACA,cAAAJ,EACA,gBAAAE,EACA,iBAAAD,EACA,mBAAAE,EACA,iBAAAqB,EACA,cAAe9G,GACf,gBAAAqE,EACA,YAAA/D,EACA,WAAAyG,EACA,QAASyC,GACT,eAAAxC,EACA,aAAAE,EACA,aAAAD,EACA,YAAclJ,GAAM,CACZ8P,GAAmB9P,EAAG8I,EAAM,GAC5ByZ,GAAc,UAAUviB,CAAC,EAEzB+P,GAAuB/P,EAAG8I,EAAM,GAChC4Q,GAAkB,iBAAiB1Z,CAAC,EAEpCgQ,GAAchQ,CAAC,GACf2iB,GAAiB,cAAc3iB,EAAE,WAAY,QAAQ,CAE5D,EACD,aAAc,CAACgT,EAAQC,IAAY,CAC/BsP,GAAc,aAAavP,EAAQC,CAAO,EAC1C0P,GAAiB,oBAAoB3P,CAAM,CAC9C,EACD,iBAAkB,CAACiN,EAAQhN,IAAY,CACnCyG,GAAkB,kBAAkBuG,EAAQhN,CAAO,CACtD,EACD,gBAAA7J,CACZ,CAAS,EACD,GAAI,CAACxH,EACD,OAAO,QAAQ,KAAK,iCAAiC,EAEzD4e,EAAY,CACR,KAAMlP,EAAU,aAChB,KAAM,CACF,KAAA1P,EACA,cAAe4M,GAAgB,MAAM,CACxC,CACb,CAAS,EACD6G,GAAgB,QAAS0M,GAAQA,EAAI,OAAM,CAAE,EACzC,SAAS,oBAAsB,SAAS,mBAAmB,OAAS,GACpErI,GAAkB,iBAAiB,SAAS,mBAAoB5Q,GAAO,MAAM,QAAQ,CAAC,CAC7F,EACD2X,GAAoByB,GACpB,GAAI,CACA,MAAMtL,EAAW,CAAE,EACbgM,EAAWvd,GACN4P,EAAgBkI,EAAa,EAAE,CAClC,WAAAoE,EACA,WAAYY,GACZ,YAAa,CAAChM,EAAW/H,KAAWoS,EAAY,CAC5C,KAAMlP,EAAU,oBAChB,KAAM,CACF,OAAAlD,GACA,UAAA+H,CACH,CACrB,CAAiB,EACD,mBAAqBnI,GAAMwS,EAAY,CACnC,KAAMlP,EAAU,oBAChB,KAAM,CACF,OAAQE,EAAkB,iBAC1B,GAAGxD,CACN,CACrB,CAAiB,EACD,SAAUoU,GACV,iBAAmBpU,GAAMwS,EAAY,CACjC,KAAMlP,EAAU,oBAChB,KAAM,CACF,OAAQE,EAAkB,eAC1B,GAAGxD,CACN,CACrB,CAAiB,EACD,QAAU2K,GAAM6H,EAAY,CACxB,KAAMlP,EAAU,oBAChB,KAAM,CACF,OAAQE,EAAkB,MAC1B,GAAGmH,CACN,CACrB,CAAiB,EACD,mBAAqBpC,GAAMiK,EAAY,CACnC,KAAMlP,EAAU,oBAChB,KAAM,CACF,OAAQE,EAAkB,iBAC1B,GAAG+E,CACN,CACrB,CAAiB,EACD,iBAAmB7B,GAAM8L,EAAY,CACjC,KAAMlP,EAAU,oBAChB,KAAM,CACF,OAAQE,EAAkB,eAC1B,GAAGkD,CACN,CACrB,CAAiB,EACD,mBAAqBA,GAAM8L,EAAY,CACnC,KAAMlP,EAAU,oBAChB,KAAM,CACF,OAAQE,EAAkB,iBAC1B,GAAGkD,CACN,CACrB,CAAiB,EACD,iBAAkB2N,GAClB,OAAS9L,GAAMiK,EAAY,CACvB,KAAMlP,EAAU,oBAChB,KAAM,CACF,OAAQE,EAAkB,KAC1B,GAAG+E,CACN,CACrB,CAAiB,EACD,YAAcA,GAAM,CAChBiK,EAAY,CACR,KAAMlP,EAAU,oBAChB,KAAM,CACF,OAAQE,EAAkB,UAC1B,GAAG+E,CACN,CACzB,CAAqB,CACJ,EACD,gBAAkBvQ,GAAM,CACpBwa,EAAY,CACR,KAAMlP,EAAU,oBAChB,KAAM,CACF,OAAQE,EAAkB,cAC1B,GAAGxL,CACN,CACzB,CAAqB,CACJ,EACD,WAAAU,EACA,YAAA0R,EACA,eAAAC,EACA,YAAA1Q,EACA,cAAAJ,EACA,gBAAAE,EACA,iBAAAD,EACA,mBAAAE,EACA,iBAAAzF,GACA,iBAAA8G,EACA,SAAAiN,EACA,aAAA7M,EACA,aAAAD,EACA,qBAAAoP,EACA,aAAA+I,EACA,IAAAhc,EACA,gBAAAiB,EACA,YAAA/D,EACA,WAAAyG,EACA,gBAAAI,EACA,cAAAzC,EACA,gBAAAC,EACA,eAAA6E,GACA,eAAAxC,EACA,OAAAH,GACA,cAAAyZ,GACA,kBAAA7I,GACA,iBAAAiJ,GACA,qBAAAH,GACA,cAAAC,GACA,oBAAA1H,EACA,QAAS1d,GAAe,CAACikB,EACvC,iBAAkB5f,GAAMA,EAAG,OAAQ,OAAQsI,GAAMA,EAAIuM,IAAMA,GAAE,QAAQ,EACrE,iBAAkBtM,GAAMA,EAAG,IAAK,OAAQC,GAAMA,EAAIqM,KAAO,CACvC,SAAUA,GAAE,SACZ,QAASA,GAAE,QACX,SAAW/C,IAAYgN,EAAY,CAC/B,KAAMlP,EAAU,OAChB,KAAM,CACF,OAAQiF,GAAE,KACV,QAAA/C,EACH,CACzB,CAAqB,CACrB,EAAkB,CAAC,CAAC,GAAK,CAAE,CACd,EAAE,EAAE,EAET+O,GAAc,gBAAiBva,GAAa,CACxC,GAAI,CACA4O,EAAS,KAAKgM,EAAQ5a,EAAS,eAAe,CAAC,CAC/D,OACmBmN,EAAO,CACV,QAAQ,KAAKA,CAAK,CAClC,CACA,CAAS,EACD,MAAM0N,EAAO,IAAM,CACfX,GAAkB,EAClBtL,EAAS,KAAKgM,EAAQ,QAAQ,CAAC,CAClC,EACD,OAAI,SAAS,aAAe,eACxB,SAAS,aAAe,WACxBC,EAAM,GAGNjM,EAAS,KAAK9J,EAAG,mBAAoB,IAAM,CACvC0T,EAAY,CACR,KAAMlP,EAAU,iBAChB,KAAM,CAAE,CAC5B,CAAiB,EACG8P,IAAgB,oBAChByB,EAAM,CAC1B,CAAa,CAAC,EACFjM,EAAS,KAAK9J,EAAG,OAAQ,IAAM,CAC3B0T,EAAY,CACR,KAAMlP,EAAU,KAChB,KAAM,CAAE,CAC5B,CAAiB,EACG8P,IAAgB,QAChByB,EAAM,CACb,EAAE,MAAM,CAAC,GAEP,IAAM,CACTjM,EAAS,QAASC,GAAMA,EAAC,CAAE,EAC3B2L,GAAqB,QAAS,EAC9B/B,GAAoB,OACpBzL,GAAwB,CAC3B,CACT,OACWG,EAAO,CACV,QAAQ,KAAKA,CAAK,CAC1B,CACA,CACA,SAAS+M,GAAiBJ,EAAY,CAClC,GAAI,CAACrB,GACD,MAAM,IAAI,MAAM,iDAAiD,EAErEA,GAAkBqB,CAAU,CAChC,CACApB,GAAO,OAAS5X,GAChB4X,GAAO,iBAAmBwB,GAC1B,SAASQ,GAAkBI,EAAoBja,EAAS,CACpD,GAAI,CACA,OAAOia,EACDA,EAAmBja,CAAO,EAC1B,IAAIkX,EAClB,MACe,CACP,eAAQ,KAAK,oCAAoC,EAC1C,IAAIA,EACnB,CACA,CAEA,MAAMgD,GAAqC,EACrCC,GAAwB,EAK9B,SAASC,GAAcC,EAAW,CAEhC,OADaA,EAAY,WACXA,EAAYA,EAAY,GACxC,CAKA,SAASC,GAAaD,EAAW,CAE/B,OADaA,EAAY,WACXA,EAAY,IAAOA,CACnC,CAKA,SAASE,GAAmBC,EAAQC,EAAY,CAC1CA,EAAW,WAAa,uBAIxB,CAAC,WAAY,UAAU,EAAE,SAASA,EAAW,UAC/CD,EAAO,oBAAqB,EAE5BA,EAAO,6BAA8B,EAGvCA,EAAO,UAAU,KAGfA,EAAO,kBAAkB,CACvB,KAAM/R,EAAU,OAGhB,WAAYgS,EAAW,WAAa,GAAK,IACzC,KAAM,CACJ,IAAK,aAEL,QAASC,GAAUD,EAAY,GAAI,GAAI,CACxC,CACP,CAAK,EAGMA,EAAW,WAAa,UAChC,EACH,CAEA,MAAME,GAAuB,WAG7B,SAASC,GAAsBnhB,EAAS,CAEtC,OAD2BA,EAAQ,QAAQkhB,EAAoB,GAClClhB,CAC/B,CAQA,SAASohB,GAAmB9T,EAAO,CACjC,MAAM7C,EAAS4W,GAAc/T,CAAK,EAElC,MAAI,CAAC7C,GAAU,EAAEA,aAAkB,SAC1BA,EAGF0W,GAAsB1W,CAAM,CACrC,CAGA,SAAS4W,GAAc/T,EAAO,CAC5B,OAAIgU,GAAkBhU,CAAK,EAClBA,EAAM,OAGRA,CACT,CAEA,SAASgU,GAAkBhU,EAAO,CAChC,OAAO,OAAOA,GAAU,UAAY,CAAC,CAACA,GAAS,WAAYA,CAC7D,CAEA,IAAIgH,GAMJ,SAASiN,GAAa3O,EAAI,CAExB,OAAK0B,KACHA,GAAW,CAAE,EACbkN,GAAuB,GAGzBlN,GAAS,KAAK1B,CAAE,EAET,IAAM,CACX,MAAM3P,EAAMqR,GAAWA,GAAS,QAAQ1B,CAAE,EAAI,GAC1C3P,EAAM,IACPqR,GAAW,OAAOrR,EAAK,CAAC,CAE5B,CACH,CAEA,SAASue,IAAwB,CAC/BC,GAAKvlB,EAAQ,OAAQ,SAAUwlB,EAAoB,CACjD,OAAO,YAAapmB,EAAM,CACxB,GAAIgZ,GACF,GAAI,CACFA,GAAS,QAAQ7B,GAAWA,GAAS,CACtC,MAAW,CAEpB,CAGM,OAAOiP,EAAmB,MAAMxlB,EAAQZ,CAAI,CAC7C,CACL,CAAG,CACH,CAGA,SAASqmB,GAAYC,EAAeC,EAAiBviB,EAAM,CACzDsiB,EAAc,YAAYC,EAAiBviB,CAAI,CACjD,CAGA,MAAMwiB,EAAe,CAGlB,YACCf,EACAgB,EAEAC,EAAsBlB,GACtB,CACA,KAAK,cAAgB,EACrB,KAAK,YAAc,EACnB,KAAK,QAAU,CAAE,EAGjB,KAAK,SAAWiB,EAAgB,QAAU,IAC1C,KAAK,WAAaA,EAAgB,UAAY,IAC9C,KAAK,cAAgBA,EAAgB,cAAgB,IACrD,KAAK,QAAUhB,EACf,KAAK,gBAAkBgB,EAAgB,eACvC,KAAK,oBAAsBC,CAC/B,CAGG,cAAe,CACd,MAAMC,EAAoBV,GAAa,IAAM,CAE3C,KAAK,cAAgBW,GAAc,CACzC,CAAK,EAED,KAAK,UAAY,IAAM,CACrBD,EAAmB,EAEnB,KAAK,QAAU,CAAE,EACjB,KAAK,cAAgB,EACrB,KAAK,YAAc,CACpB,CACL,CAGG,iBAAkB,CACb,KAAK,WACP,KAAK,UAAW,EAGd,KAAK,oBACP,aAAa,KAAK,kBAAkB,CAE1C,CAGG,YAAYjB,EAAY1hB,EAAM,CAC7B,GAAI6iB,GAAc7iB,EAAM,KAAK,eAAe,GAAK,CAAC8iB,GAAkBpB,CAAU,EAC5E,OAGF,MAAMqB,EAAW,CACf,UAAWxB,GAAaG,EAAW,SAAS,EAC5C,gBAAiBA,EAEjB,WAAY,EACZ,KAAA1hB,CACD,EAIC,KAAK,QAAQ,KAAKgjB,GAASA,EAAM,OAASD,EAAS,MAAQ,KAAK,IAAIC,EAAM,UAAYD,EAAS,SAAS,EAAI,CAAC,IAK/G,KAAK,QAAQ,KAAKA,CAAQ,EAGtB,KAAK,QAAQ,SAAW,GAC1B,KAAK,qBAAsB,EAEjC,CAGG,iBAAiBzB,EAAY,KAAK,MAAO,CACxC,KAAK,cAAgBC,GAAaD,CAAS,CAC/C,CAGG,eAAeA,EAAY,KAAK,MAAO,CACtC,KAAK,YAAcC,GAAaD,CAAS,CAC7C,CAGG,cAAc5gB,EAAS,CACtB,MAAMV,EAAO6hB,GAAsBnhB,CAAO,EAC1C,KAAK,kBAAkBV,CAAM,CACjC,CAGG,kBAAkBA,EAAM,CACvB,KAAK,WAAWA,CAAI,EAAE,QAAQgjB,GAAS,CACrCA,EAAM,YACZ,CAAK,CACL,CAGG,WAAWhjB,EAAM,CAChB,OAAO,KAAK,QAAQ,OAAOgjB,GAASA,EAAM,OAAShjB,CAAI,CAC3D,CAGG,cAAe,CACd,MAAMijB,EAAiB,CAAE,EAEnBpX,EAAM+W,GAAc,EAE1B,KAAK,QAAQ,QAAQI,GAAS,CACxB,CAACA,EAAM,eAAiB,KAAK,gBAC/BA,EAAM,cAAgBA,EAAM,WAAa,KAAK,cAAgB,KAAK,cAAgBA,EAAM,UAAY,QAEnG,CAACA,EAAM,aAAe,KAAK,cAC7BA,EAAM,YAAcA,EAAM,WAAa,KAAK,YAAc,KAAK,YAAcA,EAAM,UAAY,QAI7FA,EAAM,UAAY,KAAK,UAAYnX,GACrCoX,EAAe,KAAKD,CAAK,CAEjC,CAAK,EAGD,UAAWA,KAASC,EAAgB,CAClC,MAAMtf,EAAM,KAAK,QAAQ,QAAQqf,CAAK,EAElCrf,EAAM,KACR,KAAK,qBAAqBqf,CAAK,EAC/B,KAAK,QAAQ,OAAOrf,EAAK,CAAC,EAElC,CAGQ,KAAK,QAAQ,QACf,KAAK,qBAAsB,CAEjC,CAGG,qBAAqBqf,EAAO,CAC3B,MAAMvB,EAAS,KAAK,QACdyB,EAAYF,EAAM,aAAeA,EAAM,aAAe,KAAK,cAC3DG,EAAcH,EAAM,eAAiBA,EAAM,eAAiB,KAAK,WAEjEI,EAAc,CAACF,GAAa,CAACC,EAC7B,CAAE,WAAAE,EAAY,gBAAAd,CAAe,EAAKS,EAGxC,GAAII,EAAa,CAGf,MAAME,EAAmB,KAAK,IAAIN,EAAM,eAAiB,KAAK,SAAU,KAAK,QAAQ,EAAI,IACnFO,EAAYD,EAAmB,KAAK,SAAW,IAAO,WAAa,UAEnE5B,EAAa,CACjB,KAAM,UACN,QAASa,EAAgB,QACzB,UAAWA,EAAgB,UAC3B,SAAU,uBACV,KAAM,CACJ,GAAGA,EAAgB,KACnB,IAAK3lB,EAAO,SAAS,KACrB,MAAO6kB,EAAO,gBAAiB,EAC/B,iBAAA6B,EACA,UAAAC,EAGA,WAAYF,GAAc,CAC3B,CACF,EAED,KAAK,oBAAoB5B,EAAQC,CAAU,EAC3C,MACN,CAGI,GAAI2B,EAAa,EAAG,CAClB,MAAM3B,EAAa,CACjB,KAAM,UACN,QAASa,EAAgB,QACzB,UAAWA,EAAgB,UAC3B,SAAU,gBACV,KAAM,CACJ,GAAGA,EAAgB,KACnB,IAAK3lB,EAAO,SAAS,KACrB,MAAO6kB,EAAO,gBAAiB,EAC/B,WAAA4B,EACA,OAAQ,EACT,CACF,EAED,KAAK,oBAAoB5B,EAAQC,CAAU,CACjD,CACA,CAGG,sBAAuB,CAClB,KAAK,oBACP,aAAa,KAAK,kBAAkB,EAGtC,KAAK,mBAAqB,WAAW,IAAM,KAAK,aAAc,EAAE,GAAI,CACxE,CACA,CAEA,MAAM8B,GAAkB,CAAC,IAAK,SAAU,OAAO,EAG/C,SAASX,GAAc7iB,EAAMyW,EAAgB,CAoB3C,MAnBI,IAAC+M,GAAgB,SAASxjB,EAAK,OAAO,GAKtCA,EAAK,UAAY,SAAW,CAAC,CAAC,SAAU,QAAQ,EAAE,SAASA,EAAK,aAAa,MAAM,GAAK,EAAE,GAQ5FA,EAAK,UAAY,MAChBA,EAAK,aAAa,UAAU,GAAMA,EAAK,aAAa,QAAQ,GAAKA,EAAK,aAAa,QAAQ,IAAM,UAKhGyW,GAAkBzW,EAAK,QAAQyW,CAAc,EAKnD,CAEA,SAASqM,GAAkBpB,EAAY,CACrC,MAAO,CAAC,EAAEA,EAAW,MAAQ,OAAOA,EAAW,KAAK,QAAW,UAAYA,EAAW,UACxF,CAGA,SAASkB,IAAe,CACtB,OAAO,KAAK,IAAG,EAAK,GACtB,CAGA,SAASa,GAAqCnB,EAAetU,EAAO,CAClE,GAAI,CASF,GAAI,CAAC0V,GAAmB1V,CAAK,EAC3B,OAGF,KAAM,CAAE,OAAAxB,GAAWwB,EAAM,KASzB,GARIxB,IAAWoD,EAAkB,UAC/B0S,EAAc,iBAAiBtU,EAAM,SAAS,EAG5CxB,IAAWoD,EAAkB,QAC/B0S,EAAc,eAAetU,EAAM,SAAS,EAG1C2V,GAA8B3V,CAAK,EAAG,CACxC,KAAM,CAAE,KAAAzN,EAAM,GAAAZ,CAAI,EAAGqO,EAAM,KACrBhO,EAAO8e,GAAO,OAAO,QAAQnf,CAAE,EAEjCK,aAAgB,aAAeO,IAASuP,EAAkB,OAC5DwS,EAAc,cAActiB,CAAI,CAExC,CACG,MAAW,CAEd,CACA,CAEA,SAAS0jB,GAAmB1V,EAAO,CACjC,OAAOA,EAAM,OAASmT,EACxB,CAEA,SAASwC,GACP3V,EACA,CACA,OAAOA,EAAM,KAAK,SAAW4B,EAAkB,gBACjD,CAKA,SAASgU,GACPlC,EACA,CACA,MAAO,CACL,UAAW,KAAK,IAAG,EAAK,IACxB,KAAM,UACN,GAAGA,CACJ,CACH,CAEA,IAAIxjB,IACH,SAAUA,EAAU,CACjBA,EAASA,EAAS,SAAc,CAAC,EAAI,WACrCA,EAASA,EAAS,aAAkB,CAAC,EAAI,eACzCA,EAASA,EAAS,QAAa,CAAC,EAAI,UACpCA,EAASA,EAAS,KAAU,CAAC,EAAI,OACjCA,EAASA,EAAS,MAAW,CAAC,EAAI,QAClCA,EAASA,EAAS,QAAa,CAAC,EAAI,SACxC,GAAGA,KAAaA,GAAW,CAAA,EAAG,EAI9B,MAAM2lB,GAAuB,IAAI,IAAI,CACnC,KACA,QACA,aACA,OACA,OACA,MACA,QACA,eACA,cACA,WACA,gBACA,uBACF,CAAC,EAKD,SAASC,GAAsBnb,EAAY,CACzC,MAAMgV,EAAM,CAAE,EACd,UAAWxR,KAAOxD,EAChB,GAAIkb,GAAqB,IAAI1X,CAAG,EAAG,CACjC,IAAI4X,EAAgB5X,GAEhBA,IAAQ,eAAiBA,IAAQ,kBACnC4X,EAAgB,UAGlBpG,EAAIoG,CAAa,EAAIpb,EAAWwD,CAAG,CACzC,CAGE,OAAOwR,CACT,CAEA,MAAMqG,GACJvC,GAEQwC,GAAgB,CACtB,GAAI,CAACxC,EAAO,YACV,OAGF,MAAM3I,EAASoL,GAAUD,CAAW,EAEpC,GAAI,CAACnL,EACH,OAGF,MAAMqL,EAAUF,EAAY,OAAS,QAC/BjW,EAAQmW,EAAWF,EAAY,MAAU,OAG7CE,GACA1C,EAAO,eACPzT,GACAA,EAAM,QACN,CAACA,EAAM,QACP,CAACA,EAAM,SACP,CAACA,EAAM,SACP,CAACA,EAAM,UAEPqU,GACEZ,EAAO,cACP3I,EACAgJ,GAAmBmC,EAAY,KAAO,CACvC,EAGHzC,GAAmBC,EAAQ3I,CAAM,CAClC,EAIH,SAASsL,GAAqBjZ,EAAQmS,EAAS,CAC7C,MAAM/K,EAASuM,GAAO,OAAO,MAAM3T,CAAM,EACnCnL,EAAOuS,GAAUuM,GAAO,OAAO,QAAQvM,CAAM,EAC7CtS,EAAOD,GAAQ8e,GAAO,OAAO,QAAQ9e,CAAI,EACzCU,EAAUT,GAAQokB,GAAUpkB,CAAI,EAAIA,EAAO,KAEjD,MAAO,CACL,QAAAqd,EACA,KAAM5c,EACF,CACE,OAAA6R,EACA,KAAM,CACJ,GAAIA,EACJ,QAAS7R,EAAQ,QACjB,YAAa,MAAM,KAAKA,EAAQ,UAAU,EACvC,IAAKV,GAASA,EAAK,OAAS9B,GAAS,MAAQ8B,EAAK,WAAW,EAC7D,OAAO,OAAO,EACd,IAAIY,GAASA,EAAO,KAAM,CAAA,EAC1B,KAAK,EAAE,EACV,WAAYkjB,GAAsBpjB,EAAQ,UAAU,CACrD,CACX,EACQ,CAAE,CACP,CACH,CAMA,SAASwjB,GAAUD,EAAa,CAC9B,KAAM,CAAE,OAAA9Y,EAAQ,QAAAmS,GAAYgH,GAAaL,CAAW,EAEpD,OAAOL,GAAiB,CACtB,SAAU,MAAMK,EAAY,IAAI,GAChC,GAAGG,GAAqBjZ,EAAQmS,CAAO,CAC3C,CAAG,CACH,CAEA,SAASgH,GAAaL,EAAa,CACjC,MAAME,EAAUF,EAAY,OAAS,QAErC,IAAI3G,EACAnS,EAAS,KAGb,GAAI,CACFA,EAASgZ,EAAUrC,GAAmBmC,EAAY,KAAK,EAAKlC,GAAckC,EAAY,KAAO,EAC7F3G,EAAUiH,GAAiBpZ,EAAQ,CAAE,gBAAiB,GAAK,CAAA,GAAK,WACjE,MAAW,CACVmS,EAAU,WACd,CAEE,MAAO,CAAE,OAAAnS,EAAQ,QAAAmS,CAAS,CAC5B,CAEA,SAAS+G,GAAUrkB,EAAM,CACvB,OAAOA,EAAK,OAAS9B,GAAS,OAChC,CAGA,SAASsmB,GAAoB/C,EAAQzT,EAAO,CAC1C,GAAI,CAACyT,EAAO,YACV,OAMFA,EAAO,mBAAoB,EAE3B,MAAMC,EAAa+C,GAAsBzW,CAAK,EAEzC0T,GAILF,GAAmBC,EAAQC,CAAU,CACvC,CAGA,SAAS+C,GAAsBzW,EAAO,CACpC,KAAM,CAAE,QAAA0W,EAAS,SAAAC,EAAU,QAAAC,EAAS,OAAAC,EAAQ,IAAA1Y,EAAK,OAAAhB,CAAM,EAAK6C,EAG5D,GAAI,CAAC7C,GAAU2Z,GAAe3Z,CAAQ,GAAI,CAACgB,EACzC,OAAO,KAIT,MAAM4Y,EAAiBL,GAAWE,GAAWC,EACvCG,EAAiB7Y,EAAI,SAAW,EAItC,GAAI,CAAC4Y,GAAkBC,EACrB,OAAO,KAGT,MAAM1H,EAAUiH,GAAiBpZ,EAAQ,CAAE,gBAAiB,GAAK,CAAA,GAAK,YAChE8Z,EAAiBb,GAAqBjZ,EAASmS,CAAO,EAE5D,OAAOsG,GAAiB,CACtB,SAAU,aACV,QAAAtG,EACA,KAAM,CACJ,GAAG2H,EAAe,KAClB,QAAAP,EACA,SAAAC,EACA,QAAAC,EACA,OAAAC,EACA,IAAA1Y,CACD,CACL,CAAG,CACH,CAEA,SAAS2Y,GAAe3Z,EAAQ,CAC9B,OAAOA,EAAO,UAAY,SAAWA,EAAO,UAAY,YAAcA,EAAO,iBAC/E,CAGA,MAAM+Z,GAEH,CAED,SAAUC,GACV,MAAOC,GAEP,WAAYC,EACd,EAKA,SAASC,GACPC,EACA,CACA,OAAOA,EAAQ,IAAIC,EAAsB,EAAE,OAAO,OAAO,CAC3D,CAEA,SAASA,GAAuBC,EAAO,CACrC,OAAKP,GAAYO,EAAM,SAAS,EAIzBP,GAAYO,EAAM,SAAS,EAAEA,CAAK,EAHhC,IAIX,CAEA,SAASC,GAAgBC,EAAM,CAG7B,QAASC,IAAgChpB,EAAO,YAAY,YAAc+oB,GAAQ,GACpF,CAEA,SAASP,GAAiBK,EAAO,CAC/B,KAAM,CAAE,SAAAI,EAAU,UAAAC,EAAW,KAAArhB,EAAM,UAAAshB,CAAW,EAAGN,EAE3CO,EAAQN,GAAgBK,CAAS,EACvC,MAAO,CACL,KAAMD,EACN,KAAArhB,EACA,MAAAuhB,EACA,IAAKA,EAAQH,EACb,KAAM,MACP,CACH,CAEA,SAASR,GAAsBI,EAAO,CACpC,KAAM,CACJ,UAAAK,EACA,KAAArhB,EACA,gBAAAwhB,EACA,SAAAJ,EACA,YAAAK,EACA,gBAAAC,EACA,2BAAAC,EACA,yBAAAC,EACA,eAAAC,EACA,eAAAC,EACA,aAAAC,EACA,cAAAC,EACA,UAAAV,EACA,aAAAW,EACA,KAAAnmB,CACJ,EAAMklB,EAGJ,OAAII,IAAa,EACR,KAGF,CACL,KAAM,GAAGC,CAAS,IAAIvlB,CAAI,GAC1B,MAAOmlB,GAAgBK,CAAS,EAChC,IAAKL,GAAgBQ,CAAW,EAChC,KAAAzhB,EACA,KAAM,CACJ,KAAMiiB,EACN,gBAAAT,EACA,gBAAAE,EACA,SAAAN,EACA,eAAAS,EACA,2BAAAF,EACA,yBAAAC,EACA,eAAAE,EACA,aAAAC,EACA,YAAAN,EACA,cAAAO,CACD,CACF,CACH,CAEA,SAAStB,GACPM,EACA,CACA,KAAM,CACJ,UAAAK,EACA,cAAAa,EACA,KAAAliB,EACA,YAAAmiB,EACA,UAAAb,EACA,gBAAAE,EACA,gBAAAE,EACA,eAAAU,EACA,aAAAH,CACJ,EAAMjB,EAGJ,MAAI,CAAC,QAAS,gBAAgB,EAAE,SAASkB,CAAa,EAC7C,KAGF,CACL,KAAM,GAAGb,CAAS,IAAIa,CAAa,GACnC,MAAOjB,GAAgBK,CAAS,EAChC,IAAKL,GAAgBkB,CAAW,EAChC,KAAAniB,EACA,KAAM,CACJ,KAAMiiB,EACN,WAAYG,EACZ,gBAAAZ,EACA,gBAAAE,CACD,CACF,CACH,CAKA,SAASW,GAA0BC,EAEjC,CACA,MAAMxB,EAAUwB,EAAO,QACjBC,EAAYzB,EAAQA,EAAQ,OAAS,CAAC,EACtC7kB,EAAUsmB,EAAYA,EAAU,QAAU,OAE1CprB,EAAQmrB,EAAO,MAEfE,EAAMvB,GAAgB9pB,CAAK,EAcjC,MAZa,CACX,KAAM,2BACN,KAAM,2BACN,MAAOqrB,EACP,IAAAA,EACA,KAAM,CACJ,MAAArrB,EACA,KAAMA,EACN,OAAQ8E,EAAUoe,GAAO,OAAO,MAAMpe,CAAO,EAAI,MAClD,CACF,CAGH,CAMA,SAASwmB,GAAyBzF,EAAQ,CACxC,SAAS0F,EAAoB1B,EAAO,CAE7BhE,EAAO,mBAAmB,SAASgE,CAAK,GAC3ChE,EAAO,mBAAmB,KAAKgE,CAAK,CAE1C,CAEE,SAAS2B,EAAU,CAAE,QAAA7B,GAAW,CAC9BA,EAAQ,QAAQ4B,CAAmB,CACvC,CAEE,MAAME,EAAiB,CAAE,EAEzB,MAAC,CAAC,aAAc,QAAS,UAAU,EAAI,QAAQ9mB,GAAQ,CACrD8mB,EAAe,KAAKC,GAAqC/mB,EAAM6mB,CAAS,CAAC,CAC7E,CAAG,EAEDC,EAAe,KACbE,GAA6B,CAAC,CAAE,OAAAR,KAAa,CAC3CtF,EAAO,yBAAyB,KAAKqF,GAA0BC,CAAM,CAAC,CAC5E,CAAK,CACF,EAGM,IAAM,CACXM,EAAe,QAAQG,GAAiBA,GAAe,CACxD,CACH,CAOA,MAAMC,EAAe,OAAO,iBAAqB,KAAe,iBAE1D3U,GAAI,gjUAEV,SAAS4C,IAAG,CAAC,MAAM,EAAE,IAAI,KAAK,CAAC5C,EAAC,CAAC,EAAE,OAAO,IAAI,gBAAgB,CAAC,CAAC,CAKhE,SAAS4U,EAAQpK,EAASqK,EAAqB,CACxCF,IAILG,EAAO,KAAKtK,CAAO,EAEfqK,GACFE,GAAiBvK,CAAO,EAE5B,CAMA,SAASwK,GAAgBxK,EAASqK,EAAqB,CAChDF,IAILG,EAAO,KAAKtK,CAAO,EAEfqK,GAGF,WAAW,IAAM,CACfE,GAAiBvK,CAAO,CACzB,EAAE,CAAC,EAER,CAEA,SAASuK,GAAiBvK,EAAS,CACjCyK,GACE,CACE,SAAU,UACV,KAAM,CACJ,OAAQ,QACT,EACD,MAAO,OACP,QAAAzK,CACD,EACD,CAAE,MAAO,MAAQ,CAClB,CACH,CAGA,MAAM0K,WAAqC,KAAM,CAC9C,aAAc,CACb,MAAM,yCAAyCrqB,EAA4B,GAAG,CAClF,CACA,CAMA,MAAMsqB,EAAkB,CAKrB,aAAc,CACb,KAAK,OAAS,CAAE,EAChB,KAAK,WAAa,EAClB,KAAK,YAAc,EACvB,CAGG,IAAI,WAAY,CACf,OAAO,KAAK,OAAO,OAAS,CAChC,CAGG,IAAI,MAAO,CACV,MAAO,MACX,CAGG,SAAU,CACT,KAAK,OAAS,CAAE,CACpB,CAGG,MAAM,SAASja,EAAO,CACrB,MAAMka,EAAY,KAAK,UAAUla,CAAK,EAAE,OAExC,GADA,KAAK,YAAcka,EACf,KAAK,WAAavqB,GACpB,MAAM,IAAIqqB,GAGZ,KAAK,OAAO,KAAKha,CAAK,CAC1B,CAGG,QAAS,CACR,OAAO,IAAI,QAAQma,GAAW,CAI5B,MAAMC,EAAY,KAAK,OACvB,KAAK,MAAO,EACZD,EAAQ,KAAK,UAAUC,CAAS,CAAC,CACvC,CAAK,CACL,CAGG,OAAQ,CACP,KAAK,OAAS,CAAE,EAChB,KAAK,WAAa,EAClB,KAAK,YAAc,EACvB,CAGG,sBAAuB,CACtB,MAAM9G,EAAY,KAAK,OAAO,IAAItT,GAASA,EAAM,SAAS,EAAE,KAAM,EAAC,CAAC,EAEpE,OAAKsT,EAIED,GAAcC,CAAS,EAHrB,IAIb,CACA,CAMA,MAAM+G,EAAc,CAEjB,YAAYC,EAAQ,CACnB,KAAK,QAAUA,EACf,KAAK,IAAM,CACf,CAMG,aAAc,CAEb,OAAI,KAAK,oBACA,KAAK,qBAGd,KAAK,oBAAsB,IAAI,QAAQ,CAACH,EAASI,IAAW,CAC1D,KAAK,QAAQ,iBACX,UACA,CAAC,CAAE,KAAAC,CAAI,IAAO,CACPA,EAAO,QACVL,EAAS,EAETI,EAAQ,CAEX,EACD,CAAE,KAAM,EAAM,CACf,EAED,KAAK,QAAQ,iBACX,QACAhV,GAAS,CACPgV,EAAOhV,CAAK,CACb,EACD,CAAE,KAAM,EAAM,CACf,CACP,CAAK,EAEM,KAAK,oBAChB,CAKG,SAAU,CACTmU,EAAQ,wCAAwC,EAChD,KAAK,QAAQ,UAAW,CAC5B,CAKG,YAAYe,EAAQC,EAAK,CACxB,MAAM/oB,EAAK,KAAK,mBAAoB,EAEpC,OAAO,IAAI,QAAQ,CAACwoB,EAASI,IAAW,CACtC,MAAMliB,EAAW,CAAC,CAAE,KAAAmiB,KAAW,CAC7B,MAAMG,EAAWH,EACjB,GAAIG,EAAS,SAAWF,GAMpBE,EAAS,KAAOhpB,EAOpB,IAFA,KAAK,QAAQ,oBAAoB,UAAW0G,CAAQ,EAEhD,CAACsiB,EAAS,QAAS,CAErBlB,GAAeG,EAAO,MAAM,WAAYe,EAAS,QAAQ,EAEzDJ,EAAO,IAAI,MAAM,6BAA6B,CAAC,EAC/C,MACV,CAEQJ,EAAQQ,EAAS,QAAU,EAC5B,EAID,KAAK,QAAQ,iBAAiB,UAAWtiB,CAAQ,EACjD,KAAK,QAAQ,YAAY,CAAE,GAAA1G,EAAI,OAAA8oB,EAAQ,IAAAC,EAAK,CAClD,CAAK,CACL,CAGG,oBAAqB,CACpB,OAAO,KAAK,KAChB,CACA,CAMA,MAAME,EAA8B,CAGjC,YAAYN,EAAQ,CACnB,KAAK,QAAU,IAAID,GAAcC,CAAM,EACvC,KAAK,mBAAqB,KAC1B,KAAK,WAAa,EAClB,KAAK,YAAc,EACvB,CAGG,IAAI,WAAY,CACf,MAAO,CAAC,CAAC,KAAK,kBAClB,CAGG,IAAI,MAAO,CACV,MAAO,QACX,CAMG,aAAc,CACb,OAAO,KAAK,QAAQ,YAAa,CACrC,CAKG,SAAU,CACT,KAAK,QAAQ,QAAS,CAC1B,CAOG,SAASta,EAAO,CACf,MAAMsT,EAAYD,GAAcrT,EAAM,SAAS,GAC3C,CAAC,KAAK,oBAAsBsT,EAAY,KAAK,sBAC/C,KAAK,mBAAqBA,GAG5B,MAAMkH,EAAO,KAAK,UAAUxa,CAAK,EAGjC,OAFA,KAAK,YAAcwa,EAAK,OAEpB,KAAK,WAAa7qB,GACb,QAAQ,OAAO,IAAIqqB,EAA8B,EAGnD,KAAK,mBAAmBQ,CAAI,CACvC,CAKG,QAAS,CACR,OAAO,KAAK,eAAgB,CAChC,CAGG,OAAQ,CACP,KAAK,mBAAqB,KAC1B,KAAK,WAAa,EAClB,KAAK,YAAc,GAGnB,KAAK,QAAQ,YAAY,OAAO,EAAE,KAAK,KAAM9S,GAAK,CAChD+R,GAAeG,EAAO,KAAK,oDAAqDlS,CAAC,CACvF,CAAK,CACL,CAGG,sBAAuB,CACtB,OAAO,KAAK,kBAChB,CAKG,mBAAmB8S,EAAM,CACxB,OAAO,KAAK,QAAQ,YAAY,WAAYA,CAAI,CACpD,CAKG,MAAM,gBAAiB,CACtB,MAAMG,EAAW,MAAM,KAAK,QAAQ,YAAY,QAAQ,EAExD,YAAK,mBAAqB,KAC1B,KAAK,WAAa,EAEXA,CACX,CACA,CAOA,MAAME,EAAkB,CAErB,YAAYP,EAAQ,CACnB,KAAK,UAAY,IAAIL,GACrB,KAAK,aAAe,IAAIW,GAA6BN,CAAM,EAC3D,KAAK,MAAQ,KAAK,UAElB,KAAK,6BAA+B,KAAK,sBAAuB,CACpE,CAGG,IAAI,MAAO,CACV,OAAO,KAAK,MAAM,IACtB,CAGG,IAAI,WAAY,CACf,OAAO,KAAK,MAAM,SACtB,CAGG,IAAI,aAAc,CACjB,OAAO,KAAK,MAAM,WACtB,CAEG,IAAI,YAAY1sB,EAAO,CACtB,KAAK,MAAM,YAAcA,CAC7B,CAGG,SAAU,CACT,KAAK,UAAU,QAAS,EACxB,KAAK,aAAa,QAAS,CAC/B,CAGG,OAAQ,CACP,OAAO,KAAK,MAAM,MAAO,CAC7B,CAGG,sBAAuB,CACtB,OAAO,KAAK,MAAM,qBAAsB,CAC5C,CAOG,SAASoS,EAAO,CACf,OAAO,KAAK,MAAM,SAASA,CAAK,CACpC,CAGG,MAAM,QAAS,CAEd,aAAM,KAAK,qBAAsB,EAE1B,KAAK,MAAM,OAAQ,CAC9B,CAGG,sBAAuB,CACtB,OAAO,KAAK,4BAChB,CAGG,MAAM,uBAAwB,CAC7B,GAAI,CACF,MAAM,KAAK,aAAa,YAAa,CACtC,MAAe,CAGd0Z,EAAQ,+EAA+E,EACvF,MACN,CAGI,MAAM,KAAK,2BAA4B,CAC3C,CAGG,MAAM,4BAA6B,CAClC,KAAM,CAAE,OAAAoB,EAAQ,YAAAC,CAAa,EAAG,KAAK,UAE/BC,EAAmB,CAAE,EAC3B,UAAWhb,KAAS8a,EAClBE,EAAiB,KAAK,KAAK,aAAa,SAAShb,CAAK,CAAC,EAGzD,KAAK,aAAa,YAAc+a,EAIhC,KAAK,MAAQ,KAAK,aAGlB,GAAI,CACF,MAAM,QAAQ,IAAIC,CAAgB,CACnC,OAAQzV,EAAO,CACdkU,GAAeG,EAAO,KAAK,wDAAyDrU,CAAK,CAC/F,CACA,CACA,CAKA,SAAS0V,GAAkB,CACzB,eAAAC,EACA,UAAWC,CACb,EAAG,CACD,GACED,GAEA,OAAO,OACP,CACA,MAAMZ,EAASc,GAAYD,CAAe,EAE1C,GAAIb,EACF,OAAOA,CAEb,CAEE,OAAAZ,EAAQ,8BAA8B,EAC/B,IAAIO,EACb,CAEA,SAASmB,GAAYD,EAAiB,CACpC,GAAI,CACF,MAAME,EAAYF,GAAmBG,GAAe,EAEpD,GAAI,CAACD,EACH,OAGF3B,EAAQ,oCAAoCyB,EAAkB,SAASA,CAAe,GAAK,EAAE,EAAE,EAC/F,MAAMb,EAAS,IAAI,OAAOe,CAAS,EACnC,OAAO,IAAIR,GAAiBP,CAAM,CACnC,MAAe,CACdZ,EAAQ,8CAA8C,CAE1D,CACA,CAEA,SAAS4B,IAAgB,CACvB,OAAI,OAAO,iCAAqC,KAAe,CAAC,iCACvD5T,GAAG,EAGL,EACT,CAGA,SAAS6T,IAAoB,CAC3B,GAAI,CAEF,MAAO,mBAAoB3sB,GAAU,CAAC,CAACA,EAAO,cAC/C,MAAW,CACV,MAAO,EACX,CACA,CAKA,SAAS4sB,GAAa/H,EAAQ,CAC5BgI,GAAe,EACfhI,EAAO,QAAU,MACnB,CAKA,SAASgI,IAAgB,CACvB,GAAKF,GAAiB,EAItB,GAAI,CACF3sB,EAAO,eAAe,WAAWC,EAAkB,CACpD,MAAW,CAEd,CACA,CAQA,SAAS6sB,GAAUC,EAAY,CAC7B,OAAIA,IAAe,OACV,GAIF,KAAK,OAAM,EAAKA,CACzB,CAKA,SAASC,GAAYC,EAAS,CAC5B,MAAMhe,EAAM,KAAK,IAAK,EAChBlM,EAAKkqB,EAAQ,IAAMC,GAAO,EAE1BC,EAAUF,EAAQ,SAAWhe,EAC7Bme,EAAeH,EAAQ,cAAgBhe,EACvCoe,EAAYJ,EAAQ,WAAa,EACjCK,EAAUL,EAAQ,QAClBM,EAAoBN,EAAQ,kBAElC,MAAO,CACL,GAAAlqB,EACA,QAAAoqB,EACA,aAAAC,EACA,UAAAC,EACA,QAAAC,EACA,kBAAAC,CACD,CACH,CAKA,SAASC,GAAYP,EAAS,CAC5B,GAAKN,GAAiB,EAItB,GAAI,CACF3sB,EAAO,eAAe,QAAQC,GAAoB,KAAK,UAAUgtB,CAAO,CAAC,CAC1E,MAAW,CAEd,CACA,CAKA,SAASQ,GAAqBC,EAAmBC,EAAgB,CAC/D,OAAOb,GAAUY,CAAiB,EAAI,UAAYC,EAAiB,SAAW,EAChF,CAOA,SAASC,GACP,CAAE,kBAAAF,EAAmB,eAAAC,EAAgB,cAAAE,EAAgB,EAAO,EAC5D,CAAE,kBAAAN,CAAmB,EAAG,CAAE,EAC1B,CACA,MAAMD,EAAUG,GAAqBC,EAAmBC,CAAc,EAChEV,EAAUD,GAAY,CAC1B,QAAAM,EACA,kBAAAC,CACJ,CAAG,EAED,OAAIM,GACFL,GAAYP,CAAO,EAGdA,CACT,CAKA,SAASa,GAAaC,EAAgB,CACpC,GAAI,CAACpB,GAAiB,EACpB,OAAO,KAGT,GAAI,CAEF,MAAMqB,EAA2BhuB,EAAO,eAAe,QAAQC,EAAkB,EAEjF,GAAI,CAAC+tB,EACH,OAAO,KAGT,MAAMC,EAAa,KAAK,MAAMD,CAAwB,EAEtD,OAAA9C,GAAgB,oCAAqC6C,CAAc,EAE5Df,GAAYiB,CAAU,CAC9B,MAAW,CACV,OAAO,IACX,CACA,CAMA,SAASC,GACPC,EACAC,EACAC,EAAa,CAAC,IAAI,KAClB,CAEA,OAAIF,IAAgB,MAAQC,IAAW,QAAaA,EAAS,EACpD,GAILA,IAAW,EACN,GAGFD,EAAcC,GAAUC,CACjC,CAKA,SAASC,GACPrB,EACA,CACE,kBAAAsB,EACA,kBAAAC,EACA,WAAAH,EAAa,KAAK,IAAK,CACxB,EACD,CACA,OAEEH,GAAUjB,EAAQ,QAASsB,EAAmBF,CAAU,GAGxDH,GAAUjB,EAAQ,aAAcuB,EAAmBH,CAAU,CAEjE,CAGA,SAASI,GACPxB,EACA,CAAE,kBAAAuB,EAAmB,kBAAAD,CAAmB,EACxC,CAOA,MALI,GAACD,GAAiBrB,EAAS,CAAE,kBAAAuB,EAAmB,kBAAAD,CAAmB,CAAA,GAKnEtB,EAAQ,UAAY,UAAYA,EAAQ,YAAc,EAK5D,CAMA,SAASyB,GACP,CACE,eAAAX,EACA,kBAAAS,EACA,kBAAAD,EACA,kBAAAhB,CACJ,EAGEoB,EACA,CACA,MAAMC,EAAkBD,EAAe,eAAiBb,GAAaC,CAAc,EAGnF,OAAKa,EAKAH,GAAqBG,EAAiB,CAAE,kBAAAJ,EAAmB,kBAAAD,CAAmB,CAAA,GAInFrD,GAAgB,oEAAoE,EAC7E0C,GAAce,EAAgB,CAAE,kBAAmBC,EAAgB,EAAE,CAAE,GAJrEA,GALP1D,GAAgB,gCAAiC6C,CAAc,EACxDH,GAAce,EAAgB,CAAE,kBAAApB,EAAmB,EAS9D,CAEA,SAASsB,GAAczd,EAAO,CAC5B,OAAOA,EAAM,OAAS0B,EAAU,MAClC,CAUA,SAASgc,GAAajK,EAAQzT,EAAOkS,EAAY,CAC/C,OAAKyL,GAAelK,EAAQzT,CAAK,GAMjC4d,GAAUnK,EAAQzT,EAAOkS,CAAU,EAE5B,IAPE,EAQX,CAQA,SAAS2L,GACPpK,EACAzT,EACAkS,EACA,CACA,OAAKyL,GAAelK,EAAQzT,CAAK,EAI1B4d,GAAUnK,EAAQzT,EAAOkS,CAAU,EAHjC,QAAQ,QAAQ,IAAI,CAI/B,CAEA,eAAe0L,GACbnK,EACAzT,EACAkS,EACA,CACA,GAAI,CAACuB,EAAO,YACV,OAAO,KAGT,GAAI,CACEvB,GAAcuB,EAAO,gBAAkB,UACzCA,EAAO,YAAY,MAAO,EAGxBvB,IACFuB,EAAO,YAAY,YAAc,IAGnC,MAAMqK,EAAgBrK,EAAO,WAAY,EAEnCsK,EAA6BC,GAAmBhe,EAAO8d,EAAc,uBAAuB,EAElG,OAAKC,EAIE,MAAMtK,EAAO,YAAY,SAASsK,CAA0B,EAHjE,MAIH,OAAQxY,EAAO,CACd,MAAM0Y,EAAS1Y,GAASA,aAAiByU,GAA+B,uBAAyB,WAEjGP,GAAeG,EAAO,MAAMrU,CAAK,EACjC,MAAMkO,EAAO,KAAK,CAAE,OAAAwK,EAAQ,EAE5B,MAAM7vB,EAAS8vB,GAAW,EAEtB9vB,GACFA,EAAO,mBAAmB,qBAAsB,QAAQ,CAE9D,CACA,CAGA,SAASuvB,GAAelK,EAAQzT,EAAO,CACrC,GAAI,CAACyT,EAAO,aAAeA,EAAO,SAAQ,GAAM,CAACA,EAAO,YACtD,MAAO,GAGT,MAAM0K,EAAgB9K,GAAcrT,EAAM,SAAS,EAMnD,OAAIme,EAAgB1K,EAAO,SAAS,iBAAmB,KAAK,MACnD,GAIL0K,EAAgB1K,EAAO,WAAY,EAAC,iBAAmBA,EAAO,WAAY,EAAC,mBAC7EiG,EACE,0CAA0CyE,CAAa,yCACvD1K,EAAO,aAAa,aAAa,cAClC,EACM,IAGF,EACT,CAEA,SAASuK,GACPhe,EACAoe,EACA,CACA,GAAI,CACF,GAAI,OAAOA,GAAa,YAAcX,GAAczd,CAAK,EACvD,OAAOoe,EAASpe,CAAK,CAExB,OAAQuF,EAAO,CACd,OAAAkU,GACEG,EAAO,MAAM,6FAA8FrU,CAAK,EAC3G,IACX,CAEE,OAAOvF,CACT,CAGA,SAASqe,GAAare,EAAO,CAC3B,MAAO,CAACA,EAAM,IAChB,CAGA,SAASse,GAAmBte,EAAO,CACjC,OAAOA,EAAM,OAAS,aACxB,CAGA,SAASue,GAAcve,EAAO,CAC5B,OAAOA,EAAM,OAAS,cACxB,CAGA,SAASwe,GAAgBxe,EAAO,CAC9B,OAAOA,EAAM,OAAS,UACxB,CAKA,SAASye,GAAqBhL,EAAQ,CAGpC,MAAMiL,EAAoBC,GAAqB,EAE/C,MAAO,CAAC3e,EAAO4e,IAAiB,CAC9B,GAAI,CAACnL,EAAO,UAAS,GAAO,CAAC4K,GAAare,CAAK,GAAK,CAACse,GAAmBte,CAAK,EAC3E,OAGF,MAAM6e,EAAaD,GAAgBA,EAAa,WAKhD,GAAI,EAAAF,IAAsB,CAACG,GAAcA,EAAa,KAAOA,GAAc,MAI3E,IAAIP,GAAmBte,CAAK,EAAG,CAC7B8e,GAAuBrL,EAAQzT,CAAK,EACpC,MACN,CAEI+e,GAAiBtL,EAAQzT,CAAK,EAC/B,CACH,CAEA,SAAS8e,GAAuBrL,EAAQzT,EAAO,CAC7C,MAAMgf,EAAgBvL,EAAO,WAAY,EAKrCzT,EAAM,UAAYA,EAAM,SAAS,OAASA,EAAM,SAAS,MAAM,UAAYgf,EAAc,SAAS,KAAO,KAC3GA,EAAc,SAAS,IAAIhf,EAAM,SAAS,MAAM,QAAU,CAE9D,CAEA,SAAS+e,GAAiBtL,EAAQzT,EAAO,CACvC,MAAMgf,EAAgBvL,EAAO,WAAY,EAczC,GANIzT,EAAM,UAAYgf,EAAc,SAAS,KAAO,KAClDA,EAAc,SAAS,IAAIhf,EAAM,QAAQ,EAKvCyT,EAAO,gBAAkB,UAAY,CAACzT,EAAM,MAAQ,CAACA,EAAM,KAAK,SAClE,OAGF,KAAM,CAAE,oBAAAif,CAAmB,EAAKxL,EAAO,WAAY,EAC/C,OAAOwL,GAAwB,YAAc,CAACA,EAAoBjf,CAAK,GAI3E,WAAW,IAAM,CAIfyT,EAAO,0BAA2B,CACtC,CAAG,CACH,CAEA,SAASkL,IAAsB,CAC7B,MAAMvwB,EAAS8vB,GAAW,EAC1B,GAAI,CAAC9vB,EACH,MAAO,GAGT,MAAM8wB,EAAY9wB,EAAO,aAAc,EACvC,OAAK8wB,GAKFA,EAAU,KAAO,2BAA6B,EAEnD,CAKA,SAASC,GAAsB1L,EAAQ,CACrC,OAAQzT,GAAU,CACZ,CAACyT,EAAO,UAAS,GAAM,CAAC4K,GAAare,CAAK,GAI9Cof,GAAqB3L,EAAQzT,CAAK,CACnC,CACH,CAEA,SAASof,GAAqB3L,EAAQzT,EAAO,CAC3C,MAAMqf,EAAiBrf,EAAM,WAAaA,EAAM,UAAU,QAAUA,EAAM,UAAU,OAAO,CAAC,EAAE,MAC9F,GAAI,OAAOqf,GAAmB,WAO5BA,EAAe,MAAM,0EAA0E,GAI/FA,EAAe,MAAM,iEAAiE,GACtF,CACA,MAAM3L,EAAakC,GAAiB,CAClC,SAAU,sBAChB,CAAK,EACDpC,GAAmBC,EAAQC,CAAU,CACzC,CACA,CAKA,SAAS4L,GAAatf,EAAOuf,EAAM,CACjC,OAAIvf,EAAM,MAAQ,CAACA,EAAM,WAAa,CAACA,EAAM,UAAU,QAAU,CAACA,EAAM,UAAU,OAAO,OAChF,GAIL,GAAAuf,EAAK,mBAAqBA,EAAK,kBAAkB,UAKvD,CAKA,SAASC,GAAsB/L,EAAQzT,EAAO,CAC5CyT,EAAO,oBAAqB,EAC5BA,EAAO,UAAU,IACVzT,EAAM,WAQXyT,EAAO,kBAAkB,CACvB,KAAM/R,EAAU,OAChB,UAAW1B,EAAM,UAAY,IAC7B,KAAM,CACJ,IAAK,aACL,QAAS,CACP,UAAWA,EAAM,UACjB,KAAM,UACN,SAAU,kBACV,KAAM,CACJ,WAAYA,EAAM,QACnB,CACF,CACF,CACP,CAAO,EAEI,IArBE,EAsBV,CACH,CAOA,SAASyf,GAA2BhM,EAAQzT,EAAO,CAYjD,OAXIyT,EAAO,gBAAkB,UAMzBzT,EAAM,UAAYjR,IAKlB,CAACiR,EAAM,WAAaA,EAAM,KACrB,GAGF0b,GAAUjI,EAAO,WAAU,EAAG,eAAe,CACtD,CAKA,SAASiM,GACPjM,EACAkM,EAAgC,GAChC,CACA,MAAMC,EAAmBD,EAAgClB,GAAqBhL,CAAM,EAAI,OAExF,OAAO,OAAO,OACZ,CAACzT,EAAOuf,IAED9L,EAAO,YAIR8K,GAAcve,CAAK,GAGrB,OAAOA,EAAM,YACNA,GAIL,CAACqe,GAAare,CAAK,GAAK,CAACse,GAAmBte,CAAK,GAAK,CAACwe,GAAgBxe,CAAK,GAM5E,CADoByT,EAAO,6BAA8B,EAEpDzT,EAGLwe,GAAgBxe,CAAK,GAGvByT,EAAO,MAAO,EACdzT,EAAM,SAAS,SAAS,UAAYyT,EAAO,aAAc,EAEzD+L,GAAsB/L,EAAQzT,CAAK,EAC5BA,GAKLsf,GAAatf,EAAOuf,CAAI,GAAK,CAAC9L,EAAO,WAAU,EAAG,aAAa,mBACjEgG,GAAeG,EAAO,IAAI,+CAAgD5Z,CAAK,EACxE,QAMmByf,GAA2BhM,EAAQzT,CAAK,GAInByT,EAAO,gBAAkB,aAGxEzT,EAAM,KAAO,CAAE,GAAGA,EAAM,KAAM,SAAUyT,EAAO,cAAgB,GAK7DmM,GAEFA,EAAiB5f,EAAO,CAAE,WAAY,GAAG,CAAE,EAGtCA,GA1DEA,EA4DX,CAAE,GAAI,QAAU,CACjB,CACH,CAKA,SAAS6f,GACPpM,EACA8D,EACA,CACA,OAAOA,EAAQ,IAAI,CAAC,CAAE,KAAAhlB,EAAM,MAAAylB,EAAO,IAAAiB,EAAK,KAAAxiB,EAAM,KAAA+jB,KAAW,CACvD,MAAMG,EAAWlH,EAAO,kBAAkB,CACxC,KAAM/R,EAAU,OAChB,UAAWsW,EACX,KAAM,CACJ,IAAK,kBACL,QAAS,CACP,GAAIzlB,EACJ,YAAakE,EACb,eAAgBuhB,EAChB,aAAciB,EACd,KAAAuB,CACD,CACF,CACP,CAAK,EAGD,OAAO,OAAOG,GAAa,SAAW,QAAQ,QAAQ,IAAI,EAAIA,CAClE,CAAG,CACH,CAEA,SAASmF,GAAc7J,EAAa,CAClC,KAAM,CAAE,KAAA8J,EAAM,GAAAC,CAAE,EAAK/J,EAEfpY,EAAM,KAAK,IAAG,EAAK,IAEzB,MAAO,CACL,KAAM,kBACN,MAAOA,EACP,IAAKA,EACL,KAAMmiB,EACN,KAAM,CACJ,SAAUD,CACX,CACF,CACH,CAKA,SAASE,GAA0BxM,EAAQ,CACzC,OAAQwC,GAAgB,CACtB,GAAI,CAACxC,EAAO,YACV,OAGF,MAAM3I,EAASgV,GAAc7J,CAAW,EAEpCnL,IAAW,OAKf2I,EAAO,WAAU,EAAG,KAAK,KAAK3I,EAAO,IAAI,EACzC2I,EAAO,oBAAqB,EAE5BA,EAAO,UAAU,KACfoM,GAAuBpM,EAAQ,CAAC3I,CAAM,CAAC,EAEhC,GACR,EACF,CACH,CAMA,SAASoV,GAAoBzM,EAAQvlB,EAAK,CAExC,OAAIurB,GAAehG,EAAO,WAAU,EAAG,aAAa,eAC3C,GAGFxlB,GAAmBC,EAAKgwB,IAAW,CAC5C,CAGA,SAASiC,GACP1M,EACA3I,EACA,CACK2I,EAAO,aAIR3I,IAAW,OAIXoV,GAAoBzM,EAAQ3I,EAAO,IAAI,GAI3C2I,EAAO,UAAU,KACfoM,GAAuBpM,EAAQ,CAAC3I,CAAM,CAAC,EAIhC,GACR,EACH,CAGA,SAASsV,GAAYnK,EAAa,CAChC,KAAM,CAAE,eAAAoK,EAAgB,aAAAC,EAAc,UAAAC,EAAW,SAAA5F,CAAU,EAAG1E,EAE9D,GAAI,CAACqK,EACH,OAAO,KAIT,KAAM,CAAE,OAAA7F,EAAQ,IAAAvsB,CAAG,EAAKqyB,EAExB,MAAO,CACL,KAAM,iBACN,MAAOF,EAAiB,IACxB,IAAKC,EAAe,IACpB,KAAMpyB,EACN,KAAM,CACJ,OAAAusB,EACA,WAAYE,EAAYA,EAAW,OAAS,MAC7C,CACF,CACH,CAKA,SAAS6F,GAAwB/M,EAAQ,CACvC,OAAQwC,GAAgB,CACtB,GAAI,CAACxC,EAAO,YACV,OAGF,MAAM3I,EAASsV,GAAYnK,CAAW,EAEtCkK,GAAqB1M,EAAQ3I,CAAM,CACpC,CACH,CAGA,SAAS2V,GAAUxK,EAAa,CAC9B,KAAM,CAAE,eAAAoK,EAAgB,aAAAC,EAAc,IAAAI,CAAK,EAAGzK,EAExC0K,EAAgBD,EAAIE,EAAmB,EAE7C,GAAI,CAACP,GAAkB,CAACC,GAAgB,CAACK,EACvC,OAAO,KAIT,KAAM,CAAE,OAAAlG,EAAQ,IAAAvsB,EAAK,YAAa2wB,CAAY,EAAG8B,EAEjD,OAAIzyB,IAAQ,OACH,KAGF,CACL,KAAM,eACN,KAAMA,EACN,MAAOmyB,EAAiB,IACxB,IAAKC,EAAe,IACpB,KAAM,CACJ,OAAA7F,EACA,WAAAoE,CACD,CACF,CACH,CAKA,SAASgC,GAAsBpN,EAAQ,CACrC,OAAQwC,GAAgB,CACtB,GAAI,CAACxC,EAAO,YACV,OAGF,MAAM3I,EAAS2V,GAAUxK,CAAW,EAEpCkK,GAAqB1M,EAAQ3I,CAAM,CACpC,CACH,CAGA,SAASgW,GACPC,EACAC,EACA,CACA,GAAKD,EAIL,GAAI,CACF,GAAI,OAAOA,GAAS,SAClB,OAAOC,EAAY,OAAOD,CAAI,EAAE,OAGlC,GAAIA,aAAgB,gBAClB,OAAOC,EAAY,OAAOD,EAAK,SAAQ,CAAE,EAAE,OAG7C,GAAIA,aAAgB,SAAU,CAC5B,MAAME,EAAcC,GAAmBH,CAAI,EAC3C,OAAOC,EAAY,OAAOC,CAAW,EAAE,MAC7C,CAEI,GAAIF,aAAgB,KAClB,OAAOA,EAAK,KAGd,GAAIA,aAAgB,YAClB,OAAOA,EAAK,UAIf,MAAW,CAEd,CAGA,CAGA,SAASI,GAAyBC,EAAQ,CACxC,GAAI,CAACA,EACH,OAGF,MAAMC,EAAO,SAASD,EAAQ,EAAE,EAChC,OAAO,MAAMC,CAAI,EAAI,OAAYA,CACnC,CAGA,SAASC,GAAcP,EAAM,CAC3B,GAAI,CACF,GAAI,OAAOA,GAAS,SAClB,MAAO,CAACA,CAAI,EAGd,GAAIA,aAAgB,gBAClB,MAAO,CAACA,EAAK,UAAU,EAGzB,GAAIA,aAAgB,SAClB,MAAO,CAACG,GAAmBH,CAAI,CAAC,EAGlC,GAAI,CAACA,EACH,MAAO,CAAC,MAAS,CAEpB,MAAY,CACX,OAAAtH,GAAeG,EAAO,KAAK,oCAAqCmH,CAAI,EAC7D,CAAC,OAAW,kBAAkB,CACzC,CAEE,OAAAtH,GAAeG,EAAO,KAAK,sDAAuDmH,CAAI,EAE/E,CAAC,OAAW,uBAAuB,CAC5C,CAGA,SAASQ,GACPC,EACAC,EACA,CACA,GAAI,CAACD,EACH,MAAO,CACL,QAAS,CAAE,EACX,KAAM,OACN,MAAO,CACL,SAAU,CAACC,CAAO,CACnB,CACF,EAGH,MAAMC,EAAU,CAAE,GAAGF,EAAK,KAAO,EAC3BG,EAAmBD,EAAQ,UAAY,CAAE,EAC/C,OAAAA,EAAQ,SAAW,CAAC,GAAGC,EAAkBF,CAAO,EAEhDD,EAAK,MAAQE,EACNF,CACT,CAGA,SAASI,GACPrvB,EACAioB,EACA,CACA,GAAI,CAACA,EACH,OAAO,KAGT,KAAM,CAAE,eAAA6F,EAAgB,aAAAC,EAAc,IAAApyB,EAAK,OAAAusB,EAAQ,WAAAoE,EAAY,QAAAgD,EAAS,SAAAlH,CAAQ,EAAKH,EAerF,MAbe,CACb,KAAAjoB,EACA,MAAO8tB,EAAiB,IACxB,IAAKC,EAAe,IACpB,KAAMpyB,EACN,KAAM4zB,GAAkB,CACtB,OAAArH,EACA,WAAAoE,EACA,QAAAgD,EACA,SAAAlH,CACN,CAAK,CACF,CAGH,CAGA,SAASoH,GAAqCC,EAAU,CACtD,MAAO,CACL,QAAS,CAAE,EACX,KAAMA,EACN,MAAO,CACL,SAAU,CAAC,aAAa,CACzB,CACF,CACH,CAGA,SAASC,GACPC,EACAF,EACAjB,EACA,CACA,GAAI,CAACiB,GAAY,OAAO,KAAKE,CAAO,EAAE,SAAW,EAC/C,OAGF,GAAI,CAACF,EACH,MAAO,CACL,QAAAE,CACD,EAGH,GAAI,CAACnB,EACH,MAAO,CACL,QAAAmB,EACA,KAAMF,CACP,EAGH,MAAMR,EAAO,CACX,QAAAU,EACA,KAAMF,CACP,EAEK,CAAE,KAAMG,EAAgB,SAAAC,CAAQ,EAAKC,GAAqBtB,CAAI,EACpE,OAAAS,EAAK,KAAOW,EACRC,GAAYA,EAAS,OAAS,IAChCZ,EAAK,MAAQ,CACX,SAAAY,CACD,GAGIZ,CACT,CAGA,SAASc,GAAkBJ,EAASK,EAAgB,CAClD,OAAO,OAAO,KAAKL,CAAO,EAAE,OAAO,CAACM,EAAiBrkB,IAAQ,CAC3D,MAAM4X,EAAgB5X,EAAI,YAAa,EAEvC,OAAIokB,EAAe,SAASxM,CAAa,GAAKmM,EAAQ/jB,CAAG,IACvDqkB,EAAgBzM,CAAa,EAAImM,EAAQ/jB,CAAG,GAEvCqkB,CACR,EAAE,EAAE,CACP,CAEA,SAAStB,GAAmBuB,EAAU,CAIpC,OAAO,IAAI,gBAAgBA,CAAQ,EAAE,SAAU,CACjD,CAEA,SAASJ,GAAqBtB,EAE7B,CACC,GAAI,CAACA,GAAQ,OAAOA,GAAS,SAC3B,MAAO,CACL,KAAAA,CACD,EAGH,MAAM2B,EAAmB3B,EAAK,OAASxxB,GACjCozB,EAAiBC,GAAmB7B,CAAI,EAE9C,GAAI2B,EAAkB,CACpB,MAAMG,EAAgB9B,EAAK,MAAM,EAAGxxB,EAAqB,EAEzD,OAAIozB,EACK,CACL,KAAME,EACN,SAAU,CAAC,sBAAsB,CAClC,EAGI,CACL,KAAM,GAAGA,CAAa,IACtB,SAAU,CAAC,gBAAgB,CAC5B,CACL,CAEE,GAAIF,EACF,GAAI,CAEF,MAAO,CACL,KAFe,KAAK,MAAM5B,CAAI,CAG/B,CACF,MAAY,CAEjB,CAGE,MAAO,CACL,KAAAA,CACD,CACH,CAEA,SAAS6B,GAAmBj0B,EAAK,CAC/B,MAAMm0B,EAAQn0B,EAAI,CAAC,EACbo0B,EAAOp0B,EAAIA,EAAI,OAAS,CAAC,EAG/B,OAAQm0B,IAAU,KAAOC,IAAS,KAASD,IAAU,KAAOC,IAAS,GACvE,CAGA,SAASC,GAAW90B,EAAK+0B,EAAM,CAC7B,MAAMC,EAAUC,GAAWj1B,CAAG,EAE9B,OAAOk1B,GAAyBF,EAASD,CAAI,CAC/C,CAGA,SAASE,GAAWj1B,EAAKm1B,EAAUz0B,EAAO,SAAS,QAAS,CAE1D,GAAIV,EAAI,WAAW,SAAS,GAAKA,EAAI,WAAW,UAAU,GAAKA,EAAI,WAAWU,EAAO,SAAS,MAAM,EAClG,OAAOV,EAET,MAAMo1B,EAAW,IAAI,IAAIp1B,EAAKm1B,CAAO,EAGrC,GAAIC,EAAS,SAAW,IAAI,IAAID,CAAO,EAAE,OACvC,OAAOn1B,EAGT,MAAMg1B,EAAUI,EAAS,KAGzB,MAAI,CAACp1B,EAAI,SAAS,GAAG,GAAKg1B,EAAQ,SAAS,GAAG,EACrCA,EAAQ,MAAM,EAAG,EAAE,EAGrBA,CACT,CAMA,eAAeK,GACb7P,EACA6L,EACAtmB,EAGA,CACA,GAAI,CACF,MAAMuhB,EAAO,MAAMgJ,GAAkB9P,EAAY6L,EAAMtmB,CAAO,EAGxD6R,EAAS8W,GAA4B,iBAAkBpH,CAAI,EACjE2F,GAAqBlnB,EAAQ,OAAQ6R,CAAM,CAC5C,OAAQvF,EAAO,CACdkU,GAAeG,EAAO,MAAM,8CAA+CrU,CAAK,CACpF,CACA,CAOA,SAASke,GACP/P,EACA6L,EACAtmB,EACA,CACA,KAAM,CAAE,MAAAyqB,EAAO,SAAA/I,CAAQ,EAAK4E,EAEtBwB,EAAO2C,EAAQC,GAAwBD,CAAK,EAAI,OAChDE,EAAU9C,GAAYC,EAAM9nB,EAAQ,WAAW,EAE/C4qB,EAAUlJ,EAAWwG,GAAyBxG,EAAS,QAAQ,IAAI,gBAAgB,CAAC,EAAI,OAE1FiJ,IAAY,SACdlQ,EAAW,KAAK,kBAAoBkQ,GAElCC,IAAY,SACdnQ,EAAW,KAAK,mBAAqBmQ,EAEzC,CAEA,eAAeL,GACb9P,EACA6L,EACAtmB,EAGA,CACA,MAAM4E,EAAM,KAAK,IAAK,EAChB,CAAE,eAAAwiB,EAAiBxiB,EAAK,aAAAyiB,EAAeziB,CAAK,EAAG0hB,EAE/C,CACJ,IAAArxB,EACA,OAAAusB,EACA,YAAaoE,EAAa,EAC1B,kBAAmBiF,EACnB,mBAAoBC,CACrB,EAAGrQ,EAAW,KAETsQ,EACJhB,GAAW90B,EAAK+K,EAAQ,sBAAsB,GAAK,CAAC+pB,GAAW90B,EAAK+K,EAAQ,qBAAqB,EAE7F4oB,EAAUmC,EACZC,GAAgBhrB,EAASsmB,EAAK,MAAOuE,CAAe,EACpD/B,GAAqC+B,CAAe,EAClDnJ,EAAW,MAAMuJ,GAAiBF,EAAgB/qB,EAASsmB,EAAK,SAAUwE,CAAgB,EAEhG,MAAO,CACL,eAAA1D,EACA,aAAAC,EACA,IAAApyB,EACA,OAAAusB,EACA,WAAAoE,EACA,QAAAgD,EACA,SAAAlH,CACD,CACH,CAEA,SAASsJ,GACP,CAAE,qBAAAE,EAAsB,sBAAAC,CAAuB,EAC/CV,EACAI,EACA,CACA,MAAM5B,EAAUwB,EAAQW,GAAkBX,EAAOU,CAAqB,EAAI,CAAE,EAE5E,GAAI,CAACD,EACH,OAAOlC,GAA8BC,EAAS4B,EAAiB,MAAS,EAI1E,MAAMQ,EAAcX,GAAwBD,CAAK,EAC3C,CAACa,EAAS9C,CAAO,EAAIH,GAAcgD,CAAW,EAC9C9J,EAAOyH,GAA8BC,EAAS4B,EAAiBS,CAAO,EAE5E,OAAI9C,EACKF,GAAa/G,EAAMiH,CAAO,EAG5BjH,CACT,CAGA,eAAe0J,GACbF,EACA,CACE,qBAAAG,EACA,YAAAnD,EACA,uBAAAwD,CACJ,EAGE7J,EACAoJ,EACA,CACA,GAAI,CAACC,GAAkBD,IAAqB,OAC1C,OAAOhC,GAAqCgC,CAAgB,EAG9D,MAAM7B,EAAUvH,EAAW8J,GAAc9J,EAAS,QAAS6J,CAAsB,EAAI,CAAE,EAEvF,GAAI,CAAC7J,GAAa,CAACwJ,GAAwBJ,IAAqB,OAC9D,OAAO9B,GAA8BC,EAAS6B,EAAkB,MAAS,EAG3E,KAAM,CAACW,EAAUjD,CAAO,EAAI,MAAMkD,GAAwBhK,CAAQ,EAC5D7P,EAAS8Z,GAAgBF,EAAU,CACvC,qBAAAP,EACA,YAAAnD,EACA,iBAAA+C,EACA,eAAAC,EACA,QAAA9B,CACJ,CAAG,EAED,OAAIT,EACKF,GAAazW,EAAQ2W,CAAO,EAG9B3W,CACT,CAEA,SAAS8Z,GACPF,EACA,CACE,qBAAAP,EACA,YAAAnD,EACA,iBAAA+C,EACA,eAAAC,EACA,QAAA9B,CACJ,EAGE,CACA,GAAI,CACF,MAAMb,EACJqD,GAAYA,EAAS,QAAUX,IAAqB,OAChDjD,GAAY4D,EAAU1D,CAAW,EACjC+C,EAEN,OAAKC,EAIDG,EACKlC,GAA8BC,EAASb,EAAMqD,CAAQ,EAGvDzC,GAA8BC,EAASb,EAAM,MAAS,EAPpDU,GAAqCV,CAAI,CAQnD,OAAQ9b,EAAO,CACd,OAAAkU,GAAeG,EAAO,KAAK,6CAA8CrU,CAAK,EAEvE0c,GAA8BC,EAAS6B,EAAkB,MAAS,CAC7E,CACA,CAEA,eAAeY,GAAwBhK,EAAU,CAC/C,MAAMkK,EAAMC,GAAkBnK,CAAQ,EAEtC,GAAI,CAACkK,EACH,MAAO,CAAC,OAAW,kBAAkB,EAGvC,GAAI,CAEF,MAAO,CADM,MAAME,GAAoBF,CAAG,CAC9B,CACb,OAAQtf,EAAO,CACd,OAAAkU,GAAeG,EAAO,KAAK,iDAAkDrU,CAAK,EAC3E,CAAC,OAAW,kBAAkB,CACzC,CACA,CAEA,SAASoe,GAAwBqB,EAAY,GAAI,CAE/C,GAAI,EAAAA,EAAU,SAAW,GAAK,OAAOA,EAAU,CAAC,GAAM,UAItD,OAAQA,EAAU,CAAC,EAAI,IACzB,CAEA,SAASP,GAAcvC,EAASK,EAAgB,CAC9C,MAAM0C,EAAa,CAAE,EAErB,OAAA1C,EAAe,QAAQnB,GAAU,CAC3Bc,EAAQ,IAAId,CAAM,IACpB6D,EAAW7D,CAAM,EAAIc,EAAQ,IAAId,CAAM,EAE7C,CAAG,EAEM6D,CACT,CAEA,SAASZ,GAAkBW,EAAWzC,EAAgB,CACpD,OAAIyC,EAAU,SAAW,GAAK,OAAOA,EAAU,CAAC,GAAM,SAC7CE,GAAsBF,EAAU,CAAC,EAAIzC,CAAc,EAGxDyC,EAAU,SAAW,EAChBE,GAAsBF,EAAU,CAAC,EAAIzC,CAAc,EAGrD,CAAE,CACX,CAEA,SAAS2C,GACPxB,EACAnB,EACA,CACA,GAAI,CAACmB,EACH,MAAO,CAAE,EAGX,MAAMxB,EAAUwB,EAAM,QAEtB,OAAKxB,EAIDA,aAAmB,QACduC,GAAcvC,EAASK,CAAc,EAI1C,MAAM,QAAQL,CAAO,EAChB,CAAE,EAGJI,GAAkBJ,EAASK,CAAc,EAZvC,CAAE,CAab,CAEA,SAASuC,GAAkBnK,EAAU,CACnC,GAAI,CAEF,OAAOA,EAAS,MAAO,CACxB,OAAQpV,EAAO,CAEdkU,GAAeG,EAAO,KAAK,yCAA0CrU,CAAK,CAC9E,CACA,CAOA,SAASwf,GAAoBpK,EAAU,CACrC,OAAO,IAAI,QAAQ,CAACR,EAASI,IAAW,CACtC,MAAM5c,EAAU,WAAW,IAAM4c,EAAO,IAAI,MAAM,4CAA4C,CAAC,EAAG,GAAG,EAErG4K,GAAiBxK,CAAQ,EACtB,KACCyK,GAAOjL,EAAQiL,CAAG,EAClBnH,GAAU1D,EAAO0D,CAAM,CAC/B,EACO,QAAQ,IAAM,aAAatgB,CAAO,CAAC,CAC1C,CAAG,CACH,CAEA,eAAewnB,GAAiBxK,EAAU,CAGxC,OAAO,MAAMA,EAAS,KAAM,CAC9B,CAMA,eAAe0K,GACb3R,EACA6L,EACAtmB,EACA,CACA,GAAI,CACF,MAAMuhB,EAAO8K,GAAgB5R,EAAY6L,EAAMtmB,CAAO,EAGhD6R,EAAS8W,GAA4B,eAAgBpH,CAAI,EAC/D2F,GAAqBlnB,EAAQ,OAAQ6R,CAAM,CAC5C,OAAQvF,EAAO,CACdkU,GAAeG,EAAO,MAAM,4CAA6CrU,CAAK,CAClF,CACA,CAOA,SAASggB,GACP7R,EACA6L,EACAtmB,EACA,CACA,KAAM,CAAE,IAAAynB,EAAK,MAAAgD,CAAK,EAAKnE,EAEvB,GAAI,CAACmB,EACH,OAGF,MAAMkD,EAAU9C,GAAY4C,EAAOzqB,EAAQ,WAAW,EAChD4qB,EAAUnD,EAAI,kBAAkB,gBAAgB,EAClDS,GAAyBT,EAAI,kBAAkB,gBAAgB,CAAC,EAChE8E,GAAa9E,EAAI,SAAUA,EAAI,aAAcznB,EAAQ,WAAW,EAEhE2qB,IAAY,SACdlQ,EAAW,KAAK,kBAAoBkQ,GAElCC,IAAY,SACdnQ,EAAW,KAAK,mBAAqBmQ,EAEzC,CAEA,SAASyB,GACP5R,EACA6L,EACAtmB,EACA,CACA,MAAM4E,EAAM,KAAK,IAAK,EAChB,CAAE,eAAAwiB,EAAiBxiB,EAAK,aAAAyiB,EAAeziB,EAAK,MAAA6lB,EAAO,IAAAhD,CAAG,EAAKnB,EAE3D,CACJ,IAAArxB,EACA,OAAAusB,EACA,YAAaoE,EAAa,EAC1B,kBAAmBiF,EACnB,mBAAoBC,CACrB,EAAGrQ,EAAW,KAEf,GAAI,CAACxlB,EACH,OAAO,KAGT,GAAI,CAACwyB,GAAO,CAACsC,GAAW90B,EAAK+K,EAAQ,sBAAsB,GAAK+pB,GAAW90B,EAAK+K,EAAQ,qBAAqB,EAAG,CAC9G,MAAM4oB,EAAUE,GAAqC+B,CAAe,EAC9DnJ,EAAWoH,GAAqCgC,CAAgB,EACtE,MAAO,CACL,eAAA1D,EACA,aAAAC,EACA,IAAApyB,EACA,OAAAusB,EACA,WAAAoE,EACA,QAAAgD,EACA,SAAAlH,CACD,CACL,CAEE,MAAM8K,EAAU/E,EAAIE,EAAmB,EACjCwD,EAAwBqB,EAC1BnD,GAAkBmD,EAAQ,gBAAiBxsB,EAAQ,qBAAqB,EACxE,CAAE,EACAurB,EAAyBlC,GAAkBoD,GAAmBhF,CAAG,EAAGznB,EAAQ,sBAAsB,EAElG,CAACqrB,EAAaqB,CAAc,EAAI1sB,EAAQ,qBAAuBqoB,GAAcoC,CAAK,EAAI,CAAC,MAAS,EAChG,CAACkC,EAAcC,CAAe,EAAI5sB,EAAQ,qBAAuB6sB,GAAoBpF,CAAG,EAAI,CAAC,MAAS,EAEtGmB,EAAUI,GAA8BmC,EAAuBN,EAAiBQ,CAAW,EAC3F3J,EAAWsH,GAA8BuC,EAAwBT,EAAkB6B,CAAY,EAErG,MAAO,CACL,eAAAvF,EACA,aAAAC,EACA,IAAApyB,EACA,OAAAusB,EACA,WAAAoE,EACA,QAAS8G,EAAiBpE,GAAaM,EAAS8D,CAAc,EAAI9D,EAClE,SAAUgE,EAAkBtE,GAAa5G,EAAUkL,CAAe,EAAIlL,CACvE,CACH,CAEA,SAAS+K,GAAmBhF,EAAK,CAC/B,MAAMwB,EAAUxB,EAAI,sBAAuB,EAE3C,OAAKwB,EAIEA,EAAQ,MAAM;AAAA,CAAM,EAAE,OAAO,CAAC6D,EAAKC,IAAS,CACjD,KAAM,CAAC7nB,EAAKvQ,CAAK,EAAIo4B,EAAK,MAAM,IAAI,EACpC,OAAAD,EAAI5nB,EAAI,YAAa,CAAA,EAAIvQ,EAClBm4B,CACR,EAAE,EAAE,EAPI,CAAE,CAQb,CAEA,SAASD,GAAoBpF,EAAK,CAEhC,MAAMuF,EAAS,CAAE,EAEjB,GAAI,CACF,MAAO,CAACvF,EAAI,YAAY,CACzB,OAAQhZ,EAAG,CACVue,EAAO,KAAKve,CAAC,CACjB,CAGE,GAAI,CACF,OAAOwe,GAAkBxF,EAAI,SAAUA,EAAI,YAAY,CACxD,OAAQhZ,EAAG,CACVue,EAAO,KAAKve,CAAC,CACjB,CAEE,OAAA+R,GAAeG,EAAO,KAAK,2CAA4C,GAAGqM,CAAM,EAEzE,CAAC,MAAS,CACnB,CAaA,SAASC,GACPnF,EACAoF,EACA,CACA,GAAI,CACF,GAAI,OAAOpF,GAAS,SAClB,MAAO,CAACA,CAAI,EAGd,GAAIA,aAAgB,SAClB,MAAO,CAACA,EAAK,KAAK,SAAS,EAG7B,GAAIoF,IAAiB,QAAUpF,GAAQ,OAAOA,GAAS,SACrD,MAAO,CAAC,KAAK,UAAUA,CAAI,CAAC,EAG9B,GAAI,CAACA,EACH,MAAO,CAAC,MAAS,CAEpB,MAAY,CACX,OAAAtH,GAAeG,EAAO,KAAK,oCAAqCmH,CAAI,EAC7D,CAAC,OAAW,kBAAkB,CACzC,CAEE,OAAAtH,GAAeG,EAAO,KAAK,sDAAuDmH,CAAI,EAE/E,CAAC,OAAW,uBAAuB,CAC5C,CAEA,SAASyE,GACPzE,EACAoF,EACAnF,EACA,CACA,GAAI,CACF,MAAMuD,EAAU4B,IAAiB,QAAUpF,GAAQ,OAAOA,GAAS,SAAW,KAAK,UAAUA,CAAI,EAAIA,EACrG,OAAOD,GAAYyD,EAASvD,CAAW,CACxC,MAAY,CACX,MACJ,CACA,CAQA,SAASoF,GAAyB3S,EAAQ,CACxC,MAAMrlB,EAAS8vB,GAAW,EAE1B,GAAI,CACF,MAAM8C,EAAc,IAAI,YAElB,CACJ,uBAAAqF,EACA,sBAAAC,EACA,qBAAAnC,EACA,sBAAAC,EACA,uBAAAI,CACN,EAAQ/Q,EAAO,WAAY,EAEjBxa,EAAU,CACd,OAAAwa,EACA,YAAAuN,EACA,uBAAAqF,EACA,sBAAAC,EACA,qBAAAnC,EACA,sBAAAC,EACA,uBAAAI,CACD,EAEGp2B,GAAUA,EAAO,GACnBA,EAAO,GAAG,sBAAuB,CAACslB,EAAY6L,IAASgH,GAA2BttB,EAASya,EAAY6L,CAAI,CAAC,GAG5GiH,GAA+BhG,GAAwB/M,CAAM,CAAC,EAC9DgT,GAA6B5F,GAAsBpN,CAAM,CAAC,EAE7D,MAAY,CAEf,CACA,CAGA,SAAS8S,GACPttB,EACAya,EACA6L,EACA,CACA,GAAK7L,EAAW,KAIhB,GAAI,CACEgT,GAAiBhT,CAAU,GAAKiT,GAAWpH,CAAI,IAIjDgG,GAAoB7R,EAAY6L,EAAMtmB,CAAO,EAI7CosB,GAA6B3R,EAAY6L,EAAMtmB,CAAO,GAGpD2tB,GAAmBlT,CAAU,GAAKmT,GAAatH,CAAI,IAIrDkE,GAAsB/P,EAAY6L,EAAMtmB,CAAO,EAI/CsqB,GAA+B7P,EAAY6L,EAAMtmB,CAAO,EAE3D,MAAW,CACVwgB,GAAeG,EAAO,KAAK,yCAAyC,CACxE,CACA,CAEA,SAAS8M,GAAiBhT,EAAY,CACpC,OAAOA,EAAW,WAAa,KACjC,CAEA,SAASkT,GAAmBlT,EAAY,CACtC,OAAOA,EAAW,WAAa,OACjC,CAEA,SAASiT,GAAWpH,EAAM,CACxB,OAAOA,GAAQA,EAAK,GACtB,CAEA,SAASsH,GAAatH,EAAM,CAC1B,OAAOA,GAAQA,EAAK,QACtB,CAEA,IAAIuH,GAAmB,KAEvB,SAASC,GAAyBrT,EAAY,CAC5C,MAAO,CAAC,CAACA,EAAW,QACtB,CAEA,MAAMsT,GACHvT,GACAwT,GAAU,CACT,GAAI,CAACxT,EAAO,YACV,OAGF,MAAM3I,EAASoc,GAAYD,CAAK,EAE3Bnc,GAIL0I,GAAmBC,EAAQ3I,CAAM,CAClC,EAKH,SAASoc,GAAYD,EAAO,CAK1B,MAAME,EAAgBF,EAAM,mBAAqBA,EAAM,kBAAmB,EAU1E,OANIH,KAAqBK,GAAiB,CAACA,IAI3CL,GAAmBK,EAGjB,CAACJ,GAAyBI,CAAa,GACvC,CAAC,QAAS,MAAO,eAAgB,oBAAoB,EAAE,SAASA,EAAc,QAAQ,GACtFA,EAAc,SAAS,WAAW,KAAK,GAEhC,KAGLA,EAAc,WAAa,UACtBC,GAA2BD,CAAa,EAG1CvR,GAAiBuR,CAAa,CACvC,CAGA,SAASC,GACP1T,EACA,CACA,MAAM1lB,EAAO0lB,EAAW,MAAQA,EAAW,KAAK,UAEhD,GAAI,CAAC,MAAM,QAAQ1lB,CAAI,GAAKA,EAAK,SAAW,EAC1C,OAAO4nB,GAAiBlC,CAAU,EAGpC,IAAI2T,EAAc,GAGlB,MAAMC,EAAiBt5B,EAAK,IAAI0sB,GAAO,CACrC,GAAI,CAACA,EACH,OAAOA,EAET,GAAI,OAAOA,GAAQ,SACjB,OAAIA,EAAI,OAASlrB,IACf63B,EAAc,GACP,GAAG3M,EAAI,MAAM,EAAGlrB,EAAoB,CAAC,KAGvCkrB,EAET,GAAI,OAAOA,GAAQ,SACjB,GAAI,CACF,MAAM6M,EAAgB5T,GAAU+G,EAAK,CAAC,EAEtC,OADoB,KAAK,UAAU6M,CAAa,EAChC,OAAS/3B,IACvB63B,EAAc,GAEP,GAAG,KAAK,UAAUE,EAAe,KAAM,CAAC,EAAE,MAAM,EAAG/3B,EAAoB,CAAC,KAE1E+3B,CACR,MAAW,CAElB,CAGI,OAAO7M,CACX,CAAG,EAED,OAAO9E,GAAiB,CACtB,GAAGlC,EACH,KAAM,CACJ,GAAGA,EAAW,KACd,UAAW4T,EACX,GAAID,EAAc,CAAE,MAAO,CAAE,SAAU,CAAC,uBAAuB,CAAC,CAAI,EAAG,EACxE,CACL,CAAG,CACH,CAKA,SAASG,GAAmB/T,EAAQ,CAElC,MAAMwT,EAAQQ,GAAiB,EACzBr5B,EAAS8vB,GAAW,EAE1B+I,EAAM,iBAAiBD,GAAoBvT,CAAM,CAAC,EAClDiU,GAAuC1R,GAAkBvC,CAAM,CAAC,EAChEkU,GAAiC1H,GAA0BxM,CAAM,CAAC,EAClE2S,GAAyB3S,CAAM,EAI/B,MAAMxB,EAAiByN,GAA0BjM,EAAQ,CAACmU,GAASx5B,CAAM,CAAC,EACtEA,GAAUA,EAAO,kBACnBA,EAAO,kBAAkB6jB,CAAc,EAEvC4V,GAAkB5V,CAAc,EAI9B2V,GAASx5B,CAAM,IACjBA,EAAO,GAAG,kBAAmB+wB,GAAsB1L,CAAM,CAAC,EAC1DrlB,EAAO,GAAG,iBAAkBqwB,GAAqBhL,CAAM,CAAC,EACxDrlB,EAAO,GAAG,YAAc05B,GAAQ,CAC9B,MAAMC,EAAWtU,EAAO,aAAc,EAElCsU,GAAYtU,EAAO,UAAW,GAAIA,EAAO,gBAAkB,WAErCA,EAAO,6BAA8B,IAE3DqU,EAAI,UAAYC,EAG1B,CAAK,EAED35B,EAAO,GAAG,mBAAoB45B,GAAe,CAC3CvU,EAAO,gBAAkBuU,CAC/B,CAAK,EAID55B,EAAO,GAAG,oBAAqB45B,GAAe,CAC5CvU,EAAO,gBAAkBuU,CAC/B,CAAK,EAGD55B,EAAO,GAAG,qBAAsB,CAAC65B,EAAehvB,IAAY,CAC1D,MAAM8uB,EAAWtU,EAAO,aAAc,EAClCxa,GAAWA,EAAQ,eAAiBwa,EAAO,UAAW,GAAIsU,GAExDE,EAAc,UAAYA,EAAc,SAAS,WACnDA,EAAc,SAAS,SAAS,UAAYF,EAGtD,CAAK,EAEL,CAGA,SAASH,GAASx5B,EAAQ,CACxB,MAAO,CAAC,EAAEA,GAAUA,EAAO,GAC7B,CAMA,eAAe85B,GAAezU,EAAQ,CAEpC,GAAI,CACF,OAAO,QAAQ,IACboM,GAAuBpM,EAAQ,CAE7B0U,GAAkBv5B,EAAO,YAAY,MAAM,CACnD,CAAO,CACF,CACF,MAAe,CAEd,MAAO,CAAE,CACb,CACA,CAEA,SAASu5B,GAAkBC,EAAa,CACtC,KAAM,CAAE,gBAAAC,EAAiB,gBAAAC,EAAiB,eAAAC,CAAgB,EAAGH,EAGvDzQ,EAAO,KAAK,IAAG,EAAK,IAC1B,MAAO,CACL,KAAM,SACN,KAAM,SACN,MAAOA,EACP,IAAKA,EACL,KAAM,CACJ,OAAQ,CACN,gBAAA0Q,EACA,gBAAAC,EACA,eAAAC,CACD,CACF,CACF,CACH,CAoBA,SAASC,GAAS/qB,EAAMC,EAAMzE,EAAS,CACrC,IAAIwvB,EAEAC,EACAC,EAEJ,MAAMC,EAAU3vB,GAAWA,EAAQ,QAAU,KAAK,IAAIA,EAAQ,QAASyE,CAAI,EAAI,EAE/E,SAASmrB,GAAa,CACpB,OAAAC,EAAc,EACdL,EAAsBhrB,EAAM,EACrBgrB,CACX,CAEE,SAASK,GAAe,CACtBJ,IAAY,QAAa,aAAaA,CAAO,EAC7CC,IAAe,QAAa,aAAaA,CAAU,EACnDD,EAAUC,EAAa,MAC3B,CAEE,SAASI,GAAQ,CACf,OAAIL,IAAY,QAAaC,IAAe,OACnCE,EAAY,EAEdJ,CACX,CAEE,SAASO,GAAY,CACnB,OAAIN,GACF,aAAaA,CAAO,EAEtBA,EAAU,WAAWG,EAAYnrB,CAAI,EAEjCkrB,GAAWD,IAAe,SAC5BA,EAAa,WAAWE,EAAYD,CAAO,GAGtCH,CACX,CAEE,OAAAO,EAAU,OAASF,EACnBE,EAAU,MAAQD,EACXC,CACT,CAOA,SAASC,GAAuBxV,EAAQ,CACtC,IAAIyV,EAAgB,GAEpB,MAAO,CAAClpB,EAAOmpB,IAAgB,CAE7B,GAAI,CAAC1V,EAAO,+BAAgC,CAC1CgG,GAAeG,EAAO,KAAK,uDAAuD,EAElF,MACN,CAII,MAAM1H,EAAaiX,GAAe,CAACD,EACnCA,EAAgB,GAEZzV,EAAO,eACTgC,GAAqChC,EAAO,cAAezT,CAAK,EAIlEyT,EAAO,UAAU,IAAM,CAYrB,GANIA,EAAO,gBAAkB,UAAYvB,GACvCuB,EAAO,gBAAiB,EAKtB,CAACiK,GAAajK,EAAQzT,EAAOkS,CAAU,EAEzC,MAAO,GAKT,GAAI,CAACA,EACH,MAAO,GAiBT,GARAkX,GAAiB3V,EAAQvB,CAAU,EAQ/BuB,EAAO,SAAWA,EAAO,QAAQ,kBACnC,MAAO,GAKT,GAAIA,EAAO,gBAAkB,UAAYA,EAAO,SAAWA,EAAO,YAAa,CAC7E,MAAM4V,EAAgB5V,EAAO,YAAY,qBAAsB,EAC3D4V,IACF3P,EACE,uEAAuE,IAAI,KAAK2P,CAAa,CAAC,GAC9F5V,EAAO,aAAa,aAAa,cAClC,EAEDA,EAAO,QAAQ,QAAU4V,EAErB5V,EAAO,WAAY,EAAC,eACtB2I,GAAY3I,EAAO,OAAO,EAGtC,CAEM,OAAIA,EAAO,gBAAkB,WAQtBA,EAAO,MAAO,EAGd,EACb,CAAK,CACF,CACH,CAKA,SAAS6V,GAAmB7V,EAAQ,CAClC,MAAMxa,EAAUwa,EAAO,WAAY,EACnC,MAAO,CACL,KAAM/R,EAAU,OAChB,UAAW,KAAK,IAAK,EACrB,KAAM,CACJ,IAAK,UACL,QAAS,CACP,mBAAoB+R,EAAO,kBAAmB,EAC9C,kBAAmBxa,EAAQ,kBAC3B,gBAAiBA,EAAQ,gBACzB,qBAAsBA,EAAQ,eAC9B,cAAeA,EAAQ,cACvB,YAAaA,EAAQ,YACrB,cAAeA,EAAQ,cACvB,eAAgBwa,EAAO,YAAcA,EAAO,YAAY,OAAS,SAAW,GAC5E,qBAAsBxa,EAAQ,uBAAuB,OAAS,EAC9D,qBAAsBA,EAAQ,qBAC9B,yBAA0BA,EAAQ,sBAAsB,OAAS,EACjE,0BAA2BA,EAAQ,uBAAuB,OAAS,CACpE,CACF,CACF,CACH,CAMA,SAASmwB,GAAiB3V,EAAQvB,EAAY,CAExC,CAACA,GAAc,CAACuB,EAAO,SAAWA,EAAO,QAAQ,YAAc,GAInEiK,GAAajK,EAAQ6V,GAAmB7V,CAAM,EAAG,EAAK,CACxD,CAMA,SAAS8V,GACPC,EACAC,EACAn7B,EACAC,EACA,CACA,OAAOm7B,GACLC,GAA2BH,EAAaI,GAAgCJ,CAAW,EAAGj7B,EAAQD,CAAG,EACjG,CACE,CAAC,CAAE,KAAM,cAAgB,EAAEk7B,CAAW,EACtC,CACE,CACE,KAAM,mBAIN,OACE,OAAOC,GAAkB,SAAW,IAAI,YAAa,EAAC,OAAOA,CAAa,EAAE,OAASA,EAAc,MACtG,EACDA,CACD,CACF,CACF,CACH,CAKA,SAASI,GAAqB,CAC5B,cAAAJ,EACA,QAAAvH,CACF,EAEE,CACA,IAAI4H,EAGJ,MAAMC,EAAgB,GAAG,KAAK,UAAU7H,CAAO,CAAC;AAAA,EAGhD,GAAI,OAAOuH,GAAkB,SAC3BK,EAAsB,GAAGC,CAAa,GAAGN,CAAa,OACjD,CAGL,MAAMO,EAFM,IAAI,YAAa,EAER,OAAOD,CAAa,EAEzCD,EAAsB,IAAI,WAAWE,EAAS,OAASP,EAAc,MAAM,EAC3EK,EAAoB,IAAIE,CAAQ,EAChCF,EAAoB,IAAIL,EAAeO,EAAS,MAAM,CAC1D,CAEE,OAAOF,CACT,CAKA,eAAeG,GAAmB,CAChC,OAAA77B,EACA,MAAA64B,EACA,SAAUiD,EACV,MAAAlqB,CACF,EAEE,CACA,MAAMmqB,EACJ,OAAO/7B,EAAO,eAAkB,UAAYA,EAAO,gBAAkB,MAAQ,CAAC,MAAM,QAAQA,EAAO,aAAa,EAC5G,OAAO,KAAKA,EAAO,aAAa,EAChC,OAEAg8B,EAAY,CAAE,SAAAF,EAAU,aAAAC,CAAc,EAExC/7B,EAAO,MACTA,EAAO,KAAK,kBAAmB4R,EAAOoqB,CAAS,EAGjD,MAAMC,EAAiB,MAAMC,GAC3Bl8B,EAAO,WAAY,EACnB4R,EACAoqB,EACAnD,EACA74B,EACAm8B,GAAmB,CACvB,EAGE,GAAI,CAACF,EACH,OAAO,KAMTA,EAAc,SAAWA,EAAc,UAAY,aAGnD,MAAMG,EAAWp8B,EAAO,gBAAkBA,EAAO,eAAgB,EAC3D,CAAE,KAAAqI,EAAM,QAAAg0B,CAAS,EAAID,GAAYA,EAAS,KAAQ,CAAE,EAE1D,OAAAH,EAAc,IAAM,CAClB,GAAGA,EAAc,IACjB,KAAM5zB,GAAQ,4BACd,QAASg0B,GAAW,OACrB,EAEMJ,CACT,CAKA,eAAeK,GAAkB,CAC/B,cAAAjB,EACA,SAAA1B,EACA,UAAW4C,EACX,aAAAC,EACA,UAAAtX,EACA,QAAAuI,CACF,EAAG,CACD,MAAMgP,EAAwBhB,GAAqB,CACjD,cAAAJ,EACA,QAAS,CACP,WAAAkB,CACD,CACL,CAAG,EAEK,CAAE,KAAA1H,EAAM,SAAA6H,EAAU,SAAAC,EAAU,iBAAAC,CAAkB,EAAGJ,EAEjDx8B,EAAS8vB,GAAW,EACpB+I,EAAQQ,GAAiB,EACzBvI,EAAY9wB,GAAUA,EAAO,aAAc,EAC3CE,EAAMF,GAAUA,EAAO,OAAQ,EAErC,GAAI,CAACA,GAAU,CAAC8wB,GAAa,CAAC5wB,GAAO,CAACutB,EAAQ,QAC5C,OAGF,MAAMoP,EAAY,CAChB,KAAMn8B,GACN,uBAAwBk8B,EAAmB,IAC3C,UAAW1X,EAAY,IACvB,UAAWwX,EACX,UAAWC,EACX,KAAA9H,EACA,UAAW8E,EACX,WAAA4C,EACA,YAAa9O,EAAQ,OACtB,EAEK2N,EAAc,MAAMS,GAAmB,CAAE,MAAAhD,EAAO,OAAA74B,EAAQ,SAAA25B,EAAU,MAAOkD,EAAW,EAE1F,GAAI,CAACzB,EAAa,CAEhBp7B,EAAO,mBAAmB,kBAAmB,SAAU68B,CAAS,EAChEvR,EAAQ,0DAA0D,EAClE,MACJ,CAwCE,OAAO8P,EAAY,sBAEnB,MAAM0B,EAAW3B,GAAqBC,EAAaqB,EAAuBv8B,EAAKF,EAAO,WAAY,EAAC,MAAM,EAEzG,IAAIusB,EAEJ,GAAI,CACFA,EAAW,MAAMuE,EAAU,KAAKgM,CAAQ,CACzC,OAAQ3wB,EAAK,CACZ,MAAMgL,EAAQ,IAAI,MAAMxW,EAAqB,EAE7C,GAAI,CAGFwW,EAAM,MAAQhL,CACf,MAAW,CAEhB,CACI,MAAMgL,CACV,CAGE,GAAI,CAACoV,EACH,OAAOA,EAIT,GAAI,OAAOA,EAAS,YAAe,WAAaA,EAAS,WAAa,KAAOA,EAAS,YAAc,KAClG,MAAM,IAAIwQ,GAAyBxQ,EAAS,UAAU,EAGxD,MAAMyQ,EAAaC,GAAiB,CAAE,EAAE1Q,CAAQ,EAChD,GAAI2Q,GAAcF,EAAY,QAAQ,EACpC,MAAM,IAAIG,GAAeH,CAAU,EAGrC,OAAOzQ,CACT,CAKA,MAAMwQ,WAAiC,KAAM,CAC1C,YAAYtM,EAAY,CACvB,MAAM,kCAAkCA,CAAU,EAAE,CACxD,CACA,CAKA,MAAM0M,WAAuB,KAAM,CAEhC,YAAYH,EAAY,CACvB,MAAM,gBAAgB,EACtB,KAAK,WAAaA,CACtB,CACA,CAKA,eAAeI,GACbC,EACAC,EAAc,CACZ,MAAO,EACP,SAAUr8B,EACX,EACD,CACA,KAAM,CAAE,cAAAo6B,EAAe,QAAAxwB,CAAO,EAAKwyB,EAGnC,GAAKhC,EAAc,OAInB,GAAI,CACF,aAAMiB,GAAkBe,CAAU,EAC3B,EACR,OAAQlxB,EAAK,CACZ,GAAIA,aAAe4wB,IAA4B5wB,aAAegxB,GAC5D,MAAMhxB,EAcR,GAVAoxB,GAAW,UAAW,CACpB,YAAaD,EAAY,KAC/B,CAAK,EAEGjS,GAAexgB,EAAQ,cAAgBA,EAAQ,aAAa,mBAC9D2yB,GAAiBrxB,CAAG,EAKlBmxB,EAAY,OAASp8B,GAAiB,CACxC,MAAMiW,EAAQ,IAAI,MAAM,GAAGxW,EAAqB,yBAAyB,EAEzE,GAAI,CAGFwW,EAAM,MAAQhL,CACf,MAAW,CAElB,CAEM,MAAMgL,CACZ,CAGI,OAAAmmB,EAAY,UAAY,EAAEA,EAAY,MAE/B,IAAI,QAAQ,CAACvR,EAASI,IAAW,CACtC,WAAW,SAAY,CACrB,GAAI,CACF,MAAMiR,GAAWC,EAAYC,CAAW,EACxCvR,EAAQ,EAAI,CACb,OAAQ5f,EAAK,CACZggB,EAAOhgB,CAAG,CACpB,CACA,EAASmxB,EAAY,QAAQ,CAC7B,CAAK,CACL,CACA,CAEA,MAAMG,GAAY,cACZC,GAAU,YAWhB,SAASC,GACPh+B,EACAi+B,EACAC,EACA,CACA,MAAMC,EAAU,IAAI,IAEdC,EAAYtuB,GAAQ,CACxB,MAAMwI,EAAYxI,EAAMouB,EACxBC,EAAQ,QAAQ,CAACt1B,EAAQuH,IAAQ,CAC3BA,EAAMkI,GACR6lB,EAAQ,OAAO/tB,CAAG,CAE1B,CAAK,CACF,EAEKiuB,EAAiB,IACd,CAAC,GAAGF,EAAQ,OAAM,CAAE,EAAE,OAAO,CAAC71B,EAAGoY,IAAMpY,EAAIoY,EAAG,CAAC,EAGxD,IAAI4d,EAAc,GAElB,MAAO,IAAI5qB,IAAS,CAElB,MAAM5D,EAAM,KAAK,MAAM,KAAK,IAAK,EAAG,GAAI,EAMxC,GAHAsuB,EAAStuB,CAAG,EAGRuuB,EAAgB,GAAIJ,EAAU,CAChC,MAAMM,EAAeD,EACrB,OAAAA,EAAc,GACPC,EAAeR,GAAUD,EACtC,CAEIQ,EAAc,GACd,MAAMvf,EAAQof,EAAQ,IAAIruB,CAAG,GAAK,EAClC,OAAAquB,EAAQ,IAAIruB,EAAKiP,EAAQ,CAAC,EAEnB/e,EAAG,GAAG0T,CAAI,CAClB,CACH,CAOA,MAAM8qB,EAAiB,CAmDpB,YAAY,CACX,QAAAtzB,EACA,iBAAAuzB,CACJ,EAEE,CAACD,GAAgB,UAAU,OAAO,KAAK,IAAI,EAAEA,GAAgB,UAAU,QAAQ,KAAK,IAAI,EAAEA,GAAgB,UAAU,QAAQ,KAAK,IAAI,EAAEA,GAAgB,UAAU,QAAQ,KAAK,IAAI,EAAEA,GAAgB,UAAU,QAAQ,KAAK,IAAI,EAAEA,GAAgB,UAAU,QAAQ,KAAK,IAAI,EAC1Q,KAAK,YAAc,KACnB,KAAK,mBAAqB,CAAE,EAC5B,KAAK,yBAA2B,CAAE,EAClC,KAAK,cAAgB,UACrB,KAAK,SAAW,CACd,iBAAkBv9B,GAClB,kBAAmBC,EACpB,EACD,KAAK,cAAgB,KAAK,IAAK,EAC/B,KAAK,WAAa,GAClB,KAAK,UAAY,GACjB,KAAK,6BAA+B,GACpC,KAAK,SAAW,CACd,SAAU,IAAI,IACd,SAAU,IAAI,IACd,KAAM,CAAE,EACR,iBAAkB,KAAK,IAAK,EAC5B,WAAY,EACb,EAED,KAAK,kBAAoBu9B,EACzB,KAAK,SAAWvzB,EAEhB,KAAK,gBAAkBuvB,GAAS,IAAM,KAAK,SAAU,KAAK,SAAS,cAAe,CAChF,QAAS,KAAK,SAAS,aAC7B,CAAK,EAED,KAAK,mBAAqBuD,GACxB,CAAC/rB,EAAOkS,IAAe2L,GAAS,KAAM7d,EAAOkS,CAAU,EAEvD,IAEA,CACD,EAED,KAAM,CAAE,iBAAAua,EAAkB,yBAAAC,GAA6B,KAAK,WAAY,EAElEjY,EAAkBgY,EACpB,CACE,UAAW,KAAK,IAAIh9B,GAAsBg9B,CAAgB,EAC1D,QAASA,EACT,cAAe/8B,GACf,eAAgBg9B,EAA2BA,EAAyB,KAAK,GAAG,EAAI,EAC1F,EACQ,OAEAjY,IACF,KAAK,cAAgB,IAAID,GAAc,KAAMC,CAAe,EAElE,CAGG,YAAa,CACZ,OAAO,KAAK,QAChB,CAGG,WAAY,CACX,OAAO,KAAK,UAChB,CAGG,UAAW,CACV,OAAO,KAAK,SAChB,CAKG,mBAAoB,CACnB,MAAO,EAAQ,KAAK,OACxB,CAGG,YAAa,CACZ,OAAO,KAAK,QAChB,CAMG,mBAAmB0H,EAAmB,CACrC,KAAM,CAAE,gBAAAwQ,EAAiB,kBAAArQ,CAAmB,EAAG,KAAK,SAIpD,GAAI,EAAAqQ,GAAmB,GAAKrQ,GAAqB,GAQjD,IAFA,KAAK,8BAA8BH,CAAiB,EAEhD,CAAC,KAAK,QAAS,CAEjB,KAAK,iBAAiB,IAAI,MAAM,yCAAyC,CAAC,EAC1E,MACN,CAEQ,KAAK,QAAQ,UAAY,KAQ7B,KAAK,cAAgB,KAAK,QAAQ,UAAY,UAAY,KAAK,QAAQ,YAAc,EAAI,SAAW,UAEpGrC,GACE,+BAA+B,KAAK,aAAa,QACjD,KAAK,SAAS,aAAa,cAC5B,EAED,KAAK,qBAAsB,GAC/B,CASG,OAAQ,CACP,GAAI,KAAK,YAAc,KAAK,gBAAkB,UAC5C,MAAM,IAAI,MAAM,yCAAyC,EAG3D,GAAI,KAAK,YAAc,KAAK,gBAAkB,SAC5C,MAAM,IAAI,MAAM,oEAAoE,EAGtFA,GAAgB,2CAA4C,KAAK,SAAS,aAAa,cAAc,EAMrG,KAAK,oBAAqB,EAE1B,MAAM+B,EAAUyB,GACd,CACE,kBAAmB,KAAK,SAAS,kBACjC,kBAAmB,KAAK,SAAS,kBACjC,eAAgB,KAAK,SAAS,aAAa,cAC5C,EACD,CACE,cAAe,KAAK,SAAS,cAE7B,kBAAmB,EACnB,eAAgB,EACjB,CACF,EAED,KAAK,QAAUzB,EAEf,KAAK,qBAAsB,CAC/B,CAMG,gBAAiB,CAChB,GAAI,KAAK,WACP,MAAM,IAAI,MAAM,yCAAyC,EAG3D/B,GAAgB,0CAA2C,KAAK,SAAS,aAAa,cAAc,EAEpG,MAAM+B,EAAUyB,GACd,CACE,kBAAmB,KAAK,SAAS,kBACjC,kBAAmB,KAAK,SAAS,kBACjC,eAAgB,KAAK,SAAS,aAAa,cAC5C,EACD,CACE,cAAe,KAAK,SAAS,cAC7B,kBAAmB,EACnB,eAAgB,EACjB,CACF,EAED,KAAK,QAAUzB,EAEf,KAAK,cAAgB,SACrB,KAAK,qBAAsB,CAC/B,CAOG,gBAAiB,CAChB,GAAI,CACF,MAAM+Q,EAAgB,KAAK,QAE3B,KAAK,eAAiB9b,GAAO,CAC3B,GAAG,KAAK,kBAIR,GAAI,KAAK,gBAAkB,UAAY,CAAE,iBAAkB1hB,EAAoB,EAC/E,KAAM65B,GAAuB,IAAI,EACjC,WAAY,KAAK,mBACjB,GAAI2D,EACA,CACE,aAAcA,EAAc,aAC5B,iBAAkBA,EAAc,iBAChC,SAAUA,EAAc,SACxB,eAAgBA,EAAc,cAC5C,EACY,EACZ,CAAO,CACF,OAAQryB,EAAK,CACZ,KAAK,iBAAiBA,CAAG,CAC/B,CACA,CAQG,eAAgB,CACf,GAAI,CACF,OAAI,KAAK,iBACP,KAAK,eAAgB,EACrB,KAAK,eAAiB,QAGjB,EACR,OAAQA,EAAK,CACZ,YAAK,iBAAiBA,CAAG,EAClB,EACb,CACA,CAMG,MAAM,KAAK,CAAE,WAAAsyB,EAAa,GAAO,OAAA5O,CAAM,EAAK,CAAA,EAAI,CAC/C,GAAK,KAAK,WAMV,MAAK,WAAa,GAElB,GAAI,CACFvE,EACE,2BAA2BuE,EAAS,iBAAiBA,CAAM,GAAK,EAAE,GAClE,KAAK,SAAS,aAAa,cAC5B,EAED,KAAK,iBAAkB,EACvB,KAAK,cAAe,EAEpB,KAAK,gBAAgB,OAAQ,EAGzB4O,GACF,MAAM,KAAK,OAAO,CAAE,MAAO,EAAI,CAAE,EAInC,KAAK,aAAe,KAAK,YAAY,QAAS,EAC9C,KAAK,YAAc,KAInBrR,GAAa,IAAI,CAClB,OAAQjhB,EAAK,CACZ,KAAK,iBAAiBA,CAAG,CAC/B,EACA,CAOG,OAAQ,CACH,KAAK,YAIT,KAAK,UAAY,GACjB,KAAK,cAAe,EAEpBmf,EAAQ,0BAA2B,KAAK,SAAS,aAAa,cAAc,EAChF,CAQG,QAAS,CACJ,CAAC,KAAK,WAAa,CAAC,KAAK,cAAa,IAI1C,KAAK,UAAY,GACjB,KAAK,eAAgB,EAErBA,EAAQ,2BAA4B,KAAK,SAAS,aAAa,cAAc,EACjF,CASG,MAAM,0BAA0B,CAAE,kBAAAoT,EAAoB,EAAI,EAAK,CAAA,EAAI,CAClE,GAAI,KAAK,gBAAkB,UACzB,OAAO,KAAK,eAAgB,EAG9B,MAAMC,EAAe,KAAK,IAAK,EAE/BrT,EAAQ,wCAAyC,KAAK,SAAS,aAAa,cAAc,EAM1F,MAAM,KAAK,eAAgB,EAE3B,MAAMsT,EAAsB,KAAK,cAAe,EAE5C,CAACF,GAAqB,CAACE,GAKtB,KAAK,gBAAoB,YAK9B,KAAK,cAAgB,UAGjB,KAAK,UACP,KAAK,oBAAoBD,CAAY,EACrC,KAAK,uBAAuBA,CAAY,EACxC,KAAK,kBAAmB,GAG1B,KAAK,eAAgB,EACzB,CAUG,UAAUznB,EAAI,CAEb,MAAM2nB,EAAW3nB,EAAI,EAIjB,KAAK,gBAAkB,UAMvB2nB,IAAa,IAMjB,KAAK,gBAAiB,CAC1B,CAOG,qBAAsB,CAKrB,GAJA,KAAK,oBAAqB,EAItB,CAAC,KAAK,eAAgB,CAGxB,GAAI,CAAC,KAAK,gBACR,OAIF,KAAK,OAAQ,EACb,MACN,CAGI,KAAK,6BAA8B,EAEnC,KAAK,uBAAwB,CACjC,CASG,oBAAqB,CACpB,KAAK,oBAAqB,EAC1B,KAAK,uBAAwB,CACjC,CAKG,kBAAmB,CAClB,OAAI,KAAK,gBAAkB,SAClB,QAAQ,QAAS,EAGnB,KAAK,eAAgB,CAChC,CAKG,OAAQ,CACP,OAAO,KAAK,gBAAiB,CACjC,CAOG,gBAAiB,CAChB,YAAK,gBAAiB,EAEf,KAAK,gBAAgB,MAAO,CACvC,CAKG,aAAc,CACb,KAAK,gBAAgB,OAAQ,CACjC,CAGG,cAAe,CACd,OAAO,KAAK,SAAW,KAAK,QAAQ,EACxC,CAUG,8BAA+B,CAK9B,GACE,KAAK,eACLnQ,GAAU,KAAK,cAAe,KAAK,SAAS,gBAAgB,GAC5D,KAAK,SACL,KAAK,QAAQ,UAAY,UACzB,CAKA,KAAK,MAAO,EACZ,MACN,CAII,MAAK,OAAK,eAMd,CAOG,iBAAkB,CACjB,MAAMoQ,EAAU,GAAGt+B,EAAO,SAAS,QAAQ,GAAGA,EAAO,SAAS,IAAI,GAAGA,EAAO,SAAS,MAAM,GACrFV,EAAM,GAAGU,EAAO,SAAS,MAAM,GAAGs+B,CAAO,GAE/C,KAAK,mBAAqB,CAAE,EAC5B,KAAK,yBAA2B,CAAE,EAGlC,KAAK,cAAe,EAEpB,KAAK,SAAS,WAAah/B,EAC3B,KAAK,SAAS,iBAAmB,KAAK,IAAK,EAC3C,KAAK,SAAS,KAAK,KAAKA,CAAG,CAC/B,CAMG,kBACC8R,EACAkS,EACA,CACA,MAAM2S,EAAM,KAAK,mBAAmB7kB,EAAOkS,CAAU,EAIrD,GAAI2S,IAAQgH,GAAW,CACrB,MAAMnY,EAAakC,GAAiB,CAClC,SAAU,kBAClB,CAAO,EAED,KAAK,UAAU,IAEN,CAAC8H,GAAa,KAAM,CACzB,KAAMtK,GACN,UAAWM,EAAW,WAAa,EACnC,KAAM,CACJ,IAAK,aACL,QAASA,EACT,OAAQ,EACT,CACX,CAAS,CACF,CACP,CAEI,OAAOmR,CACX,CAMG,iBAAkB,CAEjB,MAAMsI,EAAkB,KAAK,iBAAmB1F,GAAe,EAAG,eAAgB,EAG5EjpB,GADc2uB,GAAmBC,GAAWD,CAAe,EAAE,MAAS,CAAE,GACpDE,EAAgC,EAC1D,GAAI,GAACF,GAAmB,CAAC3uB,GAAU,CAAC,CAAC,QAAS,QAAQ,EAAE,SAASA,CAAM,GAIvE,OAAO4uB,GAAWD,CAAe,EAAE,WACvC,CAMG,sBAAuB,CACtB,KAAK,gBAAiB,EAItB,KAAK,uBAAwB,EAE7B,KAAK,YAAclS,GAAkB,CACnC,eAAgB,KAAK,SAAS,eAC9B,UAAW,KAAK,SAAS,SAC/B,CAAK,EAED,KAAK,iBAAkB,EACvB,KAAK,cAAe,EAGpB,KAAK,WAAa,GAClB,KAAK,UAAY,GAEjB,KAAK,eAAgB,CACzB,CAGG,iBAAiB1V,EAAO,CACvBkU,GAAeG,EAAO,MAAM,WAAYrU,CAAK,EAEzCkU,GAAe,KAAK,SAAS,cAAgB,KAAK,SAAS,aAAa,mBAC1EmS,GAAiBrmB,CAAK,CAE5B,CAKG,8BAA8B4W,EAAmB,CAGhD,MAAMI,EAAiB,KAAK,SAAS,gBAAkB,EAEjDV,EAAUyB,GACd,CACE,kBAAmB,KAAK,SAAS,kBACjC,kBAAmB,KAAK,SAAS,kBACjC,eAAgB,KAAK,SAAS,aAAa,eAC3C,kBAAAnB,CACD,EACD,CACE,cAAe,KAAK,SAAS,cAC7B,kBAAmB,KAAK,SAAS,kBACjC,eAAAI,CACD,CACF,EAED,KAAK,QAAUV,CACnB,CAMG,eAAgB,CAGf,GAAI,CAAC,KAAK,QACR,MAAO,GAGT,MAAMyR,EAAiB,KAAK,QAE5B,OACEjQ,GAAqBiQ,EAAgB,CACnC,kBAAmB,KAAK,SAAS,kBACjC,kBAAmB,KAAK,SAAS,iBAClC,CAAA,GAID,KAAK,gBAAgBA,CAAc,EAC5B,IAGF,EACX,CAOG,MAAM,gBAAgBzR,EAAS,CACzB,KAAK,aAGV,MAAM,KAAK,KAAK,CAAE,OAAQ,iBAAiB,CAAE,EAC7C,KAAK,mBAAmBA,EAAQ,EAAE,EACtC,CAKG,eAAgB,CACf,GAAI,CACFjtB,EAAO,SAAS,iBAAiB,mBAAoB,KAAK,uBAAuB,EACjFA,EAAO,iBAAiB,OAAQ,KAAK,iBAAiB,EACtDA,EAAO,iBAAiB,QAAS,KAAK,kBAAkB,EACxDA,EAAO,iBAAiB,UAAW,KAAK,oBAAoB,EAExD,KAAK,eACP,KAAK,cAAc,aAAc,EAI9B,KAAK,+BACR44B,GAAmB,IAAI,EAEvB,KAAK,6BAA+B,GAEvC,OAAQjtB,EAAK,CACZ,KAAK,iBAAiBA,CAAG,CAC/B,CAEI,KAAK,4BAA8B2e,GAAyB,IAAI,CACpE,CAKG,kBAAmB,CAClB,GAAI,CACFtqB,EAAO,SAAS,oBAAoB,mBAAoB,KAAK,uBAAuB,EAEpFA,EAAO,oBAAoB,OAAQ,KAAK,iBAAiB,EACzDA,EAAO,oBAAoB,QAAS,KAAK,kBAAkB,EAC3DA,EAAO,oBAAoB,UAAW,KAAK,oBAAoB,EAE3D,KAAK,eACP,KAAK,cAAc,gBAAiB,EAGlC,KAAK,6BACP,KAAK,4BAA6B,CAErC,OAAQ2L,EAAK,CACZ,KAAK,iBAAiBA,CAAG,CAC/B,CACA,CAQG,QAAS,CAAC,KAAK,wBAA0B,IAAM,CAC1C3L,EAAO,SAAS,kBAAoB,UACtC,KAAK,2BAA4B,EAEjC,KAAK,2BAA4B,CAEvC,CAAI,CAKD,SAAU,CAAC,KAAK,kBAAoB,IAAM,CACzC,MAAM8kB,EAAakC,GAAiB,CAClC,SAAU,SAChB,CAAK,EAID,KAAK,2BAA2BlC,CAAU,CAC9C,CAAI,CAKD,SAAU,CAAC,KAAK,mBAAqB,IAAM,CAC1C,MAAMA,EAAakC,GAAiB,CAClC,SAAU,UAChB,CAAK,EAID,KAAK,2BAA2BlC,CAAU,CAC9C,CAAI,CAGD,SAAU,CAAC,KAAK,qBAAwB1T,GAAU,CACjDwW,GAAoB,KAAMxW,CAAK,CACnC,CAAI,CAKD,2BAA2B0T,EAAY,CAClC,CAAC,KAAK,SAIMwJ,GAAiB,KAAK,QAAS,CAC7C,kBAAmB,KAAK,SAAS,kBACjC,kBAAmB,KAAK,SAAS,iBACvC,CAAK,IAMGxJ,GACF,KAAK,wBAAwBA,CAAU,EAQpC,KAAK,iBAAkB,EAChC,CAKG,2BAA2BA,EAAY,CACtC,GAAI,CAAC,KAAK,QACR,OAKF,GAAI,CAFoB,KAAK,6BAA8B,EAErC,CAIpBgG,EAAQ,8DAA8D,EACtE,MACN,CAEQhG,GACF,KAAK,wBAAwBA,CAAU,CAE7C,CAKG,oBAAoB6Z,EAAgB,KAAK,MAAO,CAC/C,KAAK,cAAgBA,CACzB,CAKG,uBAAuBA,EAAgB,KAAK,MAAO,CAC9C,KAAK,UACP,KAAK,QAAQ,aAAeA,EAC5B,KAAK,kBAAmB,EAE9B,CAKG,wBAAwB7Z,EAAY,CACnC,KAAK,UAAU,IAAM,CAGnB,KAAK,kBAAkB,CACrB,KAAMhS,EAAU,OAChB,UAAWgS,EAAW,WAAa,EACnC,KAAM,CACJ,IAAK,aACL,QAASA,CACV,CACT,CAAO,CACP,CAAK,CACL,CAMG,wBAAyB,CACxB,MAAM8Z,EAAqBlW,GAAyB,KAAK,kBAAkB,EAAE,OAAO,KAAK,wBAAwB,EAEjH,YAAK,mBAAqB,CAAE,EAC5B,KAAK,yBAA2B,CAAE,EAE3B,QAAQ,IAAIuI,GAAuB,KAAM2N,CAAkB,CAAC,CACvE,CAKG,eAAgB,CAEf,KAAK,SAAS,SAAS,MAAO,EAC9B,KAAK,SAAS,SAAS,MAAO,EAC9B,KAAK,SAAS,KAAO,CAAE,CAC3B,CAGG,wCAAyC,CACxC,KAAM,CAAE,QAAA3R,EAAS,YAAA4R,CAAW,EAAK,KAMjC,GALI,CAAC5R,GAAW,CAAC4R,GAKb5R,EAAQ,UACV,OAGF,MAAMwN,EAAgBoE,EAAY,qBAAsB,EACpDpE,GAAiBA,EAAgB,KAAK,SAAS,mBACjD,KAAK,SAAS,iBAAmBA,EAEvC,CAKG,kBAAmB,CAClB,MAAMqE,EAAW,CACf,iBAAkB,KAAK,SAAS,iBAChC,WAAY,KAAK,SAAS,WAC1B,SAAU,MAAM,KAAK,KAAK,SAAS,QAAQ,EAC3C,SAAU,MAAM,KAAK,KAAK,SAAS,QAAQ,EAC3C,KAAM,KAAK,SAAS,IACrB,EAED,YAAK,cAAe,EAEbA,CACX,CAUG,MAAM,WAAY,CACjB,MAAM3F,EAAW,KAAK,aAAc,EAEpC,GAAI,CAAC,KAAK,SAAW,CAAC,KAAK,aAAe,CAACA,EAAU,CACnDtO,GAAeG,EAAO,MAAM,oDAAoD,EAChF,MACN,CAKI,GAHA,MAAM,KAAK,uBAAwB,EAG/B,GAAC,KAAK,aAAe,CAAC,KAAK,YAAY,aAK3C,MAAMsO,GAAe,IAAI,EAGrB,EAAC,KAAK,aAKNH,IAAa,KAAK,gBAItB,GAAI,CAEF,KAAK,uCAAwC,EAE7C,MAAMzU,EAAY,KAAK,IAAK,EAK5B,GAAIA,EAAY,KAAK,SAAS,iBAAmB,KAAK,SAAS,kBAAoB,IACjF,MAAM,IAAI,MAAM,yCAAyC,EAG3D,MAAMsX,EAAe,KAAK,iBAAkB,EAEtC3O,EAAY,KAAK,QAAQ,YAC/B,KAAK,kBAAmB,EAGxB,MAAMwN,EAAgB,MAAM,KAAK,YAAY,OAAQ,EAErD,MAAM+B,GAAW,CACf,SAAAzD,EACA,cAAA0B,EACA,UAAAxN,EACA,aAAA2O,EACA,QAAS,KAAK,QACd,QAAS,KAAK,WAAY,EAC1B,UAAAtX,CACR,CAAO,CACF,OAAQ/Y,EAAK,CACZ,KAAK,iBAAiBA,CAAG,EAOzB,KAAK,KAAK,CAAE,OAAQ,YAAY,CAAE,EAElC,MAAMnM,EAAS8vB,GAAW,EAEtB9vB,GACFA,EAAO,mBAAmB,aAAc,QAAQ,CAExD,CACA,CAMG,SAAU,CAAC,KAAK,OAAS,MAAO,CAC/B,MAAAu/B,EAAQ,EACZ,EAEG,KAAO,CACN,GAAI,CAAC,KAAK,YAAc,CAACA,EAEvB,OAGF,GAAI,CAAC,KAAK,+BAAgC,CACxClU,GAAeG,EAAO,MAAM,mEAAmE,EAC/F,MACN,CAEI,GAAI,CAAC,KAAK,QAER,OAGF,MAAM5B,EAAQ,KAAK,QAAQ,QAErBH,EADM,KAAK,IAAK,EACCG,EAGvB,KAAK,gBAAgB,OAAQ,EAI7B,MAAM4V,EAAW/V,EAAW,KAAK,SAAS,kBACpCgW,EAAUhW,EAAW,KAAK,SAAS,kBAAoB,IAC7D,GAAI+V,GAAYC,EAAS,CACvBnU,EACE,8BAA8B,KAAK,MAAM7B,EAAW,GAAI,CAAC,aACvD+V,EAAW,QAAU,MAC/B,wBACQ,KAAK,SAAS,aAAa,cAC5B,EAEGA,GACF,KAAK,gBAAiB,EAExB,MACN,CAEI,MAAMH,EAAc,KAAK,YAQzB,GAPIA,GAAe,KAAK,QAAQ,YAAc,GAAK,CAACA,EAAY,aAC9D/T,EAAQ,sDAAuD,KAAK,SAAS,aAAa,cAAc,EAMtG,CAAC,KAAK,WAAY,CACpB,KAAK,WAAa,KAAK,UAAW,EAClC,MAAM,KAAK,WACX,KAAK,WAAa,OAClB,MACN,CAQI,GAAI,CACF,MAAM,KAAK,UACZ,OAAQnf,EAAK,CACZkf,GAAeG,EAAO,MAAMrf,CAAG,CACrC,QAAc,CACR,KAAK,gBAAiB,CAC5B,CACA,CAAI,CAGD,mBAAoB,CACf,KAAK,SAAW,KAAK,SAAS,eAChC6hB,GAAY,KAAK,OAAO,CAE9B,CAGG,SAAU,CAAC,KAAK,mBAAsBzZ,GAAc,CACnD,MAAMmK,EAAQnK,EAAU,OAElBmrB,EAAgB,KAAK,SAAS,cAC9BC,EAA0B,KAAK,SAAS,wBACxCC,EAAoBF,GAAiBhhB,EAAQghB,EAInD,GAAIhhB,EAAQihB,GAA2BC,EAAmB,CACxD,MAAMta,EAAakC,GAAiB,CAClC,SAAU,mBACV,KAAM,CACJ,MAAA9I,EACA,MAAOkhB,CACR,CACT,CAAO,EACD,KAAK,wBAAwBta,CAAU,CAC7C,CAGI,OAAIsa,GAGF,KAAK,KAAK,CAAE,OAAQ,gBAAiB,WAAY,KAAK,gBAAkB,UAAW,EAC5E,IAIF,EACX,CAAI,CACJ,CAEA,SAASC,GACPC,EACAC,EACAC,EACAC,EACA,CACA,MAAMC,EAAsB,OAAOD,GAA6B,SAAWA,EAAyB,MAAM,GAAG,EAAI,CAAE,EAE7GE,EAAe,CACnB,GAAGL,EAEH,GAAGI,EAGH,GAAGH,CACJ,EAGD,OAAI,OAAOC,EAA0B,MAE/B,OAAOA,GAA0B,UACnCG,EAAa,KAAK,IAAIH,CAAqB,EAAE,EAG/CI,GAAe,IAAM,CAEnB,QAAQ,KACN,yIACD,CACP,CAAK,GAGID,EAAa,KAAK,GAAG,CAC9B,CAKA,SAASE,GAAkB,CACzB,KAAAC,EACA,OAAAC,EACA,MAAAC,EACA,QAAAC,EACA,OAAAC,EAGA,WAAAh4B,EAEA,cAAAC,EAEA,cAAAY,EAEA,iBAAAC,EAEA,YAAA4Q,CACF,EAAG,CACD,MAAMumB,EAAyB,CAAC,gBAAgB,EAE1CC,EAAef,GAAUS,EAAM,CAAC,eAAgB,oBAAoB,EAAG/2B,EAAeC,CAAgB,EACtGq3B,EAAiBhB,GAAUU,EAAQ,CAAC,iBAAkB,sBAAsB,CAAC,EAE7E11B,EAAU,CAEd,iBAAkB+1B,EAClB,mBAAoBC,EAEpB,cAAehB,GACbW,EACA,CAAC,gBAAiB,sBAAuB,GAAGG,CAAsB,EAClEj4B,EACAC,CACD,EACD,gBAAiBk3B,GAAUY,EAAS,CAAC,kBAAmB,uBAAuB,CAAC,EAChF,eAAgBZ,GAAUa,EAAQ,CAAC,iBAAkB,uBAAwB,oBAAoB,EAAGtmB,CAAW,CAChH,EAED,OAAI1R,aAAsB,SACxBmC,EAAQ,WAAanC,GAGnBa,aAAyB,SAC3BsB,EAAQ,cAAgBtB,GAGnBsB,CACT,CAKA,SAASi2B,GAAc,CACrB,GAAAv7B,EACA,IAAAwK,EACA,eAAAgxB,EACA,YAAAp3B,EACA,eAAAq3B,EACA,MAAAxhC,CACF,EAAG,CAOD,MALI,CAACmK,GAKDq3B,EAAe,oBAAsBz7B,EAAG,QAAQy7B,EAAe,kBAAkB,EAC5ExhC,EAIPuhC,EAAe,SAAShxB,CAAG,GAG1BA,IAAQ,SAAWxK,EAAG,UAAY,SAAW,CAAC,SAAU,QAAQ,EAAE,SAASA,EAAG,aAAa,MAAM,GAAK,EAAE,EAElG/F,EAAM,QAAQ,QAAS,GAAG,EAG5BA,CACT,CAEA,MAAMyhC,GACJ,mGAEIC,GAA0B,CAAC,iBAAkB,eAAgB,QAAQ,EAE3E,IAAIC,GAAe,GAWnB,MAAMC,EAAU,CAIb,OAAO,cAAe,CAAC,KAAK,GAAK,QAAS,CAkB1C,YAAY,CACX,cAAAC,EAAgBvgC,GAChB,cAAAwgC,EAAgBvgC,GAChB,kBAAAwgC,EAAoB//B,GACpB,kBAAAutB,EAAoBrtB,GACpB,cAAA2sB,EAAgB,GAChB,eAAAvB,EAAiB,GACjB,UAAAG,EACA,aAAAuU,EAAe,CAAE,EACjB,kBAAAtT,EACA,gBAAAqQ,EACA,YAAA50B,EAAc,GACd,cAAAgF,EAAgB,GAChB,cAAA8yB,EAAgB,GAEhB,wBAAA9B,EAA0B,IAC1B,cAAAD,EAAgB,IAEhB,iBAAArB,EAAmB,IACnB,yBAAAC,EAA2B,CAAE,EAE7B,uBAAArG,EAAyB,CAAE,EAC3B,sBAAAC,EAAwB,CAAE,EAC1B,qBAAAnC,EAAuB,GACvB,sBAAAC,EAAwB,CAAE,EAC1B,uBAAAI,EAAyB,CAAE,EAE3B,KAAAkK,EAAO,CAAE,EACT,eAAAS,EAAiB,CAAC,QAAS,aAAa,EACxC,OAAAR,EAAS,CAAE,EACX,MAAAC,EAAQ,CAAE,EACV,QAAAC,EAAU,CAAE,EACZ,OAAAC,EAAS,CAAE,EACX,OAAAgB,EAEA,wBAAAC,EACA,oBAAA9Q,EAGA,WAAAnoB,EAEA,cAAAC,EAEA,iBAAA1E,EAEA,cAAAsF,EAEA,iBAAAC,EAEA,YAAA4Q,EACD,EAAG,GAAI,CAEN,KAAK,KAAOgnB,GAAS,GAErB,MAAMJ,GAAiBX,GAAkB,CACvC,KAAAC,EACA,OAAAC,EACA,MAAAC,EACA,QAAAC,EACA,OAAAC,EACA,WAAAh4B,EACA,cAAAC,EACA,cAAAY,EACA,iBAAAC,EACA,YAAA4Q,EACN,CAAK,EAkGD,GAhGA,KAAK,kBAAoB,CACvB,cAAAzL,EACA,YAAAhF,EACA,iBAAkB,CAAE,GAAI1F,GAAoB,CAAE,EAAG,SAAU,EAAM,EACjE,WAAYy9B,EACZ,YAAaA,EACb,gBAAiB,CAAC3xB,GAAKvQ,GAAO+F,KAC5Bu7B,GAAc,CACZ,eAAAC,EACA,YAAAp3B,EACA,eAAAq3B,GACA,IAAAjxB,GACA,MAAAvQ,GACA,GAAA+F,EACV,CAAS,EAEH,GAAGy7B,GAGH,eAAgB,MAChB,iBAAkB,GAElB,aAAc,GAGd,aAAc,GACd,aAAe70B,IAAQ,CACrB,GAAI,CACFA,GAAI,UAAY,EACjB,MAAe,CAGxB,CACO,CACF,EAED,KAAK,gBAAkB,CACrB,cAAAk1B,EACA,cAAAC,EACA,kBAAmB,KAAK,IAAIC,EAAmB9/B,EAAyB,EACxE,kBAAmB,KAAK,IAAIstB,EAAmBrtB,EAAmB,EAClE,cAAA2sB,EACA,kBAAAH,EACA,gBAAAqQ,EACA,eAAAzR,EACA,UAAAG,EACA,cAAAwU,EACA,cAAA9yB,EACA,YAAAhF,EACA,wBAAAg2B,EACA,cAAAD,EACA,iBAAArB,EACA,yBAAAC,EACA,uBAAArG,EACA,sBAAAC,EACA,qBAAAnC,EACA,sBAAuB6L,GAAyB5L,CAAqB,EACrE,uBAAwB4L,GAAyBxL,CAAsB,EACvE,wBAAAuL,EACA,oBAAA9Q,EAEA,aAAA2Q,CACD,EAEG,OAAOtT,GAAsB,WAE/B,QAAQ,KACN;AAAA;AAAA;AAAA,0CAGkCA,CAAiB,KACpD,EAED,KAAK,gBAAgB,kBAAoBA,GAGvC,OAAOqQ,GAAoB,WAE7B,QAAQ,KACN;AAAA;AAAA;AAAA,0CAGkCA,CAAe,KAClD,EAED,KAAK,gBAAgB,gBAAkBA,GAGrC,KAAK,gBAAgB,gBAGvB,KAAK,kBAAkB,cAAiB,KAAK,kBAAkB,cAE3D,GAAG,KAAK,kBAAkB,aAAa,IAAI0C,EAAe,GAD1DA,IAIF,KAAK,gBAAkBliC,KACzB,MAAM,IAAI,MAAM,4DAA4D,EAG9E,KAAK,eAAiB,EAC1B,CAGG,IAAI,gBAAiB,CACpB,OAAOoiC,EACX,CAGG,IAAI,eAAe3hC,EAAO,CACzB2hC,GAAe3hC,CACnB,CAKG,WAAY,CACNT,GAAS,IAId,KAAK,OAAQ,EAUb,WAAW,IAAM,KAAK,aAAa,EACvC,CASG,OAAQ,CACF,KAAK,SAIV,KAAK,QAAQ,MAAO,CACxB,CAMG,gBAAiB,CACX,KAAK,SAIV,KAAK,QAAQ,eAAgB,CACjC,CAMG,MAAO,CACN,OAAK,KAAK,QAIH,KAAK,QAAQ,KAAK,CAAE,WAAY,KAAK,QAAQ,gBAAkB,UAAW,EAHxE,QAAQ,QAAS,CAI9B,CASG,MAAM8L,EAAS,CACd,MAAI,CAAC,KAAK,SAAW,CAAC,KAAK,QAAQ,YAC1B,QAAQ,QAAS,EAGnB,KAAK,QAAQ,0BAA0BA,CAAO,CACzD,CAKG,aAAc,CACb,GAAI,GAAC,KAAK,SAAW,CAAC,KAAK,QAAQ,aAInC,OAAO,KAAK,QAAQ,aAAc,CACtC,CAKG,aAAc,CACR,KAAK,UAQV,KAAK,sCAAuC,EAE5C,KAAK,QAAQ,mBAAoB,EACrC,CAGG,QAAS,CAER,MAAMg3B,EAAeC,GAA4B,KAAK,eAAe,EAErE,KAAK,QAAU,IAAI3D,GAAgB,CACjC,QAAS0D,EACT,iBAAkB,KAAK,iBAC7B,CAAK,CACL,CAGG,uCAAwC,CAIvC,GAAI,CAEF,MAAME,EADSjS,GAAW,EACO,qBAAqB,cAAc,EAGpE,GAAI,CAACiS,EACH,OAGF,KAAK,QAAQ,QAAaA,EAAkB,WAAY,CACzD,MAAW,CAEhB,CAEA,CACA,CAACX,GAAS,aAAc,EAGxB,SAASU,GAA4BE,EAAgB,CACnD,MAAMhiC,EAAS8vB,GAAW,EACpBmS,EAAMjiC,GAAWA,EAAO,WAAU,EAElC6hC,EAAe,CAAE,kBAAmB,EAAG,gBAAiB,EAAG,GAAGnO,GAAkBsO,CAAc,CAAG,EAEvG,OAAKC,GASHD,EAAe,mBAAqB,MACpCA,EAAe,iBAAmB,MAClCC,EAAI,0BAA4B,MAChCA,EAAI,0BAA4B,MAEhC7B,GAAe,IAAM,CAEnB,QAAQ,KACN,uGACD,CACP,CAAK,EAGC,OAAO6B,EAAI,0BAA6B,WAC1CJ,EAAa,kBAAoBI,EAAI,0BAGnC,OAAOA,EAAI,0BAA6B,WAC1CJ,EAAa,gBAAkBI,EAAI,0BAG9BJ,IA7BLzB,GAAe,IAAM,CAEnB,QAAQ,KAAK,8BAA8B,CACjD,CAAK,EACMyB,EA0BX,CAEA,SAASD,GAAyB9N,EAAS,CACzC,MAAO,CAAC,GAAGoN,GAAyB,GAAGpN,EAAQ,IAAId,GAAUA,EAAO,YAAW,CAAE,CAAC,CACpF","x_google_ignoreList":[0,1,2,3,4,5]}