{"version":3,"file":"react-router-DXzLS6k0.js","sources":["../../../../../node_modules/.pnpm/@remix-run+router@1.14.1/node_modules/@remix-run/router/dist/router.js"],"sourcesContent":["/**\n * @remix-run/router v1.14.1\n *\n * Copyright (c) Remix Software Inc.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE.md file in the root directory of this source tree.\n *\n * @license MIT\n */\nfunction _extends() {\n _extends = Object.assign ? Object.assign.bind() : function (target) {\n for (var i = 1; i < arguments.length; i++) {\n var source = arguments[i];\n for (var key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n }\n return target;\n };\n return _extends.apply(this, arguments);\n}\n\n////////////////////////////////////////////////////////////////////////////////\n//#region Types and Constants\n////////////////////////////////////////////////////////////////////////////////\n/**\n * Actions represent the type of change to a location value.\n */\nvar Action;\n(function (Action) {\n /**\n * A POP indicates a change to an arbitrary index in the history stack, such\n * as a back or forward navigation. It does not describe the direction of the\n * navigation, only that the current index changed.\n *\n * Note: This is the default action for newly created history objects.\n */\n Action[\"Pop\"] = \"POP\";\n /**\n * A PUSH indicates a new entry being added to the history stack, such as when\n * a link is clicked and a new page loads. When this happens, all subsequent\n * entries in the stack are lost.\n */\n Action[\"Push\"] = \"PUSH\";\n /**\n * A REPLACE indicates the entry at the current index in the history stack\n * being replaced by a new one.\n */\n Action[\"Replace\"] = \"REPLACE\";\n})(Action || (Action = {}));\nconst PopStateEventType = \"popstate\";\n/**\n * Memory history stores the current location in memory. It is designed for use\n * in stateful non-browser environments like tests and React Native.\n */\nfunction createMemoryHistory(options) {\n if (options === void 0) {\n options = {};\n }\n let {\n initialEntries = [\"/\"],\n initialIndex,\n v5Compat = false\n } = options;\n let entries; // Declare so we can access from createMemoryLocation\n entries = initialEntries.map((entry, index) => createMemoryLocation(entry, typeof entry === \"string\" ? null : entry.state, index === 0 ? \"default\" : undefined));\n let index = clampIndex(initialIndex == null ? entries.length - 1 : initialIndex);\n let action = Action.Pop;\n let listener = null;\n function clampIndex(n) {\n return Math.min(Math.max(n, 0), entries.length - 1);\n }\n function getCurrentLocation() {\n return entries[index];\n }\n function createMemoryLocation(to, state, key) {\n if (state === void 0) {\n state = null;\n }\n let location = createLocation(entries ? getCurrentLocation().pathname : \"/\", to, state, key);\n warning(location.pathname.charAt(0) === \"/\", \"relative pathnames are not supported in memory history: \" + JSON.stringify(to));\n return location;\n }\n function createHref(to) {\n return typeof to === \"string\" ? to : createPath(to);\n }\n let history = {\n get index() {\n return index;\n },\n get action() {\n return action;\n },\n get location() {\n return getCurrentLocation();\n },\n createHref,\n createURL(to) {\n return new URL(createHref(to), \"http://localhost\");\n },\n encodeLocation(to) {\n let path = typeof to === \"string\" ? parsePath(to) : to;\n return {\n pathname: path.pathname || \"\",\n search: path.search || \"\",\n hash: path.hash || \"\"\n };\n },\n push(to, state) {\n action = Action.Push;\n let nextLocation = createMemoryLocation(to, state);\n index += 1;\n entries.splice(index, entries.length, nextLocation);\n if (v5Compat && listener) {\n listener({\n action,\n location: nextLocation,\n delta: 1\n });\n }\n },\n replace(to, state) {\n action = Action.Replace;\n let nextLocation = createMemoryLocation(to, state);\n entries[index] = nextLocation;\n if (v5Compat && listener) {\n listener({\n action,\n location: nextLocation,\n delta: 0\n });\n }\n },\n go(delta) {\n action = Action.Pop;\n let nextIndex = clampIndex(index + delta);\n let nextLocation = entries[nextIndex];\n index = nextIndex;\n if (listener) {\n listener({\n action,\n location: nextLocation,\n delta\n });\n }\n },\n listen(fn) {\n listener = fn;\n return () => {\n listener = null;\n };\n }\n };\n return history;\n}\n/**\n * Browser history stores the location in regular URLs. This is the standard for\n * most web apps, but it requires some configuration on the server to ensure you\n * serve the same app at multiple URLs.\n *\n * @see https://github.com/remix-run/history/tree/main/docs/api-reference.md#createbrowserhistory\n */\nfunction createBrowserHistory(options) {\n if (options === void 0) {\n options = {};\n }\n function createBrowserLocation(window, globalHistory) {\n let {\n pathname,\n search,\n hash\n } = window.location;\n return createLocation(\"\", {\n pathname,\n search,\n hash\n },\n // state defaults to `null` because `window.history.state` does\n globalHistory.state && globalHistory.state.usr || null, globalHistory.state && globalHistory.state.key || \"default\");\n }\n function createBrowserHref(window, to) {\n return typeof to === \"string\" ? to : createPath(to);\n }\n return getUrlBasedHistory(createBrowserLocation, createBrowserHref, null, options);\n}\n/**\n * Hash history stores the location in window.location.hash. This makes it ideal\n * for situations where you don't want to send the location to the server for\n * some reason, either because you do cannot configure it or the URL space is\n * reserved for something else.\n *\n * @see https://github.com/remix-run/history/tree/main/docs/api-reference.md#createhashhistory\n */\nfunction createHashHistory(options) {\n if (options === void 0) {\n options = {};\n }\n function createHashLocation(window, globalHistory) {\n let {\n pathname = \"/\",\n search = \"\",\n hash = \"\"\n } = parsePath(window.location.hash.substr(1));\n // Hash URL should always have a leading / just like window.location.pathname\n // does, so if an app ends up at a route like /#something then we add a\n // leading slash so all of our path-matching behaves the same as if it would\n // in a browser router. This is particularly important when there exists a\n // root splat route () since that matches internally against\n // \"/*\" and we'd expect /#something to 404 in a hash router app.\n if (!pathname.startsWith(\"/\") && !pathname.startsWith(\".\")) {\n pathname = \"/\" + pathname;\n }\n return createLocation(\"\", {\n pathname,\n search,\n hash\n },\n // state defaults to `null` because `window.history.state` does\n globalHistory.state && globalHistory.state.usr || null, globalHistory.state && globalHistory.state.key || \"default\");\n }\n function createHashHref(window, to) {\n let base = window.document.querySelector(\"base\");\n let href = \"\";\n if (base && base.getAttribute(\"href\")) {\n let url = window.location.href;\n let hashIndex = url.indexOf(\"#\");\n href = hashIndex === -1 ? url : url.slice(0, hashIndex);\n }\n return href + \"#\" + (typeof to === \"string\" ? to : createPath(to));\n }\n function validateHashLocation(location, to) {\n warning(location.pathname.charAt(0) === \"/\", \"relative pathnames are not supported in hash history.push(\" + JSON.stringify(to) + \")\");\n }\n return getUrlBasedHistory(createHashLocation, createHashHref, validateHashLocation, options);\n}\nfunction invariant(value, message) {\n if (value === false || value === null || typeof value === \"undefined\") {\n throw new Error(message);\n }\n}\nfunction warning(cond, message) {\n if (!cond) {\n // eslint-disable-next-line no-console\n if (typeof console !== \"undefined\") console.warn(message);\n try {\n // Welcome to debugging history!\n //\n // This error is thrown as a convenience, so you can more easily\n // find the source for a warning that appears in the console by\n // enabling \"pause on exceptions\" in your JavaScript debugger.\n throw new Error(message);\n // eslint-disable-next-line no-empty\n } catch (e) {}\n }\n}\nfunction createKey() {\n return Math.random().toString(36).substr(2, 8);\n}\n/**\n * For browser-based histories, we combine the state and key into an object\n */\nfunction getHistoryState(location, index) {\n return {\n usr: location.state,\n key: location.key,\n idx: index\n };\n}\n/**\n * Creates a Location object with a unique key from the given Path\n */\nfunction createLocation(current, to, state, key) {\n if (state === void 0) {\n state = null;\n }\n let location = _extends({\n pathname: typeof current === \"string\" ? current : current.pathname,\n search: \"\",\n hash: \"\"\n }, typeof to === \"string\" ? parsePath(to) : to, {\n state,\n // TODO: This could be cleaned up. push/replace should probably just take\n // full Locations now and avoid the need to run through this flow at all\n // But that's a pretty big refactor to the current test suite so going to\n // keep as is for the time being and just let any incoming keys take precedence\n key: to && to.key || key || createKey()\n });\n return location;\n}\n/**\n * Creates a string URL path from the given pathname, search, and hash components.\n */\nfunction createPath(_ref) {\n let {\n pathname = \"/\",\n search = \"\",\n hash = \"\"\n } = _ref;\n if (search && search !== \"?\") pathname += search.charAt(0) === \"?\" ? search : \"?\" + search;\n if (hash && hash !== \"#\") pathname += hash.charAt(0) === \"#\" ? hash : \"#\" + hash;\n return pathname;\n}\n/**\n * Parses a string URL path into its separate pathname, search, and hash components.\n */\nfunction parsePath(path) {\n let parsedPath = {};\n if (path) {\n let hashIndex = path.indexOf(\"#\");\n if (hashIndex >= 0) {\n parsedPath.hash = path.substr(hashIndex);\n path = path.substr(0, hashIndex);\n }\n let searchIndex = path.indexOf(\"?\");\n if (searchIndex >= 0) {\n parsedPath.search = path.substr(searchIndex);\n path = path.substr(0, searchIndex);\n }\n if (path) {\n parsedPath.pathname = path;\n }\n }\n return parsedPath;\n}\nfunction getUrlBasedHistory(getLocation, createHref, validateLocation, options) {\n if (options === void 0) {\n options = {};\n }\n let {\n window = document.defaultView,\n v5Compat = false\n } = options;\n let globalHistory = window.history;\n let action = Action.Pop;\n let listener = null;\n let index = getIndex();\n // Index should only be null when we initialize. If not, it's because the\n // user called history.pushState or history.replaceState directly, in which\n // case we should log a warning as it will result in bugs.\n if (index == null) {\n index = 0;\n globalHistory.replaceState(_extends({}, globalHistory.state, {\n idx: index\n }), \"\");\n }\n function getIndex() {\n let state = globalHistory.state || {\n idx: null\n };\n return state.idx;\n }\n function handlePop() {\n action = Action.Pop;\n let nextIndex = getIndex();\n let delta = nextIndex == null ? null : nextIndex - index;\n index = nextIndex;\n if (listener) {\n listener({\n action,\n location: history.location,\n delta\n });\n }\n }\n function push(to, state) {\n action = Action.Push;\n let location = createLocation(history.location, to, state);\n if (validateLocation) validateLocation(location, to);\n index = getIndex() + 1;\n let historyState = getHistoryState(location, index);\n let url = history.createHref(location);\n // try...catch because iOS limits us to 100 pushState calls :/\n try {\n globalHistory.pushState(historyState, \"\", url);\n } catch (error) {\n // If the exception is because `state` can't be serialized, let that throw\n // outwards just like a replace call would so the dev knows the cause\n // https://html.spec.whatwg.org/multipage/nav-history-apis.html#shared-history-push/replace-state-steps\n // https://html.spec.whatwg.org/multipage/structured-data.html#structuredserializeinternal\n if (error instanceof DOMException && error.name === \"DataCloneError\") {\n throw error;\n }\n // They are going to lose state here, but there is no real\n // way to warn them about it since the page will refresh...\n window.location.assign(url);\n }\n if (v5Compat && listener) {\n listener({\n action,\n location: history.location,\n delta: 1\n });\n }\n }\n function replace(to, state) {\n action = Action.Replace;\n let location = createLocation(history.location, to, state);\n if (validateLocation) validateLocation(location, to);\n index = getIndex();\n let historyState = getHistoryState(location, index);\n let url = history.createHref(location);\n globalHistory.replaceState(historyState, \"\", url);\n if (v5Compat && listener) {\n listener({\n action,\n location: history.location,\n delta: 0\n });\n }\n }\n function createURL(to) {\n // window.location.origin is \"null\" (the literal string value) in Firefox\n // under certain conditions, notably when serving from a local HTML file\n // See https://bugzilla.mozilla.org/show_bug.cgi?id=878297\n let base = window.location.origin !== \"null\" ? window.location.origin : window.location.href;\n let href = typeof to === \"string\" ? to : createPath(to);\n invariant(base, \"No window.location.(origin|href) available to create URL for href: \" + href);\n return new URL(href, base);\n }\n let history = {\n get action() {\n return action;\n },\n get location() {\n return getLocation(window, globalHistory);\n },\n listen(fn) {\n if (listener) {\n throw new Error(\"A history only accepts one active listener\");\n }\n window.addEventListener(PopStateEventType, handlePop);\n listener = fn;\n return () => {\n window.removeEventListener(PopStateEventType, handlePop);\n listener = null;\n };\n },\n createHref(to) {\n return createHref(window, to);\n },\n createURL,\n encodeLocation(to) {\n // Encode a Location the same way window.location would\n let url = createURL(to);\n return {\n pathname: url.pathname,\n search: url.search,\n hash: url.hash\n };\n },\n push,\n replace,\n go(n) {\n return globalHistory.go(n);\n }\n };\n return history;\n}\n//#endregion\n\nvar ResultType;\n(function (ResultType) {\n ResultType[\"data\"] = \"data\";\n ResultType[\"deferred\"] = \"deferred\";\n ResultType[\"redirect\"] = \"redirect\";\n ResultType[\"error\"] = \"error\";\n})(ResultType || (ResultType = {}));\nconst immutableRouteKeys = new Set([\"lazy\", \"caseSensitive\", \"path\", \"id\", \"index\", \"children\"]);\nfunction isIndexRoute(route) {\n return route.index === true;\n}\n// Walk the route tree generating unique IDs where necessary, so we are working\n// solely with AgnosticDataRouteObject's within the Router\nfunction convertRoutesToDataRoutes(routes, mapRouteProperties, parentPath, manifest) {\n if (parentPath === void 0) {\n parentPath = [];\n }\n if (manifest === void 0) {\n manifest = {};\n }\n return routes.map((route, index) => {\n let treePath = [...parentPath, index];\n let id = typeof route.id === \"string\" ? route.id : treePath.join(\"-\");\n invariant(route.index !== true || !route.children, \"Cannot specify children on an index route\");\n invariant(!manifest[id], \"Found a route id collision on id \\\"\" + id + \"\\\". Route \" + \"id's must be globally unique within Data Router usages\");\n if (isIndexRoute(route)) {\n let indexRoute = _extends({}, route, mapRouteProperties(route), {\n id\n });\n manifest[id] = indexRoute;\n return indexRoute;\n } else {\n let pathOrLayoutRoute = _extends({}, route, mapRouteProperties(route), {\n id,\n children: undefined\n });\n manifest[id] = pathOrLayoutRoute;\n if (route.children) {\n pathOrLayoutRoute.children = convertRoutesToDataRoutes(route.children, mapRouteProperties, treePath, manifest);\n }\n return pathOrLayoutRoute;\n }\n });\n}\n/**\n * Matches the given routes to a location and returns the match data.\n *\n * @see https://reactrouter.com/utils/match-routes\n */\nfunction matchRoutes(routes, locationArg, basename) {\n if (basename === void 0) {\n basename = \"/\";\n }\n let location = typeof locationArg === \"string\" ? parsePath(locationArg) : locationArg;\n let pathname = stripBasename(location.pathname || \"/\", basename);\n if (pathname == null) {\n return null;\n }\n let branches = flattenRoutes(routes);\n rankRouteBranches(branches);\n let matches = null;\n for (let i = 0; matches == null && i < branches.length; ++i) {\n matches = matchRouteBranch(branches[i],\n // Incoming pathnames are generally encoded from either window.location\n // or from router.navigate, but we want to match against the unencoded\n // paths in the route definitions. Memory router locations won't be\n // encoded here but there also shouldn't be anything to decode so this\n // should be a safe operation. This avoids needing matchRoutes to be\n // history-aware.\n safelyDecodeURI(pathname));\n }\n return matches;\n}\nfunction convertRouteMatchToUiMatch(match, loaderData) {\n let {\n route,\n pathname,\n params\n } = match;\n return {\n id: route.id,\n pathname,\n params,\n data: loaderData[route.id],\n handle: route.handle\n };\n}\nfunction flattenRoutes(routes, branches, parentsMeta, parentPath) {\n if (branches === void 0) {\n branches = [];\n }\n if (parentsMeta === void 0) {\n parentsMeta = [];\n }\n if (parentPath === void 0) {\n parentPath = \"\";\n }\n let flattenRoute = (route, index, relativePath) => {\n let meta = {\n relativePath: relativePath === undefined ? route.path || \"\" : relativePath,\n caseSensitive: route.caseSensitive === true,\n childrenIndex: index,\n route\n };\n if (meta.relativePath.startsWith(\"/\")) {\n invariant(meta.relativePath.startsWith(parentPath), \"Absolute route path \\\"\" + meta.relativePath + \"\\\" nested under path \" + (\"\\\"\" + parentPath + \"\\\" is not valid. An absolute child route path \") + \"must start with the combined path of all its parent routes.\");\n meta.relativePath = meta.relativePath.slice(parentPath.length);\n }\n let path = joinPaths([parentPath, meta.relativePath]);\n let routesMeta = parentsMeta.concat(meta);\n // Add the children before adding this route to the array, so we traverse the\n // route tree depth-first and child routes appear before their parents in\n // the \"flattened\" version.\n if (route.children && route.children.length > 0) {\n invariant(\n // Our types know better, but runtime JS may not!\n // @ts-expect-error\n route.index !== true, \"Index routes must not have child routes. Please remove \" + (\"all child routes from route path \\\"\" + path + \"\\\".\"));\n flattenRoutes(route.children, branches, routesMeta, path);\n }\n // Routes without a path shouldn't ever match by themselves unless they are\n // index routes, so don't add them to the list of possible branches.\n if (route.path == null && !route.index) {\n return;\n }\n branches.push({\n path,\n score: computeScore(path, route.index),\n routesMeta\n });\n };\n routes.forEach((route, index) => {\n var _route$path;\n // coarse-grain check for optional params\n if (route.path === \"\" || !((_route$path = route.path) != null && _route$path.includes(\"?\"))) {\n flattenRoute(route, index);\n } else {\n for (let exploded of explodeOptionalSegments(route.path)) {\n flattenRoute(route, index, exploded);\n }\n }\n });\n return branches;\n}\n/**\n * Computes all combinations of optional path segments for a given path,\n * excluding combinations that are ambiguous and of lower priority.\n *\n * For example, `/one/:two?/three/:four?/:five?` explodes to:\n * - `/one/three`\n * - `/one/:two/three`\n * - `/one/three/:four`\n * - `/one/three/:five`\n * - `/one/:two/three/:four`\n * - `/one/:two/three/:five`\n * - `/one/three/:four/:five`\n * - `/one/:two/three/:four/:five`\n */\nfunction explodeOptionalSegments(path) {\n let segments = path.split(\"/\");\n if (segments.length === 0) return [];\n let [first, ...rest] = segments;\n // Optional path segments are denoted by a trailing `?`\n let isOptional = first.endsWith(\"?\");\n // Compute the corresponding required segment: `foo?` -> `foo`\n let required = first.replace(/\\?$/, \"\");\n if (rest.length === 0) {\n // Intepret empty string as omitting an optional segment\n // `[\"one\", \"\", \"three\"]` corresponds to omitting `:two` from `/one/:two?/three` -> `/one/three`\n return isOptional ? [required, \"\"] : [required];\n }\n let restExploded = explodeOptionalSegments(rest.join(\"/\"));\n let result = [];\n // All child paths with the prefix. Do this for all children before the\n // optional version for all children, so we get consistent ordering where the\n // parent optional aspect is preferred as required. Otherwise, we can get\n // child sections interspersed where deeper optional segments are higher than\n // parent optional segments, where for example, /:two would explode _earlier_\n // then /:one. By always including the parent as required _for all children_\n // first, we avoid this issue\n result.push(...restExploded.map(subpath => subpath === \"\" ? required : [required, subpath].join(\"/\")));\n // Then, if this is an optional value, add all child versions without\n if (isOptional) {\n result.push(...restExploded);\n }\n // for absolute paths, ensure `/` instead of empty segment\n return result.map(exploded => path.startsWith(\"/\") && exploded === \"\" ? \"/\" : exploded);\n}\nfunction rankRouteBranches(branches) {\n branches.sort((a, b) => a.score !== b.score ? b.score - a.score // Higher score first\n : compareIndexes(a.routesMeta.map(meta => meta.childrenIndex), b.routesMeta.map(meta => meta.childrenIndex)));\n}\nconst paramRe = /^:\\w+$/;\nconst dynamicSegmentValue = 3;\nconst indexRouteValue = 2;\nconst emptySegmentValue = 1;\nconst staticSegmentValue = 10;\nconst splatPenalty = -2;\nconst isSplat = s => s === \"*\";\nfunction computeScore(path, index) {\n let segments = path.split(\"/\");\n let initialScore = segments.length;\n if (segments.some(isSplat)) {\n initialScore += splatPenalty;\n }\n if (index) {\n initialScore += indexRouteValue;\n }\n return segments.filter(s => !isSplat(s)).reduce((score, segment) => score + (paramRe.test(segment) ? dynamicSegmentValue : segment === \"\" ? emptySegmentValue : staticSegmentValue), initialScore);\n}\nfunction compareIndexes(a, b) {\n let siblings = a.length === b.length && a.slice(0, -1).every((n, i) => n === b[i]);\n return siblings ?\n // If two routes are siblings, we should try to match the earlier sibling\n // first. This allows people to have fine-grained control over the matching\n // behavior by simply putting routes with identical paths in the order they\n // want them tried.\n a[a.length - 1] - b[b.length - 1] :\n // Otherwise, it doesn't really make sense to rank non-siblings by index,\n // so they sort equally.\n 0;\n}\nfunction matchRouteBranch(branch, pathname) {\n let {\n routesMeta\n } = branch;\n let matchedParams = {};\n let matchedPathname = \"/\";\n let matches = [];\n for (let i = 0; i < routesMeta.length; ++i) {\n let meta = routesMeta[i];\n let end = i === routesMeta.length - 1;\n let remainingPathname = matchedPathname === \"/\" ? pathname : pathname.slice(matchedPathname.length) || \"/\";\n let match = matchPath({\n path: meta.relativePath,\n caseSensitive: meta.caseSensitive,\n end\n }, remainingPathname);\n if (!match) return null;\n Object.assign(matchedParams, match.params);\n let route = meta.route;\n matches.push({\n // TODO: Can this as be avoided?\n params: matchedParams,\n pathname: joinPaths([matchedPathname, match.pathname]),\n pathnameBase: normalizePathname(joinPaths([matchedPathname, match.pathnameBase])),\n route\n });\n if (match.pathnameBase !== \"/\") {\n matchedPathname = joinPaths([matchedPathname, match.pathnameBase]);\n }\n }\n return matches;\n}\n/**\n * Returns a path with params interpolated.\n *\n * @see https://reactrouter.com/utils/generate-path\n */\nfunction generatePath(originalPath, params) {\n if (params === void 0) {\n params = {};\n }\n let path = originalPath;\n if (path.endsWith(\"*\") && path !== \"*\" && !path.endsWith(\"/*\")) {\n warning(false, \"Route path \\\"\" + path + \"\\\" will be treated as if it were \" + (\"\\\"\" + path.replace(/\\*$/, \"/*\") + \"\\\" because the `*` character must \") + \"always follow a `/` in the pattern. To get rid of this warning, \" + (\"please change the route path to \\\"\" + path.replace(/\\*$/, \"/*\") + \"\\\".\"));\n path = path.replace(/\\*$/, \"/*\");\n }\n // ensure `/` is added at the beginning if the path is absolute\n const prefix = path.startsWith(\"/\") ? \"/\" : \"\";\n const stringify = p => p == null ? \"\" : typeof p === \"string\" ? p : String(p);\n const segments = path.split(/\\/+/).map((segment, index, array) => {\n const isLastSegment = index === array.length - 1;\n // only apply the splat if it's the last segment\n if (isLastSegment && segment === \"*\") {\n const star = \"*\";\n // Apply the splat\n return stringify(params[star]);\n }\n const keyMatch = segment.match(/^:(\\w+)(\\??)$/);\n if (keyMatch) {\n const [, key, optional] = keyMatch;\n let param = params[key];\n invariant(optional === \"?\" || param != null, \"Missing \\\":\" + key + \"\\\" param\");\n return stringify(param);\n }\n // Remove any optional markers from optional static segments\n return segment.replace(/\\?$/g, \"\");\n })\n // Remove empty segments\n .filter(segment => !!segment);\n return prefix + segments.join(\"/\");\n}\n/**\n * Performs pattern matching on a URL pathname and returns information about\n * the match.\n *\n * @see https://reactrouter.com/utils/match-path\n */\nfunction matchPath(pattern, pathname) {\n if (typeof pattern === \"string\") {\n pattern = {\n path: pattern,\n caseSensitive: false,\n end: true\n };\n }\n let [matcher, compiledParams] = compilePath(pattern.path, pattern.caseSensitive, pattern.end);\n let match = pathname.match(matcher);\n if (!match) return null;\n let matchedPathname = match[0];\n let pathnameBase = matchedPathname.replace(/(.)\\/+$/, \"$1\");\n let captureGroups = match.slice(1);\n let params = compiledParams.reduce((memo, _ref, index) => {\n let {\n paramName,\n isOptional\n } = _ref;\n // We need to compute the pathnameBase here using the raw splat value\n // instead of using params[\"*\"] later because it will be decoded then\n if (paramName === \"*\") {\n let splatValue = captureGroups[index] || \"\";\n pathnameBase = matchedPathname.slice(0, matchedPathname.length - splatValue.length).replace(/(.)\\/+$/, \"$1\");\n }\n const value = captureGroups[index];\n if (isOptional && !value) {\n memo[paramName] = undefined;\n } else {\n memo[paramName] = safelyDecodeURIComponent(value || \"\", paramName);\n }\n return memo;\n }, {});\n return {\n params,\n pathname: matchedPathname,\n pathnameBase,\n pattern\n };\n}\nfunction compilePath(path, caseSensitive, end) {\n if (caseSensitive === void 0) {\n caseSensitive = false;\n }\n if (end === void 0) {\n end = true;\n }\n warning(path === \"*\" || !path.endsWith(\"*\") || path.endsWith(\"/*\"), \"Route path \\\"\" + path + \"\\\" will be treated as if it were \" + (\"\\\"\" + path.replace(/\\*$/, \"/*\") + \"\\\" because the `*` character must \") + \"always follow a `/` in the pattern. To get rid of this warning, \" + (\"please change the route path to \\\"\" + path.replace(/\\*$/, \"/*\") + \"\\\".\"));\n let params = [];\n let regexpSource = \"^\" + path.replace(/\\/*\\*?$/, \"\") // Ignore trailing / and /*, we'll handle it below\n .replace(/^\\/*/, \"/\") // Make sure it has a leading /\n .replace(/[\\\\.*+^${}|()[\\]]/g, \"\\\\$&\") // Escape special regex chars\n .replace(/\\/:(\\w+)(\\?)?/g, (_, paramName, isOptional) => {\n params.push({\n paramName,\n isOptional: isOptional != null\n });\n return isOptional ? \"/?([^\\\\/]+)?\" : \"/([^\\\\/]+)\";\n });\n if (path.endsWith(\"*\")) {\n params.push({\n paramName: \"*\"\n });\n regexpSource += path === \"*\" || path === \"/*\" ? \"(.*)$\" // Already matched the initial /, just match the rest\n : \"(?:\\\\/(.+)|\\\\/*)$\"; // Don't include the / in params[\"*\"]\n } else if (end) {\n // When matching to the end, ignore trailing slashes\n regexpSource += \"\\\\/*$\";\n } else if (path !== \"\" && path !== \"/\") {\n // If our path is non-empty and contains anything beyond an initial slash,\n // then we have _some_ form of path in our regex, so we should expect to\n // match only if we find the end of this path segment. Look for an optional\n // non-captured trailing slash (to match a portion of the URL) or the end\n // of the path (if we've matched to the end). We used to do this with a\n // word boundary but that gives false positives on routes like\n // /user-preferences since `-` counts as a word boundary.\n regexpSource += \"(?:(?=\\\\/|$))\";\n } else ;\n let matcher = new RegExp(regexpSource, caseSensitive ? undefined : \"i\");\n return [matcher, params];\n}\nfunction safelyDecodeURI(value) {\n try {\n return decodeURI(value);\n } catch (error) {\n warning(false, \"The URL path \\\"\" + value + \"\\\" could not be decoded because it is is a \" + \"malformed URL segment. This is probably due to a bad percent \" + (\"encoding (\" + error + \").\"));\n return value;\n }\n}\nfunction safelyDecodeURIComponent(value, paramName) {\n try {\n return decodeURIComponent(value);\n } catch (error) {\n warning(false, \"The value for the URL param \\\"\" + paramName + \"\\\" will not be decoded because\" + (\" the string \\\"\" + value + \"\\\" is a malformed URL segment. This is probably\") + (\" due to a bad percent encoding (\" + error + \").\"));\n return value;\n }\n}\n/**\n * @private\n */\nfunction stripBasename(pathname, basename) {\n if (basename === \"/\") return pathname;\n if (!pathname.toLowerCase().startsWith(basename.toLowerCase())) {\n return null;\n }\n // We want to leave trailing slash behavior in the user's control, so if they\n // specify a basename with a trailing slash, we should support it\n let startIndex = basename.endsWith(\"/\") ? basename.length - 1 : basename.length;\n let nextChar = pathname.charAt(startIndex);\n if (nextChar && nextChar !== \"/\") {\n // pathname does not start with basename/\n return null;\n }\n return pathname.slice(startIndex) || \"/\";\n}\n/**\n * Returns a resolved path object relative to the given pathname.\n *\n * @see https://reactrouter.com/utils/resolve-path\n */\nfunction resolvePath(to, fromPathname) {\n if (fromPathname === void 0) {\n fromPathname = \"/\";\n }\n let {\n pathname: toPathname,\n search = \"\",\n hash = \"\"\n } = typeof to === \"string\" ? parsePath(to) : to;\n let pathname = toPathname ? toPathname.startsWith(\"/\") ? toPathname : resolvePathname(toPathname, fromPathname) : fromPathname;\n return {\n pathname,\n search: normalizeSearch(search),\n hash: normalizeHash(hash)\n };\n}\nfunction resolvePathname(relativePath, fromPathname) {\n let segments = fromPathname.replace(/\\/+$/, \"\").split(\"/\");\n let relativeSegments = relativePath.split(\"/\");\n relativeSegments.forEach(segment => {\n if (segment === \"..\") {\n // Keep the root \"\" segment so the pathname starts at /\n if (segments.length > 1) segments.pop();\n } else if (segment !== \".\") {\n segments.push(segment);\n }\n });\n return segments.length > 1 ? segments.join(\"/\") : \"/\";\n}\nfunction getInvalidPathError(char, field, dest, path) {\n return \"Cannot include a '\" + char + \"' character in a manually specified \" + (\"`to.\" + field + \"` field [\" + JSON.stringify(path) + \"]. Please separate it out to the \") + (\"`to.\" + dest + \"` field. Alternatively you may provide the full path as \") + \"a string in and the router will parse it for you.\";\n}\n/**\n * @private\n *\n * When processing relative navigation we want to ignore ancestor routes that\n * do not contribute to the path, such that index/pathless layout routes don't\n * interfere.\n *\n * For example, when moving a route element into an index route and/or a\n * pathless layout route, relative link behavior contained within should stay\n * the same. Both of the following examples should link back to the root:\n *\n * \n * \n * \n *\n * \n * \n * }> // <-- Does not contribute\n * // <-- Does not contribute\n * \n * \n */\nfunction getPathContributingMatches(matches) {\n return matches.filter((match, index) => index === 0 || match.route.path && match.route.path.length > 0);\n}\n// Return the array of pathnames for the current route matches - used to\n// generate the routePathnames input for resolveTo()\nfunction getResolveToMatches(matches, v7_relativeSplatPath) {\n let pathMatches = getPathContributingMatches(matches);\n // When v7_relativeSplatPath is enabled, use the full pathname for the leaf\n // match so we include splat values for \".\" links. See:\n // https://github.com/remix-run/react-router/issues/11052#issuecomment-1836589329\n if (v7_relativeSplatPath) {\n return pathMatches.map((match, idx) => idx === matches.length - 1 ? match.pathname : match.pathnameBase);\n }\n return pathMatches.map(match => match.pathnameBase);\n}\n/**\n * @private\n */\nfunction resolveTo(toArg, routePathnames, locationPathname, isPathRelative) {\n if (isPathRelative === void 0) {\n isPathRelative = false;\n }\n let to;\n if (typeof toArg === \"string\") {\n to = parsePath(toArg);\n } else {\n to = _extends({}, toArg);\n invariant(!to.pathname || !to.pathname.includes(\"?\"), getInvalidPathError(\"?\", \"pathname\", \"search\", to));\n invariant(!to.pathname || !to.pathname.includes(\"#\"), getInvalidPathError(\"#\", \"pathname\", \"hash\", to));\n invariant(!to.search || !to.search.includes(\"#\"), getInvalidPathError(\"#\", \"search\", \"hash\", to));\n }\n let isEmptyPath = toArg === \"\" || to.pathname === \"\";\n let toPathname = isEmptyPath ? \"/\" : to.pathname;\n let from;\n // Routing is relative to the current pathname if explicitly requested.\n //\n // If a pathname is explicitly provided in `to`, it should be relative to the\n // route context. This is explained in `Note on `` values` in our\n // migration guide from v5 as a means of disambiguation between `to` values\n // that begin with `/` and those that do not. However, this is problematic for\n // `to` values that do not provide a pathname. `to` can simply be a search or\n // hash string, in which case we should assume that the navigation is relative\n // to the current location's pathname and *not* the route pathname.\n if (toPathname == null) {\n from = locationPathname;\n } else {\n let routePathnameIndex = routePathnames.length - 1;\n // With relative=\"route\" (the default), each leading .. segment means\n // \"go up one route\" instead of \"go up one URL segment\". This is a key\n // difference from how works and a major reason we call this a\n // \"to\" value instead of a \"href\".\n if (!isPathRelative && toPathname.startsWith(\"..\")) {\n let toSegments = toPathname.split(\"/\");\n while (toSegments[0] === \"..\") {\n toSegments.shift();\n routePathnameIndex -= 1;\n }\n to.pathname = toSegments.join(\"/\");\n }\n from = routePathnameIndex >= 0 ? routePathnames[routePathnameIndex] : \"/\";\n }\n let path = resolvePath(to, from);\n // Ensure the pathname has a trailing slash if the original \"to\" had one\n let hasExplicitTrailingSlash = toPathname && toPathname !== \"/\" && toPathname.endsWith(\"/\");\n // Or if this was a link to the current path which has a trailing slash\n let hasCurrentTrailingSlash = (isEmptyPath || toPathname === \".\") && locationPathname.endsWith(\"/\");\n if (!path.pathname.endsWith(\"/\") && (hasExplicitTrailingSlash || hasCurrentTrailingSlash)) {\n path.pathname += \"/\";\n }\n return path;\n}\n/**\n * @private\n */\nfunction getToPathname(to) {\n // Empty strings should be treated the same as / paths\n return to === \"\" || to.pathname === \"\" ? \"/\" : typeof to === \"string\" ? parsePath(to).pathname : to.pathname;\n}\n/**\n * @private\n */\nconst joinPaths = paths => paths.join(\"/\").replace(/\\/\\/+/g, \"/\");\n/**\n * @private\n */\nconst normalizePathname = pathname => pathname.replace(/\\/+$/, \"\").replace(/^\\/*/, \"/\");\n/**\n * @private\n */\nconst normalizeSearch = search => !search || search === \"?\" ? \"\" : search.startsWith(\"?\") ? search : \"?\" + search;\n/**\n * @private\n */\nconst normalizeHash = hash => !hash || hash === \"#\" ? \"\" : hash.startsWith(\"#\") ? hash : \"#\" + hash;\n/**\n * This is a shortcut for creating `application/json` responses. Converts `data`\n * to JSON and sets the `Content-Type` header.\n */\nconst json = function json(data, init) {\n if (init === void 0) {\n init = {};\n }\n let responseInit = typeof init === \"number\" ? {\n status: init\n } : init;\n let headers = new Headers(responseInit.headers);\n if (!headers.has(\"Content-Type\")) {\n headers.set(\"Content-Type\", \"application/json; charset=utf-8\");\n }\n return new Response(JSON.stringify(data), _extends({}, responseInit, {\n headers\n }));\n};\nclass AbortedDeferredError extends Error {}\nclass DeferredData {\n constructor(data, responseInit) {\n this.pendingKeysSet = new Set();\n this.subscribers = new Set();\n this.deferredKeys = [];\n invariant(data && typeof data === \"object\" && !Array.isArray(data), \"defer() only accepts plain objects\");\n // Set up an AbortController + Promise we can race against to exit early\n // cancellation\n let reject;\n this.abortPromise = new Promise((_, r) => reject = r);\n this.controller = new AbortController();\n let onAbort = () => reject(new AbortedDeferredError(\"Deferred data aborted\"));\n this.unlistenAbortSignal = () => this.controller.signal.removeEventListener(\"abort\", onAbort);\n this.controller.signal.addEventListener(\"abort\", onAbort);\n this.data = Object.entries(data).reduce((acc, _ref2) => {\n let [key, value] = _ref2;\n return Object.assign(acc, {\n [key]: this.trackPromise(key, value)\n });\n }, {});\n if (this.done) {\n // All incoming values were resolved\n this.unlistenAbortSignal();\n }\n this.init = responseInit;\n }\n trackPromise(key, value) {\n if (!(value instanceof Promise)) {\n return value;\n }\n this.deferredKeys.push(key);\n this.pendingKeysSet.add(key);\n // We store a little wrapper promise that will be extended with\n // _data/_error props upon resolve/reject\n let promise = Promise.race([value, this.abortPromise]).then(data => this.onSettle(promise, key, undefined, data), error => this.onSettle(promise, key, error));\n // Register rejection listeners to avoid uncaught promise rejections on\n // errors or aborted deferred values\n promise.catch(() => {});\n Object.defineProperty(promise, \"_tracked\", {\n get: () => true\n });\n return promise;\n }\n onSettle(promise, key, error, data) {\n if (this.controller.signal.aborted && error instanceof AbortedDeferredError) {\n this.unlistenAbortSignal();\n Object.defineProperty(promise, \"_error\", {\n get: () => error\n });\n return Promise.reject(error);\n }\n this.pendingKeysSet.delete(key);\n if (this.done) {\n // Nothing left to abort!\n this.unlistenAbortSignal();\n }\n // If the promise was resolved/rejected with undefined, we'll throw an error as you\n // should always resolve with a value or null\n if (error === undefined && data === undefined) {\n let undefinedError = new Error(\"Deferred data for key \\\"\" + key + \"\\\" resolved/rejected with `undefined`, \" + \"you must resolve/reject with a value or `null`.\");\n Object.defineProperty(promise, \"_error\", {\n get: () => undefinedError\n });\n this.emit(false, key);\n return Promise.reject(undefinedError);\n }\n if (data === undefined) {\n Object.defineProperty(promise, \"_error\", {\n get: () => error\n });\n this.emit(false, key);\n return Promise.reject(error);\n }\n Object.defineProperty(promise, \"_data\", {\n get: () => data\n });\n this.emit(false, key);\n return data;\n }\n emit(aborted, settledKey) {\n this.subscribers.forEach(subscriber => subscriber(aborted, settledKey));\n }\n subscribe(fn) {\n this.subscribers.add(fn);\n return () => this.subscribers.delete(fn);\n }\n cancel() {\n this.controller.abort();\n this.pendingKeysSet.forEach((v, k) => this.pendingKeysSet.delete(k));\n this.emit(true);\n }\n async resolveData(signal) {\n let aborted = false;\n if (!this.done) {\n let onAbort = () => this.cancel();\n signal.addEventListener(\"abort\", onAbort);\n aborted = await new Promise(resolve => {\n this.subscribe(aborted => {\n signal.removeEventListener(\"abort\", onAbort);\n if (aborted || this.done) {\n resolve(aborted);\n }\n });\n });\n }\n return aborted;\n }\n get done() {\n return this.pendingKeysSet.size === 0;\n }\n get unwrappedData() {\n invariant(this.data !== null && this.done, \"Can only unwrap data on initialized and settled deferreds\");\n return Object.entries(this.data).reduce((acc, _ref3) => {\n let [key, value] = _ref3;\n return Object.assign(acc, {\n [key]: unwrapTrackedPromise(value)\n });\n }, {});\n }\n get pendingKeys() {\n return Array.from(this.pendingKeysSet);\n }\n}\nfunction isTrackedPromise(value) {\n return value instanceof Promise && value._tracked === true;\n}\nfunction unwrapTrackedPromise(value) {\n if (!isTrackedPromise(value)) {\n return value;\n }\n if (value._error) {\n throw value._error;\n }\n return value._data;\n}\nconst defer = function defer(data, init) {\n if (init === void 0) {\n init = {};\n }\n let responseInit = typeof init === \"number\" ? {\n status: init\n } : init;\n return new DeferredData(data, responseInit);\n};\n/**\n * A redirect response. Sets the status code and the `Location` header.\n * Defaults to \"302 Found\".\n */\nconst redirect = function redirect(url, init) {\n if (init === void 0) {\n init = 302;\n }\n let responseInit = init;\n if (typeof responseInit === \"number\") {\n responseInit = {\n status: responseInit\n };\n } else if (typeof responseInit.status === \"undefined\") {\n responseInit.status = 302;\n }\n let headers = new Headers(responseInit.headers);\n headers.set(\"Location\", url);\n return new Response(null, _extends({}, responseInit, {\n headers\n }));\n};\n/**\n * A redirect response that will force a document reload to the new location.\n * Sets the status code and the `Location` header.\n * Defaults to \"302 Found\".\n */\nconst redirectDocument = (url, init) => {\n let response = redirect(url, init);\n response.headers.set(\"X-Remix-Reload-Document\", \"true\");\n return response;\n};\n/**\n * @private\n * Utility class we use to hold auto-unwrapped 4xx/5xx Response bodies\n *\n * We don't export the class for public use since it's an implementation\n * detail, but we export the interface above so folks can build their own\n * abstractions around instances via isRouteErrorResponse()\n */\nclass ErrorResponseImpl {\n constructor(status, statusText, data, internal) {\n if (internal === void 0) {\n internal = false;\n }\n this.status = status;\n this.statusText = statusText || \"\";\n this.internal = internal;\n if (data instanceof Error) {\n this.data = data.toString();\n this.error = data;\n } else {\n this.data = data;\n }\n }\n}\n/**\n * Check if the given error is an ErrorResponse generated from a 4xx/5xx\n * Response thrown from an action/loader\n */\nfunction isRouteErrorResponse(error) {\n return error != null && typeof error.status === \"number\" && typeof error.statusText === \"string\" && typeof error.internal === \"boolean\" && \"data\" in error;\n}\n\nconst validMutationMethodsArr = [\"post\", \"put\", \"patch\", \"delete\"];\nconst validMutationMethods = new Set(validMutationMethodsArr);\nconst validRequestMethodsArr = [\"get\", ...validMutationMethodsArr];\nconst validRequestMethods = new Set(validRequestMethodsArr);\nconst redirectStatusCodes = new Set([301, 302, 303, 307, 308]);\nconst redirectPreserveMethodStatusCodes = new Set([307, 308]);\nconst IDLE_NAVIGATION = {\n state: \"idle\",\n location: undefined,\n formMethod: undefined,\n formAction: undefined,\n formEncType: undefined,\n formData: undefined,\n json: undefined,\n text: undefined\n};\nconst IDLE_FETCHER = {\n state: \"idle\",\n data: undefined,\n formMethod: undefined,\n formAction: undefined,\n formEncType: undefined,\n formData: undefined,\n json: undefined,\n text: undefined\n};\nconst IDLE_BLOCKER = {\n state: \"unblocked\",\n proceed: undefined,\n reset: undefined,\n location: undefined\n};\nconst ABSOLUTE_URL_REGEX = /^(?:[a-z][a-z0-9+.-]*:|\\/\\/)/i;\nconst defaultMapRouteProperties = route => ({\n hasErrorBoundary: Boolean(route.hasErrorBoundary)\n});\nconst TRANSITIONS_STORAGE_KEY = \"remix-router-transitions\";\n//#endregion\n////////////////////////////////////////////////////////////////////////////////\n//#region createRouter\n////////////////////////////////////////////////////////////////////////////////\n/**\n * Create a router and listen to history POP navigations\n */\nfunction createRouter(init) {\n const routerWindow = init.window ? init.window : typeof window !== \"undefined\" ? window : undefined;\n const isBrowser = typeof routerWindow !== \"undefined\" && typeof routerWindow.document !== \"undefined\" && typeof routerWindow.document.createElement !== \"undefined\";\n const isServer = !isBrowser;\n invariant(init.routes.length > 0, \"You must provide a non-empty routes array to createRouter\");\n let mapRouteProperties;\n if (init.mapRouteProperties) {\n mapRouteProperties = init.mapRouteProperties;\n } else if (init.detectErrorBoundary) {\n // If they are still using the deprecated version, wrap it with the new API\n let detectErrorBoundary = init.detectErrorBoundary;\n mapRouteProperties = route => ({\n hasErrorBoundary: detectErrorBoundary(route)\n });\n } else {\n mapRouteProperties = defaultMapRouteProperties;\n }\n // Routes keyed by ID\n let manifest = {};\n // Routes in tree format for matching\n let dataRoutes = convertRoutesToDataRoutes(init.routes, mapRouteProperties, undefined, manifest);\n let inFlightDataRoutes;\n let basename = init.basename || \"/\";\n // Config driven behavior flags\n let future = _extends({\n v7_fetcherPersist: false,\n v7_normalizeFormMethod: false,\n v7_partialHydration: false,\n v7_prependBasename: false,\n v7_relativeSplatPath: false\n }, init.future);\n // Cleanup function for history\n let unlistenHistory = null;\n // Externally-provided functions to call on all state changes\n let subscribers = new Set();\n // Externally-provided object to hold scroll restoration locations during routing\n let savedScrollPositions = null;\n // Externally-provided function to get scroll restoration keys\n let getScrollRestorationKey = null;\n // Externally-provided function to get current scroll position\n let getScrollPosition = null;\n // One-time flag to control the initial hydration scroll restoration. Because\n // we don't get the saved positions from until _after_\n // the initial render, we need to manually trigger a separate updateState to\n // send along the restoreScrollPosition\n // Set to true if we have `hydrationData` since we assume we were SSR'd and that\n // SSR did the initial scroll restoration.\n let initialScrollRestored = init.hydrationData != null;\n let initialMatches = matchRoutes(dataRoutes, init.history.location, basename);\n let initialErrors = null;\n if (initialMatches == null) {\n // If we do not match a user-provided-route, fall back to the root\n // to allow the error boundary to take over\n let error = getInternalRouterError(404, {\n pathname: init.history.location.pathname\n });\n let {\n matches,\n route\n } = getShortCircuitMatches(dataRoutes);\n initialMatches = matches;\n initialErrors = {\n [route.id]: error\n };\n }\n let initialized;\n let hasLazyRoutes = initialMatches.some(m => m.route.lazy);\n let hasLoaders = initialMatches.some(m => m.route.loader);\n if (hasLazyRoutes) {\n // All initialMatches need to be loaded before we're ready. If we have lazy\n // functions around still then we'll need to run them in initialize()\n initialized = false;\n } else if (!hasLoaders) {\n // If we've got no loaders to run, then we're good to go\n initialized = true;\n } else if (future.v7_partialHydration) {\n // If partial hydration is enabled, we're initialized so long as we were\n // provided with hydrationData for every route with a loader, and no loaders\n // were marked for explicit hydration\n let loaderData = init.hydrationData ? init.hydrationData.loaderData : null;\n let errors = init.hydrationData ? init.hydrationData.errors : null;\n initialized = initialMatches.every(m => m.route.loader && m.route.loader.hydrate !== true && (loaderData && loaderData[m.route.id] !== undefined || errors && errors[m.route.id] !== undefined));\n } else {\n // Without partial hydration - we're initialized if we were provided any\n // hydrationData - which is expected to be complete\n initialized = init.hydrationData != null;\n }\n let router;\n let state = {\n historyAction: init.history.action,\n location: init.history.location,\n matches: initialMatches,\n initialized,\n navigation: IDLE_NAVIGATION,\n // Don't restore on initial updateState() if we were SSR'd\n restoreScrollPosition: init.hydrationData != null ? false : null,\n preventScrollReset: false,\n revalidation: \"idle\",\n loaderData: init.hydrationData && init.hydrationData.loaderData || {},\n actionData: init.hydrationData && init.hydrationData.actionData || null,\n errors: init.hydrationData && init.hydrationData.errors || initialErrors,\n fetchers: new Map(),\n blockers: new Map()\n };\n // -- Stateful internal variables to manage navigations --\n // Current navigation in progress (to be committed in completeNavigation)\n let pendingAction = Action.Pop;\n // Should the current navigation prevent the scroll reset if scroll cannot\n // be restored?\n let pendingPreventScrollReset = false;\n // AbortController for the active navigation\n let pendingNavigationController;\n // Should the current navigation enable document.startViewTransition?\n let pendingViewTransitionEnabled = false;\n // Store applied view transitions so we can apply them on POP\n let appliedViewTransitions = new Map();\n // Cleanup function for persisting applied transitions to sessionStorage\n let removePageHideEventListener = null;\n // We use this to avoid touching history in completeNavigation if a\n // revalidation is entirely uninterrupted\n let isUninterruptedRevalidation = false;\n // Use this internal flag to force revalidation of all loaders:\n // - submissions (completed or interrupted)\n // - useRevalidator()\n // - X-Remix-Revalidate (from redirect)\n let isRevalidationRequired = false;\n // Use this internal array to capture routes that require revalidation due\n // to a cancelled deferred on action submission\n let cancelledDeferredRoutes = [];\n // Use this internal array to capture fetcher loads that were cancelled by an\n // action navigation and require revalidation\n let cancelledFetcherLoads = [];\n // AbortControllers for any in-flight fetchers\n let fetchControllers = new Map();\n // Track loads based on the order in which they started\n let incrementingLoadId = 0;\n // Track the outstanding pending navigation data load to be compared against\n // the globally incrementing load when a fetcher load lands after a completed\n // navigation\n let pendingNavigationLoadId = -1;\n // Fetchers that triggered data reloads as a result of their actions\n let fetchReloadIds = new Map();\n // Fetchers that triggered redirect navigations\n let fetchRedirectIds = new Set();\n // Most recent href/match for fetcher.load calls for fetchers\n let fetchLoadMatches = new Map();\n // Ref-count mounted fetchers so we know when it's ok to clean them up\n let activeFetchers = new Map();\n // Fetchers that have requested a delete when using v7_fetcherPersist,\n // they'll be officially removed after they return to idle\n let deletedFetchers = new Set();\n // Store DeferredData instances for active route matches. When a\n // route loader returns defer() we stick one in here. Then, when a nested\n // promise resolves we update loaderData. If a new navigation starts we\n // cancel active deferreds for eliminated routes.\n let activeDeferreds = new Map();\n // Store blocker functions in a separate Map outside of router state since\n // we don't need to update UI state if they change\n let blockerFunctions = new Map();\n // Flag to ignore the next history update, so we can revert the URL change on\n // a POP navigation that was blocked by the user without touching router state\n let ignoreNextHistoryUpdate = false;\n // Initialize the router, all side effects should be kicked off from here.\n // Implemented as a Fluent API for ease of:\n // let router = createRouter(init).initialize();\n function initialize() {\n // If history informs us of a POP navigation, start the navigation but do not update\n // state. We'll update our own state once the navigation completes\n unlistenHistory = init.history.listen(_ref => {\n let {\n action: historyAction,\n location,\n delta\n } = _ref;\n // Ignore this event if it was just us resetting the URL from a\n // blocked POP navigation\n if (ignoreNextHistoryUpdate) {\n ignoreNextHistoryUpdate = false;\n return;\n }\n warning(blockerFunctions.size === 0 || delta != null, \"You are trying to use a blocker on a POP navigation to a location \" + \"that was not created by @remix-run/router. This will fail silently in \" + \"production. This can happen if you are navigating outside the router \" + \"via `window.history.pushState`/`window.location.hash` instead of using \" + \"router navigation APIs. This can also happen if you are using \" + \"createHashRouter and the user manually changes the URL.\");\n let blockerKey = shouldBlockNavigation({\n currentLocation: state.location,\n nextLocation: location,\n historyAction\n });\n if (blockerKey && delta != null) {\n // Restore the URL to match the current UI, but don't update router state\n ignoreNextHistoryUpdate = true;\n init.history.go(delta * -1);\n // Put the blocker into a blocked state\n updateBlocker(blockerKey, {\n state: \"blocked\",\n location,\n proceed() {\n updateBlocker(blockerKey, {\n state: \"proceeding\",\n proceed: undefined,\n reset: undefined,\n location\n });\n // Re-do the same POP navigation we just blocked\n init.history.go(delta);\n },\n reset() {\n let blockers = new Map(state.blockers);\n blockers.set(blockerKey, IDLE_BLOCKER);\n updateState({\n blockers\n });\n }\n });\n return;\n }\n return startNavigation(historyAction, location);\n });\n if (isBrowser) {\n // FIXME: This feels gross. How can we cleanup the lines between\n // scrollRestoration/appliedTransitions persistance?\n restoreAppliedTransitions(routerWindow, appliedViewTransitions);\n let _saveAppliedTransitions = () => persistAppliedTransitions(routerWindow, appliedViewTransitions);\n routerWindow.addEventListener(\"pagehide\", _saveAppliedTransitions);\n removePageHideEventListener = () => routerWindow.removeEventListener(\"pagehide\", _saveAppliedTransitions);\n }\n // Kick off initial data load if needed. Use Pop to avoid modifying history\n // Note we don't do any handling of lazy here. For SPA's it'll get handled\n // in the normal navigation flow. For SSR it's expected that lazy modules are\n // resolved prior to router creation since we can't go into a fallbackElement\n // UI for SSR'd apps\n if (!state.initialized) {\n startNavigation(Action.Pop, state.location, {\n initialHydration: true\n });\n }\n return router;\n }\n // Clean up a router and it's side effects\n function dispose() {\n if (unlistenHistory) {\n unlistenHistory();\n }\n if (removePageHideEventListener) {\n removePageHideEventListener();\n }\n subscribers.clear();\n pendingNavigationController && pendingNavigationController.abort();\n state.fetchers.forEach((_, key) => deleteFetcher(key));\n state.blockers.forEach((_, key) => deleteBlocker(key));\n }\n // Subscribe to state updates for the router\n function subscribe(fn) {\n subscribers.add(fn);\n return () => subscribers.delete(fn);\n }\n // Update our state and notify the calling context of the change\n function updateState(newState, opts) {\n if (opts === void 0) {\n opts = {};\n }\n state = _extends({}, state, newState);\n // Prep fetcher cleanup so we can tell the UI which fetcher data entries\n // can be removed\n let completedFetchers = [];\n let deletedFetchersKeys = [];\n if (future.v7_fetcherPersist) {\n state.fetchers.forEach((fetcher, key) => {\n if (fetcher.state === \"idle\") {\n if (deletedFetchers.has(key)) {\n // Unmounted from the UI and can be totally removed\n deletedFetchersKeys.push(key);\n } else {\n // Returned to idle but still mounted in the UI, so semi-remains for\n // revalidations and such\n completedFetchers.push(key);\n }\n }\n });\n }\n // Iterate over a local copy so that if flushSync is used and we end up\n // removing and adding a new subscriber due to the useCallback dependencies,\n // we don't get ourselves into a loop calling the new subscriber immediately\n [...subscribers].forEach(subscriber => subscriber(state, {\n deletedFetchers: deletedFetchersKeys,\n unstable_viewTransitionOpts: opts.viewTransitionOpts,\n unstable_flushSync: opts.flushSync === true\n }));\n // Remove idle fetchers from state since we only care about in-flight fetchers.\n if (future.v7_fetcherPersist) {\n completedFetchers.forEach(key => state.fetchers.delete(key));\n deletedFetchersKeys.forEach(key => deleteFetcher(key));\n }\n }\n // Complete a navigation returning the state.navigation back to the IDLE_NAVIGATION\n // and setting state.[historyAction/location/matches] to the new route.\n // - Location is a required param\n // - Navigation will always be set to IDLE_NAVIGATION\n // - Can pass any other state in newState\n function completeNavigation(location, newState, _temp) {\n var _location$state, _location$state2;\n let {\n flushSync\n } = _temp === void 0 ? {} : _temp;\n // Deduce if we're in a loading/actionReload state:\n // - We have committed actionData in the store\n // - The current navigation was a mutation submission\n // - We're past the submitting state and into the loading state\n // - The location being loaded is not the result of a redirect\n let isActionReload = state.actionData != null && state.navigation.formMethod != null && isMutationMethod(state.navigation.formMethod) && state.navigation.state === \"loading\" && ((_location$state = location.state) == null ? void 0 : _location$state._isRedirect) !== true;\n let actionData;\n if (newState.actionData) {\n if (Object.keys(newState.actionData).length > 0) {\n actionData = newState.actionData;\n } else {\n // Empty actionData -> clear prior actionData due to an action error\n actionData = null;\n }\n } else if (isActionReload) {\n // Keep the current data if we're wrapping up the action reload\n actionData = state.actionData;\n } else {\n // Clear actionData on any other completed navigations\n actionData = null;\n }\n // Always preserve any existing loaderData from re-used routes\n let loaderData = newState.loaderData ? mergeLoaderData(state.loaderData, newState.loaderData, newState.matches || [], newState.errors) : state.loaderData;\n // On a successful navigation we can assume we got through all blockers\n // so we can start fresh\n let blockers = state.blockers;\n if (blockers.size > 0) {\n blockers = new Map(blockers);\n blockers.forEach((_, k) => blockers.set(k, IDLE_BLOCKER));\n }\n // Always respect the user flag. Otherwise don't reset on mutation\n // submission navigations unless they redirect\n let preventScrollReset = pendingPreventScrollReset === true || state.navigation.formMethod != null && isMutationMethod(state.navigation.formMethod) && ((_location$state2 = location.state) == null ? void 0 : _location$state2._isRedirect) !== true;\n if (inFlightDataRoutes) {\n dataRoutes = inFlightDataRoutes;\n inFlightDataRoutes = undefined;\n }\n if (isUninterruptedRevalidation) ; else if (pendingAction === Action.Pop) ; else if (pendingAction === Action.Push) {\n init.history.push(location, location.state);\n } else if (pendingAction === Action.Replace) {\n init.history.replace(location, location.state);\n }\n let viewTransitionOpts;\n // On POP, enable transitions if they were enabled on the original navigation\n if (pendingAction === Action.Pop) {\n // Forward takes precedence so they behave like the original navigation\n let priorPaths = appliedViewTransitions.get(state.location.pathname);\n if (priorPaths && priorPaths.has(location.pathname)) {\n viewTransitionOpts = {\n currentLocation: state.location,\n nextLocation: location\n };\n } else if (appliedViewTransitions.has(location.pathname)) {\n // If we don't have a previous forward nav, assume we're popping back to\n // the new location and enable if that location previously enabled\n viewTransitionOpts = {\n currentLocation: location,\n nextLocation: state.location\n };\n }\n } else if (pendingViewTransitionEnabled) {\n // Store the applied transition on PUSH/REPLACE\n let toPaths = appliedViewTransitions.get(state.location.pathname);\n if (toPaths) {\n toPaths.add(location.pathname);\n } else {\n toPaths = new Set([location.pathname]);\n appliedViewTransitions.set(state.location.pathname, toPaths);\n }\n viewTransitionOpts = {\n currentLocation: state.location,\n nextLocation: location\n };\n }\n updateState(_extends({}, newState, {\n actionData,\n loaderData,\n historyAction: pendingAction,\n location,\n initialized: true,\n navigation: IDLE_NAVIGATION,\n revalidation: \"idle\",\n restoreScrollPosition: getSavedScrollPosition(location, newState.matches || state.matches),\n preventScrollReset,\n blockers\n }), {\n viewTransitionOpts,\n flushSync: flushSync === true\n });\n // Reset stateful navigation vars\n pendingAction = Action.Pop;\n pendingPreventScrollReset = false;\n pendingViewTransitionEnabled = false;\n isUninterruptedRevalidation = false;\n isRevalidationRequired = false;\n cancelledDeferredRoutes = [];\n cancelledFetcherLoads = [];\n }\n // Trigger a navigation event, which can either be a numerical POP or a PUSH\n // replace with an optional submission\n async function navigate(to, opts) {\n if (typeof to === \"number\") {\n init.history.go(to);\n return;\n }\n let normalizedPath = normalizeTo(state.location, state.matches, basename, future.v7_prependBasename, to, future.v7_relativeSplatPath, opts == null ? void 0 : opts.fromRouteId, opts == null ? void 0 : opts.relative);\n let {\n path,\n submission,\n error\n } = normalizeNavigateOptions(future.v7_normalizeFormMethod, false, normalizedPath, opts);\n let currentLocation = state.location;\n let nextLocation = createLocation(state.location, path, opts && opts.state);\n // When using navigate as a PUSH/REPLACE we aren't reading an already-encoded\n // URL from window.location, so we need to encode it here so the behavior\n // remains the same as POP and non-data-router usages. new URL() does all\n // the same encoding we'd get from a history.pushState/window.location read\n // without having to touch history\n nextLocation = _extends({}, nextLocation, init.history.encodeLocation(nextLocation));\n let userReplace = opts && opts.replace != null ? opts.replace : undefined;\n let historyAction = Action.Push;\n if (userReplace === true) {\n historyAction = Action.Replace;\n } else if (userReplace === false) ; else if (submission != null && isMutationMethod(submission.formMethod) && submission.formAction === state.location.pathname + state.location.search) {\n // By default on submissions to the current location we REPLACE so that\n // users don't have to double-click the back button to get to the prior\n // location. If the user redirects to a different location from the\n // action/loader this will be ignored and the redirect will be a PUSH\n historyAction = Action.Replace;\n }\n let preventScrollReset = opts && \"preventScrollReset\" in opts ? opts.preventScrollReset === true : undefined;\n let flushSync = (opts && opts.unstable_flushSync) === true;\n let blockerKey = shouldBlockNavigation({\n currentLocation,\n nextLocation,\n historyAction\n });\n if (blockerKey) {\n // Put the blocker into a blocked state\n updateBlocker(blockerKey, {\n state: \"blocked\",\n location: nextLocation,\n proceed() {\n updateBlocker(blockerKey, {\n state: \"proceeding\",\n proceed: undefined,\n reset: undefined,\n location: nextLocation\n });\n // Send the same navigation through\n navigate(to, opts);\n },\n reset() {\n let blockers = new Map(state.blockers);\n blockers.set(blockerKey, IDLE_BLOCKER);\n updateState({\n blockers\n });\n }\n });\n return;\n }\n return await startNavigation(historyAction, nextLocation, {\n submission,\n // Send through the formData serialization error if we have one so we can\n // render at the right error boundary after we match routes\n pendingError: error,\n preventScrollReset,\n replace: opts && opts.replace,\n enableViewTransition: opts && opts.unstable_viewTransition,\n flushSync\n });\n }\n // Revalidate all current loaders. If a navigation is in progress or if this\n // is interrupted by a navigation, allow this to \"succeed\" by calling all\n // loaders during the next loader round\n function revalidate() {\n interruptActiveLoads();\n updateState({\n revalidation: \"loading\"\n });\n // If we're currently submitting an action, we don't need to start a new\n // navigation, we'll just let the follow up loader execution call all loaders\n if (state.navigation.state === \"submitting\") {\n return;\n }\n // If we're currently in an idle state, start a new navigation for the current\n // action/location and mark it as uninterrupted, which will skip the history\n // update in completeNavigation\n if (state.navigation.state === \"idle\") {\n startNavigation(state.historyAction, state.location, {\n startUninterruptedRevalidation: true\n });\n return;\n }\n // Otherwise, if we're currently in a loading state, just start a new\n // navigation to the navigation.location but do not trigger an uninterrupted\n // revalidation so that history correctly updates once the navigation completes\n startNavigation(pendingAction || state.historyAction, state.navigation.location, {\n overrideNavigation: state.navigation\n });\n }\n // Start a navigation to the given action/location. Can optionally provide a\n // overrideNavigation which will override the normalLoad in the case of a redirect\n // navigation\n async function startNavigation(historyAction, location, opts) {\n // Abort any in-progress navigations and start a new one. Unset any ongoing\n // uninterrupted revalidations unless told otherwise, since we want this\n // new navigation to update history normally\n pendingNavigationController && pendingNavigationController.abort();\n pendingNavigationController = null;\n pendingAction = historyAction;\n isUninterruptedRevalidation = (opts && opts.startUninterruptedRevalidation) === true;\n // Save the current scroll position every time we start a new navigation,\n // and track whether we should reset scroll on completion\n saveScrollPosition(state.location, state.matches);\n pendingPreventScrollReset = (opts && opts.preventScrollReset) === true;\n pendingViewTransitionEnabled = (opts && opts.enableViewTransition) === true;\n let routesToUse = inFlightDataRoutes || dataRoutes;\n let loadingNavigation = opts && opts.overrideNavigation;\n let matches = matchRoutes(routesToUse, location, basename);\n let flushSync = (opts && opts.flushSync) === true;\n // Short circuit with a 404 on the root error boundary if we match nothing\n if (!matches) {\n let error = getInternalRouterError(404, {\n pathname: location.pathname\n });\n let {\n matches: notFoundMatches,\n route\n } = getShortCircuitMatches(routesToUse);\n // Cancel all pending deferred on 404s since we don't keep any routes\n cancelActiveDeferreds();\n completeNavigation(location, {\n matches: notFoundMatches,\n loaderData: {},\n errors: {\n [route.id]: error\n }\n }, {\n flushSync\n });\n return;\n }\n // Short circuit if it's only a hash change and not a revalidation or\n // mutation submission.\n //\n // Ignore on initial page loads because since the initial load will always\n // be \"same hash\". For example, on /page#hash and submit a
\n // which will default to a navigation to /page\n if (state.initialized && !isRevalidationRequired && isHashChangeOnly(state.location, location) && !(opts && opts.submission && isMutationMethod(opts.submission.formMethod))) {\n completeNavigation(location, {\n matches\n }, {\n flushSync\n });\n return;\n }\n // Create a controller/Request for this navigation\n pendingNavigationController = new AbortController();\n let request = createClientSideRequest(init.history, location, pendingNavigationController.signal, opts && opts.submission);\n let pendingActionData;\n let pendingError;\n if (opts && opts.pendingError) {\n // If we have a pendingError, it means the user attempted a GET submission\n // with binary FormData so assign here and skip to handleLoaders. That\n // way we handle calling loaders above the boundary etc. It's not really\n // different from an actionError in that sense.\n pendingError = {\n [findNearestBoundary(matches).route.id]: opts.pendingError\n };\n } else if (opts && opts.submission && isMutationMethod(opts.submission.formMethod)) {\n // Call action if we received an action submission\n let actionOutput = await handleAction(request, location, opts.submission, matches, {\n replace: opts.replace,\n flushSync\n });\n if (actionOutput.shortCircuited) {\n return;\n }\n pendingActionData = actionOutput.pendingActionData;\n pendingError = actionOutput.pendingActionError;\n loadingNavigation = getLoadingNavigation(location, opts.submission);\n flushSync = false;\n // Create a GET request for the loaders\n request = new Request(request.url, {\n signal: request.signal\n });\n }\n // Call loaders\n let {\n shortCircuited,\n loaderData,\n errors\n } = await handleLoaders(request, location, matches, loadingNavigation, opts && opts.submission, opts && opts.fetcherSubmission, opts && opts.replace, opts && opts.initialHydration === true, flushSync, pendingActionData, pendingError);\n if (shortCircuited) {\n return;\n }\n // Clean up now that the action/loaders have completed. Don't clean up if\n // we short circuited because pendingNavigationController will have already\n // been assigned to a new controller for the next navigation\n pendingNavigationController = null;\n completeNavigation(location, _extends({\n matches\n }, pendingActionData ? {\n actionData: pendingActionData\n } : {}, {\n loaderData,\n errors\n }));\n }\n // Call the action matched by the leaf route for this navigation and handle\n // redirects/errors\n async function handleAction(request, location, submission, matches, opts) {\n if (opts === void 0) {\n opts = {};\n }\n interruptActiveLoads();\n // Put us in a submitting state\n let navigation = getSubmittingNavigation(location, submission);\n updateState({\n navigation\n }, {\n flushSync: opts.flushSync === true\n });\n // Call our action and get the result\n let result;\n let actionMatch = getTargetMatch(matches, location);\n if (!actionMatch.route.action && !actionMatch.route.lazy) {\n result = {\n type: ResultType.error,\n error: getInternalRouterError(405, {\n method: request.method,\n pathname: location.pathname,\n routeId: actionMatch.route.id\n })\n };\n } else {\n result = await callLoaderOrAction(\"action\", request, actionMatch, matches, manifest, mapRouteProperties, basename, future.v7_relativeSplatPath);\n if (request.signal.aborted) {\n return {\n shortCircuited: true\n };\n }\n }\n if (isRedirectResult(result)) {\n let replace;\n if (opts && opts.replace != null) {\n replace = opts.replace;\n } else {\n // If the user didn't explicity indicate replace behavior, replace if\n // we redirected to the exact same location we're currently at to avoid\n // double back-buttons\n replace = result.location === state.location.pathname + state.location.search;\n }\n await startRedirectNavigation(state, result, {\n submission,\n replace\n });\n return {\n shortCircuited: true\n };\n }\n if (isErrorResult(result)) {\n // Store off the pending error - we use it to determine which loaders\n // to call and will commit it when we complete the navigation\n let boundaryMatch = findNearestBoundary(matches, actionMatch.route.id);\n // By default, all submissions are REPLACE navigations, but if the\n // action threw an error that'll be rendered in an errorElement, we fall\n // back to PUSH so that the user can use the back button to get back to\n // the pre-submission form location to try again\n if ((opts && opts.replace) !== true) {\n pendingAction = Action.Push;\n }\n return {\n // Send back an empty object we can use to clear out any prior actionData\n pendingActionData: {},\n pendingActionError: {\n [boundaryMatch.route.id]: result.error\n }\n };\n }\n if (isDeferredResult(result)) {\n throw getInternalRouterError(400, {\n type: \"defer-action\"\n });\n }\n return {\n pendingActionData: {\n [actionMatch.route.id]: result.data\n }\n };\n }\n // Call all applicable loaders for the given matches, handling redirects,\n // errors, etc.\n async function handleLoaders(request, location, matches, overrideNavigation, submission, fetcherSubmission, replace, initialHydration, flushSync, pendingActionData, pendingError) {\n // Figure out the right navigation we want to use for data loading\n let loadingNavigation = overrideNavigation || getLoadingNavigation(location, submission);\n // If this was a redirect from an action we don't have a \"submission\" but\n // we have it on the loading navigation so use that if available\n let activeSubmission = submission || fetcherSubmission || getSubmissionFromNavigation(loadingNavigation);\n let routesToUse = inFlightDataRoutes || dataRoutes;\n let [matchesToLoad, revalidatingFetchers] = getMatchesToLoad(init.history, state, matches, activeSubmission, location, future.v7_partialHydration && initialHydration === true, isRevalidationRequired, cancelledDeferredRoutes, cancelledFetcherLoads, deletedFetchers, fetchLoadMatches, fetchRedirectIds, routesToUse, basename, pendingActionData, pendingError);\n // Cancel pending deferreds for no-longer-matched routes or routes we're\n // about to reload. Note that if this is an action reload we would have\n // already cancelled all pending deferreds so this would be a no-op\n cancelActiveDeferreds(routeId => !(matches && matches.some(m => m.route.id === routeId)) || matchesToLoad && matchesToLoad.some(m => m.route.id === routeId));\n pendingNavigationLoadId = ++incrementingLoadId;\n // Short circuit if we have no loaders to run\n if (matchesToLoad.length === 0 && revalidatingFetchers.length === 0) {\n let updatedFetchers = markFetchRedirectsDone();\n completeNavigation(location, _extends({\n matches,\n loaderData: {},\n // Commit pending error if we're short circuiting\n errors: pendingError || null\n }, pendingActionData ? {\n actionData: pendingActionData\n } : {}, updatedFetchers ? {\n fetchers: new Map(state.fetchers)\n } : {}), {\n flushSync\n });\n return {\n shortCircuited: true\n };\n }\n // If this is an uninterrupted revalidation, we remain in our current idle\n // state. If not, we need to switch to our loading state and load data,\n // preserving any new action data or existing action data (in the case of\n // a revalidation interrupting an actionReload)\n // If we have partialHydration enabled, then don't update the state for the\n // initial data load since iot's not a \"navigation\"\n if (!isUninterruptedRevalidation && (!future.v7_partialHydration || !initialHydration)) {\n revalidatingFetchers.forEach(rf => {\n let fetcher = state.fetchers.get(rf.key);\n let revalidatingFetcher = getLoadingFetcher(undefined, fetcher ? fetcher.data : undefined);\n state.fetchers.set(rf.key, revalidatingFetcher);\n });\n let actionData = pendingActionData || state.actionData;\n updateState(_extends({\n navigation: loadingNavigation\n }, actionData ? Object.keys(actionData).length === 0 ? {\n actionData: null\n } : {\n actionData\n } : {}, revalidatingFetchers.length > 0 ? {\n fetchers: new Map(state.fetchers)\n } : {}), {\n flushSync\n });\n }\n revalidatingFetchers.forEach(rf => {\n if (fetchControllers.has(rf.key)) {\n abortFetcher(rf.key);\n }\n if (rf.controller) {\n // Fetchers use an independent AbortController so that aborting a fetcher\n // (via deleteFetcher) does not abort the triggering navigation that\n // triggered the revalidation\n fetchControllers.set(rf.key, rf.controller);\n }\n });\n // Proxy navigation abort through to revalidation fetchers\n let abortPendingFetchRevalidations = () => revalidatingFetchers.forEach(f => abortFetcher(f.key));\n if (pendingNavigationController) {\n pendingNavigationController.signal.addEventListener(\"abort\", abortPendingFetchRevalidations);\n }\n let {\n results,\n loaderResults,\n fetcherResults\n } = await callLoadersAndMaybeResolveData(state.matches, matches, matchesToLoad, revalidatingFetchers, request);\n if (request.signal.aborted) {\n return {\n shortCircuited: true\n };\n }\n // Clean up _after_ loaders have completed. Don't clean up if we short\n // circuited because fetchControllers would have been aborted and\n // reassigned to new controllers for the next navigation\n if (pendingNavigationController) {\n pendingNavigationController.signal.removeEventListener(\"abort\", abortPendingFetchRevalidations);\n }\n revalidatingFetchers.forEach(rf => fetchControllers.delete(rf.key));\n // If any loaders returned a redirect Response, start a new REPLACE navigation\n let redirect = findRedirect(results);\n if (redirect) {\n if (redirect.idx >= matchesToLoad.length) {\n // If this redirect came from a fetcher make sure we mark it in\n // fetchRedirectIds so it doesn't get revalidated on the next set of\n // loader executions\n let fetcherKey = revalidatingFetchers[redirect.idx - matchesToLoad.length].key;\n fetchRedirectIds.add(fetcherKey);\n }\n await startRedirectNavigation(state, redirect.result, {\n replace\n });\n return {\n shortCircuited: true\n };\n }\n // Process and commit output from loaders\n let {\n loaderData,\n errors\n } = processLoaderData(state, matches, matchesToLoad, loaderResults, pendingError, revalidatingFetchers, fetcherResults, activeDeferreds);\n // Wire up subscribers to update loaderData as promises settle\n activeDeferreds.forEach((deferredData, routeId) => {\n deferredData.subscribe(aborted => {\n // Note: No need to updateState here since the TrackedPromise on\n // loaderData is stable across resolve/reject\n // Remove this instance if we were aborted or if promises have settled\n if (aborted || deferredData.done) {\n activeDeferreds.delete(routeId);\n }\n });\n });\n let updatedFetchers = markFetchRedirectsDone();\n let didAbortFetchLoads = abortStaleFetchLoads(pendingNavigationLoadId);\n let shouldUpdateFetchers = updatedFetchers || didAbortFetchLoads || revalidatingFetchers.length > 0;\n return _extends({\n loaderData,\n errors\n }, shouldUpdateFetchers ? {\n fetchers: new Map(state.fetchers)\n } : {});\n }\n // Trigger a fetcher load/submit for the given fetcher key\n function fetch(key, routeId, href, opts) {\n if (isServer) {\n throw new Error(\"router.fetch() was called during the server render, but it shouldn't be. \" + \"You are likely calling a useFetcher() method in the body of your component. \" + \"Try moving it to a useEffect or a callback.\");\n }\n if (fetchControllers.has(key)) abortFetcher(key);\n let flushSync = (opts && opts.unstable_flushSync) === true;\n let routesToUse = inFlightDataRoutes || dataRoutes;\n let normalizedPath = normalizeTo(state.location, state.matches, basename, future.v7_prependBasename, href, future.v7_relativeSplatPath, routeId, opts == null ? void 0 : opts.relative);\n let matches = matchRoutes(routesToUse, normalizedPath, basename);\n if (!matches) {\n setFetcherError(key, routeId, getInternalRouterError(404, {\n pathname: normalizedPath\n }), {\n flushSync\n });\n return;\n }\n let {\n path,\n submission,\n error\n } = normalizeNavigateOptions(future.v7_normalizeFormMethod, true, normalizedPath, opts);\n if (error) {\n setFetcherError(key, routeId, error, {\n flushSync\n });\n return;\n }\n let match = getTargetMatch(matches, path);\n pendingPreventScrollReset = (opts && opts.preventScrollReset) === true;\n if (submission && isMutationMethod(submission.formMethod)) {\n handleFetcherAction(key, routeId, path, match, matches, flushSync, submission);\n return;\n }\n // Store off the match so we can call it's shouldRevalidate on subsequent\n // revalidations\n fetchLoadMatches.set(key, {\n routeId,\n path\n });\n handleFetcherLoader(key, routeId, path, match, matches, flushSync, submission);\n }\n // Call the action for the matched fetcher.submit(), and then handle redirects,\n // errors, and revalidation\n async function handleFetcherAction(key, routeId, path, match, requestMatches, flushSync, submission) {\n interruptActiveLoads();\n fetchLoadMatches.delete(key);\n if (!match.route.action && !match.route.lazy) {\n let error = getInternalRouterError(405, {\n method: submission.formMethod,\n pathname: path,\n routeId: routeId\n });\n setFetcherError(key, routeId, error, {\n flushSync\n });\n return;\n }\n // Put this fetcher into it's submitting state\n let existingFetcher = state.fetchers.get(key);\n updateFetcherState(key, getSubmittingFetcher(submission, existingFetcher), {\n flushSync\n });\n // Call the action for the fetcher\n let abortController = new AbortController();\n let fetchRequest = createClientSideRequest(init.history, path, abortController.signal, submission);\n fetchControllers.set(key, abortController);\n let originatingLoadId = incrementingLoadId;\n let actionResult = await callLoaderOrAction(\"action\", fetchRequest, match, requestMatches, manifest, mapRouteProperties, basename, future.v7_relativeSplatPath);\n if (fetchRequest.signal.aborted) {\n // We can delete this so long as we weren't aborted by our own fetcher\n // re-submit which would have put _new_ controller is in fetchControllers\n if (fetchControllers.get(key) === abortController) {\n fetchControllers.delete(key);\n }\n return;\n }\n // When using v7_fetcherPersist, we don't want errors bubbling up to the UI\n // or redirects processed for unmounted fetchers so we just revert them to\n // idle\n if (future.v7_fetcherPersist && deletedFetchers.has(key)) {\n if (isRedirectResult(actionResult) || isErrorResult(actionResult)) {\n updateFetcherState(key, getDoneFetcher(undefined));\n return;\n }\n // Let SuccessResult's fall through for revalidation\n } else {\n if (isRedirectResult(actionResult)) {\n fetchControllers.delete(key);\n if (pendingNavigationLoadId > originatingLoadId) {\n // A new navigation was kicked off after our action started, so that\n // should take precedence over this redirect navigation. We already\n // set isRevalidationRequired so all loaders for the new route should\n // fire unless opted out via shouldRevalidate\n updateFetcherState(key, getDoneFetcher(undefined));\n return;\n } else {\n fetchRedirectIds.add(key);\n updateFetcherState(key, getLoadingFetcher(submission));\n return startRedirectNavigation(state, actionResult, {\n fetcherSubmission: submission\n });\n }\n }\n // Process any non-redirect errors thrown\n if (isErrorResult(actionResult)) {\n setFetcherError(key, routeId, actionResult.error);\n return;\n }\n }\n if (isDeferredResult(actionResult)) {\n throw getInternalRouterError(400, {\n type: \"defer-action\"\n });\n }\n // Start the data load for current matches, or the next location if we're\n // in the middle of a navigation\n let nextLocation = state.navigation.location || state.location;\n let revalidationRequest = createClientSideRequest(init.history, nextLocation, abortController.signal);\n let routesToUse = inFlightDataRoutes || dataRoutes;\n let matches = state.navigation.state !== \"idle\" ? matchRoutes(routesToUse, state.navigation.location, basename) : state.matches;\n invariant(matches, \"Didn't find any matches after fetcher action\");\n let loadId = ++incrementingLoadId;\n fetchReloadIds.set(key, loadId);\n let loadFetcher = getLoadingFetcher(submission, actionResult.data);\n state.fetchers.set(key, loadFetcher);\n let [matchesToLoad, revalidatingFetchers] = getMatchesToLoad(init.history, state, matches, submission, nextLocation, false, isRevalidationRequired, cancelledDeferredRoutes, cancelledFetcherLoads, deletedFetchers, fetchLoadMatches, fetchRedirectIds, routesToUse, basename, {\n [match.route.id]: actionResult.data\n }, undefined // No need to send through errors since we short circuit above\n );\n // Put all revalidating fetchers into the loading state, except for the\n // current fetcher which we want to keep in it's current loading state which\n // contains it's action submission info + action data\n revalidatingFetchers.filter(rf => rf.key !== key).forEach(rf => {\n let staleKey = rf.key;\n let existingFetcher = state.fetchers.get(staleKey);\n let revalidatingFetcher = getLoadingFetcher(undefined, existingFetcher ? existingFetcher.data : undefined);\n state.fetchers.set(staleKey, revalidatingFetcher);\n if (fetchControllers.has(staleKey)) {\n abortFetcher(staleKey);\n }\n if (rf.controller) {\n fetchControllers.set(staleKey, rf.controller);\n }\n });\n updateState({\n fetchers: new Map(state.fetchers)\n });\n let abortPendingFetchRevalidations = () => revalidatingFetchers.forEach(rf => abortFetcher(rf.key));\n abortController.signal.addEventListener(\"abort\", abortPendingFetchRevalidations);\n let {\n results,\n loaderResults,\n fetcherResults\n } = await callLoadersAndMaybeResolveData(state.matches, matches, matchesToLoad, revalidatingFetchers, revalidationRequest);\n if (abortController.signal.aborted) {\n return;\n }\n abortController.signal.removeEventListener(\"abort\", abortPendingFetchRevalidations);\n fetchReloadIds.delete(key);\n fetchControllers.delete(key);\n revalidatingFetchers.forEach(r => fetchControllers.delete(r.key));\n let redirect = findRedirect(results);\n if (redirect) {\n if (redirect.idx >= matchesToLoad.length) {\n // If this redirect came from a fetcher make sure we mark it in\n // fetchRedirectIds so it doesn't get revalidated on the next set of\n // loader executions\n let fetcherKey = revalidatingFetchers[redirect.idx - matchesToLoad.length].key;\n fetchRedirectIds.add(fetcherKey);\n }\n return startRedirectNavigation(state, redirect.result);\n }\n // Process and commit output from loaders\n let {\n loaderData,\n errors\n } = processLoaderData(state, state.matches, matchesToLoad, loaderResults, undefined, revalidatingFetchers, fetcherResults, activeDeferreds);\n // Since we let revalidations complete even if the submitting fetcher was\n // deleted, only put it back to idle if it hasn't been deleted\n if (state.fetchers.has(key)) {\n let doneFetcher = getDoneFetcher(actionResult.data);\n state.fetchers.set(key, doneFetcher);\n }\n abortStaleFetchLoads(loadId);\n // If we are currently in a navigation loading state and this fetcher is\n // more recent than the navigation, we want the newer data so abort the\n // navigation and complete it with the fetcher data\n if (state.navigation.state === \"loading\" && loadId > pendingNavigationLoadId) {\n invariant(pendingAction, \"Expected pending action\");\n pendingNavigationController && pendingNavigationController.abort();\n completeNavigation(state.navigation.location, {\n matches,\n loaderData,\n errors,\n fetchers: new Map(state.fetchers)\n });\n } else {\n // otherwise just update with the fetcher data, preserving any existing\n // loaderData for loaders that did not need to reload. We have to\n // manually merge here since we aren't going through completeNavigation\n updateState({\n errors,\n loaderData: mergeLoaderData(state.loaderData, loaderData, matches, errors),\n fetchers: new Map(state.fetchers)\n });\n isRevalidationRequired = false;\n }\n }\n // Call the matched loader for fetcher.load(), handling redirects, errors, etc.\n async function handleFetcherLoader(key, routeId, path, match, matches, flushSync, submission) {\n let existingFetcher = state.fetchers.get(key);\n updateFetcherState(key, getLoadingFetcher(submission, existingFetcher ? existingFetcher.data : undefined), {\n flushSync\n });\n // Call the loader for this fetcher route match\n let abortController = new AbortController();\n let fetchRequest = createClientSideRequest(init.history, path, abortController.signal);\n fetchControllers.set(key, abortController);\n let originatingLoadId = incrementingLoadId;\n let result = await callLoaderOrAction(\"loader\", fetchRequest, match, matches, manifest, mapRouteProperties, basename, future.v7_relativeSplatPath);\n // Deferred isn't supported for fetcher loads, await everything and treat it\n // as a normal load. resolveDeferredData will return undefined if this\n // fetcher gets aborted, so we just leave result untouched and short circuit\n // below if that happens\n if (isDeferredResult(result)) {\n result = (await resolveDeferredData(result, fetchRequest.signal, true)) || result;\n }\n // We can delete this so long as we weren't aborted by our our own fetcher\n // re-load which would have put _new_ controller is in fetchControllers\n if (fetchControllers.get(key) === abortController) {\n fetchControllers.delete(key);\n }\n if (fetchRequest.signal.aborted) {\n return;\n }\n // We don't want errors bubbling up or redirects followed for unmounted\n // fetchers, so short circuit here if it was removed from the UI\n if (deletedFetchers.has(key)) {\n updateFetcherState(key, getDoneFetcher(undefined));\n return;\n }\n // If the loader threw a redirect Response, start a new REPLACE navigation\n if (isRedirectResult(result)) {\n if (pendingNavigationLoadId > originatingLoadId) {\n // A new navigation was kicked off after our loader started, so that\n // should take precedence over this redirect navigation\n updateFetcherState(key, getDoneFetcher(undefined));\n return;\n } else {\n fetchRedirectIds.add(key);\n await startRedirectNavigation(state, result);\n return;\n }\n }\n // Process any non-redirect errors thrown\n if (isErrorResult(result)) {\n setFetcherError(key, routeId, result.error);\n return;\n }\n invariant(!isDeferredResult(result), \"Unhandled fetcher deferred data\");\n // Put the fetcher back into an idle state\n updateFetcherState(key, getDoneFetcher(result.data));\n }\n /**\n * Utility function to handle redirects returned from an action or loader.\n * Normally, a redirect \"replaces\" the navigation that triggered it. So, for\n * example:\n *\n * - user is on /a\n * - user clicks a link to /b\n * - loader for /b redirects to /c\n *\n * In a non-JS app the browser would track the in-flight navigation to /b and\n * then replace it with /c when it encountered the redirect response. In\n * the end it would only ever update the URL bar with /c.\n *\n * In client-side routing using pushState/replaceState, we aim to emulate\n * this behavior and we also do not update history until the end of the\n * navigation (including processed redirects). This means that we never\n * actually touch history until we've processed redirects, so we just use\n * the history action from the original navigation (PUSH or REPLACE).\n */\n async function startRedirectNavigation(state, redirect, _temp2) {\n let {\n submission,\n fetcherSubmission,\n replace\n } = _temp2 === void 0 ? {} : _temp2;\n if (redirect.revalidate) {\n isRevalidationRequired = true;\n }\n let redirectLocation = createLocation(state.location, redirect.location, {\n _isRedirect: true\n });\n invariant(redirectLocation, \"Expected a location on the redirect navigation\");\n if (isBrowser) {\n let isDocumentReload = false;\n if (redirect.reloadDocument) {\n // Hard reload if the response contained X-Remix-Reload-Document\n isDocumentReload = true;\n } else if (ABSOLUTE_URL_REGEX.test(redirect.location)) {\n const url = init.history.createURL(redirect.location);\n isDocumentReload =\n // Hard reload if it's an absolute URL to a new origin\n url.origin !== routerWindow.location.origin ||\n // Hard reload if it's an absolute URL that does not match our basename\n stripBasename(url.pathname, basename) == null;\n }\n if (isDocumentReload) {\n if (replace) {\n routerWindow.location.replace(redirect.location);\n } else {\n routerWindow.location.assign(redirect.location);\n }\n return;\n }\n }\n // There's no need to abort on redirects, since we don't detect the\n // redirect until the action/loaders have settled\n pendingNavigationController = null;\n let redirectHistoryAction = replace === true ? Action.Replace : Action.Push;\n // Use the incoming submission if provided, fallback on the active one in\n // state.navigation\n let {\n formMethod,\n formAction,\n formEncType\n } = state.navigation;\n if (!submission && !fetcherSubmission && formMethod && formAction && formEncType) {\n submission = getSubmissionFromNavigation(state.navigation);\n }\n // If this was a 307/308 submission we want to preserve the HTTP method and\n // re-submit the GET/POST/PUT/PATCH/DELETE as a submission navigation to the\n // redirected location\n let activeSubmission = submission || fetcherSubmission;\n if (redirectPreserveMethodStatusCodes.has(redirect.status) && activeSubmission && isMutationMethod(activeSubmission.formMethod)) {\n await startNavigation(redirectHistoryAction, redirectLocation, {\n submission: _extends({}, activeSubmission, {\n formAction: redirect.location\n }),\n // Preserve this flag across redirects\n preventScrollReset: pendingPreventScrollReset\n });\n } else {\n // If we have a navigation submission, we will preserve it through the\n // redirect navigation\n let overrideNavigation = getLoadingNavigation(redirectLocation, submission);\n await startNavigation(redirectHistoryAction, redirectLocation, {\n overrideNavigation,\n // Send fetcher submissions through for shouldRevalidate\n fetcherSubmission,\n // Preserve this flag across redirects\n preventScrollReset: pendingPreventScrollReset\n });\n }\n }\n async function callLoadersAndMaybeResolveData(currentMatches, matches, matchesToLoad, fetchersToLoad, request) {\n // Call all navigation loaders and revalidating fetcher loaders in parallel,\n // then slice off the results into separate arrays so we can handle them\n // accordingly\n let results = await Promise.all([...matchesToLoad.map(match => callLoaderOrAction(\"loader\", request, match, matches, manifest, mapRouteProperties, basename, future.v7_relativeSplatPath)), ...fetchersToLoad.map(f => {\n if (f.matches && f.match && f.controller) {\n return callLoaderOrAction(\"loader\", createClientSideRequest(init.history, f.path, f.controller.signal), f.match, f.matches, manifest, mapRouteProperties, basename, future.v7_relativeSplatPath);\n } else {\n let error = {\n type: ResultType.error,\n error: getInternalRouterError(404, {\n pathname: f.path\n })\n };\n return error;\n }\n })]);\n let loaderResults = results.slice(0, matchesToLoad.length);\n let fetcherResults = results.slice(matchesToLoad.length);\n await Promise.all([resolveDeferredResults(currentMatches, matchesToLoad, loaderResults, loaderResults.map(() => request.signal), false, state.loaderData), resolveDeferredResults(currentMatches, fetchersToLoad.map(f => f.match), fetcherResults, fetchersToLoad.map(f => f.controller ? f.controller.signal : null), true)]);\n return {\n results,\n loaderResults,\n fetcherResults\n };\n }\n function interruptActiveLoads() {\n // Every interruption triggers a revalidation\n isRevalidationRequired = true;\n // Cancel pending route-level deferreds and mark cancelled routes for\n // revalidation\n cancelledDeferredRoutes.push(...cancelActiveDeferreds());\n // Abort in-flight fetcher loads\n fetchLoadMatches.forEach((_, key) => {\n if (fetchControllers.has(key)) {\n cancelledFetcherLoads.push(key);\n abortFetcher(key);\n }\n });\n }\n function updateFetcherState(key, fetcher, opts) {\n if (opts === void 0) {\n opts = {};\n }\n state.fetchers.set(key, fetcher);\n updateState({\n fetchers: new Map(state.fetchers)\n }, {\n flushSync: (opts && opts.flushSync) === true\n });\n }\n function setFetcherError(key, routeId, error, opts) {\n if (opts === void 0) {\n opts = {};\n }\n let boundaryMatch = findNearestBoundary(state.matches, routeId);\n deleteFetcher(key);\n updateState({\n errors: {\n [boundaryMatch.route.id]: error\n },\n fetchers: new Map(state.fetchers)\n }, {\n flushSync: (opts && opts.flushSync) === true\n });\n }\n function getFetcher(key) {\n if (future.v7_fetcherPersist) {\n activeFetchers.set(key, (activeFetchers.get(key) || 0) + 1);\n // If this fetcher was previously marked for deletion, unmark it since we\n // have a new instance\n if (deletedFetchers.has(key)) {\n deletedFetchers.delete(key);\n }\n }\n return state.fetchers.get(key) || IDLE_FETCHER;\n }\n function deleteFetcher(key) {\n let fetcher = state.fetchers.get(key);\n // Don't abort the controller if this is a deletion of a fetcher.submit()\n // in it's loading phase since - we don't want to abort the corresponding\n // revalidation and want them to complete and land\n if (fetchControllers.has(key) && !(fetcher && fetcher.state === \"loading\" && fetchReloadIds.has(key))) {\n abortFetcher(key);\n }\n fetchLoadMatches.delete(key);\n fetchReloadIds.delete(key);\n fetchRedirectIds.delete(key);\n deletedFetchers.delete(key);\n state.fetchers.delete(key);\n }\n function deleteFetcherAndUpdateState(key) {\n if (future.v7_fetcherPersist) {\n let count = (activeFetchers.get(key) || 0) - 1;\n if (count <= 0) {\n activeFetchers.delete(key);\n deletedFetchers.add(key);\n } else {\n activeFetchers.set(key, count);\n }\n } else {\n deleteFetcher(key);\n }\n updateState({\n fetchers: new Map(state.fetchers)\n });\n }\n function abortFetcher(key) {\n let controller = fetchControllers.get(key);\n invariant(controller, \"Expected fetch controller: \" + key);\n controller.abort();\n fetchControllers.delete(key);\n }\n function markFetchersDone(keys) {\n for (let key of keys) {\n let fetcher = getFetcher(key);\n let doneFetcher = getDoneFetcher(fetcher.data);\n state.fetchers.set(key, doneFetcher);\n }\n }\n function markFetchRedirectsDone() {\n let doneKeys = [];\n let updatedFetchers = false;\n for (let key of fetchRedirectIds) {\n let fetcher = state.fetchers.get(key);\n invariant(fetcher, \"Expected fetcher: \" + key);\n if (fetcher.state === \"loading\") {\n fetchRedirectIds.delete(key);\n doneKeys.push(key);\n updatedFetchers = true;\n }\n }\n markFetchersDone(doneKeys);\n return updatedFetchers;\n }\n function abortStaleFetchLoads(landedId) {\n let yeetedKeys = [];\n for (let [key, id] of fetchReloadIds) {\n if (id < landedId) {\n let fetcher = state.fetchers.get(key);\n invariant(fetcher, \"Expected fetcher: \" + key);\n if (fetcher.state === \"loading\") {\n abortFetcher(key);\n fetchReloadIds.delete(key);\n yeetedKeys.push(key);\n }\n }\n }\n markFetchersDone(yeetedKeys);\n return yeetedKeys.length > 0;\n }\n function getBlocker(key, fn) {\n let blocker = state.blockers.get(key) || IDLE_BLOCKER;\n if (blockerFunctions.get(key) !== fn) {\n blockerFunctions.set(key, fn);\n }\n return blocker;\n }\n function deleteBlocker(key) {\n state.blockers.delete(key);\n blockerFunctions.delete(key);\n }\n // Utility function to update blockers, ensuring valid state transitions\n function updateBlocker(key, newBlocker) {\n let blocker = state.blockers.get(key) || IDLE_BLOCKER;\n // Poor mans state machine :)\n // https://mermaid.live/edit#pako:eNqVkc9OwzAMxl8l8nnjAYrEtDIOHEBIgwvKJTReGy3_lDpIqO27k6awMG0XcrLlnz87nwdonESogKXXBuE79rq75XZO3-yHds0RJVuv70YrPlUrCEe2HfrORS3rubqZfuhtpg5C9wk5tZ4VKcRUq88q9Z8RS0-48cE1iHJkL0ugbHuFLus9L6spZy8nX9MP2CNdomVaposqu3fGayT8T8-jJQwhepo_UtpgBQaDEUom04dZhAN1aJBDlUKJBxE1ceB2Smj0Mln-IBW5AFU2dwUiktt_2Qaq2dBfaKdEup85UV7Yd-dKjlnkabl2Pvr0DTkTreM\n invariant(blocker.state === \"unblocked\" && newBlocker.state === \"blocked\" || blocker.state === \"blocked\" && newBlocker.state === \"blocked\" || blocker.state === \"blocked\" && newBlocker.state === \"proceeding\" || blocker.state === \"blocked\" && newBlocker.state === \"unblocked\" || blocker.state === \"proceeding\" && newBlocker.state === \"unblocked\", \"Invalid blocker state transition: \" + blocker.state + \" -> \" + newBlocker.state);\n let blockers = new Map(state.blockers);\n blockers.set(key, newBlocker);\n updateState({\n blockers\n });\n }\n function shouldBlockNavigation(_ref2) {\n let {\n currentLocation,\n nextLocation,\n historyAction\n } = _ref2;\n if (blockerFunctions.size === 0) {\n return;\n }\n // We ony support a single active blocker at the moment since we don't have\n // any compelling use cases for multi-blocker yet\n if (blockerFunctions.size > 1) {\n warning(false, \"A router only supports one blocker at a time\");\n }\n let entries = Array.from(blockerFunctions.entries());\n let [blockerKey, blockerFunction] = entries[entries.length - 1];\n let blocker = state.blockers.get(blockerKey);\n if (blocker && blocker.state === \"proceeding\") {\n // If the blocker is currently proceeding, we don't need to re-check\n // it and can let this navigation continue\n return;\n }\n // At this point, we know we're unblocked/blocked so we need to check the\n // user-provided blocker function\n if (blockerFunction({\n currentLocation,\n nextLocation,\n historyAction\n })) {\n return blockerKey;\n }\n }\n function cancelActiveDeferreds(predicate) {\n let cancelledRouteIds = [];\n activeDeferreds.forEach((dfd, routeId) => {\n if (!predicate || predicate(routeId)) {\n // Cancel the deferred - but do not remove from activeDeferreds here -\n // we rely on the subscribers to do that so our tests can assert proper\n // cleanup via _internalActiveDeferreds\n dfd.cancel();\n cancelledRouteIds.push(routeId);\n activeDeferreds.delete(routeId);\n }\n });\n return cancelledRouteIds;\n }\n // Opt in to capturing and reporting scroll positions during navigations,\n // used by the component\n function enableScrollRestoration(positions, getPosition, getKey) {\n savedScrollPositions = positions;\n getScrollPosition = getPosition;\n getScrollRestorationKey = getKey || null;\n // Perform initial hydration scroll restoration, since we miss the boat on\n // the initial updateState() because we've not yet rendered \n // and therefore have no savedScrollPositions available\n if (!initialScrollRestored && state.navigation === IDLE_NAVIGATION) {\n initialScrollRestored = true;\n let y = getSavedScrollPosition(state.location, state.matches);\n if (y != null) {\n updateState({\n restoreScrollPosition: y\n });\n }\n }\n return () => {\n savedScrollPositions = null;\n getScrollPosition = null;\n getScrollRestorationKey = null;\n };\n }\n function getScrollKey(location, matches) {\n if (getScrollRestorationKey) {\n let key = getScrollRestorationKey(location, matches.map(m => convertRouteMatchToUiMatch(m, state.loaderData)));\n return key || location.key;\n }\n return location.key;\n }\n function saveScrollPosition(location, matches) {\n if (savedScrollPositions && getScrollPosition) {\n let key = getScrollKey(location, matches);\n savedScrollPositions[key] = getScrollPosition();\n }\n }\n function getSavedScrollPosition(location, matches) {\n if (savedScrollPositions) {\n let key = getScrollKey(location, matches);\n let y = savedScrollPositions[key];\n if (typeof y === \"number\") {\n return y;\n }\n }\n return null;\n }\n function _internalSetRoutes(newRoutes) {\n manifest = {};\n inFlightDataRoutes = convertRoutesToDataRoutes(newRoutes, mapRouteProperties, undefined, manifest);\n }\n router = {\n get basename() {\n return basename;\n },\n get future() {\n return future;\n },\n get state() {\n return state;\n },\n get routes() {\n return dataRoutes;\n },\n get window() {\n return routerWindow;\n },\n initialize,\n subscribe,\n enableScrollRestoration,\n navigate,\n fetch,\n revalidate,\n // Passthrough to history-aware createHref used by useHref so we get proper\n // hash-aware URLs in DOM paths\n createHref: to => init.history.createHref(to),\n encodeLocation: to => init.history.encodeLocation(to),\n getFetcher,\n deleteFetcher: deleteFetcherAndUpdateState,\n dispose,\n getBlocker,\n deleteBlocker,\n _internalFetchControllers: fetchControllers,\n _internalActiveDeferreds: activeDeferreds,\n // TODO: Remove setRoutes, it's temporary to avoid dealing with\n // updating the tree while validating the update algorithm.\n _internalSetRoutes\n };\n return router;\n}\n//#endregion\n////////////////////////////////////////////////////////////////////////////////\n//#region createStaticHandler\n////////////////////////////////////////////////////////////////////////////////\nconst UNSAFE_DEFERRED_SYMBOL = Symbol(\"deferred\");\nfunction createStaticHandler(routes, opts) {\n invariant(routes.length > 0, \"You must provide a non-empty routes array to createStaticHandler\");\n let manifest = {};\n let basename = (opts ? opts.basename : null) || \"/\";\n let mapRouteProperties;\n if (opts != null && opts.mapRouteProperties) {\n mapRouteProperties = opts.mapRouteProperties;\n } else if (opts != null && opts.detectErrorBoundary) {\n // If they are still using the deprecated version, wrap it with the new API\n let detectErrorBoundary = opts.detectErrorBoundary;\n mapRouteProperties = route => ({\n hasErrorBoundary: detectErrorBoundary(route)\n });\n } else {\n mapRouteProperties = defaultMapRouteProperties;\n }\n // Config driven behavior flags\n let future = _extends({\n v7_relativeSplatPath: false\n }, opts ? opts.future : null);\n let dataRoutes = convertRoutesToDataRoutes(routes, mapRouteProperties, undefined, manifest);\n /**\n * The query() method is intended for document requests, in which we want to\n * call an optional action and potentially multiple loaders for all nested\n * routes. It returns a StaticHandlerContext object, which is very similar\n * to the router state (location, loaderData, actionData, errors, etc.) and\n * also adds SSR-specific information such as the statusCode and headers\n * from action/loaders Responses.\n *\n * It _should_ never throw and should report all errors through the\n * returned context.errors object, properly associating errors to their error\n * boundary. Additionally, it tracks _deepestRenderedBoundaryId which can be\n * used to emulate React error boundaries during SSr by performing a second\n * pass only down to the boundaryId.\n *\n * The one exception where we do not return a StaticHandlerContext is when a\n * redirect response is returned or thrown from any action/loader. We\n * propagate that out and return the raw Response so the HTTP server can\n * return it directly.\n */\n async function query(request, _temp3) {\n let {\n requestContext\n } = _temp3 === void 0 ? {} : _temp3;\n let url = new URL(request.url);\n let method = request.method;\n let location = createLocation(\"\", createPath(url), null, \"default\");\n let matches = matchRoutes(dataRoutes, location, basename);\n // SSR supports HEAD requests while SPA doesn't\n if (!isValidMethod(method) && method !== \"HEAD\") {\n let error = getInternalRouterError(405, {\n method\n });\n let {\n matches: methodNotAllowedMatches,\n route\n } = getShortCircuitMatches(dataRoutes);\n return {\n basename,\n location,\n matches: methodNotAllowedMatches,\n loaderData: {},\n actionData: null,\n errors: {\n [route.id]: error\n },\n statusCode: error.status,\n loaderHeaders: {},\n actionHeaders: {},\n activeDeferreds: null\n };\n } else if (!matches) {\n let error = getInternalRouterError(404, {\n pathname: location.pathname\n });\n let {\n matches: notFoundMatches,\n route\n } = getShortCircuitMatches(dataRoutes);\n return {\n basename,\n location,\n matches: notFoundMatches,\n loaderData: {},\n actionData: null,\n errors: {\n [route.id]: error\n },\n statusCode: error.status,\n loaderHeaders: {},\n actionHeaders: {},\n activeDeferreds: null\n };\n }\n let result = await queryImpl(request, location, matches, requestContext);\n if (isResponse(result)) {\n return result;\n }\n // When returning StaticHandlerContext, we patch back in the location here\n // since we need it for React Context. But this helps keep our submit and\n // loadRouteData operating on a Request instead of a Location\n return _extends({\n location,\n basename\n }, result);\n }\n /**\n * The queryRoute() method is intended for targeted route requests, either\n * for fetch ?_data requests or resource route requests. In this case, we\n * are only ever calling a single action or loader, and we are returning the\n * returned value directly. In most cases, this will be a Response returned\n * from the action/loader, but it may be a primitive or other value as well -\n * and in such cases the calling context should handle that accordingly.\n *\n * We do respect the throw/return differentiation, so if an action/loader\n * throws, then this method will throw the value. This is important so we\n * can do proper boundary identification in Remix where a thrown Response\n * must go to the Catch Boundary but a returned Response is happy-path.\n *\n * One thing to note is that any Router-initiated Errors that make sense\n * to associate with a status code will be thrown as an ErrorResponse\n * instance which include the raw Error, such that the calling context can\n * serialize the error as they see fit while including the proper response\n * code. Examples here are 404 and 405 errors that occur prior to reaching\n * any user-defined loaders.\n */\n async function queryRoute(request, _temp4) {\n let {\n routeId,\n requestContext\n } = _temp4 === void 0 ? {} : _temp4;\n let url = new URL(request.url);\n let method = request.method;\n let location = createLocation(\"\", createPath(url), null, \"default\");\n let matches = matchRoutes(dataRoutes, location, basename);\n // SSR supports HEAD requests while SPA doesn't\n if (!isValidMethod(method) && method !== \"HEAD\" && method !== \"OPTIONS\") {\n throw getInternalRouterError(405, {\n method\n });\n } else if (!matches) {\n throw getInternalRouterError(404, {\n pathname: location.pathname\n });\n }\n let match = routeId ? matches.find(m => m.route.id === routeId) : getTargetMatch(matches, location);\n if (routeId && !match) {\n throw getInternalRouterError(403, {\n pathname: location.pathname,\n routeId\n });\n } else if (!match) {\n // This should never hit I don't think?\n throw getInternalRouterError(404, {\n pathname: location.pathname\n });\n }\n let result = await queryImpl(request, location, matches, requestContext, match);\n if (isResponse(result)) {\n return result;\n }\n let error = result.errors ? Object.values(result.errors)[0] : undefined;\n if (error !== undefined) {\n // If we got back result.errors, that means the loader/action threw\n // _something_ that wasn't a Response, but it's not guaranteed/required\n // to be an `instanceof Error` either, so we have to use throw here to\n // preserve the \"error\" state outside of queryImpl.\n throw error;\n }\n // Pick off the right state value to return\n if (result.actionData) {\n return Object.values(result.actionData)[0];\n }\n if (result.loaderData) {\n var _result$activeDeferre;\n let data = Object.values(result.loaderData)[0];\n if ((_result$activeDeferre = result.activeDeferreds) != null && _result$activeDeferre[match.route.id]) {\n data[UNSAFE_DEFERRED_SYMBOL] = result.activeDeferreds[match.route.id];\n }\n return data;\n }\n return undefined;\n }\n async function queryImpl(request, location, matches, requestContext, routeMatch) {\n invariant(request.signal, \"query()/queryRoute() requests must contain an AbortController signal\");\n try {\n if (isMutationMethod(request.method.toLowerCase())) {\n let result = await submit(request, matches, routeMatch || getTargetMatch(matches, location), requestContext, routeMatch != null);\n return result;\n }\n let result = await loadRouteData(request, matches, requestContext, routeMatch);\n return isResponse(result) ? result : _extends({}, result, {\n actionData: null,\n actionHeaders: {}\n });\n } catch (e) {\n // If the user threw/returned a Response in callLoaderOrAction, we throw\n // it to bail out and then return or throw here based on whether the user\n // returned or threw\n if (isQueryRouteResponse(e)) {\n if (e.type === ResultType.error) {\n throw e.response;\n }\n return e.response;\n }\n // Redirects are always returned since they don't propagate to catch\n // boundaries\n if (isRedirectResponse(e)) {\n return e;\n }\n throw e;\n }\n }\n async function submit(request, matches, actionMatch, requestContext, isRouteRequest) {\n let result;\n if (!actionMatch.route.action && !actionMatch.route.lazy) {\n let error = getInternalRouterError(405, {\n method: request.method,\n pathname: new URL(request.url).pathname,\n routeId: actionMatch.route.id\n });\n if (isRouteRequest) {\n throw error;\n }\n result = {\n type: ResultType.error,\n error\n };\n } else {\n result = await callLoaderOrAction(\"action\", request, actionMatch, matches, manifest, mapRouteProperties, basename, future.v7_relativeSplatPath, {\n isStaticRequest: true,\n isRouteRequest,\n requestContext\n });\n if (request.signal.aborted) {\n let method = isRouteRequest ? \"queryRoute\" : \"query\";\n throw new Error(method + \"() call aborted: \" + request.method + \" \" + request.url);\n }\n }\n if (isRedirectResult(result)) {\n // Uhhhh - this should never happen, we should always throw these from\n // callLoaderOrAction, but the type narrowing here keeps TS happy and we\n // can get back on the \"throw all redirect responses\" train here should\n // this ever happen :/\n throw new Response(null, {\n status: result.status,\n headers: {\n Location: result.location\n }\n });\n }\n if (isDeferredResult(result)) {\n let error = getInternalRouterError(400, {\n type: \"defer-action\"\n });\n if (isRouteRequest) {\n throw error;\n }\n result = {\n type: ResultType.error,\n error\n };\n }\n if (isRouteRequest) {\n // Note: This should only be non-Response values if we get here, since\n // isRouteRequest should throw any Response received in callLoaderOrAction\n if (isErrorResult(result)) {\n throw result.error;\n }\n return {\n matches: [actionMatch],\n loaderData: {},\n actionData: {\n [actionMatch.route.id]: result.data\n },\n errors: null,\n // Note: statusCode + headers are unused here since queryRoute will\n // return the raw Response or value\n statusCode: 200,\n loaderHeaders: {},\n actionHeaders: {},\n activeDeferreds: null\n };\n }\n if (isErrorResult(result)) {\n // Store off the pending error - we use it to determine which loaders\n // to call and will commit it when we complete the navigation\n let boundaryMatch = findNearestBoundary(matches, actionMatch.route.id);\n let context = await loadRouteData(request, matches, requestContext, undefined, {\n [boundaryMatch.route.id]: result.error\n });\n // action status codes take precedence over loader status codes\n return _extends({}, context, {\n statusCode: isRouteErrorResponse(result.error) ? result.error.status : 500,\n actionData: null,\n actionHeaders: _extends({}, result.headers ? {\n [actionMatch.route.id]: result.headers\n } : {})\n });\n }\n // Create a GET request for the loaders\n let loaderRequest = new Request(request.url, {\n headers: request.headers,\n redirect: request.redirect,\n signal: request.signal\n });\n let context = await loadRouteData(loaderRequest, matches, requestContext);\n return _extends({}, context, result.statusCode ? {\n statusCode: result.statusCode\n } : {}, {\n actionData: {\n [actionMatch.route.id]: result.data\n },\n actionHeaders: _extends({}, result.headers ? {\n [actionMatch.route.id]: result.headers\n } : {})\n });\n }\n async function loadRouteData(request, matches, requestContext, routeMatch, pendingActionError) {\n let isRouteRequest = routeMatch != null;\n // Short circuit if we have no loaders to run (queryRoute())\n if (isRouteRequest && !(routeMatch != null && routeMatch.route.loader) && !(routeMatch != null && routeMatch.route.lazy)) {\n throw getInternalRouterError(400, {\n method: request.method,\n pathname: new URL(request.url).pathname,\n routeId: routeMatch == null ? void 0 : routeMatch.route.id\n });\n }\n let requestMatches = routeMatch ? [routeMatch] : getLoaderMatchesUntilBoundary(matches, Object.keys(pendingActionError || {})[0]);\n let matchesToLoad = requestMatches.filter(m => m.route.loader || m.route.lazy);\n // Short circuit if we have no loaders to run (query())\n if (matchesToLoad.length === 0) {\n return {\n matches,\n // Add a null for all matched routes for proper revalidation on the client\n loaderData: matches.reduce((acc, m) => Object.assign(acc, {\n [m.route.id]: null\n }), {}),\n errors: pendingActionError || null,\n statusCode: 200,\n loaderHeaders: {},\n activeDeferreds: null\n };\n }\n let results = await Promise.all([...matchesToLoad.map(match => callLoaderOrAction(\"loader\", request, match, matches, manifest, mapRouteProperties, basename, future.v7_relativeSplatPath, {\n isStaticRequest: true,\n isRouteRequest,\n requestContext\n }))]);\n if (request.signal.aborted) {\n let method = isRouteRequest ? \"queryRoute\" : \"query\";\n throw new Error(method + \"() call aborted: \" + request.method + \" \" + request.url);\n }\n // Process and commit output from loaders\n let activeDeferreds = new Map();\n let context = processRouteLoaderData(matches, matchesToLoad, results, pendingActionError, activeDeferreds);\n // Add a null for any non-loader matches for proper revalidation on the client\n let executedLoaders = new Set(matchesToLoad.map(match => match.route.id));\n matches.forEach(match => {\n if (!executedLoaders.has(match.route.id)) {\n context.loaderData[match.route.id] = null;\n }\n });\n return _extends({}, context, {\n matches,\n activeDeferreds: activeDeferreds.size > 0 ? Object.fromEntries(activeDeferreds.entries()) : null\n });\n }\n return {\n dataRoutes,\n query,\n queryRoute\n };\n}\n//#endregion\n////////////////////////////////////////////////////////////////////////////////\n//#region Helpers\n////////////////////////////////////////////////////////////////////////////////\n/**\n * Given an existing StaticHandlerContext and an error thrown at render time,\n * provide an updated StaticHandlerContext suitable for a second SSR render\n */\nfunction getStaticContextFromError(routes, context, error) {\n let newContext = _extends({}, context, {\n statusCode: 500,\n errors: {\n [context._deepestRenderedBoundaryId || routes[0].id]: error\n }\n });\n return newContext;\n}\nfunction isSubmissionNavigation(opts) {\n return opts != null && (\"formData\" in opts && opts.formData != null || \"body\" in opts && opts.body !== undefined);\n}\nfunction normalizeTo(location, matches, basename, prependBasename, to, v7_relativeSplatPath, fromRouteId, relative) {\n let contextualMatches;\n let activeRouteMatch;\n if (fromRouteId) {\n // Grab matches up to the calling route so our route-relative logic is\n // relative to the correct source route\n contextualMatches = [];\n for (let match of matches) {\n contextualMatches.push(match);\n if (match.route.id === fromRouteId) {\n activeRouteMatch = match;\n break;\n }\n }\n } else {\n contextualMatches = matches;\n activeRouteMatch = matches[matches.length - 1];\n }\n // Resolve the relative path\n let path = resolveTo(to ? to : \".\", getResolveToMatches(contextualMatches, v7_relativeSplatPath), stripBasename(location.pathname, basename) || location.pathname, relative === \"path\");\n // When `to` is not specified we inherit search/hash from the current\n // location, unlike when to=\".\" and we just inherit the path.\n // See https://github.com/remix-run/remix/issues/927\n if (to == null) {\n path.search = location.search;\n path.hash = location.hash;\n }\n // Add an ?index param for matched index routes if we don't already have one\n if ((to == null || to === \"\" || to === \".\") && activeRouteMatch && activeRouteMatch.route.index && !hasNakedIndexQuery(path.search)) {\n path.search = path.search ? path.search.replace(/^\\?/, \"?index&\") : \"?index\";\n }\n // If we're operating within a basename, prepend it to the pathname. If\n // this is a root navigation, then just use the raw basename which allows\n // the basename to have full control over the presence of a trailing slash\n // on root actions\n if (prependBasename && basename !== \"/\") {\n path.pathname = path.pathname === \"/\" ? basename : joinPaths([basename, path.pathname]);\n }\n return createPath(path);\n}\n// Normalize navigation options by converting formMethod=GET formData objects to\n// URLSearchParams so they behave identically to links with query params\nfunction normalizeNavigateOptions(normalizeFormMethod, isFetcher, path, opts) {\n // Return location verbatim on non-submission navigations\n if (!opts || !isSubmissionNavigation(opts)) {\n return {\n path\n };\n }\n if (opts.formMethod && !isValidMethod(opts.formMethod)) {\n return {\n path,\n error: getInternalRouterError(405, {\n method: opts.formMethod\n })\n };\n }\n let getInvalidBodyError = () => ({\n path,\n error: getInternalRouterError(400, {\n type: \"invalid-body\"\n })\n });\n // Create a Submission on non-GET navigations\n let rawFormMethod = opts.formMethod || \"get\";\n let formMethod = normalizeFormMethod ? rawFormMethod.toUpperCase() : rawFormMethod.toLowerCase();\n let formAction = stripHashFromPath(path);\n if (opts.body !== undefined) {\n if (opts.formEncType === \"text/plain\") {\n // text only support POST/PUT/PATCH/DELETE submissions\n if (!isMutationMethod(formMethod)) {\n return getInvalidBodyError();\n }\n let text = typeof opts.body === \"string\" ? opts.body : opts.body instanceof FormData || opts.body instanceof URLSearchParams ?\n // https://html.spec.whatwg.org/multipage/form-control-infrastructure.html#plain-text-form-data\n Array.from(opts.body.entries()).reduce((acc, _ref3) => {\n let [name, value] = _ref3;\n return \"\" + acc + name + \"=\" + value + \"\\n\";\n }, \"\") : String(opts.body);\n return {\n path,\n submission: {\n formMethod,\n formAction,\n formEncType: opts.formEncType,\n formData: undefined,\n json: undefined,\n text\n }\n };\n } else if (opts.formEncType === \"application/json\") {\n // json only supports POST/PUT/PATCH/DELETE submissions\n if (!isMutationMethod(formMethod)) {\n return getInvalidBodyError();\n }\n try {\n let json = typeof opts.body === \"string\" ? JSON.parse(opts.body) : opts.body;\n return {\n path,\n submission: {\n formMethod,\n formAction,\n formEncType: opts.formEncType,\n formData: undefined,\n json,\n text: undefined\n }\n };\n } catch (e) {\n return getInvalidBodyError();\n }\n }\n }\n invariant(typeof FormData === \"function\", \"FormData is not available in this environment\");\n let searchParams;\n let formData;\n if (opts.formData) {\n searchParams = convertFormDataToSearchParams(opts.formData);\n formData = opts.formData;\n } else if (opts.body instanceof FormData) {\n searchParams = convertFormDataToSearchParams(opts.body);\n formData = opts.body;\n } else if (opts.body instanceof URLSearchParams) {\n searchParams = opts.body;\n formData = convertSearchParamsToFormData(searchParams);\n } else if (opts.body == null) {\n searchParams = new URLSearchParams();\n formData = new FormData();\n } else {\n try {\n searchParams = new URLSearchParams(opts.body);\n formData = convertSearchParamsToFormData(searchParams);\n } catch (e) {\n return getInvalidBodyError();\n }\n }\n let submission = {\n formMethod,\n formAction,\n formEncType: opts && opts.formEncType || \"application/x-www-form-urlencoded\",\n formData,\n json: undefined,\n text: undefined\n };\n if (isMutationMethod(submission.formMethod)) {\n return {\n path,\n submission\n };\n }\n // Flatten submission onto URLSearchParams for GET submissions\n let parsedPath = parsePath(path);\n // On GET navigation submissions we can drop the ?index param from the\n // resulting location since all loaders will run. But fetcher GET submissions\n // only run a single loader so we need to preserve any incoming ?index params\n if (isFetcher && parsedPath.search && hasNakedIndexQuery(parsedPath.search)) {\n searchParams.append(\"index\", \"\");\n }\n parsedPath.search = \"?\" + searchParams;\n return {\n path: createPath(parsedPath),\n submission\n };\n}\n// Filter out all routes below any caught error as they aren't going to\n// render so we don't need to load them\nfunction getLoaderMatchesUntilBoundary(matches, boundaryId) {\n let boundaryMatches = matches;\n if (boundaryId) {\n let index = matches.findIndex(m => m.route.id === boundaryId);\n if (index >= 0) {\n boundaryMatches = matches.slice(0, index);\n }\n }\n return boundaryMatches;\n}\nfunction getMatchesToLoad(history, state, matches, submission, location, isInitialLoad, isRevalidationRequired, cancelledDeferredRoutes, cancelledFetcherLoads, deletedFetchers, fetchLoadMatches, fetchRedirectIds, routesToUse, basename, pendingActionData, pendingError) {\n let actionResult = pendingError ? Object.values(pendingError)[0] : pendingActionData ? Object.values(pendingActionData)[0] : undefined;\n let currentUrl = history.createURL(state.location);\n let nextUrl = history.createURL(location);\n // Pick navigation matches that are net-new or qualify for revalidation\n let boundaryId = pendingError ? Object.keys(pendingError)[0] : undefined;\n let boundaryMatches = getLoaderMatchesUntilBoundary(matches, boundaryId);\n let navigationMatches = boundaryMatches.filter((match, index) => {\n let {\n route\n } = match;\n if (route.lazy) {\n // We haven't loaded this route yet so we don't know if it's got a loader!\n return true;\n }\n if (route.loader == null) {\n return false;\n }\n if (isInitialLoad) {\n if (route.loader.hydrate) {\n return true;\n }\n return state.loaderData[route.id] === undefined && (\n // Don't re-run if the loader ran and threw an error\n !state.errors || state.errors[route.id] === undefined);\n }\n // Always call the loader on new route instances and pending defer cancellations\n if (isNewLoader(state.loaderData, state.matches[index], match) || cancelledDeferredRoutes.some(id => id === match.route.id)) {\n return true;\n }\n // This is the default implementation for when we revalidate. If the route\n // provides it's own implementation, then we give them full control but\n // provide this value so they can leverage it if needed after they check\n // their own specific use cases\n let currentRouteMatch = state.matches[index];\n let nextRouteMatch = match;\n return shouldRevalidateLoader(match, _extends({\n currentUrl,\n currentParams: currentRouteMatch.params,\n nextUrl,\n nextParams: nextRouteMatch.params\n }, submission, {\n actionResult,\n defaultShouldRevalidate:\n // Forced revalidation due to submission, useRevalidator, or X-Remix-Revalidate\n isRevalidationRequired ||\n // Clicked the same link, resubmitted a GET form\n currentUrl.pathname + currentUrl.search === nextUrl.pathname + nextUrl.search ||\n // Search params affect all loaders\n currentUrl.search !== nextUrl.search || isNewRouteInstance(currentRouteMatch, nextRouteMatch)\n }));\n });\n // Pick fetcher.loads that need to be revalidated\n let revalidatingFetchers = [];\n fetchLoadMatches.forEach((f, key) => {\n // Don't revalidate:\n // - on initial load (shouldn't be any fetchers then anyway)\n // - if fetcher won't be present in the subsequent render\n // - no longer matches the URL (v7_fetcherPersist=false)\n // - was unmounted but persisted due to v7_fetcherPersist=true\n if (isInitialLoad || !matches.some(m => m.route.id === f.routeId) || deletedFetchers.has(key)) {\n return;\n }\n let fetcherMatches = matchRoutes(routesToUse, f.path, basename);\n // If the fetcher path no longer matches, push it in with null matches so\n // we can trigger a 404 in callLoadersAndMaybeResolveData. Note this is\n // currently only a use-case for Remix HMR where the route tree can change\n // at runtime and remove a route previously loaded via a fetcher\n if (!fetcherMatches) {\n revalidatingFetchers.push({\n key,\n routeId: f.routeId,\n path: f.path,\n matches: null,\n match: null,\n controller: null\n });\n return;\n }\n // Revalidating fetchers are decoupled from the route matches since they\n // load from a static href. They revalidate based on explicit revalidation\n // (submission, useRevalidator, or X-Remix-Revalidate)\n let fetcher = state.fetchers.get(key);\n let fetcherMatch = getTargetMatch(fetcherMatches, f.path);\n let shouldRevalidate = false;\n if (fetchRedirectIds.has(key)) {\n // Never trigger a revalidation of an actively redirecting fetcher\n shouldRevalidate = false;\n } else if (cancelledFetcherLoads.includes(key)) {\n // Always revalidate if the fetcher was cancelled\n shouldRevalidate = true;\n } else if (fetcher && fetcher.state !== \"idle\" && fetcher.data === undefined) {\n // If the fetcher hasn't ever completed loading yet, then this isn't a\n // revalidation, it would just be a brand new load if an explicit\n // revalidation is required\n shouldRevalidate = isRevalidationRequired;\n } else {\n // Otherwise fall back on any user-defined shouldRevalidate, defaulting\n // to explicit revalidations only\n shouldRevalidate = shouldRevalidateLoader(fetcherMatch, _extends({\n currentUrl,\n currentParams: state.matches[state.matches.length - 1].params,\n nextUrl,\n nextParams: matches[matches.length - 1].params\n }, submission, {\n actionResult,\n defaultShouldRevalidate: isRevalidationRequired\n }));\n }\n if (shouldRevalidate) {\n revalidatingFetchers.push({\n key,\n routeId: f.routeId,\n path: f.path,\n matches: fetcherMatches,\n match: fetcherMatch,\n controller: new AbortController()\n });\n }\n });\n return [navigationMatches, revalidatingFetchers];\n}\nfunction isNewLoader(currentLoaderData, currentMatch, match) {\n let isNew =\n // [a] -> [a, b]\n !currentMatch ||\n // [a, b] -> [a, c]\n match.route.id !== currentMatch.route.id;\n // Handle the case that we don't have data for a re-used route, potentially\n // from a prior error or from a cancelled pending deferred\n let isMissingData = currentLoaderData[match.route.id] === undefined;\n // Always load if this is a net-new route or we don't yet have data\n return isNew || isMissingData;\n}\nfunction isNewRouteInstance(currentMatch, match) {\n let currentPath = currentMatch.route.path;\n return (\n // param change for this match, /users/123 -> /users/456\n currentMatch.pathname !== match.pathname ||\n // splat param changed, which is not present in match.path\n // e.g. /files/images/avatar.jpg -> files/finances.xls\n currentPath != null && currentPath.endsWith(\"*\") && currentMatch.params[\"*\"] !== match.params[\"*\"]\n );\n}\nfunction shouldRevalidateLoader(loaderMatch, arg) {\n if (loaderMatch.route.shouldRevalidate) {\n let routeChoice = loaderMatch.route.shouldRevalidate(arg);\n if (typeof routeChoice === \"boolean\") {\n return routeChoice;\n }\n }\n return arg.defaultShouldRevalidate;\n}\n/**\n * Execute route.lazy() methods to lazily load route modules (loader, action,\n * shouldRevalidate) and update the routeManifest in place which shares objects\n * with dataRoutes so those get updated as well.\n */\nasync function loadLazyRouteModule(route, mapRouteProperties, manifest) {\n if (!route.lazy) {\n return;\n }\n let lazyRoute = await route.lazy();\n // If the lazy route function was executed and removed by another parallel\n // call then we can return - first lazy() to finish wins because the return\n // value of lazy is expected to be static\n if (!route.lazy) {\n return;\n }\n let routeToUpdate = manifest[route.id];\n invariant(routeToUpdate, \"No route found in manifest\");\n // Update the route in place. This should be safe because there's no way\n // we could yet be sitting on this route as we can't get there without\n // resolving lazy() first.\n //\n // This is different than the HMR \"update\" use-case where we may actively be\n // on the route being updated. The main concern boils down to \"does this\n // mutation affect any ongoing navigations or any current state.matches\n // values?\". If not, it should be safe to update in place.\n let routeUpdates = {};\n for (let lazyRouteProperty in lazyRoute) {\n let staticRouteValue = routeToUpdate[lazyRouteProperty];\n let isPropertyStaticallyDefined = staticRouteValue !== undefined &&\n // This property isn't static since it should always be updated based\n // on the route updates\n lazyRouteProperty !== \"hasErrorBoundary\";\n warning(!isPropertyStaticallyDefined, \"Route \\\"\" + routeToUpdate.id + \"\\\" has a static property \\\"\" + lazyRouteProperty + \"\\\" \" + \"defined but its lazy function is also returning a value for this property. \" + (\"The lazy route property \\\"\" + lazyRouteProperty + \"\\\" will be ignored.\"));\n if (!isPropertyStaticallyDefined && !immutableRouteKeys.has(lazyRouteProperty)) {\n routeUpdates[lazyRouteProperty] = lazyRoute[lazyRouteProperty];\n }\n }\n // Mutate the route with the provided updates. Do this first so we pass\n // the updated version to mapRouteProperties\n Object.assign(routeToUpdate, routeUpdates);\n // Mutate the `hasErrorBoundary` property on the route based on the route\n // updates and remove the `lazy` function so we don't resolve the lazy\n // route again.\n Object.assign(routeToUpdate, _extends({}, mapRouteProperties(routeToUpdate), {\n lazy: undefined\n }));\n}\nasync function callLoaderOrAction(type, request, match, matches, manifest, mapRouteProperties, basename, v7_relativeSplatPath, opts) {\n if (opts === void 0) {\n opts = {};\n }\n let resultType;\n let result;\n let onReject;\n let runHandler = handler => {\n // Setup a promise we can race against so that abort signals short circuit\n let reject;\n let abortPromise = new Promise((_, r) => reject = r);\n onReject = () => reject();\n request.signal.addEventListener(\"abort\", onReject);\n return Promise.race([handler({\n request,\n params: match.params,\n context: opts.requestContext\n }), abortPromise]);\n };\n try {\n let handler = match.route[type];\n if (match.route.lazy) {\n if (handler) {\n // Run statically defined handler in parallel with lazy()\n let handlerError;\n let values = await Promise.all([\n // If the handler throws, don't let it immediately bubble out,\n // since we need to let the lazy() execution finish so we know if this\n // route has a boundary that can handle the error\n runHandler(handler).catch(e => {\n handlerError = e;\n }), loadLazyRouteModule(match.route, mapRouteProperties, manifest)]);\n if (handlerError) {\n throw handlerError;\n }\n result = values[0];\n } else {\n // Load lazy route module, then run any returned handler\n await loadLazyRouteModule(match.route, mapRouteProperties, manifest);\n handler = match.route[type];\n if (handler) {\n // Handler still run even if we got interrupted to maintain consistency\n // with un-abortable behavior of handler execution on non-lazy or\n // previously-lazy-loaded routes\n result = await runHandler(handler);\n } else if (type === \"action\") {\n let url = new URL(request.url);\n let pathname = url.pathname + url.search;\n throw getInternalRouterError(405, {\n method: request.method,\n pathname,\n routeId: match.route.id\n });\n } else {\n // lazy() route has no loader to run. Short circuit here so we don't\n // hit the invariant below that errors on returning undefined.\n return {\n type: ResultType.data,\n data: undefined\n };\n }\n }\n } else if (!handler) {\n let url = new URL(request.url);\n let pathname = url.pathname + url.search;\n throw getInternalRouterError(404, {\n pathname\n });\n } else {\n result = await runHandler(handler);\n }\n invariant(result !== undefined, \"You defined \" + (type === \"action\" ? \"an action\" : \"a loader\") + \" for route \" + (\"\\\"\" + match.route.id + \"\\\" but didn't return anything from your `\" + type + \"` \") + \"function. Please return a value or `null`.\");\n } catch (e) {\n resultType = ResultType.error;\n result = e;\n } finally {\n if (onReject) {\n request.signal.removeEventListener(\"abort\", onReject);\n }\n }\n if (isResponse(result)) {\n let status = result.status;\n // Process redirects\n if (redirectStatusCodes.has(status)) {\n let location = result.headers.get(\"Location\");\n invariant(location, \"Redirects returned/thrown from loaders/actions must have a Location header\");\n // Support relative routing in internal redirects\n if (!ABSOLUTE_URL_REGEX.test(location)) {\n location = normalizeTo(new URL(request.url), matches.slice(0, matches.indexOf(match) + 1), basename, true, location, v7_relativeSplatPath);\n } else if (!opts.isStaticRequest) {\n // Strip off the protocol+origin for same-origin + same-basename absolute\n // redirects. If this is a static request, we can let it go back to the\n // browser as-is\n let currentUrl = new URL(request.url);\n let url = location.startsWith(\"//\") ? new URL(currentUrl.protocol + location) : new URL(location);\n let isSameBasename = stripBasename(url.pathname, basename) != null;\n if (url.origin === currentUrl.origin && isSameBasename) {\n location = url.pathname + url.search + url.hash;\n }\n }\n // Don't process redirects in the router during static requests requests.\n // Instead, throw the Response and let the server handle it with an HTTP\n // redirect. We also update the Location header in place in this flow so\n // basename and relative routing is taken into account\n if (opts.isStaticRequest) {\n result.headers.set(\"Location\", location);\n throw result;\n }\n return {\n type: ResultType.redirect,\n status,\n location,\n revalidate: result.headers.get(\"X-Remix-Revalidate\") !== null,\n reloadDocument: result.headers.get(\"X-Remix-Reload-Document\") !== null\n };\n }\n // For SSR single-route requests, we want to hand Responses back directly\n // without unwrapping. We do this with the QueryRouteResponse wrapper\n // interface so we can know whether it was returned or thrown\n if (opts.isRouteRequest) {\n let queryRouteResponse = {\n type: resultType === ResultType.error ? ResultType.error : ResultType.data,\n response: result\n };\n throw queryRouteResponse;\n }\n let data;\n try {\n let contentType = result.headers.get(\"Content-Type\");\n // Check between word boundaries instead of startsWith() due to the last\n // paragraph of https://httpwg.org/specs/rfc9110.html#field.content-type\n if (contentType && /\\bapplication\\/json\\b/.test(contentType)) {\n data = await result.json();\n } else {\n data = await result.text();\n }\n } catch (e) {\n return {\n type: ResultType.error,\n error: e\n };\n }\n if (resultType === ResultType.error) {\n return {\n type: resultType,\n error: new ErrorResponseImpl(status, result.statusText, data),\n headers: result.headers\n };\n }\n return {\n type: ResultType.data,\n data,\n statusCode: result.status,\n headers: result.headers\n };\n }\n if (resultType === ResultType.error) {\n return {\n type: resultType,\n error: result\n };\n }\n if (isDeferredData(result)) {\n var _result$init, _result$init2;\n return {\n type: ResultType.deferred,\n deferredData: result,\n statusCode: (_result$init = result.init) == null ? void 0 : _result$init.status,\n headers: ((_result$init2 = result.init) == null ? void 0 : _result$init2.headers) && new Headers(result.init.headers)\n };\n }\n return {\n type: ResultType.data,\n data: result\n };\n}\n// Utility method for creating the Request instances for loaders/actions during\n// client-side navigations and fetches. During SSR we will always have a\n// Request instance from the static handler (query/queryRoute)\nfunction createClientSideRequest(history, location, signal, submission) {\n let url = history.createURL(stripHashFromPath(location)).toString();\n let init = {\n signal\n };\n if (submission && isMutationMethod(submission.formMethod)) {\n let {\n formMethod,\n formEncType\n } = submission;\n // Didn't think we needed this but it turns out unlike other methods, patch\n // won't be properly normalized to uppercase and results in a 405 error.\n // See: https://fetch.spec.whatwg.org/#concept-method\n init.method = formMethod.toUpperCase();\n if (formEncType === \"application/json\") {\n init.headers = new Headers({\n \"Content-Type\": formEncType\n });\n init.body = JSON.stringify(submission.json);\n } else if (formEncType === \"text/plain\") {\n // Content-Type is inferred (https://fetch.spec.whatwg.org/#dom-request)\n init.body = submission.text;\n } else if (formEncType === \"application/x-www-form-urlencoded\" && submission.formData) {\n // Content-Type is inferred (https://fetch.spec.whatwg.org/#dom-request)\n init.body = convertFormDataToSearchParams(submission.formData);\n } else {\n // Content-Type is inferred (https://fetch.spec.whatwg.org/#dom-request)\n init.body = submission.formData;\n }\n }\n return new Request(url, init);\n}\nfunction convertFormDataToSearchParams(formData) {\n let searchParams = new URLSearchParams();\n for (let [key, value] of formData.entries()) {\n // https://html.spec.whatwg.org/multipage/form-control-infrastructure.html#converting-an-entry-list-to-a-list-of-name-value-pairs\n searchParams.append(key, typeof value === \"string\" ? value : value.name);\n }\n return searchParams;\n}\nfunction convertSearchParamsToFormData(searchParams) {\n let formData = new FormData();\n for (let [key, value] of searchParams.entries()) {\n formData.append(key, value);\n }\n return formData;\n}\nfunction processRouteLoaderData(matches, matchesToLoad, results, pendingError, activeDeferreds) {\n // Fill in loaderData/errors from our loaders\n let loaderData = {};\n let errors = null;\n let statusCode;\n let foundError = false;\n let loaderHeaders = {};\n // Process loader results into state.loaderData/state.errors\n results.forEach((result, index) => {\n let id = matchesToLoad[index].route.id;\n invariant(!isRedirectResult(result), \"Cannot handle redirect results in processLoaderData\");\n if (isErrorResult(result)) {\n // Look upwards from the matched route for the closest ancestor\n // error boundary, defaulting to the root match\n let boundaryMatch = findNearestBoundary(matches, id);\n let error = result.error;\n // If we have a pending action error, we report it at the highest-route\n // that throws a loader error, and then clear it out to indicate that\n // it was consumed\n if (pendingError) {\n error = Object.values(pendingError)[0];\n pendingError = undefined;\n }\n errors = errors || {};\n // Prefer higher error values if lower errors bubble to the same boundary\n if (errors[boundaryMatch.route.id] == null) {\n errors[boundaryMatch.route.id] = error;\n }\n // Clear our any prior loaderData for the throwing route\n loaderData[id] = undefined;\n // Once we find our first (highest) error, we set the status code and\n // prevent deeper status codes from overriding\n if (!foundError) {\n foundError = true;\n statusCode = isRouteErrorResponse(result.error) ? result.error.status : 500;\n }\n if (result.headers) {\n loaderHeaders[id] = result.headers;\n }\n } else {\n if (isDeferredResult(result)) {\n activeDeferreds.set(id, result.deferredData);\n loaderData[id] = result.deferredData.data;\n } else {\n loaderData[id] = result.data;\n }\n // Error status codes always override success status codes, but if all\n // loaders are successful we take the deepest status code.\n if (result.statusCode != null && result.statusCode !== 200 && !foundError) {\n statusCode = result.statusCode;\n }\n if (result.headers) {\n loaderHeaders[id] = result.headers;\n }\n }\n });\n // If we didn't consume the pending action error (i.e., all loaders\n // resolved), then consume it here. Also clear out any loaderData for the\n // throwing route\n if (pendingError) {\n errors = pendingError;\n loaderData[Object.keys(pendingError)[0]] = undefined;\n }\n return {\n loaderData,\n errors,\n statusCode: statusCode || 200,\n loaderHeaders\n };\n}\nfunction processLoaderData(state, matches, matchesToLoad, results, pendingError, revalidatingFetchers, fetcherResults, activeDeferreds) {\n let {\n loaderData,\n errors\n } = processRouteLoaderData(matches, matchesToLoad, results, pendingError, activeDeferreds);\n // Process results from our revalidating fetchers\n for (let index = 0; index < revalidatingFetchers.length; index++) {\n let {\n key,\n match,\n controller\n } = revalidatingFetchers[index];\n invariant(fetcherResults !== undefined && fetcherResults[index] !== undefined, \"Did not find corresponding fetcher result\");\n let result = fetcherResults[index];\n // Process fetcher non-redirect errors\n if (controller && controller.signal.aborted) {\n // Nothing to do for aborted fetchers\n continue;\n } else if (isErrorResult(result)) {\n let boundaryMatch = findNearestBoundary(state.matches, match == null ? void 0 : match.route.id);\n if (!(errors && errors[boundaryMatch.route.id])) {\n errors = _extends({}, errors, {\n [boundaryMatch.route.id]: result.error\n });\n }\n state.fetchers.delete(key);\n } else if (isRedirectResult(result)) {\n // Should never get here, redirects should get processed above, but we\n // keep this to type narrow to a success result in the else\n invariant(false, \"Unhandled fetcher revalidation redirect\");\n } else if (isDeferredResult(result)) {\n // Should never get here, deferred data should be awaited for fetchers\n // in resolveDeferredResults\n invariant(false, \"Unhandled fetcher deferred data\");\n } else {\n let doneFetcher = getDoneFetcher(result.data);\n state.fetchers.set(key, doneFetcher);\n }\n }\n return {\n loaderData,\n errors\n };\n}\nfunction mergeLoaderData(loaderData, newLoaderData, matches, errors) {\n let mergedLoaderData = _extends({}, newLoaderData);\n for (let match of matches) {\n let id = match.route.id;\n if (newLoaderData.hasOwnProperty(id)) {\n if (newLoaderData[id] !== undefined) {\n mergedLoaderData[id] = newLoaderData[id];\n }\n } else if (loaderData[id] !== undefined && match.route.loader) {\n // Preserve existing keys not included in newLoaderData and where a loader\n // wasn't removed by HMR\n mergedLoaderData[id] = loaderData[id];\n }\n if (errors && errors.hasOwnProperty(id)) {\n // Don't keep any loader data below the boundary\n break;\n }\n }\n return mergedLoaderData;\n}\n// Find the nearest error boundary, looking upwards from the leaf route (or the\n// route specified by routeId) for the closest ancestor error boundary,\n// defaulting to the root match\nfunction findNearestBoundary(matches, routeId) {\n let eligibleMatches = routeId ? matches.slice(0, matches.findIndex(m => m.route.id === routeId) + 1) : [...matches];\n return eligibleMatches.reverse().find(m => m.route.hasErrorBoundary === true) || matches[0];\n}\nfunction getShortCircuitMatches(routes) {\n // Prefer a root layout route if present, otherwise shim in a route object\n let route = routes.length === 1 ? routes[0] : routes.find(r => r.index || !r.path || r.path === \"/\") || {\n id: \"__shim-error-route__\"\n };\n return {\n matches: [{\n params: {},\n pathname: \"\",\n pathnameBase: \"\",\n route\n }],\n route\n };\n}\nfunction getInternalRouterError(status, _temp5) {\n let {\n pathname,\n routeId,\n method,\n type\n } = _temp5 === void 0 ? {} : _temp5;\n let statusText = \"Unknown Server Error\";\n let errorMessage = \"Unknown @remix-run/router error\";\n if (status === 400) {\n statusText = \"Bad Request\";\n if (method && pathname && routeId) {\n errorMessage = \"You made a \" + method + \" request to \\\"\" + pathname + \"\\\" but \" + (\"did not provide a `loader` for route \\\"\" + routeId + \"\\\", \") + \"so there is no way to handle the request.\";\n } else if (type === \"defer-action\") {\n errorMessage = \"defer() is not supported in actions\";\n } else if (type === \"invalid-body\") {\n errorMessage = \"Unable to encode submission body\";\n }\n } else if (status === 403) {\n statusText = \"Forbidden\";\n errorMessage = \"Route \\\"\" + routeId + \"\\\" does not match URL \\\"\" + pathname + \"\\\"\";\n } else if (status === 404) {\n statusText = \"Not Found\";\n errorMessage = \"No route matches URL \\\"\" + pathname + \"\\\"\";\n } else if (status === 405) {\n statusText = \"Method Not Allowed\";\n if (method && pathname && routeId) {\n errorMessage = \"You made a \" + method.toUpperCase() + \" request to \\\"\" + pathname + \"\\\" but \" + (\"did not provide an `action` for route \\\"\" + routeId + \"\\\", \") + \"so there is no way to handle the request.\";\n } else if (method) {\n errorMessage = \"Invalid request method \\\"\" + method.toUpperCase() + \"\\\"\";\n }\n }\n return new ErrorResponseImpl(status || 500, statusText, new Error(errorMessage), true);\n}\n// Find any returned redirect errors, starting from the lowest match\nfunction findRedirect(results) {\n for (let i = results.length - 1; i >= 0; i--) {\n let result = results[i];\n if (isRedirectResult(result)) {\n return {\n result,\n idx: i\n };\n }\n }\n}\nfunction stripHashFromPath(path) {\n let parsedPath = typeof path === \"string\" ? parsePath(path) : path;\n return createPath(_extends({}, parsedPath, {\n hash: \"\"\n }));\n}\nfunction isHashChangeOnly(a, b) {\n if (a.pathname !== b.pathname || a.search !== b.search) {\n return false;\n }\n if (a.hash === \"\") {\n // /page -> /page#hash\n return b.hash !== \"\";\n } else if (a.hash === b.hash) {\n // /page#hash -> /page#hash\n return true;\n } else if (b.hash !== \"\") {\n // /page#hash -> /page#other\n return true;\n }\n // If the hash is removed the browser will re-perform a request to the server\n // /page#hash -> /page\n return false;\n}\nfunction isDeferredResult(result) {\n return result.type === ResultType.deferred;\n}\nfunction isErrorResult(result) {\n return result.type === ResultType.error;\n}\nfunction isRedirectResult(result) {\n return (result && result.type) === ResultType.redirect;\n}\nfunction isDeferredData(value) {\n let deferred = value;\n return deferred && typeof deferred === \"object\" && typeof deferred.data === \"object\" && typeof deferred.subscribe === \"function\" && typeof deferred.cancel === \"function\" && typeof deferred.resolveData === \"function\";\n}\nfunction isResponse(value) {\n return value != null && typeof value.status === \"number\" && typeof value.statusText === \"string\" && typeof value.headers === \"object\" && typeof value.body !== \"undefined\";\n}\nfunction isRedirectResponse(result) {\n if (!isResponse(result)) {\n return false;\n }\n let status = result.status;\n let location = result.headers.get(\"Location\");\n return status >= 300 && status <= 399 && location != null;\n}\nfunction isQueryRouteResponse(obj) {\n return obj && isResponse(obj.response) && (obj.type === ResultType.data || obj.type === ResultType.error);\n}\nfunction isValidMethod(method) {\n return validRequestMethods.has(method.toLowerCase());\n}\nfunction isMutationMethod(method) {\n return validMutationMethods.has(method.toLowerCase());\n}\nasync function resolveDeferredResults(currentMatches, matchesToLoad, results, signals, isFetcher, currentLoaderData) {\n for (let index = 0; index < results.length; index++) {\n let result = results[index];\n let match = matchesToLoad[index];\n // If we don't have a match, then we can have a deferred result to do\n // anything with. This is for revalidating fetchers where the route was\n // removed during HMR\n if (!match) {\n continue;\n }\n let currentMatch = currentMatches.find(m => m.route.id === match.route.id);\n let isRevalidatingLoader = currentMatch != null && !isNewRouteInstance(currentMatch, match) && (currentLoaderData && currentLoaderData[match.route.id]) !== undefined;\n if (isDeferredResult(result) && (isFetcher || isRevalidatingLoader)) {\n // Note: we do not have to touch activeDeferreds here since we race them\n // against the signal in resolveDeferredData and they'll get aborted\n // there if needed\n let signal = signals[index];\n invariant(signal, \"Expected an AbortSignal for revalidating fetcher deferred result\");\n await resolveDeferredData(result, signal, isFetcher).then(result => {\n if (result) {\n results[index] = result || results[index];\n }\n });\n }\n }\n}\nasync function resolveDeferredData(result, signal, unwrap) {\n if (unwrap === void 0) {\n unwrap = false;\n }\n let aborted = await result.deferredData.resolveData(signal);\n if (aborted) {\n return;\n }\n if (unwrap) {\n try {\n return {\n type: ResultType.data,\n data: result.deferredData.unwrappedData\n };\n } catch (e) {\n // Handle any TrackedPromise._error values encountered while unwrapping\n return {\n type: ResultType.error,\n error: e\n };\n }\n }\n return {\n type: ResultType.data,\n data: result.deferredData.data\n };\n}\nfunction hasNakedIndexQuery(search) {\n return new URLSearchParams(search).getAll(\"index\").some(v => v === \"\");\n}\nfunction getTargetMatch(matches, location) {\n let search = typeof location === \"string\" ? parsePath(location).search : location.search;\n if (matches[matches.length - 1].route.index && hasNakedIndexQuery(search || \"\")) {\n // Return the leaf index route when index is present\n return matches[matches.length - 1];\n }\n // Otherwise grab the deepest \"path contributing\" match (ignoring index and\n // pathless layout routes)\n let pathMatches = getPathContributingMatches(matches);\n return pathMatches[pathMatches.length - 1];\n}\nfunction getSubmissionFromNavigation(navigation) {\n let {\n formMethod,\n formAction,\n formEncType,\n text,\n formData,\n json\n } = navigation;\n if (!formMethod || !formAction || !formEncType) {\n return;\n }\n if (text != null) {\n return {\n formMethod,\n formAction,\n formEncType,\n formData: undefined,\n json: undefined,\n text\n };\n } else if (formData != null) {\n return {\n formMethod,\n formAction,\n formEncType,\n formData,\n json: undefined,\n text: undefined\n };\n } else if (json !== undefined) {\n return {\n formMethod,\n formAction,\n formEncType,\n formData: undefined,\n json,\n text: undefined\n };\n }\n}\nfunction getLoadingNavigation(location, submission) {\n if (submission) {\n let navigation = {\n state: \"loading\",\n location,\n formMethod: submission.formMethod,\n formAction: submission.formAction,\n formEncType: submission.formEncType,\n formData: submission.formData,\n json: submission.json,\n text: submission.text\n };\n return navigation;\n } else {\n let navigation = {\n state: \"loading\",\n location,\n formMethod: undefined,\n formAction: undefined,\n formEncType: undefined,\n formData: undefined,\n json: undefined,\n text: undefined\n };\n return navigation;\n }\n}\nfunction getSubmittingNavigation(location, submission) {\n let navigation = {\n state: \"submitting\",\n location,\n formMethod: submission.formMethod,\n formAction: submission.formAction,\n formEncType: submission.formEncType,\n formData: submission.formData,\n json: submission.json,\n text: submission.text\n };\n return navigation;\n}\nfunction getLoadingFetcher(submission, data) {\n if (submission) {\n let fetcher = {\n state: \"loading\",\n formMethod: submission.formMethod,\n formAction: submission.formAction,\n formEncType: submission.formEncType,\n formData: submission.formData,\n json: submission.json,\n text: submission.text,\n data\n };\n return fetcher;\n } else {\n let fetcher = {\n state: \"loading\",\n formMethod: undefined,\n formAction: undefined,\n formEncType: undefined,\n formData: undefined,\n json: undefined,\n text: undefined,\n data\n };\n return fetcher;\n }\n}\nfunction getSubmittingFetcher(submission, existingFetcher) {\n let fetcher = {\n state: \"submitting\",\n formMethod: submission.formMethod,\n formAction: submission.formAction,\n formEncType: submission.formEncType,\n formData: submission.formData,\n json: submission.json,\n text: submission.text,\n data: existingFetcher ? existingFetcher.data : undefined\n };\n return fetcher;\n}\nfunction getDoneFetcher(data) {\n let fetcher = {\n state: \"idle\",\n formMethod: undefined,\n formAction: undefined,\n formEncType: undefined,\n formData: undefined,\n json: undefined,\n text: undefined,\n data\n };\n return fetcher;\n}\nfunction restoreAppliedTransitions(_window, transitions) {\n try {\n let sessionPositions = _window.sessionStorage.getItem(TRANSITIONS_STORAGE_KEY);\n if (sessionPositions) {\n let json = JSON.parse(sessionPositions);\n for (let [k, v] of Object.entries(json || {})) {\n if (v && Array.isArray(v)) {\n transitions.set(k, new Set(v || []));\n }\n }\n }\n } catch (e) {\n // no-op, use default empty object\n }\n}\nfunction persistAppliedTransitions(_window, transitions) {\n if (transitions.size > 0) {\n let json = {};\n for (let [k, v] of transitions) {\n json[k] = [...v];\n }\n try {\n _window.sessionStorage.setItem(TRANSITIONS_STORAGE_KEY, JSON.stringify(json));\n } catch (error) {\n warning(false, \"Failed to save applied view transitions in sessionStorage (\" + error + \").\");\n }\n }\n}\n//#endregion\n\nexport { AbortedDeferredError, Action, IDLE_BLOCKER, IDLE_FETCHER, IDLE_NAVIGATION, UNSAFE_DEFERRED_SYMBOL, DeferredData as UNSAFE_DeferredData, ErrorResponseImpl as UNSAFE_ErrorResponseImpl, convertRouteMatchToUiMatch as UNSAFE_convertRouteMatchToUiMatch, convertRoutesToDataRoutes as UNSAFE_convertRoutesToDataRoutes, getResolveToMatches as UNSAFE_getResolveToMatches, invariant as UNSAFE_invariant, warning as UNSAFE_warning, createBrowserHistory, createHashHistory, createMemoryHistory, createPath, createRouter, createStaticHandler, defer, generatePath, getStaticContextFromError, getToPathname, isDeferredData, isRouteErrorResponse, joinPaths, json, matchPath, matchRoutes, normalizePathname, parsePath, redirect, redirectDocument, resolvePath, resolveTo, stripBasename };\n//# sourceMappingURL=router.js.map\n"],"names":["n","_extends","target","i","source","key","Action","PopStateEventType","createBrowserHistory","options","createBrowserLocation","window","globalHistory","pathname","search","hash","createLocation","createBrowserHref","to","createPath","getUrlBasedHistory","invariant","value","message","warning","cond","createKey","getHistoryState","location","index","current","state","parsePath","_ref","path","parsedPath","hashIndex","searchIndex","getLocation","createHref","validateLocation","v5Compat","action","listener","getIndex","handlePop","nextIndex","delta","history","push","historyState","url","error","replace","createURL","base","href","fn","ResultType","immutableRouteKeys","isIndexRoute","route","convertRoutesToDataRoutes","routes","mapRouteProperties","parentPath","manifest","treePath","id","indexRoute","pathOrLayoutRoute","matchRoutes","locationArg","basename","stripBasename","branches","flattenRoutes","rankRouteBranches","matches","matchRouteBranch","safelyDecodeURI","convertRouteMatchToUiMatch","match","loaderData","params","parentsMeta","flattenRoute","relativePath","meta","joinPaths","routesMeta","computeScore","_route$path","exploded","explodeOptionalSegments","segments","first","rest","isOptional","required","restExploded","result","subpath","a","b","compareIndexes","paramRe","dynamicSegmentValue","indexRouteValue","emptySegmentValue","staticSegmentValue","splatPenalty","isSplat","s","initialScore","score","segment","branch","matchedParams","matchedPathname","end","remainingPathname","matchPath","normalizePathname","generatePath","originalPath","prefix","stringify","p","array","keyMatch","optional","param","pattern","matcher","compiledParams","compilePath","pathnameBase","captureGroups","memo","paramName","splatValue","safelyDecodeURIComponent","caseSensitive","regexpSource","_","startIndex","nextChar","resolvePath","fromPathname","toPathname","resolvePathname","normalizeSearch","normalizeHash","getInvalidPathError","char","field","dest","getPathContributingMatches","getResolveToMatches","v7_relativeSplatPath","pathMatches","idx","resolveTo","toArg","routePathnames","locationPathname","isPathRelative","isEmptyPath","from","routePathnameIndex","toSegments","hasExplicitTrailingSlash","hasCurrentTrailingSlash","paths","redirect","init","responseInit","headers","ErrorResponseImpl","status","statusText","data","internal","isRouteErrorResponse","validMutationMethodsArr","validMutationMethods","validRequestMethodsArr","validRequestMethods","redirectStatusCodes","redirectPreserveMethodStatusCodes","IDLE_NAVIGATION","IDLE_FETCHER","IDLE_BLOCKER","ABSOLUTE_URL_REGEX","defaultMapRouteProperties","TRANSITIONS_STORAGE_KEY","createRouter","routerWindow","isBrowser","isServer","detectErrorBoundary","dataRoutes","inFlightDataRoutes","future","unlistenHistory","subscribers","savedScrollPositions","getScrollRestorationKey","getScrollPosition","initialScrollRestored","initialMatches","initialErrors","getInternalRouterError","getShortCircuitMatches","initialized","hasLazyRoutes","m","hasLoaders","errors","router","pendingAction","pendingPreventScrollReset","pendingNavigationController","pendingViewTransitionEnabled","appliedViewTransitions","removePageHideEventListener","isUninterruptedRevalidation","isRevalidationRequired","cancelledDeferredRoutes","cancelledFetcherLoads","fetchControllers","incrementingLoadId","pendingNavigationLoadId","fetchReloadIds","fetchRedirectIds","fetchLoadMatches","activeFetchers","deletedFetchers","activeDeferreds","blockerFunctions","ignoreNextHistoryUpdate","initialize","historyAction","blockerKey","shouldBlockNavigation","updateBlocker","blockers","updateState","startNavigation","restoreAppliedTransitions","_saveAppliedTransitions","persistAppliedTransitions","dispose","deleteFetcher","deleteBlocker","subscribe","newState","opts","completedFetchers","deletedFetchersKeys","fetcher","subscriber","completeNavigation","_temp","_location$state","_location$state2","flushSync","isActionReload","isMutationMethod","actionData","mergeLoaderData","k","preventScrollReset","viewTransitionOpts","priorPaths","toPaths","getSavedScrollPosition","navigate","normalizedPath","normalizeTo","submission","normalizeNavigateOptions","currentLocation","nextLocation","userReplace","revalidate","interruptActiveLoads","saveScrollPosition","routesToUse","loadingNavigation","notFoundMatches","cancelActiveDeferreds","isHashChangeOnly","request","createClientSideRequest","pendingActionData","pendingError","findNearestBoundary","actionOutput","handleAction","getLoadingNavigation","shortCircuited","handleLoaders","navigation","getSubmittingNavigation","actionMatch","getTargetMatch","callLoaderOrAction","isRedirectResult","startRedirectNavigation","isErrorResult","boundaryMatch","isDeferredResult","overrideNavigation","fetcherSubmission","initialHydration","activeSubmission","getSubmissionFromNavigation","matchesToLoad","revalidatingFetchers","getMatchesToLoad","routeId","updatedFetchers","markFetchRedirectsDone","rf","revalidatingFetcher","getLoadingFetcher","abortFetcher","abortPendingFetchRevalidations","f","results","loaderResults","fetcherResults","callLoadersAndMaybeResolveData","findRedirect","fetcherKey","processLoaderData","deferredData","aborted","didAbortFetchLoads","abortStaleFetchLoads","shouldUpdateFetchers","fetch","setFetcherError","handleFetcherAction","handleFetcherLoader","requestMatches","existingFetcher","updateFetcherState","getSubmittingFetcher","abortController","fetchRequest","originatingLoadId","actionResult","getDoneFetcher","revalidationRequest","loadId","loadFetcher","staleKey","r","doneFetcher","resolveDeferredData","_temp2","redirectLocation","isDocumentReload","redirectHistoryAction","formMethod","formAction","formEncType","currentMatches","fetchersToLoad","resolveDeferredResults","getFetcher","deleteFetcherAndUpdateState","count","controller","markFetchersDone","keys","doneKeys","landedId","yeetedKeys","getBlocker","blocker","newBlocker","_ref2","entries","blockerFunction","predicate","cancelledRouteIds","dfd","enableScrollRestoration","positions","getPosition","getKey","y","getScrollKey","_internalSetRoutes","newRoutes","isSubmissionNavigation","prependBasename","fromRouteId","relative","contextualMatches","activeRouteMatch","hasNakedIndexQuery","normalizeFormMethod","isFetcher","isValidMethod","getInvalidBodyError","rawFormMethod","stripHashFromPath","text","acc","_ref3","name","json","searchParams","formData","convertFormDataToSearchParams","convertSearchParamsToFormData","getLoaderMatchesUntilBoundary","boundaryId","boundaryMatches","isInitialLoad","currentUrl","nextUrl","navigationMatches","isNewLoader","currentRouteMatch","nextRouteMatch","shouldRevalidateLoader","isNewRouteInstance","fetcherMatches","fetcherMatch","shouldRevalidate","currentLoaderData","currentMatch","isNew","isMissingData","currentPath","loaderMatch","arg","routeChoice","loadLazyRouteModule","lazyRoute","routeToUpdate","routeUpdates","lazyRouteProperty","isPropertyStaticallyDefined","type","resultType","onReject","runHandler","handler","reject","abortPromise","handlerError","values","e","isResponse","isSameBasename","contentType","isDeferredData","_result$init","_result$init2","signal","processRouteLoaderData","statusCode","foundError","loaderHeaders","newLoaderData","mergedLoaderData","_temp5","method","errorMessage","deferred","signals","isRevalidatingLoader","unwrap","v","_window","transitions","sessionPositions"],"mappings":"AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA;AAAA,IAUA,UAAA,CAAA,GAAA,CAAA,IAAA,EAAA,OAAA,OAAA,IAAA,OAAA,OAAA,OAAA,IAAA,OAAA,OAAA,KAAA,IAAA,KAAA,CAAA,EAAAA,EAAA,IAAA,QAAA,MAAAA,IAAA,EAAA,gBAAA,EAAA,iBAAA,CAAA,EAAA,EAAA,gBAAAA,CAAA,EAAA,uCAAA,EAAA,yBAAA,mDAAA,MAAA,CAAA,CAAA,GAAA,EAAA,SAASC,GAAW,CAClB,OAAAA,EAAW,OAAO,OAAS,OAAO,OAAO,KAAI,EAAK,SAAUC,EAAQ,CAClE,QAASC,EAAI,EAAGA,EAAI,UAAU,OAAQA,IAAK,CACzC,IAAIC,EAAS,UAAUD,CAAC,EACxB,QAASE,KAAOD,EACV,OAAO,UAAU,eAAe,KAAKA,EAAQC,CAAG,IAClDH,EAAOG,CAAG,EAAID,EAAOC,CAAG,EAG7B,CACD,OAAOH,CACX,EACSD,EAAS,MAAM,KAAM,SAAS,CACvC,CAQG,IAACK,GACH,SAAUA,EAAQ,CAQjBA,EAAO,IAAS,MAMhBA,EAAO,KAAU,OAKjBA,EAAO,QAAa,SACtB,GAAGA,IAAWA,EAAS,CAAE,EAAC,EAC1B,MAAMC,GAAoB,WAgH1B,SAASC,GAAqBC,EAAS,CACjCA,IAAY,SACdA,EAAU,CAAA,GAEZ,SAASC,EAAsBC,EAAQC,EAAe,CACpD,GAAI,CACF,SAAAC,EACA,OAAAC,EACA,KAAAC,CACN,EAAQJ,EAAO,SACX,OAAOK,GAAe,GAAI,CACxB,SAAAH,EACA,OAAAC,EACA,KAAAC,CACD,EAEDH,EAAc,OAASA,EAAc,MAAM,KAAO,KAAMA,EAAc,OAASA,EAAc,MAAM,KAAO,SAAS,CACpH,CACD,SAASK,EAAkBN,EAAQO,EAAI,CACrC,OAAO,OAAOA,GAAO,SAAWA,EAAKC,GAAWD,CAAE,CACnD,CACD,OAAOE,GAAmBV,EAAuBO,EAAmB,KAAMR,CAAO,CACnF,CAmDA,SAASY,EAAUC,EAAOC,EAAS,CACjC,GAAID,IAAU,IAASA,IAAU,MAAQ,OAAOA,EAAU,IACxD,MAAM,IAAI,MAAMC,CAAO,CAE3B,CACA,SAASC,GAAQC,EAAMF,EAAS,CAC9B,GAAI,CAACE,EAAM,CAEL,OAAO,QAAY,KAAa,QAAQ,KAAKF,CAAO,EACxD,GAAI,CAMF,MAAM,IAAI,MAAMA,CAAO,CAE7B,MAAgB,CAAE,CACf,CACH,CACA,SAASG,IAAY,CACnB,OAAO,KAAK,OAAM,EAAG,SAAS,EAAE,EAAE,OAAO,EAAG,CAAC,CAC/C,CAIA,SAASC,GAAgBC,EAAUC,EAAO,CACxC,MAAO,CACL,IAAKD,EAAS,MACd,IAAKA,EAAS,IACd,IAAKC,CACT,CACA,CAIA,SAASb,GAAec,EAASZ,EAAIa,EAAO1B,EAAK,CAC/C,OAAI0B,IAAU,SACZA,EAAQ,MAEK9B,EAAS,CACtB,SAAU,OAAO6B,GAAY,SAAWA,EAAUA,EAAQ,SAC1D,OAAQ,GACR,KAAM,EACV,EAAK,OAAOZ,GAAO,SAAWc,GAAUd,CAAE,EAAIA,EAAI,CAC9C,MAAAa,EAKA,IAAKb,GAAMA,EAAG,KAAOb,GAAOqB,GAAW,CAC3C,CAAG,CAEH,CAIA,SAASP,GAAWc,EAAM,CACxB,GAAI,CACF,SAAApB,EAAW,IACX,OAAAC,EAAS,GACT,KAAAC,EAAO,EACR,EAAGkB,EACJ,OAAInB,GAAUA,IAAW,MAAKD,GAAYC,EAAO,OAAO,CAAC,IAAM,IAAMA,EAAS,IAAMA,GAChFC,GAAQA,IAAS,MAAKF,GAAYE,EAAK,OAAO,CAAC,IAAM,IAAMA,EAAO,IAAMA,GACrEF,CACT,CAIA,SAASmB,GAAUE,EAAM,CACvB,IAAIC,EAAa,CAAA,EACjB,GAAID,EAAM,CACR,IAAIE,EAAYF,EAAK,QAAQ,GAAG,EAC5BE,GAAa,IACfD,EAAW,KAAOD,EAAK,OAAOE,CAAS,EACvCF,EAAOA,EAAK,OAAO,EAAGE,CAAS,GAEjC,IAAIC,EAAcH,EAAK,QAAQ,GAAG,EAC9BG,GAAe,IACjBF,EAAW,OAASD,EAAK,OAAOG,CAAW,EAC3CH,EAAOA,EAAK,OAAO,EAAGG,CAAW,GAE/BH,IACFC,EAAW,SAAWD,EAEzB,CACD,OAAOC,CACT,CACA,SAASf,GAAmBkB,EAAaC,EAAYC,EAAkB/B,EAAS,CAC1EA,IAAY,SACdA,EAAU,CAAA,GAEZ,GAAI,CACF,OAAAE,EAAS,SAAS,YAClB,SAAA8B,EAAW,EACZ,EAAGhC,EACAG,EAAgBD,EAAO,QACvB+B,EAASpC,EAAO,IAChBqC,EAAW,KACXd,EAAQe,IAIRf,GAAS,OACXA,EAAQ,EACRjB,EAAc,aAAaX,EAAS,CAAA,EAAIW,EAAc,MAAO,CAC3D,IAAKiB,CACX,CAAK,EAAG,EAAE,GAER,SAASe,GAAW,CAIlB,OAHYhC,EAAc,OAAS,CACjC,IAAK,IACX,GACiB,GACd,CACD,SAASiC,GAAY,CACnBH,EAASpC,EAAO,IAChB,IAAIwC,EAAYF,IACZG,EAAQD,GAAa,KAAO,KAAOA,EAAYjB,EACnDA,EAAQiB,EACJH,GACFA,EAAS,CACP,OAAAD,EACA,SAAUM,EAAQ,SAClB,MAAAD,CACR,CAAO,CAEJ,CACD,SAASE,EAAK/B,EAAIa,EAAO,CACvBW,EAASpC,EAAO,KAChB,IAAIsB,EAAWZ,GAAegC,EAAQ,SAAU9B,EAAIa,CAAK,EAEzDF,EAAQe,EAAU,EAAG,EACrB,IAAIM,EAAevB,GAAgBC,EAAUC,CAAK,EAC9CsB,GAAMH,EAAQ,WAAWpB,CAAQ,EAErC,GAAI,CACFhB,EAAc,UAAUsC,EAAc,GAAIC,EAAG,CAC9C,OAAQC,GAAO,CAKd,GAAIA,cAAiB,cAAgBA,GAAM,OAAS,iBAClD,MAAMA,GAIRzC,EAAO,SAAS,OAAOwC,EAAG,CAC3B,CACGV,GAAYE,GACdA,EAAS,CACP,OAAAD,EACA,SAAUM,EAAQ,SAClB,MAAO,CACf,CAAO,CAEJ,CACD,SAASK,EAAQnC,EAAIa,EAAO,CAC1BW,EAASpC,EAAO,QAChB,IAAIsB,EAAWZ,GAAegC,EAAQ,SAAU9B,EAAIa,CAAK,EAEzDF,EAAQe,EAAQ,EAChB,IAAIM,EAAevB,GAAgBC,EAAUC,CAAK,EAC9CsB,GAAMH,EAAQ,WAAWpB,CAAQ,EACrChB,EAAc,aAAasC,EAAc,GAAIC,EAAG,EAC5CV,GAAYE,GACdA,EAAS,CACP,OAAAD,EACA,SAAUM,EAAQ,SAClB,MAAO,CACf,CAAO,CAEJ,CACD,SAASM,EAAUpC,EAAI,CAIrB,IAAIqC,EAAO5C,EAAO,SAAS,SAAW,OAASA,EAAO,SAAS,OAASA,EAAO,SAAS,KACpF6C,EAAO,OAAOtC,GAAO,SAAWA,EAAKC,GAAWD,CAAE,EACtD,OAAAG,EAAUkC,EAAM,sEAAwEC,CAAI,EACrF,IAAI,IAAIA,EAAMD,CAAI,CAC1B,CACD,IAAIP,EAAU,CACZ,IAAI,QAAS,CACX,OAAON,CACR,EACD,IAAI,UAAW,CACb,OAAOJ,EAAY3B,EAAQC,CAAa,CACzC,EACD,OAAO6C,EAAI,CACT,GAAId,EACF,MAAM,IAAI,MAAM,4CAA4C,EAE9D,OAAAhC,EAAO,iBAAiBJ,GAAmBsC,CAAS,EACpDF,EAAWc,EACJ,IAAM,CACX9C,EAAO,oBAAoBJ,GAAmBsC,CAAS,EACvDF,EAAW,IACnB,CACK,EACD,WAAWzB,EAAI,CACb,OAAOqB,EAAW5B,EAAQO,CAAE,CAC7B,EACD,UAAAoC,EACA,eAAepC,EAAI,CAEjB,IAAIiC,EAAMG,EAAUpC,CAAE,EACtB,MAAO,CACL,SAAUiC,EAAI,SACd,OAAQA,EAAI,OACZ,KAAMA,EAAI,IAClB,CACK,EACD,KAAAF,EACA,QAAAI,EACA,GAAGrD,EAAG,CACJ,OAAOY,EAAc,GAAGZ,CAAC,CAC1B,CACL,EACE,OAAOgD,CACT,CAGA,IAAIU,GACH,SAAUA,EAAY,CACrBA,EAAW,KAAU,OACrBA,EAAW,SAAc,WACzBA,EAAW,SAAc,WACzBA,EAAW,MAAW,OACxB,GAAGA,IAAeA,EAAa,CAAE,EAAC,EAClC,MAAMC,GAAqB,IAAI,IAAI,CAAC,OAAQ,gBAAiB,OAAQ,KAAM,QAAS,UAAU,CAAC,EAC/F,SAASC,GAAaC,EAAO,CAC3B,OAAOA,EAAM,QAAU,EACzB,CAGA,SAASC,GAA0BC,EAAQC,EAAoBC,EAAYC,EAAU,CACnF,OAAID,IAAe,SACjBA,EAAa,CAAA,GAEXC,IAAa,SACfA,EAAW,CAAA,GAENH,EAAO,IAAI,CAACF,EAAOhC,IAAU,CAClC,IAAIsC,EAAW,CAAC,GAAGF,EAAYpC,CAAK,EAChCuC,EAAK,OAAOP,EAAM,IAAO,SAAWA,EAAM,GAAKM,EAAS,KAAK,GAAG,EAGpE,GAFA9C,EAAUwC,EAAM,QAAU,IAAQ,CAACA,EAAM,SAAU,2CAA2C,EAC9FxC,EAAU,CAAC6C,EAASE,CAAE,EAAG,qCAAwCA,EAAK,kEAAwE,EAC1IR,GAAaC,CAAK,EAAG,CACvB,IAAIQ,EAAapE,EAAS,CAAA,EAAI4D,EAAOG,EAAmBH,CAAK,EAAG,CAC9D,GAAAO,CACR,CAAO,EACD,OAAAF,EAASE,CAAE,EAAIC,EACRA,CACb,KAAW,CACL,IAAIC,EAAoBrE,EAAS,CAAA,EAAI4D,EAAOG,EAAmBH,CAAK,EAAG,CACrE,GAAAO,EACA,SAAU,MAClB,CAAO,EACD,OAAAF,EAASE,CAAE,EAAIE,EACXT,EAAM,WACRS,EAAkB,SAAWR,GAA0BD,EAAM,SAAUG,EAAoBG,EAAUD,CAAQ,GAExGI,CACR,CACL,CAAG,CACH,CAMA,SAASC,GAAYR,EAAQS,EAAaC,EAAU,CAC9CA,IAAa,SACfA,EAAW,KAEb,IAAI7C,EAAW,OAAO4C,GAAgB,SAAWxC,GAAUwC,CAAW,EAAIA,EACtE3D,EAAW6D,GAAc9C,EAAS,UAAY,IAAK6C,CAAQ,EAC/D,GAAI5D,GAAY,KACd,OAAO,KAET,IAAI8D,EAAWC,GAAcb,CAAM,EACnCc,GAAkBF,CAAQ,EAC1B,IAAIG,EAAU,KACd,QAAS3E,EAAI,EAAG2E,GAAW,MAAQ3E,EAAIwE,EAAS,OAAQ,EAAExE,EACxD2E,EAAUC,GAAiBJ,EAASxE,CAAC,EAOrC6E,GAAgBnE,CAAQ,CAAC,EAE3B,OAAOiE,CACT,CACA,SAASG,GAA2BC,EAAOC,EAAY,CACrD,GAAI,CACF,MAAAtB,EACA,SAAAhD,EACA,OAAAuE,CACD,EAAGF,EACJ,MAAO,CACL,GAAIrB,EAAM,GACV,SAAAhD,EACA,OAAAuE,EACA,KAAMD,EAAWtB,EAAM,EAAE,EACzB,OAAQA,EAAM,MAClB,CACA,CACA,SAASe,GAAcb,EAAQY,EAAUU,EAAapB,EAAY,CAC5DU,IAAa,SACfA,EAAW,CAAA,GAETU,IAAgB,SAClBA,EAAc,CAAA,GAEZpB,IAAe,SACjBA,EAAa,IAEf,IAAIqB,EAAe,CAACzB,EAAOhC,EAAO0D,IAAiB,CACjD,IAAIC,EAAO,CACT,aAAcD,IAAiB,OAAY1B,EAAM,MAAQ,GAAK0B,EAC9D,cAAe1B,EAAM,gBAAkB,GACvC,cAAehC,EACf,MAAAgC,CACN,EACQ2B,EAAK,aAAa,WAAW,GAAG,IAClCnE,EAAUmE,EAAK,aAAa,WAAWvB,CAAU,EAAG,wBAA2BuB,EAAK,aAAe,wBAA2B,IAAOvB,EAAa,iDAAoD,6DAA6D,EACnQuB,EAAK,aAAeA,EAAK,aAAa,MAAMvB,EAAW,MAAM,GAE/D,IAAI/B,EAAOuD,GAAU,CAACxB,EAAYuB,EAAK,YAAY,CAAC,EAChDE,EAAaL,EAAY,OAAOG,CAAI,EAIpC3B,EAAM,UAAYA,EAAM,SAAS,OAAS,IAC5CxC,EAGAwC,EAAM,QAAU,GAAM,2DAA6D,qCAAwC3B,EAAO,KAAM,EACxI0C,GAAcf,EAAM,SAAUc,EAAUe,EAAYxD,CAAI,GAItD,EAAA2B,EAAM,MAAQ,MAAQ,CAACA,EAAM,QAGjCc,EAAS,KAAK,CACZ,KAAAzC,EACA,MAAOyD,GAAazD,EAAM2B,EAAM,KAAK,EACrC,WAAA6B,CACN,CAAK,CACL,EACE,OAAA3B,EAAO,QAAQ,CAACF,EAAOhC,IAAU,CAC/B,IAAI+D,EAEJ,GAAI/B,EAAM,OAAS,IAAM,GAAG+B,EAAc/B,EAAM,OAAS,MAAQ+B,EAAY,SAAS,GAAG,GACvFN,EAAazB,EAAOhC,CAAK,MAEzB,SAASgE,KAAYC,GAAwBjC,EAAM,IAAI,EACrDyB,EAAazB,EAAOhC,EAAOgE,CAAQ,CAG3C,CAAG,EACMlB,CACT,CAeA,SAASmB,GAAwB5D,EAAM,CACrC,IAAI6D,EAAW7D,EAAK,MAAM,GAAG,EAC7B,GAAI6D,EAAS,SAAW,EAAG,MAAO,CAAA,EAClC,GAAI,CAACC,EAAO,GAAGC,CAAI,EAAIF,EAEnBG,EAAaF,EAAM,SAAS,GAAG,EAE/BG,EAAWH,EAAM,QAAQ,MAAO,EAAE,EACtC,GAAIC,EAAK,SAAW,EAGlB,OAAOC,EAAa,CAACC,EAAU,EAAE,EAAI,CAACA,CAAQ,EAEhD,IAAIC,EAAeN,GAAwBG,EAAK,KAAK,GAAG,CAAC,EACrDI,EAAS,CAAA,EAQb,OAAAA,EAAO,KAAK,GAAGD,EAAa,IAAIE,GAAWA,IAAY,GAAKH,EAAW,CAACA,EAAUG,CAAO,EAAE,KAAK,GAAG,CAAC,CAAC,EAEjGJ,GACFG,EAAO,KAAK,GAAGD,CAAY,EAGtBC,EAAO,IAAIR,GAAY3D,EAAK,WAAW,GAAG,GAAK2D,IAAa,GAAK,IAAMA,CAAQ,CACxF,CACA,SAAShB,GAAkBF,EAAU,CACnCA,EAAS,KAAK,CAAC4B,EAAGC,IAAMD,EAAE,QAAUC,EAAE,MAAQA,EAAE,MAAQD,EAAE,MACxDE,GAAeF,EAAE,WAAW,IAAIf,GAAQA,EAAK,aAAa,EAAGgB,EAAE,WAAW,IAAIhB,GAAQA,EAAK,aAAa,CAAC,CAAC,CAC9G,CACA,MAAMkB,GAAU,SACVC,GAAsB,EACtBC,GAAkB,EAClBC,GAAoB,EACpBC,GAAqB,GACrBC,GAAe,GACfC,GAAUC,GAAKA,IAAM,IAC3B,SAAStB,GAAazD,EAAML,EAAO,CACjC,IAAIkE,EAAW7D,EAAK,MAAM,GAAG,EACzBgF,EAAenB,EAAS,OAC5B,OAAIA,EAAS,KAAKiB,EAAO,IACvBE,GAAgBH,IAEdlF,IACFqF,GAAgBN,IAEXb,EAAS,OAAOkB,GAAK,CAACD,GAAQC,CAAC,CAAC,EAAE,OAAO,CAACE,EAAOC,IAAYD,GAAST,GAAQ,KAAKU,CAAO,EAAIT,GAAsBS,IAAY,GAAKP,GAAoBC,IAAqBI,CAAY,CACnM,CACA,SAAST,GAAeF,EAAGC,EAAG,CAE5B,OADeD,EAAE,SAAWC,EAAE,QAAUD,EAAE,MAAM,EAAG,EAAE,EAAE,MAAM,CAAC,EAAG,IAAM,IAAMC,EAAE,CAAC,CAAC,EAMjFD,EAAEA,EAAE,OAAS,CAAC,EAAIC,EAAEA,EAAE,OAAS,CAAC,EAGhC,CACF,CACA,SAASzB,GAAiBsC,EAAQxG,EAAU,CAC1C,GAAI,CACF,WAAA6E,CACD,EAAG2B,EACAC,EAAgB,CAAA,EAChBC,EAAkB,IAClBzC,EAAU,CAAA,EACd,QAAS3E,EAAI,EAAGA,EAAIuF,EAAW,OAAQ,EAAEvF,EAAG,CAC1C,IAAIqF,EAAOE,EAAWvF,CAAC,EACnBqH,EAAMrH,IAAMuF,EAAW,OAAS,EAChC+B,EAAoBF,IAAoB,IAAM1G,EAAWA,EAAS,MAAM0G,EAAgB,MAAM,GAAK,IACnGrC,EAAQwC,GAAU,CACpB,KAAMlC,EAAK,aACX,cAAeA,EAAK,cACpB,IAAAgC,CACD,EAAEC,CAAiB,EACpB,GAAI,CAACvC,EAAO,OAAO,KACnB,OAAO,OAAOoC,EAAepC,EAAM,MAAM,EACzC,IAAIrB,EAAQ2B,EAAK,MACjBV,EAAQ,KAAK,CAEX,OAAQwC,EACR,SAAU7B,GAAU,CAAC8B,EAAiBrC,EAAM,QAAQ,CAAC,EACrD,aAAcyC,GAAkBlC,GAAU,CAAC8B,EAAiBrC,EAAM,YAAY,CAAC,CAAC,EAChF,MAAArB,CACN,CAAK,EACGqB,EAAM,eAAiB,MACzBqC,EAAkB9B,GAAU,CAAC8B,EAAiBrC,EAAM,YAAY,CAAC,EAEpE,CACD,OAAOJ,CACT,CAMA,SAAS8C,GAAaC,EAAczC,EAAQ,CACtCA,IAAW,SACbA,EAAS,CAAA,GAEX,IAAIlD,EAAO2F,EACP3F,EAAK,SAAS,GAAG,GAAKA,IAAS,KAAO,CAACA,EAAK,SAAS,IAAI,IAC3DV,GAAQ,GAAO,eAAkBU,EAAO,oCAAuC,IAAOA,EAAK,QAAQ,MAAO,IAAI,EAAI,qCAAwC,oEAAsE,oCAAuCA,EAAK,QAAQ,MAAO,IAAI,EAAI,KAAM,EACzSA,EAAOA,EAAK,QAAQ,MAAO,IAAI,GAGjC,MAAM4F,EAAS5F,EAAK,WAAW,GAAG,EAAI,IAAM,GACtC6F,EAAYC,GAAKA,GAAK,KAAO,GAAK,OAAOA,GAAM,SAAWA,EAAI,OAAOA,CAAC,EACtEjC,EAAW7D,EAAK,MAAM,KAAK,EAAE,IAAI,CAACkF,EAASvF,EAAOoG,IAAU,CAGhE,GAFsBpG,IAAUoG,EAAM,OAAS,GAE1Bb,IAAY,IAG/B,OAAOW,EAAU3C,EAFJ,GAEe,CAAC,EAE/B,MAAM8C,EAAWd,EAAQ,MAAM,eAAe,EAC9C,GAAIc,EAAU,CACZ,KAAM,EAAG7H,EAAK8H,CAAQ,EAAID,EAC1B,IAAIE,EAAQhD,EAAO/E,CAAG,EACtB,OAAAgB,EAAU8G,IAAa,KAAOC,GAAS,KAAM,aAAgB/H,EAAM,SAAU,EACtE0H,EAAUK,CAAK,CACvB,CAED,OAAOhB,EAAQ,QAAQ,OAAQ,EAAE,CACrC,CAAG,EAEA,OAAOA,GAAW,CAAC,CAACA,CAAO,EAC5B,OAAOU,EAAS/B,EAAS,KAAK,GAAG,CACnC,CAOA,SAAS2B,GAAUW,EAASxH,EAAU,CAChC,OAAOwH,GAAY,WACrBA,EAAU,CACR,KAAMA,EACN,cAAe,GACf,IAAK,EACX,GAEE,GAAI,CAACC,EAASC,CAAc,EAAIC,GAAYH,EAAQ,KAAMA,EAAQ,cAAeA,EAAQ,GAAG,EACxFnD,EAAQrE,EAAS,MAAMyH,CAAO,EAClC,GAAI,CAACpD,EAAO,OAAO,KACnB,IAAIqC,EAAkBrC,EAAM,CAAC,EACzBuD,EAAelB,EAAgB,QAAQ,UAAW,IAAI,EACtDmB,EAAgBxD,EAAM,MAAM,CAAC,EAoBjC,MAAO,CACL,OApBWqD,EAAe,OAAO,CAACI,EAAM1G,EAAMJ,IAAU,CACxD,GAAI,CACF,UAAA+G,EACA,WAAA1C,CACD,EAAGjE,EAGJ,GAAI2G,IAAc,IAAK,CACrB,IAAIC,EAAaH,EAAc7G,CAAK,GAAK,GACzC4G,EAAelB,EAAgB,MAAM,EAAGA,EAAgB,OAASsB,EAAW,MAAM,EAAE,QAAQ,UAAW,IAAI,CAC5G,CACD,MAAMvH,EAAQoH,EAAc7G,CAAK,EACjC,OAAIqE,GAAc,CAAC5E,EACjBqH,EAAKC,CAAS,EAAI,OAElBD,EAAKC,CAAS,EAAIE,GAAyBxH,GAAS,GAAIsH,CAAS,EAE5DD,CACR,EAAE,CAAE,CAAA,EAGH,SAAUpB,EACV,aAAAkB,EACA,QAAAJ,CACJ,CACA,CACA,SAASG,GAAYtG,EAAM6G,EAAevB,EAAK,CACzCuB,IAAkB,SACpBA,EAAgB,IAEdvB,IAAQ,SACVA,EAAM,IAERhG,GAAQU,IAAS,KAAO,CAACA,EAAK,SAAS,GAAG,GAAKA,EAAK,SAAS,IAAI,EAAG,eAAkBA,EAAO,oCAAuC,IAAOA,EAAK,QAAQ,MAAO,IAAI,EAAI,qCAAwC,oEAAsE,oCAAuCA,EAAK,QAAQ,MAAO,IAAI,EAAI,KAAM,EAC9V,IAAIkD,EAAS,CAAA,EACT4D,EAAe,IAAM9G,EAAK,QAAQ,UAAW,EAAE,EAClD,QAAQ,OAAQ,GAAG,EACnB,QAAQ,qBAAsB,MAAM,EACpC,QAAQ,iBAAkB,CAAC+G,EAAGL,EAAW1C,KACxCd,EAAO,KAAK,CACV,UAAAwD,EACA,WAAY1C,GAAc,IAChC,CAAK,EACMA,EAAa,eAAiB,aACtC,EACD,OAAIhE,EAAK,SAAS,GAAG,GACnBkD,EAAO,KAAK,CACV,UAAW,GACjB,CAAK,EACD4D,GAAgB9G,IAAS,KAAOA,IAAS,KAAO,QAC9C,qBACOsF,EAETwB,GAAgB,QACP9G,IAAS,IAAMA,IAAS,MAQjC8G,GAAgB,iBAGX,CADO,IAAI,OAAOA,EAAcD,EAAgB,OAAY,GAAG,EACrD3D,CAAM,CACzB,CACA,SAASJ,GAAgB1D,EAAO,CAC9B,GAAI,CACF,OAAO,UAAUA,CAAK,CACvB,OAAQ8B,EAAO,CACd,OAAA5B,GAAQ,GAAO,iBAAoBF,EAAQ,2GAAmH,aAAe8B,EAAQ,KAAK,EACnL9B,CACR,CACH,CACA,SAASwH,GAAyBxH,EAAOsH,EAAW,CAClD,GAAI,CACF,OAAO,mBAAmBtH,CAAK,CAChC,OAAQ8B,EAAO,CACd,OAAA5B,GAAQ,GAAO,gCAAmCoH,EAAY,iCAAoC,gBAAmBtH,EAAQ,mDAAsD,mCAAqC8B,EAAQ,KAAK,EAC9N9B,CACR,CACH,CAIA,SAASoD,GAAc7D,EAAU4D,EAAU,CACzC,GAAIA,IAAa,IAAK,OAAO5D,EAC7B,GAAI,CAACA,EAAS,YAAa,EAAC,WAAW4D,EAAS,YAAW,CAAE,EAC3D,OAAO,KAIT,IAAIyE,EAAazE,EAAS,SAAS,GAAG,EAAIA,EAAS,OAAS,EAAIA,EAAS,OACrE0E,EAAWtI,EAAS,OAAOqI,CAAU,EACzC,OAAIC,GAAYA,IAAa,IAEpB,KAEFtI,EAAS,MAAMqI,CAAU,GAAK,GACvC,CAMA,SAASE,GAAYlI,EAAImI,EAAc,CACjCA,IAAiB,SACnBA,EAAe,KAEjB,GAAI,CACF,SAAUC,EACV,OAAAxI,EAAS,GACT,KAAAC,EAAO,EACX,EAAM,OAAOG,GAAO,SAAWc,GAAUd,CAAE,EAAIA,EAE7C,MAAO,CACL,SAFaoI,EAAaA,EAAW,WAAW,GAAG,EAAIA,EAAaC,GAAgBD,EAAYD,CAAY,EAAIA,EAGhH,OAAQG,GAAgB1I,CAAM,EAC9B,KAAM2I,GAAc1I,CAAI,CAC5B,CACA,CACA,SAASwI,GAAgBhE,EAAc8D,EAAc,CACnD,IAAItD,EAAWsD,EAAa,QAAQ,OAAQ,EAAE,EAAE,MAAM,GAAG,EAEzD,OADuB9D,EAAa,MAAM,GAAG,EAC5B,QAAQ6B,GAAW,CAC9BA,IAAY,KAEVrB,EAAS,OAAS,GAAGA,EAAS,IAAG,EAC5BqB,IAAY,KACrBrB,EAAS,KAAKqB,CAAO,CAE3B,CAAG,EACMrB,EAAS,OAAS,EAAIA,EAAS,KAAK,GAAG,EAAI,GACpD,CACA,SAAS2D,GAAoBC,EAAMC,EAAOC,EAAM3H,EAAM,CACpD,MAAO,qBAAuByH,EAAO,wCAA0C,OAASC,EAAQ,YAAc,KAAK,UAAU1H,CAAI,EAAI,uCAAyC,OAAS2H,EAAO,4DAA8D,mEAC9P,CAwBA,SAASC,GAA2BhF,EAAS,CAC3C,OAAOA,EAAQ,OAAO,CAACI,EAAOrD,IAAUA,IAAU,GAAKqD,EAAM,MAAM,MAAQA,EAAM,MAAM,KAAK,OAAS,CAAC,CACxG,CAGA,SAAS6E,GAAoBjF,EAASkF,EAAsB,CAC1D,IAAIC,EAAcH,GAA2BhF,CAAO,EAIpD,OAAIkF,EACKC,EAAY,IAAI,CAAC/E,EAAOgF,IAAQA,IAAQpF,EAAQ,OAAS,EAAII,EAAM,SAAWA,EAAM,YAAY,EAElG+E,EAAY,IAAI/E,GAASA,EAAM,YAAY,CACpD,CAIA,SAASiF,GAAUC,EAAOC,EAAgBC,EAAkBC,EAAgB,CACtEA,IAAmB,SACrBA,EAAiB,IAEnB,IAAIrJ,EACA,OAAOkJ,GAAU,SACnBlJ,EAAKc,GAAUoI,CAAK,GAEpBlJ,EAAKjB,EAAS,GAAImK,CAAK,EACvB/I,EAAU,CAACH,EAAG,UAAY,CAACA,EAAG,SAAS,SAAS,GAAG,EAAGwI,GAAoB,IAAK,WAAY,SAAUxI,CAAE,CAAC,EACxGG,EAAU,CAACH,EAAG,UAAY,CAACA,EAAG,SAAS,SAAS,GAAG,EAAGwI,GAAoB,IAAK,WAAY,OAAQxI,CAAE,CAAC,EACtGG,EAAU,CAACH,EAAG,QAAU,CAACA,EAAG,OAAO,SAAS,GAAG,EAAGwI,GAAoB,IAAK,SAAU,OAAQxI,CAAE,CAAC,GAElG,IAAIsJ,EAAcJ,IAAU,IAAMlJ,EAAG,WAAa,GAC9CoI,EAAakB,EAAc,IAAMtJ,EAAG,SACpCuJ,EAUJ,GAAInB,GAAc,KAChBmB,EAAOH,MACF,CACL,IAAII,EAAqBL,EAAe,OAAS,EAKjD,GAAI,CAACE,GAAkBjB,EAAW,WAAW,IAAI,EAAG,CAClD,IAAIqB,EAAarB,EAAW,MAAM,GAAG,EACrC,KAAOqB,EAAW,CAAC,IAAM,MACvBA,EAAW,MAAK,EAChBD,GAAsB,EAExBxJ,EAAG,SAAWyJ,EAAW,KAAK,GAAG,CAClC,CACDF,EAAOC,GAAsB,EAAIL,EAAeK,CAAkB,EAAI,GACvE,CACD,IAAIxI,EAAOkH,GAAYlI,EAAIuJ,CAAI,EAE3BG,EAA2BtB,GAAcA,IAAe,KAAOA,EAAW,SAAS,GAAG,EAEtFuB,GAA2BL,GAAelB,IAAe,MAAQgB,EAAiB,SAAS,GAAG,EAClG,MAAI,CAACpI,EAAK,SAAS,SAAS,GAAG,IAAM0I,GAA4BC,KAC/D3I,EAAK,UAAY,KAEZA,CACT,CAWK,MAACuD,GAAYqF,GAASA,EAAM,KAAK,GAAG,EAAE,QAAQ,SAAU,GAAG,EAI1DnD,GAAoB9G,GAAYA,EAAS,QAAQ,OAAQ,EAAE,EAAE,QAAQ,OAAQ,GAAG,EAIhF2I,GAAkB1I,GAAU,CAACA,GAAUA,IAAW,IAAM,GAAKA,EAAO,WAAW,GAAG,EAAIA,EAAS,IAAMA,EAIrG2I,GAAgB1I,GAAQ,CAACA,GAAQA,IAAS,IAAM,GAAKA,EAAK,WAAW,GAAG,EAAIA,EAAO,IAAMA,EAyKzFgK,GAAW,SAAkB5H,EAAK6H,EAAM,CACxCA,IAAS,SACXA,EAAO,KAET,IAAIC,EAAeD,EACf,OAAOC,GAAiB,SAC1BA,EAAe,CACb,OAAQA,CACd,EACa,OAAOA,EAAa,OAAW,MACxCA,EAAa,OAAS,KAExB,IAAIC,EAAU,IAAI,QAAQD,EAAa,OAAO,EAC9C,OAAAC,EAAQ,IAAI,WAAY/H,CAAG,EACpB,IAAI,SAAS,KAAMlD,EAAS,CAAA,EAAIgL,EAAc,CACnD,QAAAC,CACD,CAAA,CAAC,CACJ,EAmBA,MAAMC,EAAkB,CACtB,YAAYC,EAAQC,EAAYC,EAAMC,EAAU,CAC1CA,IAAa,SACfA,EAAW,IAEb,KAAK,OAASH,EACd,KAAK,WAAaC,GAAc,GAChC,KAAK,SAAWE,EACZD,aAAgB,OAClB,KAAK,KAAOA,EAAK,WACjB,KAAK,MAAQA,GAEb,KAAK,KAAOA,CAEf,CACH,CAKA,SAASE,GAAqBpI,EAAO,CACnC,OAAOA,GAAS,MAAQ,OAAOA,EAAM,QAAW,UAAY,OAAOA,EAAM,YAAe,UAAY,OAAOA,EAAM,UAAa,WAAa,SAAUA,CACvJ,CAEA,MAAMqI,GAA0B,CAAC,OAAQ,MAAO,QAAS,QAAQ,EAC3DC,GAAuB,IAAI,IAAID,EAAuB,EACtDE,GAAyB,CAAC,MAAO,GAAGF,EAAuB,EAC3DG,GAAsB,IAAI,IAAID,EAAsB,EACpDE,GAAsB,IAAI,IAAI,CAAC,IAAK,IAAK,IAAK,IAAK,GAAG,CAAC,EACvDC,GAAoC,IAAI,IAAI,CAAC,IAAK,GAAG,CAAC,EACtDC,GAAkB,CACtB,MAAO,OACP,SAAU,OACV,WAAY,OACZ,WAAY,OACZ,YAAa,OACb,SAAU,OACV,KAAM,OACN,KAAM,MACR,EACMC,GAAe,CACnB,MAAO,OACP,KAAM,OACN,WAAY,OACZ,WAAY,OACZ,YAAa,OACb,SAAU,OACV,KAAM,OACN,KAAM,MACR,EACMC,GAAe,CACnB,MAAO,YACP,QAAS,OACT,MAAO,OACP,SAAU,MACZ,EACMC,GAAqB,gCACrBC,GAA4BtI,IAAU,CAC1C,iBAAkB,EAAQA,EAAM,gBAClC,GACMuI,GAA0B,2BAQhC,SAASC,GAAarB,EAAM,CAC1B,MAAMsB,EAAetB,EAAK,OAASA,EAAK,OAAS,OAAO,OAAW,IAAc,OAAS,OACpFuB,EAAY,OAAOD,EAAiB,KAAe,OAAOA,EAAa,SAAa,KAAe,OAAOA,EAAa,SAAS,cAAkB,IAClJE,EAAW,CAACD,EAClBlL,EAAU2J,EAAK,OAAO,OAAS,EAAG,2DAA2D,EAC7F,IAAIhH,EACJ,GAAIgH,EAAK,mBACPhH,EAAqBgH,EAAK,2BACjBA,EAAK,oBAAqB,CAEnC,IAAIyB,EAAsBzB,EAAK,oBAC/BhH,EAAqBH,IAAU,CAC7B,iBAAkB4I,EAAoB5I,CAAK,CACjD,EACA,MACIG,EAAqBmI,GAGvB,IAAIjI,EAAW,CAAA,EAEXwI,EAAa5I,GAA0BkH,EAAK,OAAQhH,EAAoB,OAAWE,CAAQ,EAC3FyI,EACAlI,EAAWuG,EAAK,UAAY,IAE5B4B,EAAS3M,EAAS,CACpB,kBAAmB,GACnB,uBAAwB,GACxB,oBAAqB,GACrB,mBAAoB,GACpB,qBAAsB,EAC1B,EAAK+K,EAAK,MAAM,EAEV6B,EAAkB,KAElBC,EAAc,IAAI,IAElBC,EAAuB,KAEvBC,EAA0B,KAE1BC,EAAoB,KAOpBC,EAAwBlC,EAAK,eAAiB,KAC9CmC,EAAiB5I,GAAYmI,EAAY1B,EAAK,QAAQ,SAAUvG,CAAQ,EACxE2I,EAAgB,KACpB,GAAID,GAAkB,KAAM,CAG1B,IAAI/J,EAAQiK,EAAuB,IAAK,CACtC,SAAUrC,EAAK,QAAQ,SAAS,QACtC,CAAK,EACG,CACF,QAAAlG,EACA,MAAAjB,CACN,EAAQyJ,GAAuBZ,CAAU,EACrCS,EAAiBrI,EACjBsI,EAAgB,CACd,CAACvJ,EAAM,EAAE,EAAGT,CAClB,CACG,CACD,IAAImK,EACAC,EAAgBL,EAAe,KAAKM,GAAKA,EAAE,MAAM,IAAI,EACrDC,GAAaP,EAAe,KAAKM,GAAKA,EAAE,MAAM,MAAM,EACxD,GAAID,EAGFD,EAAc,WACL,CAACG,GAEVH,EAAc,WACLX,EAAO,oBAAqB,CAIrC,IAAIzH,EAAa6F,EAAK,cAAgBA,EAAK,cAAc,WAAa,KAClE2C,EAAS3C,EAAK,cAAgBA,EAAK,cAAc,OAAS,KAC9DuC,EAAcJ,EAAe,MAAMM,GAAKA,EAAE,MAAM,QAAUA,EAAE,MAAM,OAAO,UAAY,KAAStI,GAAcA,EAAWsI,EAAE,MAAM,EAAE,IAAM,QAAaE,GAAUA,EAAOF,EAAE,MAAM,EAAE,IAAM,OAAU,CACnM,MAGIF,EAAcvC,EAAK,eAAiB,KAEtC,IAAI4C,GACA7L,EAAQ,CACV,cAAeiJ,EAAK,QAAQ,OAC5B,SAAUA,EAAK,QAAQ,SACvB,QAASmC,EACT,YAAAI,EACA,WAAYxB,GAEZ,sBAAuBf,EAAK,eAAiB,KAAO,GAAQ,KAC5D,mBAAoB,GACpB,aAAc,OACd,WAAYA,EAAK,eAAiBA,EAAK,cAAc,YAAc,CAAE,EACrE,WAAYA,EAAK,eAAiBA,EAAK,cAAc,YAAc,KACnE,OAAQA,EAAK,eAAiBA,EAAK,cAAc,QAAUoC,EAC3D,SAAU,IAAI,IACd,SAAU,IAAI,GAClB,EAGMS,EAAgBvN,EAAO,IAGvBwN,EAA4B,GAE5BC,EAEAC,EAA+B,GAE/BC,EAAyB,IAAI,IAE7BC,EAA8B,KAG9BC,GAA8B,GAK9BC,GAAyB,GAGzBC,GAA0B,CAAA,EAG1BC,GAAwB,CAAA,EAExBC,EAAmB,IAAI,IAEvBC,GAAqB,EAIrBC,GAA0B,GAE1BC,GAAiB,IAAI,IAErBC,GAAmB,IAAI,IAEvBC,GAAmB,IAAI,IAEvBC,GAAiB,IAAI,IAGrBC,GAAkB,IAAI,IAKtBC,GAAkB,IAAI,IAGtBC,GAAmB,IAAI,IAGvBC,GAA0B,GAI9B,SAASC,IAAa,CAmDpB,GAhDArC,EAAkB7B,EAAK,QAAQ,OAAO/I,GAAQ,CAC5C,GAAI,CACF,OAAQkN,EACR,SAAAvN,EACA,MAAAmB,CACD,EAAGd,EAGJ,GAAIgN,GAAyB,CAC3BA,GAA0B,GAC1B,MACD,CACDzN,GAAQwN,GAAiB,OAAS,GAAKjM,GAAS,KAAM,4YAAqa,EAC3d,IAAIqM,EAAaC,GAAsB,CACrC,gBAAiBtN,EAAM,SACvB,aAAcH,EACd,cAAAuN,CACR,CAAO,EACD,GAAIC,GAAcrM,GAAS,KAAM,CAE/BkM,GAA0B,GAC1BjE,EAAK,QAAQ,GAAGjI,EAAQ,EAAE,EAE1BuM,GAAcF,EAAY,CACxB,MAAO,UACP,SAAAxN,EACA,SAAU,CACR0N,GAAcF,EAAY,CACxB,MAAO,aACP,QAAS,OACT,MAAO,OACP,SAAAxN,CACd,CAAa,EAEDoJ,EAAK,QAAQ,GAAGjI,CAAK,CACtB,EACD,OAAQ,CACN,IAAIwM,EAAW,IAAI,IAAIxN,EAAM,QAAQ,EACrCwN,EAAS,IAAIH,EAAYnD,EAAY,EACrCuD,EAAY,CACV,SAAAD,CACd,CAAa,CACF,CACX,CAAS,EACD,MACD,CACD,OAAOE,GAAgBN,EAAevN,CAAQ,CACpD,CAAK,EACG2K,EAAW,CAGbmD,GAA0BpD,EAAc2B,CAAsB,EAC9D,IAAI0B,EAA0B,IAAMC,GAA0BtD,EAAc2B,CAAsB,EAClG3B,EAAa,iBAAiB,WAAYqD,CAAuB,EACjEzB,EAA8B,IAAM5B,EAAa,oBAAoB,WAAYqD,CAAuB,CACzG,CAMD,OAAK5N,EAAM,aACT0N,GAAgBnP,EAAO,IAAKyB,EAAM,SAAU,CAC1C,iBAAkB,EAC1B,CAAO,EAEI6L,EACR,CAED,SAASiC,IAAU,CACbhD,GACFA,IAEEqB,GACFA,IAEFpB,EAAY,MAAK,EACjBiB,GAA+BA,EAA4B,QAC3DhM,EAAM,SAAS,QAAQ,CAACkH,EAAG5I,IAAQyP,GAAczP,CAAG,CAAC,EACrD0B,EAAM,SAAS,QAAQ,CAACkH,EAAG5I,IAAQ0P,GAAc1P,CAAG,CAAC,CACtD,CAED,SAAS2P,GAAUvM,EAAI,CACrB,OAAAqJ,EAAY,IAAIrJ,CAAE,EACX,IAAMqJ,EAAY,OAAOrJ,CAAE,CACnC,CAED,SAAS+L,EAAYS,EAAUC,EAAM,CAC/BA,IAAS,SACXA,EAAO,CAAA,GAETnO,EAAQ9B,EAAS,CAAA,EAAI8B,EAAOkO,CAAQ,EAGpC,IAAIE,EAAoB,CAAA,EACpBC,EAAsB,CAAA,EACtBxD,EAAO,mBACT7K,EAAM,SAAS,QAAQ,CAACsO,EAAShQ,IAAQ,CACnCgQ,EAAQ,QAAU,SAChBvB,GAAgB,IAAIzO,CAAG,EAEzB+P,EAAoB,KAAK/P,CAAG,EAI5B8P,EAAkB,KAAK9P,CAAG,EAGtC,CAAO,EAKH,CAAC,GAAGyM,CAAW,EAAE,QAAQwD,GAAcA,EAAWvO,EAAO,CACvD,gBAAiBqO,EACjB,4BAA6BF,EAAK,mBAClC,mBAAoBA,EAAK,YAAc,EACxC,CAAA,CAAC,EAEEtD,EAAO,oBACTuD,EAAkB,QAAQ9P,GAAO0B,EAAM,SAAS,OAAO1B,CAAG,CAAC,EAC3D+P,EAAoB,QAAQ/P,GAAOyP,GAAczP,CAAG,CAAC,EAExD,CAMD,SAASkQ,GAAmB3O,EAAUqO,EAAUO,EAAO,CACrD,IAAIC,EAAiBC,EACrB,GAAI,CACF,UAAAC,CACD,EAAGH,IAAU,OAAS,CAAA,EAAKA,EAMxBI,EAAiB7O,EAAM,YAAc,MAAQA,EAAM,WAAW,YAAc,MAAQ8O,EAAiB9O,EAAM,WAAW,UAAU,GAAKA,EAAM,WAAW,QAAU,aAAe0O,EAAkB7O,EAAS,QAAU,KAAO,OAAS6O,EAAgB,eAAiB,GACrQK,EACAb,EAAS,WACP,OAAO,KAAKA,EAAS,UAAU,EAAE,OAAS,EAC5Ca,EAAab,EAAS,WAGtBa,EAAa,KAENF,EAETE,EAAa/O,EAAM,WAGnB+O,EAAa,KAGf,IAAI3L,EAAa8K,EAAS,WAAac,GAAgBhP,EAAM,WAAYkO,EAAS,WAAYA,EAAS,SAAW,GAAIA,EAAS,MAAM,EAAIlO,EAAM,WAG3IwN,EAAWxN,EAAM,SACjBwN,EAAS,KAAO,IAClBA,EAAW,IAAI,IAAIA,CAAQ,EAC3BA,EAAS,QAAQ,CAACtG,EAAG+H,IAAMzB,EAAS,IAAIyB,EAAG/E,EAAY,CAAC,GAI1D,IAAIgF,EAAqBnD,IAA8B,IAAQ/L,EAAM,WAAW,YAAc,MAAQ8O,EAAiB9O,EAAM,WAAW,UAAU,KAAO2O,EAAmB9O,EAAS,QAAU,KAAO,OAAS8O,EAAiB,eAAiB,GAC7O/D,IACFD,EAAaC,EACbA,EAAqB,QAEnBwB,IAAwCN,IAAkBvN,EAAO,MAAgBuN,IAAkBvN,EAAO,KAC5G0K,EAAK,QAAQ,KAAKpJ,EAAUA,EAAS,KAAK,EACjCiM,IAAkBvN,EAAO,SAClC0K,EAAK,QAAQ,QAAQpJ,EAAUA,EAAS,KAAK,GAE/C,IAAIsP,EAEJ,GAAIrD,IAAkBvN,EAAO,IAAK,CAEhC,IAAI6Q,EAAalD,EAAuB,IAAIlM,EAAM,SAAS,QAAQ,EAC/DoP,GAAcA,EAAW,IAAIvP,EAAS,QAAQ,EAChDsP,EAAqB,CACnB,gBAAiBnP,EAAM,SACvB,aAAcH,CACxB,EACiBqM,EAAuB,IAAIrM,EAAS,QAAQ,IAGrDsP,EAAqB,CACnB,gBAAiBtP,EACjB,aAAcG,EAAM,QAC9B,EAEK,SAAUiM,EAA8B,CAEvC,IAAIoD,EAAUnD,EAAuB,IAAIlM,EAAM,SAAS,QAAQ,EAC5DqP,EACFA,EAAQ,IAAIxP,EAAS,QAAQ,GAE7BwP,EAAU,IAAI,IAAI,CAACxP,EAAS,QAAQ,CAAC,EACrCqM,EAAuB,IAAIlM,EAAM,SAAS,SAAUqP,CAAO,GAE7DF,EAAqB,CACnB,gBAAiBnP,EAAM,SACvB,aAAcH,CACtB,CACK,CACD4N,EAAYvP,EAAS,CAAE,EAAEgQ,EAAU,CACjC,WAAAa,EACA,WAAA3L,EACA,cAAe0I,EACf,SAAAjM,EACA,YAAa,GACb,WAAYmK,GACZ,aAAc,OACd,sBAAuBsF,GAAuBzP,EAAUqO,EAAS,SAAWlO,EAAM,OAAO,EACzF,mBAAAkP,EACA,SAAA1B,CACN,CAAK,EAAG,CACF,mBAAA2B,EACA,UAAWP,IAAc,EAC/B,CAAK,EAED9C,EAAgBvN,EAAO,IACvBwN,EAA4B,GAC5BE,EAA+B,GAC/BG,GAA8B,GAC9BC,GAAyB,GACzBC,GAA0B,CAAA,EAC1BC,GAAwB,CAAA,CACzB,CAGD,eAAegD,GAASpQ,EAAIgP,EAAM,CAChC,GAAI,OAAOhP,GAAO,SAAU,CAC1B8J,EAAK,QAAQ,GAAG9J,CAAE,EAClB,MACD,CACD,IAAIqQ,EAAiBC,GAAYzP,EAAM,SAAUA,EAAM,QAAS0C,EAAUmI,EAAO,mBAAoB1L,EAAI0L,EAAO,qBAAsBsD,GAAQ,KAAO,OAASA,EAAK,YAAaA,GAAQ,KAAO,OAASA,EAAK,QAAQ,EACjN,CACF,KAAAhO,EACA,WAAAuP,EACA,MAAArO,CACN,EAAQsO,GAAyB9E,EAAO,uBAAwB,GAAO2E,EAAgBrB,CAAI,EACnFyB,EAAkB5P,EAAM,SACxB6P,EAAe5Q,GAAee,EAAM,SAAUG,EAAMgO,GAAQA,EAAK,KAAK,EAM1E0B,EAAe3R,EAAS,CAAA,EAAI2R,EAAc5G,EAAK,QAAQ,eAAe4G,CAAY,CAAC,EACnF,IAAIC,EAAc3B,GAAQA,EAAK,SAAW,KAAOA,EAAK,QAAU,OAC5Df,EAAgB7O,EAAO,KACvBuR,IAAgB,GAClB1C,EAAgB7O,EAAO,QACduR,IAAgB,IAAkBJ,GAAc,MAAQZ,EAAiBY,EAAW,UAAU,GAAKA,EAAW,aAAe1P,EAAM,SAAS,SAAWA,EAAM,SAAS,SAK/KoN,EAAgB7O,EAAO,SAEzB,IAAI2Q,EAAqBf,GAAQ,uBAAwBA,EAAOA,EAAK,qBAAuB,GAAO,OAC/FS,GAAaT,GAAQA,EAAK,sBAAwB,GAClDd,EAAaC,GAAsB,CACrC,gBAAAsC,EACA,aAAAC,EACA,cAAAzC,CACN,CAAK,EACD,GAAIC,EAAY,CAEdE,GAAcF,EAAY,CACxB,MAAO,UACP,SAAUwC,EACV,SAAU,CACRtC,GAAcF,EAAY,CACxB,MAAO,aACP,QAAS,OACT,MAAO,OACP,SAAUwC,CACtB,CAAW,EAEDN,GAASpQ,EAAIgP,CAAI,CAClB,EACD,OAAQ,CACN,IAAIX,EAAW,IAAI,IAAIxN,EAAM,QAAQ,EACrCwN,EAAS,IAAIH,EAAYnD,EAAY,EACrCuD,EAAY,CACV,SAAAD,CACZ,CAAW,CACF,CACT,CAAO,EACD,MACD,CACD,OAAO,MAAME,GAAgBN,EAAeyC,EAAc,CACxD,WAAAH,EAGA,aAAcrO,EACd,mBAAA6N,EACA,QAASf,GAAQA,EAAK,QACtB,qBAAsBA,GAAQA,EAAK,wBACnC,UAAAS,CACN,CAAK,CACF,CAID,SAASmB,IAAa,CAOpB,GANAC,KACAvC,EAAY,CACV,aAAc,SACpB,CAAK,EAGGzN,EAAM,WAAW,QAAU,aAM/B,IAAIA,EAAM,WAAW,QAAU,OAAQ,CACrC0N,GAAgB1N,EAAM,cAAeA,EAAM,SAAU,CACnD,+BAAgC,EACxC,CAAO,EACD,MACD,CAID0N,GAAgB5B,GAAiB9L,EAAM,cAAeA,EAAM,WAAW,SAAU,CAC/E,mBAAoBA,EAAM,UAChC,CAAK,EACF,CAID,eAAe0N,GAAgBN,EAAevN,EAAUsO,EAAM,CAI5DnC,GAA+BA,EAA4B,QAC3DA,EAA8B,KAC9BF,EAAgBsB,EAChBhB,IAA+B+B,GAAQA,EAAK,kCAAoC,GAGhF8B,GAAmBjQ,EAAM,SAAUA,EAAM,OAAO,EAChD+L,GAA6BoC,GAAQA,EAAK,sBAAwB,GAClElC,GAAgCkC,GAAQA,EAAK,wBAA0B,GACvE,IAAI+B,EAActF,GAAsBD,EACpCwF,EAAoBhC,GAAQA,EAAK,mBACjCpL,EAAUP,GAAY0N,EAAarQ,EAAU6C,CAAQ,EACrDkM,GAAaT,GAAQA,EAAK,aAAe,GAE7C,GAAI,CAACpL,EAAS,CACZ,IAAI1B,EAAQiK,EAAuB,IAAK,CACtC,SAAUzL,EAAS,QAC3B,CAAO,EACG,CACF,QAASuQ,EACT,MAAAtO,CACR,EAAUyJ,GAAuB2E,CAAW,EAEtCG,KACA7B,GAAmB3O,EAAU,CAC3B,QAASuQ,EACT,WAAY,CAAE,EACd,OAAQ,CACN,CAACtO,EAAM,EAAE,EAAGT,CACb,CACT,EAAS,CACD,UAAAuN,CACR,CAAO,EACD,MACD,CAOD,GAAI5O,EAAM,aAAe,CAACqM,IAA0BiE,GAAiBtQ,EAAM,SAAUH,CAAQ,GAAK,EAAEsO,GAAQA,EAAK,YAAcW,EAAiBX,EAAK,WAAW,UAAU,GAAI,CAC5KK,GAAmB3O,EAAU,CAC3B,QAAAkD,CACR,EAAS,CACD,UAAA6L,CACR,CAAO,EACD,MACD,CAED5C,EAA8B,IAAI,gBAClC,IAAIuE,EAAUC,GAAwBvH,EAAK,QAASpJ,EAAUmM,EAA4B,OAAQmC,GAAQA,EAAK,UAAU,EACrHsC,EACAC,EACJ,GAAIvC,GAAQA,EAAK,aAKfuC,EAAe,CACb,CAACC,GAAoB5N,CAAO,EAAE,MAAM,EAAE,EAAGoL,EAAK,YACtD,UACeA,GAAQA,EAAK,YAAcW,EAAiBX,EAAK,WAAW,UAAU,EAAG,CAElF,IAAIyC,EAAe,MAAMC,GAAaN,EAAS1Q,EAAUsO,EAAK,WAAYpL,EAAS,CACjF,QAASoL,EAAK,QACd,UAAAS,CACR,CAAO,EACD,GAAIgC,EAAa,eACf,OAEFH,EAAoBG,EAAa,kBACjCF,EAAeE,EAAa,mBAC5BT,EAAoBW,GAAqBjR,EAAUsO,EAAK,UAAU,EAClES,EAAY,GAEZ2B,EAAU,IAAI,QAAQA,EAAQ,IAAK,CACjC,OAAQA,EAAQ,MACxB,CAAO,CACF,CAED,GAAI,CACF,eAAAQ,EACA,WAAA3N,EACA,OAAAwI,CACD,EAAG,MAAMoF,GAAcT,EAAS1Q,EAAUkD,EAASoN,EAAmBhC,GAAQA,EAAK,WAAYA,GAAQA,EAAK,kBAAmBA,GAAQA,EAAK,QAASA,GAAQA,EAAK,mBAAqB,GAAMS,EAAW6B,EAAmBC,CAAY,EACpOK,IAMJ/E,EAA8B,KAC9BwC,GAAmB3O,EAAU3B,EAAS,CACpC,QAAA6E,CACD,EAAE0N,EAAoB,CACrB,WAAYA,CACb,EAAG,GAAI,CACN,WAAArN,EACA,OAAAwI,CACD,CAAA,CAAC,EACH,CAGD,eAAeiF,GAAaN,EAAS1Q,EAAU6P,EAAY3M,EAASoL,EAAM,CACpEA,IAAS,SACXA,EAAO,CAAA,GAET6B,KAEA,IAAIiB,EAAaC,GAAwBrR,EAAU6P,CAAU,EAC7DjC,EAAY,CACV,WAAAwD,CACN,EAAO,CACD,UAAW9C,EAAK,YAAc,EACpC,CAAK,EAED,IAAI7J,EACA6M,EAAcC,GAAerO,EAASlD,CAAQ,EAClD,GAAI,CAACsR,EAAY,MAAM,QAAU,CAACA,EAAY,MAAM,KAClD7M,EAAS,CACP,KAAM3C,EAAW,MACjB,MAAO2J,EAAuB,IAAK,CACjC,OAAQiF,EAAQ,OAChB,SAAU1Q,EAAS,SACnB,QAASsR,EAAY,MAAM,EACrC,CAAS,CACT,UAEM7M,EAAS,MAAM+M,GAAmB,SAAUd,EAASY,EAAapO,EAASZ,EAAUF,EAAoBS,EAAUmI,EAAO,oBAAoB,EAC1I0F,EAAQ,OAAO,QACjB,MAAO,CACL,eAAgB,EAC1B,EAGI,GAAIe,GAAiBhN,CAAM,EAAG,CAC5B,IAAIhD,EACJ,OAAI6M,GAAQA,EAAK,SAAW,KAC1B7M,EAAU6M,EAAK,QAKf7M,EAAUgD,EAAO,WAAatE,EAAM,SAAS,SAAWA,EAAM,SAAS,OAEzE,MAAMuR,GAAwBvR,EAAOsE,EAAQ,CAC3C,WAAAoL,EACA,QAAApO,CACR,CAAO,EACM,CACL,eAAgB,EACxB,CACK,CACD,GAAIkQ,GAAclN,CAAM,EAAG,CAGzB,IAAImN,EAAgBd,GAAoB5N,EAASoO,EAAY,MAAM,EAAE,EAKrE,OAAKhD,GAAQA,EAAK,WAAa,KAC7BrC,EAAgBvN,EAAO,MAElB,CAEL,kBAAmB,CAAE,EACrB,mBAAoB,CAClB,CAACkT,EAAc,MAAM,EAAE,EAAGnN,EAAO,KAClC,CACT,CACK,CACD,GAAIoN,GAAiBpN,CAAM,EACzB,MAAMgH,EAAuB,IAAK,CAChC,KAAM,cACd,CAAO,EAEH,MAAO,CACL,kBAAmB,CACjB,CAAC6F,EAAY,MAAM,EAAE,EAAG7M,EAAO,IAChC,CACP,CACG,CAGD,eAAe0M,GAAcT,EAAS1Q,EAAUkD,EAAS4O,EAAoBjC,EAAYkC,EAAmBtQ,EAASuQ,EAAkBjD,EAAW6B,EAAmBC,EAAc,CAEjL,IAAIP,EAAoBwB,GAAsBb,GAAqBjR,EAAU6P,CAAU,EAGnFoC,EAAmBpC,GAAckC,GAAqBG,GAA4B5B,CAAiB,EACnGD,EAActF,GAAsBD,EACpC,CAACqH,EAAeC,CAAoB,EAAIC,GAAiBjJ,EAAK,QAASjJ,EAAO+C,EAAS+O,EAAkBjS,EAAUgL,EAAO,qBAAuBgH,IAAqB,GAAMxF,GAAwBC,GAAyBC,GAAuBQ,GAAiBF,GAAkBD,GAAkBsD,EAAaxN,EAAU+N,EAAmBC,CAAY,EAOnW,GAHAL,GAAsB8B,GAAW,EAAEpP,GAAWA,EAAQ,KAAK2I,GAAKA,EAAE,MAAM,KAAOyG,CAAO,IAAMH,GAAiBA,EAAc,KAAKtG,GAAKA,EAAE,MAAM,KAAOyG,CAAO,CAAC,EAC5JzF,GAA0B,EAAED,GAExBuF,EAAc,SAAW,GAAKC,EAAqB,SAAW,EAAG,CACnE,IAAIG,EAAkBC,KACtB,OAAA7D,GAAmB3O,EAAU3B,EAAS,CACpC,QAAA6E,EACA,WAAY,CAAE,EAEd,OAAQ2N,GAAgB,IACzB,EAAED,EAAoB,CACrB,WAAYA,CACpB,EAAU,CAAA,EAAI2B,EAAkB,CACxB,SAAU,IAAI,IAAIpS,EAAM,QAAQ,CACjC,EAAG,CAAE,CAAA,EAAG,CACP,UAAA4O,CACR,CAAO,EACM,CACL,eAAgB,EACxB,CACK,CAOD,GAAI,CAACxC,KAAgC,CAACvB,EAAO,qBAAuB,CAACgH,GAAmB,CACtFI,EAAqB,QAAQK,GAAM,CACjC,IAAIhE,EAAUtO,EAAM,SAAS,IAAIsS,EAAG,GAAG,EACnCC,GAAsBC,GAAkB,OAAWlE,EAAUA,EAAQ,KAAO,MAAS,EACzFtO,EAAM,SAAS,IAAIsS,EAAG,IAAKC,EAAmB,CACtD,CAAO,EACD,IAAIxD,EAAa0B,GAAqBzQ,EAAM,WAC5CyN,EAAYvP,EAAS,CACnB,WAAYiS,CACpB,EAASpB,EAAa,OAAO,KAAKA,CAAU,EAAE,SAAW,EAAI,CACrD,WAAY,IACpB,EAAU,CACF,WAAAA,CACD,EAAG,GAAIkD,EAAqB,OAAS,EAAI,CACxC,SAAU,IAAI,IAAIjS,EAAM,QAAQ,CACjC,EAAG,CAAE,CAAA,EAAG,CACP,UAAA4O,CACR,CAAO,CACF,CACDqD,EAAqB,QAAQK,GAAM,CAC7B9F,EAAiB,IAAI8F,EAAG,GAAG,GAC7BG,GAAaH,EAAG,GAAG,EAEjBA,EAAG,YAIL9F,EAAiB,IAAI8F,EAAG,IAAKA,EAAG,UAAU,CAElD,CAAK,EAED,IAAII,GAAiC,IAAMT,EAAqB,QAAQU,GAAKF,GAAaE,EAAE,GAAG,CAAC,EAC5F3G,GACFA,EAA4B,OAAO,iBAAiB,QAAS0G,EAA8B,EAE7F,GAAI,CACF,QAAAE,GACA,cAAAC,GACA,eAAAC,EACN,EAAQ,MAAMC,GAA+B/S,EAAM,QAAS+C,EAASiP,EAAeC,EAAsB1B,CAAO,EAC7G,GAAIA,EAAQ,OAAO,QACjB,MAAO,CACL,eAAgB,EACxB,EAKQvE,GACFA,EAA4B,OAAO,oBAAoB,QAAS0G,EAA8B,EAEhGT,EAAqB,QAAQK,GAAM9F,EAAiB,OAAO8F,EAAG,GAAG,CAAC,EAElE,IAAItJ,GAAWgK,GAAaJ,EAAO,EACnC,GAAI5J,GAAU,CACZ,GAAIA,GAAS,KAAOgJ,EAAc,OAAQ,CAIxC,IAAIiB,EAAahB,EAAqBjJ,GAAS,IAAMgJ,EAAc,MAAM,EAAE,IAC3EpF,GAAiB,IAAIqG,CAAU,CAChC,CACD,aAAM1B,GAAwBvR,EAAOgJ,GAAS,OAAQ,CACpD,QAAA1H,CACR,CAAO,EACM,CACL,eAAgB,EACxB,CACK,CAED,GAAI,CACF,WAAA8B,GACA,OAAAwI,EACN,EAAQsH,GAAkBlT,EAAO+C,EAASiP,EAAea,GAAenC,EAAcuB,EAAsBa,GAAgB9F,EAAe,EAEvIA,GAAgB,QAAQ,CAACmG,EAAchB,IAAY,CACjDgB,EAAa,UAAUC,GAAW,EAI5BA,GAAWD,EAAa,OAC1BnG,GAAgB,OAAOmF,CAAO,CAExC,CAAO,CACP,CAAK,EACD,IAAIC,GAAkBC,KAClBgB,GAAqBC,GAAqB5G,EAAuB,EACjE6G,GAAuBnB,IAAmBiB,IAAsBpB,EAAqB,OAAS,EAClG,OAAO/T,EAAS,CACd,WAAAkF,GACA,OAAAwI,EACD,EAAE2H,GAAuB,CACxB,SAAU,IAAI,IAAIvT,EAAM,QAAQ,CACjC,EAAG,CAAE,CAAA,CACP,CAED,SAASwT,GAAMlV,EAAK6T,EAAS1Q,EAAM0M,EAAM,CACvC,GAAI1D,EACF,MAAM,IAAI,MAAM,kMAA4M,EAE1N+B,EAAiB,IAAIlO,CAAG,GAAGmU,GAAanU,CAAG,EAC/C,IAAIsQ,GAAaT,GAAQA,EAAK,sBAAwB,GAClD+B,EAActF,GAAsBD,EACpC6E,EAAiBC,GAAYzP,EAAM,SAAUA,EAAM,QAAS0C,EAAUmI,EAAO,mBAAoBpJ,EAAMoJ,EAAO,qBAAsBsH,EAAShE,GAAQ,KAAO,OAASA,EAAK,QAAQ,EAClLpL,EAAUP,GAAY0N,EAAaV,EAAgB9M,CAAQ,EAC/D,GAAI,CAACK,EAAS,CACZ0Q,GAAgBnV,EAAK6T,EAAS7G,EAAuB,IAAK,CACxD,SAAUkE,CAClB,CAAO,EAAG,CACF,UAAAZ,CACR,CAAO,EACD,MACD,CACD,GAAI,CACF,KAAAzO,EACA,WAAAuP,EACA,MAAArO,CACN,EAAQsO,GAAyB9E,EAAO,uBAAwB,GAAM2E,EAAgBrB,CAAI,EACtF,GAAI9M,EAAO,CACToS,GAAgBnV,EAAK6T,EAAS9Q,EAAO,CACnC,UAAAuN,CACR,CAAO,EACD,MACD,CACD,IAAIzL,EAAQiO,GAAerO,EAAS5C,CAAI,EAExC,GADA4L,GAA6BoC,GAAQA,EAAK,sBAAwB,GAC9DuB,GAAcZ,EAAiBY,EAAW,UAAU,EAAG,CACzDgE,GAAoBpV,EAAK6T,EAAShS,EAAMgD,EAAOJ,EAAS6L,EAAWc,CAAU,EAC7E,MACD,CAGD7C,GAAiB,IAAIvO,EAAK,CACxB,QAAA6T,EACA,KAAAhS,CACN,CAAK,EACDwT,GAAoBrV,EAAK6T,EAAShS,EAAMgD,EAAOJ,EAAS6L,EAAWc,CAAU,CAC9E,CAGD,eAAegE,GAAoBpV,EAAK6T,EAAShS,EAAMgD,EAAOyQ,EAAgBhF,EAAWc,EAAY,CAGnG,GAFAM,KACAnD,GAAiB,OAAOvO,CAAG,EACvB,CAAC6E,EAAM,MAAM,QAAU,CAACA,EAAM,MAAM,KAAM,CAC5C,IAAI9B,EAAQiK,EAAuB,IAAK,CACtC,OAAQoE,EAAW,WACnB,SAAUvP,EACV,QAASgS,CACjB,CAAO,EACDsB,GAAgBnV,EAAK6T,EAAS9Q,EAAO,CACnC,UAAAuN,CACR,CAAO,EACD,MACD,CAED,IAAIiF,EAAkB7T,EAAM,SAAS,IAAI1B,CAAG,EAC5CwV,GAAmBxV,EAAKyV,GAAqBrE,EAAYmE,CAAe,EAAG,CACzE,UAAAjF,CACN,CAAK,EAED,IAAIoF,EAAkB,IAAI,gBACtBC,EAAezD,GAAwBvH,EAAK,QAAS9I,EAAM6T,EAAgB,OAAQtE,CAAU,EACjGlD,EAAiB,IAAIlO,EAAK0V,CAAe,EACzC,IAAIE,EAAoBzH,GACpB0H,EAAe,MAAM9C,GAAmB,SAAU4C,EAAc9Q,EAAOyQ,EAAgBzR,EAAUF,EAAoBS,EAAUmI,EAAO,oBAAoB,EAC9J,GAAIoJ,EAAa,OAAO,QAAS,CAG3BzH,EAAiB,IAAIlO,CAAG,IAAM0V,GAChCxH,EAAiB,OAAOlO,CAAG,EAE7B,MACD,CAID,GAAIuM,EAAO,mBAAqBkC,GAAgB,IAAIzO,CAAG,GACrD,GAAIgT,GAAiB6C,CAAY,GAAK3C,GAAc2C,CAAY,EAAG,CACjEL,GAAmBxV,EAAK8V,GAAe,MAAS,CAAC,EACjD,MACD,MAEI,CACL,GAAI9C,GAAiB6C,CAAY,EAE/B,GADA3H,EAAiB,OAAOlO,CAAG,EACvBoO,GAA0BwH,EAAmB,CAK/CJ,GAAmBxV,EAAK8V,GAAe,MAAS,CAAC,EACjD,MACV,KACU,QAAAxH,GAAiB,IAAItO,CAAG,EACxBwV,GAAmBxV,EAAKkU,GAAkB9C,CAAU,CAAC,EAC9C6B,GAAwBvR,EAAOmU,EAAc,CAClD,kBAAmBzE,CAC/B,CAAW,EAIL,GAAI8B,GAAc2C,CAAY,EAAG,CAC/BV,GAAgBnV,EAAK6T,EAASgC,EAAa,KAAK,EAChD,MACD,CACF,CACD,GAAIzC,GAAiByC,CAAY,EAC/B,MAAM7I,EAAuB,IAAK,CAChC,KAAM,cACd,CAAO,EAIH,IAAIuE,EAAe7P,EAAM,WAAW,UAAYA,EAAM,SAClDqU,EAAsB7D,GAAwBvH,EAAK,QAAS4G,EAAcmE,EAAgB,MAAM,EAChG9D,EAActF,GAAsBD,EACpC5H,EAAU/C,EAAM,WAAW,QAAU,OAASwC,GAAY0N,EAAalQ,EAAM,WAAW,SAAU0C,CAAQ,EAAI1C,EAAM,QACxHV,EAAUyD,EAAS,8CAA8C,EACjE,IAAIuR,GAAS,EAAE7H,GACfE,GAAe,IAAIrO,EAAKgW,EAAM,EAC9B,IAAIC,GAAc/B,GAAkB9C,EAAYyE,EAAa,IAAI,EACjEnU,EAAM,SAAS,IAAI1B,EAAKiW,EAAW,EACnC,GAAI,CAACvC,GAAeC,EAAoB,EAAIC,GAAiBjJ,EAAK,QAASjJ,EAAO+C,EAAS2M,EAAYG,EAAc,GAAOxD,GAAwBC,GAAyBC,GAAuBQ,GAAiBF,GAAkBD,GAAkBsD,EAAaxN,EAAU,CAC9Q,CAACS,EAAM,MAAM,EAAE,EAAGgR,EAAa,IACrC,EAAO,MACP,EAIIlC,GAAqB,OAAOK,GAAMA,EAAG,MAAQhU,CAAG,EAAE,QAAQgU,GAAM,CAC9D,IAAIkC,EAAWlC,EAAG,IACduB,GAAkB7T,EAAM,SAAS,IAAIwU,CAAQ,EAC7CjC,GAAsBC,GAAkB,OAAWqB,GAAkBA,GAAgB,KAAO,MAAS,EACzG7T,EAAM,SAAS,IAAIwU,EAAUjC,EAAmB,EAC5C/F,EAAiB,IAAIgI,CAAQ,GAC/B/B,GAAa+B,CAAQ,EAEnBlC,EAAG,YACL9F,EAAiB,IAAIgI,EAAUlC,EAAG,UAAU,CAEpD,CAAK,EACD7E,EAAY,CACV,SAAU,IAAI,IAAIzN,EAAM,QAAQ,CACtC,CAAK,EACD,IAAI0S,GAAiC,IAAMT,GAAqB,QAAQK,GAAMG,GAAaH,EAAG,GAAG,CAAC,EAClG0B,EAAgB,OAAO,iBAAiB,QAAStB,EAA8B,EAC/E,GAAI,CACF,QAAAE,GACA,cAAAC,GACA,eAAAC,EACN,EAAQ,MAAMC,GAA+B/S,EAAM,QAAS+C,EAASiP,GAAeC,GAAsBoC,CAAmB,EACzH,GAAIL,EAAgB,OAAO,QACzB,OAEFA,EAAgB,OAAO,oBAAoB,QAAStB,EAA8B,EAClF/F,GAAe,OAAOrO,CAAG,EACzBkO,EAAiB,OAAOlO,CAAG,EAC3B2T,GAAqB,QAAQwC,GAAKjI,EAAiB,OAAOiI,EAAE,GAAG,CAAC,EAChE,IAAIzL,GAAWgK,GAAaJ,EAAO,EACnC,GAAI5J,GAAU,CACZ,GAAIA,GAAS,KAAOgJ,GAAc,OAAQ,CAIxC,IAAIiB,EAAahB,GAAqBjJ,GAAS,IAAMgJ,GAAc,MAAM,EAAE,IAC3EpF,GAAiB,IAAIqG,CAAU,CAChC,CACD,OAAO1B,GAAwBvR,EAAOgJ,GAAS,MAAM,CACtD,CAED,GAAI,CACF,WAAA5F,GACA,OAAAwI,CACD,EAAGsH,GAAkBlT,EAAOA,EAAM,QAASgS,GAAea,GAAe,OAAWZ,GAAsBa,GAAgB9F,EAAe,EAG1I,GAAIhN,EAAM,SAAS,IAAI1B,CAAG,EAAG,CAC3B,IAAIoW,EAAcN,GAAeD,EAAa,IAAI,EAClDnU,EAAM,SAAS,IAAI1B,EAAKoW,CAAW,CACpC,CACDpB,GAAqBgB,EAAM,EAIvBtU,EAAM,WAAW,QAAU,WAAasU,GAAS5H,IACnDpN,EAAUwM,EAAe,yBAAyB,EAClDE,GAA+BA,EAA4B,QAC3DwC,GAAmBxO,EAAM,WAAW,SAAU,CAC5C,QAAA+C,EACA,WAAAK,GACA,OAAAwI,EACA,SAAU,IAAI,IAAI5L,EAAM,QAAQ,CACxC,CAAO,IAKDyN,EAAY,CACV,OAAA7B,EACA,WAAYoD,GAAgBhP,EAAM,WAAYoD,GAAYL,EAAS6I,CAAM,EACzE,SAAU,IAAI,IAAI5L,EAAM,QAAQ,CACxC,CAAO,EACDqM,GAAyB,GAE5B,CAED,eAAesH,GAAoBrV,EAAK6T,EAAShS,EAAMgD,EAAOJ,EAAS6L,EAAWc,EAAY,CAC5F,IAAImE,EAAkB7T,EAAM,SAAS,IAAI1B,CAAG,EAC5CwV,GAAmBxV,EAAKkU,GAAkB9C,EAAYmE,EAAkBA,EAAgB,KAAO,MAAS,EAAG,CACzG,UAAAjF,CACN,CAAK,EAED,IAAIoF,EAAkB,IAAI,gBACtBC,EAAezD,GAAwBvH,EAAK,QAAS9I,EAAM6T,EAAgB,MAAM,EACrFxH,EAAiB,IAAIlO,EAAK0V,CAAe,EACzC,IAAIE,EAAoBzH,GACpBnI,EAAS,MAAM+M,GAAmB,SAAU4C,EAAc9Q,EAAOJ,EAASZ,EAAUF,EAAoBS,EAAUmI,EAAO,oBAAoB,EAajJ,GARI6G,GAAiBpN,CAAM,IACzBA,EAAU,MAAMqQ,GAAoBrQ,EAAQ2P,EAAa,OAAQ,EAAI,GAAM3P,GAIzEkI,EAAiB,IAAIlO,CAAG,IAAM0V,GAChCxH,EAAiB,OAAOlO,CAAG,EAEzB,CAAA2V,EAAa,OAAO,QAKxB,IAAIlH,GAAgB,IAAIzO,CAAG,EAAG,CAC5BwV,GAAmBxV,EAAK8V,GAAe,MAAS,CAAC,EACjD,MACD,CAED,GAAI9C,GAAiBhN,CAAM,EACzB,GAAIoI,GAA0BwH,EAAmB,CAG/CJ,GAAmBxV,EAAK8V,GAAe,MAAS,CAAC,EACjD,MACR,KAAa,CACLxH,GAAiB,IAAItO,CAAG,EACxB,MAAMiT,GAAwBvR,EAAOsE,CAAM,EAC3C,MACD,CAGH,GAAIkN,GAAclN,CAAM,EAAG,CACzBmP,GAAgBnV,EAAK6T,EAAS7N,EAAO,KAAK,EAC1C,MACD,CACDhF,EAAU,CAACoS,GAAiBpN,CAAM,EAAG,iCAAiC,EAEtEwP,GAAmBxV,EAAK8V,GAAe9P,EAAO,IAAI,CAAC,EACpD,CAoBD,eAAeiN,GAAwBvR,EAAOgJ,EAAU4L,EAAQ,CAC9D,GAAI,CACF,WAAAlF,EACA,kBAAAkC,EACA,QAAAtQ,CACD,EAAGsT,IAAW,OAAS,CAAA,EAAKA,EACzB5L,EAAS,aACXqD,GAAyB,IAE3B,IAAIwI,EAAmB5V,GAAee,EAAM,SAAUgJ,EAAS,SAAU,CACvE,YAAa,EACnB,CAAK,EAED,GADA1J,EAAUuV,EAAkB,gDAAgD,EACxErK,EAAW,CACb,IAAIsK,EAAmB,GACvB,GAAI9L,EAAS,eAEX8L,EAAmB,WACV3K,GAAmB,KAAKnB,EAAS,QAAQ,EAAG,CACrD,MAAM5H,EAAM6H,EAAK,QAAQ,UAAUD,EAAS,QAAQ,EACpD8L,EAEA1T,EAAI,SAAWmJ,EAAa,SAAS,QAErC5H,GAAcvB,EAAI,SAAUsB,CAAQ,GAAK,IAC1C,CACD,GAAIoS,EAAkB,CAChBxT,EACFiJ,EAAa,SAAS,QAAQvB,EAAS,QAAQ,EAE/CuB,EAAa,SAAS,OAAOvB,EAAS,QAAQ,EAEhD,MACD,CACF,CAGDgD,EAA8B,KAC9B,IAAI+I,EAAwBzT,IAAY,GAAO/C,EAAO,QAAUA,EAAO,KAGnE,CACF,WAAAyW,EACA,WAAAC,EACA,YAAAC,CACN,EAAQlV,EAAM,WACN,CAAC0P,GAAc,CAACkC,GAAqBoD,GAAcC,GAAcC,IACnExF,EAAaqC,GAA4B/R,EAAM,UAAU,GAK3D,IAAI8R,EAAmBpC,GAAckC,EACrC,GAAI7H,GAAkC,IAAIf,EAAS,MAAM,GAAK8I,GAAoBhD,EAAiBgD,EAAiB,UAAU,EAC5H,MAAMpE,GAAgBqH,EAAuBF,EAAkB,CAC7D,WAAY3W,EAAS,CAAE,EAAE4T,EAAkB,CACzC,WAAY9I,EAAS,QAC/B,CAAS,EAED,mBAAoB+C,CAC5B,CAAO,MACI,CAGL,IAAI4F,EAAqBb,GAAqB+D,EAAkBnF,CAAU,EAC1E,MAAMhC,GAAgBqH,EAAuBF,EAAkB,CAC7D,mBAAAlD,EAEA,kBAAAC,EAEA,mBAAoB7F,CAC5B,CAAO,CACF,CACF,CACD,eAAegH,GAA+BoC,EAAgBpS,EAASiP,EAAeoD,EAAgB7E,EAAS,CAI7G,IAAIqC,EAAU,MAAM,QAAQ,IAAI,CAAC,GAAGZ,EAAc,IAAI7O,GAASkO,GAAmB,SAAUd,EAASpN,EAAOJ,EAASZ,EAAUF,EAAoBS,EAAUmI,EAAO,oBAAoB,CAAC,EAAG,GAAGuK,EAAe,IAAIzC,GAC5MA,EAAE,SAAWA,EAAE,OAASA,EAAE,WACrBtB,GAAmB,SAAUb,GAAwBvH,EAAK,QAAS0J,EAAE,KAAMA,EAAE,WAAW,MAAM,EAAGA,EAAE,MAAOA,EAAE,QAASxQ,EAAUF,EAAoBS,EAAUmI,EAAO,oBAAoB,EAEnL,CACV,KAAMlJ,EAAW,MACjB,MAAO2J,EAAuB,IAAK,CACjC,SAAUqH,EAAE,IACxB,CAAW,CACX,CAGK,CAAC,CAAC,EACCE,EAAgBD,EAAQ,MAAM,EAAGZ,EAAc,MAAM,EACrDc,EAAiBF,EAAQ,MAAMZ,EAAc,MAAM,EACvD,aAAM,QAAQ,IAAI,CAACqD,GAAuBF,EAAgBnD,EAAea,EAAeA,EAAc,IAAI,IAAMtC,EAAQ,MAAM,EAAG,GAAOvQ,EAAM,UAAU,EAAGqV,GAAuBF,EAAgBC,EAAe,IAAIzC,GAAKA,EAAE,KAAK,EAAGG,EAAgBsC,EAAe,IAAIzC,GAAKA,EAAE,WAAaA,EAAE,WAAW,OAAS,IAAI,EAAG,EAAI,CAAC,CAAC,EACvT,CACL,QAAAC,EACA,cAAAC,EACA,eAAAC,CACN,CACG,CACD,SAAS9C,IAAuB,CAE9B3D,GAAyB,GAGzBC,GAAwB,KAAK,GAAG+D,GAAqB,CAAE,EAEvDxD,GAAiB,QAAQ,CAAC3F,EAAG5I,IAAQ,CAC/BkO,EAAiB,IAAIlO,CAAG,IAC1BiO,GAAsB,KAAKjO,CAAG,EAC9BmU,GAAanU,CAAG,EAExB,CAAK,CACF,CACD,SAASwV,GAAmBxV,EAAKgQ,EAASH,EAAM,CAC1CA,IAAS,SACXA,EAAO,CAAA,GAETnO,EAAM,SAAS,IAAI1B,EAAKgQ,CAAO,EAC/Bb,EAAY,CACV,SAAU,IAAI,IAAIzN,EAAM,QAAQ,CACtC,EAAO,CACD,WAAYmO,GAAQA,EAAK,aAAe,EAC9C,CAAK,CACF,CACD,SAASsF,GAAgBnV,EAAK6T,EAAS9Q,EAAO8M,EAAM,CAC9CA,IAAS,SACXA,EAAO,CAAA,GAET,IAAIsD,EAAgBd,GAAoB3Q,EAAM,QAASmS,CAAO,EAC9DpE,GAAczP,CAAG,EACjBmP,EAAY,CACV,OAAQ,CACN,CAACgE,EAAc,MAAM,EAAE,EAAGpQ,CAC3B,EACD,SAAU,IAAI,IAAIrB,EAAM,QAAQ,CACtC,EAAO,CACD,WAAYmO,GAAQA,EAAK,aAAe,EAC9C,CAAK,CACF,CACD,SAASmH,GAAWhX,EAAK,CACvB,OAAIuM,EAAO,oBACTiC,GAAe,IAAIxO,GAAMwO,GAAe,IAAIxO,CAAG,GAAK,GAAK,CAAC,EAGtDyO,GAAgB,IAAIzO,CAAG,GACzByO,GAAgB,OAAOzO,CAAG,GAGvB0B,EAAM,SAAS,IAAI1B,CAAG,GAAK2L,EACnC,CACD,SAAS8D,GAAczP,EAAK,CAC1B,IAAIgQ,EAAUtO,EAAM,SAAS,IAAI1B,CAAG,EAIhCkO,EAAiB,IAAIlO,CAAG,GAAK,EAAEgQ,GAAWA,EAAQ,QAAU,WAAa3B,GAAe,IAAIrO,CAAG,IACjGmU,GAAanU,CAAG,EAElBuO,GAAiB,OAAOvO,CAAG,EAC3BqO,GAAe,OAAOrO,CAAG,EACzBsO,GAAiB,OAAOtO,CAAG,EAC3ByO,GAAgB,OAAOzO,CAAG,EAC1B0B,EAAM,SAAS,OAAO1B,CAAG,CAC1B,CACD,SAASiX,GAA4BjX,EAAK,CACxC,GAAIuM,EAAO,kBAAmB,CAC5B,IAAI2K,GAAS1I,GAAe,IAAIxO,CAAG,GAAK,GAAK,EACzCkX,GAAS,GACX1I,GAAe,OAAOxO,CAAG,EACzByO,GAAgB,IAAIzO,CAAG,GAEvBwO,GAAe,IAAIxO,EAAKkX,CAAK,CAErC,MACMzH,GAAczP,CAAG,EAEnBmP,EAAY,CACV,SAAU,IAAI,IAAIzN,EAAM,QAAQ,CACtC,CAAK,CACF,CACD,SAASyS,GAAanU,EAAK,CACzB,IAAImX,EAAajJ,EAAiB,IAAIlO,CAAG,EACzCgB,EAAUmW,EAAY,8BAAgCnX,CAAG,EACzDmX,EAAW,MAAK,EAChBjJ,EAAiB,OAAOlO,CAAG,CAC5B,CACD,SAASoX,GAAiBC,EAAM,CAC9B,QAASrX,KAAOqX,EAAM,CACpB,IAAIrH,EAAUgH,GAAWhX,CAAG,EACxBoW,EAAcN,GAAe9F,EAAQ,IAAI,EAC7CtO,EAAM,SAAS,IAAI1B,EAAKoW,CAAW,CACpC,CACF,CACD,SAASrC,IAAyB,CAChC,IAAIuD,EAAW,CAAA,EACXxD,EAAkB,GACtB,QAAS9T,KAAOsO,GAAkB,CAChC,IAAI0B,EAAUtO,EAAM,SAAS,IAAI1B,CAAG,EACpCgB,EAAUgP,EAAS,qBAAuBhQ,CAAG,EACzCgQ,EAAQ,QAAU,YACpB1B,GAAiB,OAAOtO,CAAG,EAC3BsX,EAAS,KAAKtX,CAAG,EACjB8T,EAAkB,GAErB,CACD,OAAAsD,GAAiBE,CAAQ,EAClBxD,CACR,CACD,SAASkB,GAAqBuC,EAAU,CACtC,IAAIC,EAAa,CAAA,EACjB,OAAS,CAACxX,EAAK+D,CAAE,IAAKsK,GACpB,GAAItK,EAAKwT,EAAU,CACjB,IAAIvH,EAAUtO,EAAM,SAAS,IAAI1B,CAAG,EACpCgB,EAAUgP,EAAS,qBAAuBhQ,CAAG,EACzCgQ,EAAQ,QAAU,YACpBmE,GAAanU,CAAG,EAChBqO,GAAe,OAAOrO,CAAG,EACzBwX,EAAW,KAAKxX,CAAG,EAEtB,CAEH,OAAAoX,GAAiBI,CAAU,EACpBA,EAAW,OAAS,CAC5B,CACD,SAASC,GAAWzX,EAAKoD,EAAI,CAC3B,IAAIsU,EAAUhW,EAAM,SAAS,IAAI1B,CAAG,GAAK4L,GACzC,OAAI+C,GAAiB,IAAI3O,CAAG,IAAMoD,GAChCuL,GAAiB,IAAI3O,EAAKoD,CAAE,EAEvBsU,CACR,CACD,SAAShI,GAAc1P,EAAK,CAC1B0B,EAAM,SAAS,OAAO1B,CAAG,EACzB2O,GAAiB,OAAO3O,CAAG,CAC5B,CAED,SAASiP,GAAcjP,EAAK2X,EAAY,CACtC,IAAID,EAAUhW,EAAM,SAAS,IAAI1B,CAAG,GAAK4L,GAGzC5K,EAAU0W,EAAQ,QAAU,aAAeC,EAAW,QAAU,WAAaD,EAAQ,QAAU,WAAaC,EAAW,QAAU,WAAaD,EAAQ,QAAU,WAAaC,EAAW,QAAU,cAAgBD,EAAQ,QAAU,WAAaC,EAAW,QAAU,aAAeD,EAAQ,QAAU,cAAgBC,EAAW,QAAU,YAAa,qCAAuCD,EAAQ,MAAQ,OAASC,EAAW,KAAK,EACza,IAAIzI,EAAW,IAAI,IAAIxN,EAAM,QAAQ,EACrCwN,EAAS,IAAIlP,EAAK2X,CAAU,EAC5BxI,EAAY,CACV,SAAAD,CACN,CAAK,CACF,CACD,SAASF,GAAsB4I,EAAO,CACpC,GAAI,CACF,gBAAAtG,EACA,aAAAC,EACA,cAAAzC,CACD,EAAG8I,EACJ,GAAIjJ,GAAiB,OAAS,EAC5B,OAIEA,GAAiB,KAAO,GAC1BxN,GAAQ,GAAO,8CAA8C,EAE/D,IAAI0W,EAAU,MAAM,KAAKlJ,GAAiB,QAAS,CAAA,EAC/C,CAACI,EAAY+I,CAAe,EAAID,EAAQA,EAAQ,OAAS,CAAC,EAC1DH,EAAUhW,EAAM,SAAS,IAAIqN,CAAU,EAC3C,GAAI,EAAA2I,GAAWA,EAAQ,QAAU,eAO7BI,EAAgB,CAClB,gBAAAxG,EACA,aAAAC,EACA,cAAAzC,CACN,CAAK,EACC,OAAOC,CAEV,CACD,SAASgD,GAAsBgG,EAAW,CACxC,IAAIC,EAAoB,CAAA,EACxB,OAAAtJ,GAAgB,QAAQ,CAACuJ,EAAKpE,IAAY,EACpC,CAACkE,GAAaA,EAAUlE,CAAO,KAIjCoE,EAAI,OAAM,EACVD,EAAkB,KAAKnE,CAAO,EAC9BnF,GAAgB,OAAOmF,CAAO,EAEtC,CAAK,EACMmE,CACR,CAGD,SAASE,GAAwBC,EAAWC,EAAaC,EAAQ,CAO/D,GANA3L,EAAuByL,EACvBvL,EAAoBwL,EACpBzL,EAA0B0L,GAAU,KAIhC,CAACxL,GAAyBnL,EAAM,aAAegK,GAAiB,CAClEmB,EAAwB,GACxB,IAAIyL,EAAItH,GAAuBtP,EAAM,SAAUA,EAAM,OAAO,EACxD4W,GAAK,MACPnJ,EAAY,CACV,sBAAuBmJ,CACjC,CAAS,CAEJ,CACD,MAAO,IAAM,CACX5L,EAAuB,KACvBE,EAAoB,KACpBD,EAA0B,IAChC,CACG,CACD,SAAS4L,GAAahX,EAAUkD,EAAS,CACvC,OAAIkI,GACQA,EAAwBpL,EAAUkD,EAAQ,IAAI,GAAKG,GAA2B,EAAGlD,EAAM,UAAU,CAAC,CAAC,GAC/FH,EAAS,GAG1B,CACD,SAASoQ,GAAmBpQ,EAAUkD,EAAS,CAC7C,GAAIiI,GAAwBE,EAAmB,CAC7C,IAAI5M,EAAMuY,GAAahX,EAAUkD,CAAO,EACxCiI,EAAqB1M,CAAG,EAAI4M,GAC7B,CACF,CACD,SAASoE,GAAuBzP,EAAUkD,EAAS,CACjD,GAAIiI,EAAsB,CACxB,IAAI1M,EAAMuY,GAAahX,EAAUkD,CAAO,EACpC6T,EAAI5L,EAAqB1M,CAAG,EAChC,GAAI,OAAOsY,GAAM,SACf,OAAOA,CAEV,CACD,OAAO,IACR,CACD,SAASE,GAAmBC,EAAW,CACrC5U,EAAW,CAAA,EACXyI,EAAqB7I,GAA0BgV,EAAW9U,EAAoB,OAAWE,CAAQ,CAClG,CACD,OAAA0J,GAAS,CACP,IAAI,UAAW,CACb,OAAOnJ,CACR,EACD,IAAI,QAAS,CACX,OAAOmI,CACR,EACD,IAAI,OAAQ,CACV,OAAO7K,CACR,EACD,IAAI,QAAS,CACX,OAAO2K,CACR,EACD,IAAI,QAAS,CACX,OAAOJ,CACR,EACD,WAAA4C,GACA,UAAAc,GACA,wBAAAuI,GACA,SAAAjH,GACA,MAAAiE,GACA,WAAAzD,GAGA,WAAY5Q,GAAM8J,EAAK,QAAQ,WAAW9J,CAAE,EAC5C,eAAgBA,GAAM8J,EAAK,QAAQ,eAAe9J,CAAE,EACpD,WAAAmW,GACA,cAAeC,GACf,QAAAzH,GACA,WAAAiI,GACA,cAAA/H,GACA,0BAA2BxB,EAC3B,yBAA0BQ,GAG1B,mBAAA8J,EACJ,EACSjL,EACT,CA6YA,SAASmL,GAAuB7I,EAAM,CACpC,OAAOA,GAAQ,OAAS,aAAcA,GAAQA,EAAK,UAAY,MAAQ,SAAUA,GAAQA,EAAK,OAAS,OACzG,CACA,SAASsB,GAAY5P,EAAUkD,EAASL,EAAUuU,EAAiB9X,EAAI8I,EAAsBiP,EAAaC,EAAU,CAClH,IAAIC,EACAC,EACJ,GAAIH,EAAa,CAGfE,EAAoB,CAAA,EACpB,QAASjU,KAASJ,EAEhB,GADAqU,EAAkB,KAAKjU,CAAK,EACxBA,EAAM,MAAM,KAAO+T,EAAa,CAClCG,EAAmBlU,EACnB,KACD,CAEP,MACIiU,EAAoBrU,EACpBsU,EAAmBtU,EAAQA,EAAQ,OAAS,CAAC,EAG/C,IAAI5C,EAAOiI,GAAUjJ,GAAU,IAAK6I,GAAoBoP,EAAmBnP,CAAoB,EAAGtF,GAAc9C,EAAS,SAAU6C,CAAQ,GAAK7C,EAAS,SAAUsX,IAAa,MAAM,EAItL,OAAIhY,GAAM,OACRgB,EAAK,OAASN,EAAS,OACvBM,EAAK,KAAON,EAAS,OAGlBV,GAAM,MAAQA,IAAO,IAAMA,IAAO,MAAQkY,GAAoBA,EAAiB,MAAM,OAAS,CAACC,GAAmBnX,EAAK,MAAM,IAChIA,EAAK,OAASA,EAAK,OAASA,EAAK,OAAO,QAAQ,MAAO,SAAS,EAAI,UAMlE8W,GAAmBvU,IAAa,MAClCvC,EAAK,SAAWA,EAAK,WAAa,IAAMuC,EAAWgB,GAAU,CAAChB,EAAUvC,EAAK,QAAQ,CAAC,GAEjFf,GAAWe,CAAI,CACxB,CAGA,SAASwP,GAAyB4H,EAAqBC,EAAWrX,EAAMgO,EAAM,CAE5E,GAAI,CAACA,GAAQ,CAAC6I,GAAuB7I,CAAI,EACvC,MAAO,CACL,KAAAhO,CACN,EAEE,GAAIgO,EAAK,YAAc,CAACsJ,GAActJ,EAAK,UAAU,EACnD,MAAO,CACL,KAAAhO,EACA,MAAOmL,EAAuB,IAAK,CACjC,OAAQ6C,EAAK,UACrB,CAAO,CACP,EAEE,IAAIuJ,EAAsB,KAAO,CAC/B,KAAAvX,EACA,MAAOmL,EAAuB,IAAK,CACjC,KAAM,cACZ,CAAK,CACL,GAEMqM,EAAgBxJ,EAAK,YAAc,MACnC6G,EAAauC,EAAsBI,EAAc,YAAW,EAAKA,EAAc,cAC/E1C,EAAa2C,GAAkBzX,CAAI,EACvC,GAAIgO,EAAK,OAAS,QAChB,GAAIA,EAAK,cAAgB,aAAc,CAErC,GAAI,CAACW,EAAiBkG,CAAU,EAC9B,OAAO0C,EAAmB,EAE5B,IAAIG,EAAO,OAAO1J,EAAK,MAAS,SAAWA,EAAK,KAAOA,EAAK,gBAAgB,UAAYA,EAAK,gBAAgB,gBAE7G,MAAM,KAAKA,EAAK,KAAK,QAAS,CAAA,EAAE,OAAO,CAAC2J,EAAKC,IAAU,CACrD,GAAI,CAACC,EAAMzY,CAAK,EAAIwY,EACpB,MAAO,GAAKD,EAAME,EAAO,IAAMzY,EAAQ;AAAA,CACxC,EAAE,EAAE,EAAI,OAAO4O,EAAK,IAAI,EACzB,MAAO,CACL,KAAAhO,EACA,WAAY,CACV,WAAA6U,EACA,WAAAC,EACA,YAAa9G,EAAK,YAClB,SAAU,OACV,KAAM,OACN,KAAA0J,CACD,CACT,CACA,SAAe1J,EAAK,cAAgB,mBAAoB,CAElD,GAAI,CAACW,EAAiBkG,CAAU,EAC9B,OAAO0C,EAAmB,EAE5B,GAAI,CACF,IAAIO,EAAO,OAAO9J,EAAK,MAAS,SAAW,KAAK,MAAMA,EAAK,IAAI,EAAIA,EAAK,KACxE,MAAO,CACL,KAAAhO,EACA,WAAY,CACV,WAAA6U,EACA,WAAAC,EACA,YAAa9G,EAAK,YAClB,SAAU,OACV,KAAA8J,EACA,KAAM,MACP,CACX,CACO,MAAW,CACV,OAAOP,EAAmB,CAC3B,CACF,EAEHpY,EAAU,OAAO,UAAa,WAAY,+CAA+C,EACzF,IAAI4Y,EACAC,EACJ,GAAIhK,EAAK,SACP+J,EAAeE,GAA8BjK,EAAK,QAAQ,EAC1DgK,EAAWhK,EAAK,iBACPA,EAAK,gBAAgB,SAC9B+J,EAAeE,GAA8BjK,EAAK,IAAI,EACtDgK,EAAWhK,EAAK,aACPA,EAAK,gBAAgB,gBAC9B+J,EAAe/J,EAAK,KACpBgK,EAAWE,GAA8BH,CAAY,UAC5C/J,EAAK,MAAQ,KACtB+J,EAAe,IAAI,gBACnBC,EAAW,IAAI,aAEf,IAAI,CACFD,EAAe,IAAI,gBAAgB/J,EAAK,IAAI,EAC5CgK,EAAWE,GAA8BH,CAAY,CACtD,MAAW,CACV,OAAOR,EAAmB,CAC3B,CAEH,IAAIhI,EAAa,CACf,WAAAsF,EACA,WAAAC,EACA,YAAa9G,GAAQA,EAAK,aAAe,oCACzC,SAAAgK,EACA,KAAM,OACN,KAAM,MACV,EACE,GAAIrJ,EAAiBY,EAAW,UAAU,EACxC,MAAO,CACL,KAAAvP,EACA,WAAAuP,CACN,EAGE,IAAItP,EAAaH,GAAUE,CAAI,EAI/B,OAAIqX,GAAapX,EAAW,QAAUkX,GAAmBlX,EAAW,MAAM,GACxE8X,EAAa,OAAO,QAAS,EAAE,EAEjC9X,EAAW,OAAS,IAAM8X,EACnB,CACL,KAAM9Y,GAAWgB,CAAU,EAC3B,WAAAsP,CACJ,CACA,CAGA,SAAS4I,GAA8BvV,EAASwV,EAAY,CAC1D,IAAIC,EAAkBzV,EACtB,GAAIwV,EAAY,CACd,IAAIzY,EAAQiD,EAAQ,UAAU2I,GAAKA,EAAE,MAAM,KAAO6M,CAAU,EACxDzY,GAAS,IACX0Y,EAAkBzV,EAAQ,MAAM,EAAGjD,CAAK,EAE3C,CACD,OAAO0Y,CACT,CACA,SAAStG,GAAiBjR,EAASjB,EAAO+C,EAAS2M,EAAY7P,EAAU4Y,EAAepM,EAAwBC,EAAyBC,EAAuBQ,EAAiBF,EAAkBD,EAAkBsD,EAAaxN,EAAU+N,EAAmBC,EAAc,CAC3Q,IAAIyD,EAAezD,EAAe,OAAO,OAAOA,CAAY,EAAE,CAAC,EAAID,EAAoB,OAAO,OAAOA,CAAiB,EAAE,CAAC,EAAI,OACzHiI,EAAazX,EAAQ,UAAUjB,EAAM,QAAQ,EAC7C2Y,EAAU1X,EAAQ,UAAUpB,CAAQ,EAEpC0Y,EAAa7H,EAAe,OAAO,KAAKA,CAAY,EAAE,CAAC,EAAI,OAE3DkI,GADkBN,GAA8BvV,EAASwV,CAAU,EAC/B,OAAO,CAACpV,EAAOrD,IAAU,CAC/D,GAAI,CACF,MAAAgC,CACD,EAAGqB,EACJ,GAAIrB,EAAM,KAER,MAAO,GAET,GAAIA,EAAM,QAAU,KAClB,MAAO,GAET,GAAI2W,EACF,OAAI3W,EAAM,OAAO,QACR,GAEF9B,EAAM,WAAW8B,EAAM,EAAE,IAAM,SAEtC,CAAC9B,EAAM,QAAUA,EAAM,OAAO8B,EAAM,EAAE,IAAM,QAG9C,GAAI+W,GAAY7Y,EAAM,WAAYA,EAAM,QAAQF,CAAK,EAAGqD,CAAK,GAAKmJ,EAAwB,KAAKjK,GAAMA,IAAOc,EAAM,MAAM,EAAE,EACxH,MAAO,GAMT,IAAI2V,EAAoB9Y,EAAM,QAAQF,CAAK,EACvCiZ,EAAiB5V,EACrB,OAAO6V,GAAuB7V,EAAOjF,EAAS,CAC5C,WAAAwa,EACA,cAAeI,EAAkB,OACjC,QAAAH,EACA,WAAYI,EAAe,MAC5B,EAAErJ,EAAY,CACb,aAAAyE,EACA,wBAEA9H,GAEAqM,EAAW,SAAWA,EAAW,SAAWC,EAAQ,SAAWA,EAAQ,QAEvED,EAAW,SAAWC,EAAQ,QAAUM,GAAmBH,EAAmBC,CAAc,CAC7F,CAAA,CAAC,CACN,CAAG,EAEG9G,EAAuB,CAAA,EAC3B,OAAApF,EAAiB,QAAQ,CAAC8F,EAAGrU,IAAQ,CAMnC,GAAIma,GAAiB,CAAC1V,EAAQ,KAAK2I,IAAKA,GAAE,MAAM,KAAOiH,EAAE,OAAO,GAAK5F,EAAgB,IAAIzO,CAAG,EAC1F,OAEF,IAAI4a,EAAiB1W,GAAY0N,EAAayC,EAAE,KAAMjQ,CAAQ,EAK9D,GAAI,CAACwW,EAAgB,CACnBjH,EAAqB,KAAK,CACxB,IAAA3T,EACA,QAASqU,EAAE,QACX,KAAMA,EAAE,KACR,QAAS,KACT,MAAO,KACP,WAAY,IACpB,CAAO,EACD,MACD,CAID,IAAIrE,EAAUtO,EAAM,SAAS,IAAI1B,CAAG,EAChC6a,EAAe/H,GAAe8H,EAAgBvG,EAAE,IAAI,EACpDyG,EAAmB,GACnBxM,EAAiB,IAAItO,CAAG,EAE1B8a,EAAmB,GACV7M,EAAsB,SAASjO,CAAG,EAE3C8a,EAAmB,GACV9K,GAAWA,EAAQ,QAAU,QAAUA,EAAQ,OAAS,OAIjE8K,EAAmB/M,EAInB+M,EAAmBJ,GAAuBG,EAAcjb,EAAS,CAC/D,WAAAwa,EACA,cAAe1Y,EAAM,QAAQA,EAAM,QAAQ,OAAS,CAAC,EAAE,OACvD,QAAA2Y,EACA,WAAY5V,EAAQA,EAAQ,OAAS,CAAC,EAAE,MACzC,EAAE2M,EAAY,CACb,aAAAyE,EACA,wBAAyB9H,CAC1B,CAAA,CAAC,EAEA+M,GACFnH,EAAqB,KAAK,CACxB,IAAA3T,EACA,QAASqU,EAAE,QACX,KAAMA,EAAE,KACR,QAASuG,EACT,MAAOC,EACP,WAAY,IAAI,eACxB,CAAO,CAEP,CAAG,EACM,CAACP,GAAmB3G,CAAoB,CACjD,CACA,SAAS4G,GAAYQ,EAAmBC,EAAcnW,EAAO,CAC3D,IAAIoW,EAEJ,CAACD,GAEDnW,EAAM,MAAM,KAAOmW,EAAa,MAAM,GAGlCE,EAAgBH,EAAkBlW,EAAM,MAAM,EAAE,IAAM,OAE1D,OAAOoW,GAASC,CAClB,CACA,SAASP,GAAmBK,EAAcnW,EAAO,CAC/C,IAAIsW,EAAcH,EAAa,MAAM,KACrC,OAEEA,EAAa,WAAanW,EAAM,UAGhCsW,GAAe,MAAQA,EAAY,SAAS,GAAG,GAAKH,EAAa,OAAO,GAAG,IAAMnW,EAAM,OAAO,GAAG,CAErG,CACA,SAAS6V,GAAuBU,EAAaC,EAAK,CAChD,GAAID,EAAY,MAAM,iBAAkB,CACtC,IAAIE,EAAcF,EAAY,MAAM,iBAAiBC,CAAG,EACxD,GAAI,OAAOC,GAAgB,UACzB,OAAOA,CAEV,CACD,OAAOD,EAAI,uBACb,CAMA,eAAeE,GAAoB/X,EAAOG,EAAoBE,EAAU,CACtE,GAAI,CAACL,EAAM,KACT,OAEF,IAAIgY,EAAY,MAAMhY,EAAM,OAI5B,GAAI,CAACA,EAAM,KACT,OAEF,IAAIiY,EAAgB5X,EAASL,EAAM,EAAE,EACrCxC,EAAUya,EAAe,4BAA4B,EASrD,IAAIC,EAAe,CAAA,EACnB,QAASC,KAAqBH,EAAW,CAEvC,IAAII,EADmBH,EAAcE,CAAiB,IACC,QAGvDA,IAAsB,mBACtBxa,GAAQ,CAACya,EAA6B,UAAaH,EAAc,GAAK,4BAAgCE,EAAoB,iFAAyF,4BAA+BA,EAAoB,qBAAsB,EACxR,CAACC,GAA+B,CAACtY,GAAmB,IAAIqY,CAAiB,IAC3ED,EAAaC,CAAiB,EAAIH,EAAUG,CAAiB,EAEhE,CAGD,OAAO,OAAOF,EAAeC,CAAY,EAIzC,OAAO,OAAOD,EAAe7b,EAAS,CAAA,EAAI+D,EAAmB8X,CAAa,EAAG,CAC3E,KAAM,MACP,CAAA,CAAC,CACJ,CACA,eAAe1I,GAAmB8I,EAAM5J,EAASpN,EAAOJ,EAASZ,EAAUF,EAAoBS,EAAUuF,EAAsBkG,EAAM,CAC/HA,IAAS,SACXA,EAAO,CAAA,GAET,IAAIiM,EACA9V,EACA+V,EACAC,EAAaC,GAAW,CAE1B,IAAIC,EACAC,EAAe,IAAI,QAAQ,CAACvT,EAAGuN,IAAM+F,EAAS/F,CAAC,EACnD,OAAA4F,EAAW,IAAMG,IACjBjK,EAAQ,OAAO,iBAAiB,QAAS8J,CAAQ,EAC1C,QAAQ,KAAK,CAACE,EAAQ,CAC3B,QAAAhK,EACA,OAAQpN,EAAM,OACd,QAASgL,EAAK,cACpB,CAAK,EAAGsM,CAAY,CAAC,CACrB,EACE,GAAI,CACF,IAAIF,EAAUpX,EAAM,MAAMgX,CAAI,EAC9B,GAAIhX,EAAM,MAAM,KACd,GAAIoX,EAAS,CAEX,IAAIG,EACAC,EAAS,MAAM,QAAQ,IAAI,CAI/BL,EAAWC,CAAO,EAAE,MAAMK,GAAK,CAC7BF,EAAeE,CACzB,CAAS,EAAGf,GAAoB1W,EAAM,MAAOlB,EAAoBE,CAAQ,CAAC,CAAC,EACnE,GAAIuY,EACF,MAAMA,EAERpW,EAASqW,EAAO,CAAC,CACzB,SAEQ,MAAMd,GAAoB1W,EAAM,MAAOlB,EAAoBE,CAAQ,EACnEoY,EAAUpX,EAAM,MAAMgX,CAAI,EACtBI,EAIFjW,EAAS,MAAMgW,EAAWC,CAAO,UACxBJ,IAAS,SAAU,CAC5B,IAAI/Y,EAAM,IAAI,IAAImP,EAAQ,GAAG,EACzBzR,EAAWsC,EAAI,SAAWA,EAAI,OAClC,MAAMkK,EAAuB,IAAK,CAChC,OAAQiF,EAAQ,OAChB,SAAAzR,EACA,QAASqE,EAAM,MAAM,EACjC,CAAW,CACX,KAGU,OAAO,CACL,KAAMxB,EAAW,KACjB,KAAM,MAClB,UAGgB4Y,EAOVjW,EAAS,MAAMgW,EAAWC,CAAO,MAPd,CACnB,IAAInZ,EAAM,IAAI,IAAImP,EAAQ,GAAG,EACzBzR,EAAWsC,EAAI,SAAWA,EAAI,OAClC,MAAMkK,EAAuB,IAAK,CAChC,SAAAxM,CACR,CAAO,CACP,CAGIQ,EAAUgF,IAAW,OAAW,gBAAkB6V,IAAS,SAAW,YAAc,YAAc,eAAiB,IAAOhX,EAAM,MAAM,GAAK,4CAA8CgX,EAAO,MAAQ,4CAA4C,CACrP,OAAQS,EAAG,CACVR,EAAazY,EAAW,MACxB2C,EAASsW,CACb,QAAY,CACJP,GACF9J,EAAQ,OAAO,oBAAoB,QAAS8J,CAAQ,CAEvD,CACD,GAAIQ,GAAWvW,CAAM,EAAG,CACtB,IAAI+E,EAAS/E,EAAO,OAEpB,GAAIwF,GAAoB,IAAIT,CAAM,EAAG,CACnC,IAAIxJ,EAAWyE,EAAO,QAAQ,IAAI,UAAU,EAG5C,GAFAhF,EAAUO,EAAU,4EAA4E,EAE5F,CAACsK,GAAmB,KAAKtK,CAAQ,EACnCA,EAAW4P,GAAY,IAAI,IAAIc,EAAQ,GAAG,EAAGxN,EAAQ,MAAM,EAAGA,EAAQ,QAAQI,CAAK,EAAI,CAAC,EAAGT,EAAU,GAAM7C,EAAUoI,CAAoB,UAChI,CAACkG,EAAK,gBAAiB,CAIhC,IAAIuK,EAAa,IAAI,IAAInI,EAAQ,GAAG,EAChCnP,EAAMvB,EAAS,WAAW,IAAI,EAAI,IAAI,IAAI6Y,EAAW,SAAW7Y,CAAQ,EAAI,IAAI,IAAIA,CAAQ,EAC5Fib,GAAiBnY,GAAcvB,EAAI,SAAUsB,CAAQ,GAAK,KAC1DtB,EAAI,SAAWsX,EAAW,QAAUoC,KACtCjb,EAAWuB,EAAI,SAAWA,EAAI,OAASA,EAAI,KAE9C,CAKD,GAAI+M,EAAK,gBACP,MAAA7J,EAAO,QAAQ,IAAI,WAAYzE,CAAQ,EACjCyE,EAER,MAAO,CACL,KAAM3C,EAAW,SACjB,OAAA0H,EACA,SAAAxJ,EACA,WAAYyE,EAAO,QAAQ,IAAI,oBAAoB,IAAM,KACzD,eAAgBA,EAAO,QAAQ,IAAI,yBAAyB,IAAM,IAC1E,CACK,CAID,GAAI6J,EAAK,eAKP,KAJyB,CACvB,KAAMiM,IAAezY,EAAW,MAAQA,EAAW,MAAQA,EAAW,KACtE,SAAU2C,CAClB,EAGI,IAAIiF,EACJ,GAAI,CACF,IAAIwR,EAAczW,EAAO,QAAQ,IAAI,cAAc,EAG/CyW,GAAe,wBAAwB,KAAKA,CAAW,EACzDxR,EAAO,MAAMjF,EAAO,OAEpBiF,EAAO,MAAMjF,EAAO,MAEvB,OAAQsW,EAAG,CACV,MAAO,CACL,KAAMjZ,EAAW,MACjB,MAAOiZ,CACf,CACK,CACD,OAAIR,IAAezY,EAAW,MACrB,CACL,KAAMyY,EACN,MAAO,IAAIhR,GAAkBC,EAAQ/E,EAAO,WAAYiF,CAAI,EAC5D,QAASjF,EAAO,OACxB,EAEW,CACL,KAAM3C,EAAW,KACjB,KAAA4H,EACA,WAAYjF,EAAO,OACnB,QAASA,EAAO,OACtB,CACG,CACD,GAAI8V,IAAezY,EAAW,MAC5B,MAAO,CACL,KAAMyY,EACN,MAAO9V,CACb,EAEE,GAAI0W,GAAe1W,CAAM,EAAG,CAC1B,IAAI2W,EAAcC,EAClB,MAAO,CACL,KAAMvZ,EAAW,SACjB,aAAc2C,EACd,YAAa2W,EAAe3W,EAAO,OAAS,KAAO,OAAS2W,EAAa,OACzE,UAAWC,EAAgB5W,EAAO,OAAS,KAAO,OAAS4W,EAAc,UAAY,IAAI,QAAQ5W,EAAO,KAAK,OAAO,CAC1H,CACG,CACD,MAAO,CACL,KAAM3C,EAAW,KACjB,KAAM2C,CACV,CACA,CAIA,SAASkM,GAAwBvP,EAASpB,EAAUsb,EAAQzL,EAAY,CACtE,IAAItO,EAAMH,EAAQ,UAAU2W,GAAkB/X,CAAQ,CAAC,EAAE,WACrDoJ,EAAO,CACT,OAAAkS,CACJ,EACE,GAAIzL,GAAcZ,EAAiBY,EAAW,UAAU,EAAG,CACzD,GAAI,CACF,WAAAsF,EACA,YAAAE,CACD,EAAGxF,EAIJzG,EAAK,OAAS+L,EAAW,cACrBE,IAAgB,oBAClBjM,EAAK,QAAU,IAAI,QAAQ,CACzB,eAAgBiM,CACxB,CAAO,EACDjM,EAAK,KAAO,KAAK,UAAUyG,EAAW,IAAI,GACjCwF,IAAgB,aAEzBjM,EAAK,KAAOyG,EAAW,KACdwF,IAAgB,qCAAuCxF,EAAW,SAE3EzG,EAAK,KAAOmP,GAA8B1I,EAAW,QAAQ,EAG7DzG,EAAK,KAAOyG,EAAW,QAE1B,CACD,OAAO,IAAI,QAAQtO,EAAK6H,CAAI,CAC9B,CACA,SAASmP,GAA8BD,EAAU,CAC/C,IAAID,EAAe,IAAI,gBACvB,OAAS,CAAC5Z,EAAKiB,CAAK,IAAK4Y,EAAS,QAAO,EAEvCD,EAAa,OAAO5Z,EAAK,OAAOiB,GAAU,SAAWA,EAAQA,EAAM,IAAI,EAEzE,OAAO2Y,CACT,CACA,SAASG,GAA8BH,EAAc,CACnD,IAAIC,EAAW,IAAI,SACnB,OAAS,CAAC7Z,EAAKiB,CAAK,IAAK2Y,EAAa,QAAO,EAC3CC,EAAS,OAAO7Z,EAAKiB,CAAK,EAE5B,OAAO4Y,CACT,CACA,SAASiD,GAAuBrY,EAASiP,EAAeY,EAASlC,EAAc1D,EAAiB,CAE9F,IAAI5J,EAAa,CAAA,EACbwI,EAAS,KACTyP,EACAC,EAAa,GACbC,EAAgB,CAAA,EAEpB,OAAA3I,EAAQ,QAAQ,CAACtO,EAAQxE,IAAU,CACjC,IAAIuC,EAAK2P,EAAclS,CAAK,EAAE,MAAM,GAEpC,GADAR,EAAU,CAACgS,GAAiBhN,CAAM,EAAG,qDAAqD,EACtFkN,GAAclN,CAAM,EAAG,CAGzB,IAAImN,EAAgBd,GAAoB5N,EAASV,CAAE,EAC/ChB,EAAQiD,EAAO,MAIfoM,IACFrP,EAAQ,OAAO,OAAOqP,CAAY,EAAE,CAAC,EACrCA,EAAe,QAEjB9E,EAASA,GAAU,GAEfA,EAAO6F,EAAc,MAAM,EAAE,GAAK,OACpC7F,EAAO6F,EAAc,MAAM,EAAE,EAAIpQ,GAGnC+B,EAAWf,CAAE,EAAI,OAGZiZ,IACHA,EAAa,GACbD,EAAa5R,GAAqBnF,EAAO,KAAK,EAAIA,EAAO,MAAM,OAAS,KAEtEA,EAAO,UACTiX,EAAclZ,CAAE,EAAIiC,EAAO,QAEnC,MACUoN,GAAiBpN,CAAM,GACzB0I,EAAgB,IAAI3K,EAAIiC,EAAO,YAAY,EAC3ClB,EAAWf,CAAE,EAAIiC,EAAO,aAAa,MAErClB,EAAWf,CAAE,EAAIiC,EAAO,KAItBA,EAAO,YAAc,MAAQA,EAAO,aAAe,KAAO,CAACgX,IAC7DD,EAAa/W,EAAO,YAElBA,EAAO,UACTiX,EAAclZ,CAAE,EAAIiC,EAAO,QAGnC,CAAG,EAIGoM,IACF9E,EAAS8E,EACTtN,EAAW,OAAO,KAAKsN,CAAY,EAAE,CAAC,CAAC,EAAI,QAEtC,CACL,WAAAtN,EACA,OAAAwI,EACA,WAAYyP,GAAc,IAC1B,cAAAE,CACJ,CACA,CACA,SAASrI,GAAkBlT,EAAO+C,EAASiP,EAAeY,EAASlC,EAAcuB,EAAsBa,EAAgB9F,EAAiB,CACtI,GAAI,CACF,WAAA5J,EACA,OAAAwI,CACJ,EAAMwP,GAAuBrY,EAASiP,EAAeY,EAASlC,EAAc1D,CAAe,EAEzF,QAASlN,EAAQ,EAAGA,EAAQmS,EAAqB,OAAQnS,IAAS,CAChE,GAAI,CACF,IAAAxB,EACA,MAAA6E,EACA,WAAAsS,CACN,EAAQxD,EAAqBnS,CAAK,EAC9BR,EAAUwT,IAAmB,QAAaA,EAAehT,CAAK,IAAM,OAAW,2CAA2C,EAC1H,IAAIwE,EAASwO,EAAehT,CAAK,EAEjC,GAAI,EAAA2V,GAAcA,EAAW,OAAO,SAG7B,GAAIjE,GAAclN,CAAM,EAAG,CAChC,IAAImN,EAAgBd,GAAoB3Q,EAAM,QAASmD,GAAS,KAAO,OAASA,EAAM,MAAM,EAAE,EACxFyI,GAAUA,EAAO6F,EAAc,MAAM,EAAE,IAC3C7F,EAAS1N,EAAS,CAAE,EAAE0N,EAAQ,CAC5B,CAAC6F,EAAc,MAAM,EAAE,EAAGnN,EAAO,KAC3C,CAAS,GAEHtE,EAAM,SAAS,OAAO1B,CAAG,CAC/B,SAAegT,GAAiBhN,CAAM,EAGhChF,EAAU,GAAO,yCAAyC,UACjDoS,GAAiBpN,CAAM,EAGhChF,EAAU,GAAO,iCAAiC,MAC7C,CACL,IAAIoV,EAAcN,GAAe9P,EAAO,IAAI,EAC5CtE,EAAM,SAAS,IAAI1B,EAAKoW,CAAW,CACpC,CACF,CACD,MAAO,CACL,WAAAtR,EACA,OAAAwI,CACJ,CACA,CACA,SAASoD,GAAgB5L,EAAYoY,EAAezY,EAAS6I,EAAQ,CACnE,IAAI6P,EAAmBvd,EAAS,CAAE,EAAEsd,CAAa,EACjD,QAASrY,KAASJ,EAAS,CACzB,IAAIV,EAAKc,EAAM,MAAM,GAUrB,GATIqY,EAAc,eAAenZ,CAAE,EAC7BmZ,EAAcnZ,CAAE,IAAM,SACxBoZ,EAAiBpZ,CAAE,EAAImZ,EAAcnZ,CAAE,GAEhCe,EAAWf,CAAE,IAAM,QAAac,EAAM,MAAM,SAGrDsY,EAAiBpZ,CAAE,EAAIe,EAAWf,CAAE,GAElCuJ,GAAUA,EAAO,eAAevJ,CAAE,EAEpC,KAEH,CACD,OAAOoZ,CACT,CAIA,SAAS9K,GAAoB5N,EAASoP,EAAS,CAE7C,OADsBA,EAAUpP,EAAQ,MAAM,EAAGA,EAAQ,UAAU2I,GAAKA,EAAE,MAAM,KAAOyG,CAAO,EAAI,CAAC,EAAI,CAAC,GAAGpP,CAAO,GAC3F,UAAU,KAAK2I,GAAKA,EAAE,MAAM,mBAAqB,EAAI,GAAK3I,EAAQ,CAAC,CAC5F,CACA,SAASwI,GAAuBvJ,EAAQ,CAEtC,IAAIF,EAAQE,EAAO,SAAW,EAAIA,EAAO,CAAC,EAAIA,EAAO,KAAK,GAAK,EAAE,OAAS,CAAC,EAAE,MAAQ,EAAE,OAAS,GAAG,GAAK,CACtG,GAAI,sBACR,EACE,MAAO,CACL,QAAS,CAAC,CACR,OAAQ,CAAE,EACV,SAAU,GACV,aAAc,GACd,MAAAF,CACN,CAAK,EACD,MAAAA,CACJ,CACA,CACA,SAASwJ,EAAuBjC,EAAQqS,EAAQ,CAC9C,GAAI,CACF,SAAA5c,EACA,QAAAqT,EACA,OAAAwJ,EACA,KAAAxB,CACD,EAAGuB,IAAW,OAAS,CAAA,EAAKA,EACzBpS,EAAa,uBACbsS,EAAe,kCACnB,OAAIvS,IAAW,KACbC,EAAa,cACTqS,GAAU7c,GAAYqT,EACxByJ,EAAe,cAAgBD,EAAS,gBAAmB7c,EAAW,UAAa,yCAA4CqT,EAAU,OAAU,4CAC1IgI,IAAS,eAClByB,EAAe,sCACNzB,IAAS,iBAClByB,EAAe,qCAERvS,IAAW,KACpBC,EAAa,YACbsS,EAAe,UAAazJ,EAAU,yBAA6BrT,EAAW,KACrEuK,IAAW,KACpBC,EAAa,YACbsS,EAAe,yBAA4B9c,EAAW,KAC7CuK,IAAW,MACpBC,EAAa,qBACTqS,GAAU7c,GAAYqT,EACxByJ,EAAe,cAAgBD,EAAO,YAAa,EAAG,gBAAmB7c,EAAW,UAAa,0CAA6CqT,EAAU,OAAU,4CACzJwJ,IACTC,EAAe,2BAA8BD,EAAO,YAAW,EAAK,MAGjE,IAAIvS,GAAkBC,GAAU,IAAKC,EAAY,IAAI,MAAMsS,CAAY,EAAG,EAAI,CACvF,CAEA,SAAS5I,GAAaJ,EAAS,CAC7B,QAASxU,EAAIwU,EAAQ,OAAS,EAAGxU,GAAK,EAAGA,IAAK,CAC5C,IAAIkG,EAASsO,EAAQxU,CAAC,EACtB,GAAIkT,GAAiBhN,CAAM,EACzB,MAAO,CACL,OAAAA,EACA,IAAKlG,CACb,CAEG,CACH,CACA,SAASwZ,GAAkBzX,EAAM,CAC/B,IAAIC,EAAa,OAAOD,GAAS,SAAWF,GAAUE,CAAI,EAAIA,EAC9D,OAAOf,GAAWlB,EAAS,CAAE,EAAEkC,EAAY,CACzC,KAAM,EACP,CAAA,CAAC,CACJ,CACA,SAASkQ,GAAiB9L,EAAGC,EAAG,CAC9B,OAAID,EAAE,WAAaC,EAAE,UAAYD,EAAE,SAAWC,EAAE,OACvC,GAELD,EAAE,OAAS,GAENC,EAAE,OAAS,GACTD,EAAE,OAASC,EAAE,KAEf,GACEA,EAAE,OAAS,EAOxB,CACA,SAASiN,GAAiBpN,EAAQ,CAChC,OAAOA,EAAO,OAAS3C,EAAW,QACpC,CACA,SAAS6P,GAAclN,EAAQ,CAC7B,OAAOA,EAAO,OAAS3C,EAAW,KACpC,CACA,SAAS2P,GAAiBhN,EAAQ,CAChC,OAAQA,GAAUA,EAAO,QAAU3C,EAAW,QAChD,CACA,SAASqZ,GAAezb,EAAO,CAC7B,IAAIsc,EAAWtc,EACf,OAAOsc,GAAY,OAAOA,GAAa,UAAY,OAAOA,EAAS,MAAS,UAAY,OAAOA,EAAS,WAAc,YAAc,OAAOA,EAAS,QAAW,YAAc,OAAOA,EAAS,aAAgB,UAC/M,CACA,SAAShB,GAAWtb,EAAO,CACzB,OAAOA,GAAS,MAAQ,OAAOA,EAAM,QAAW,UAAY,OAAOA,EAAM,YAAe,UAAY,OAAOA,EAAM,SAAY,UAAY,OAAOA,EAAM,KAAS,GACjK,CAYA,SAASkY,GAAckE,EAAQ,CAC7B,OAAO9R,GAAoB,IAAI8R,EAAO,YAAa,CAAA,CACrD,CACA,SAAS7M,EAAiB6M,EAAQ,CAChC,OAAOhS,GAAqB,IAAIgS,EAAO,YAAa,CAAA,CACtD,CACA,eAAetG,GAAuBF,EAAgBnD,EAAeY,EAASkJ,EAAStE,EAAW6B,EAAmB,CACnH,QAASvZ,EAAQ,EAAGA,EAAQ8S,EAAQ,OAAQ9S,IAAS,CACnD,IAAIwE,EAASsO,EAAQ9S,CAAK,EACtBqD,EAAQ6O,EAAclS,CAAK,EAI/B,GAAI,CAACqD,EACH,SAEF,IAAImW,EAAenE,EAAe,KAAKzJ,GAAKA,EAAE,MAAM,KAAOvI,EAAM,MAAM,EAAE,EACrE4Y,EAAuBzC,GAAgB,MAAQ,CAACL,GAAmBK,EAAcnW,CAAK,IAAMkW,GAAqBA,EAAkBlW,EAAM,MAAM,EAAE,KAAO,OAC5J,GAAIuO,GAAiBpN,CAAM,IAAMkT,GAAauE,GAAuB,CAInE,IAAIZ,EAASW,EAAQhc,CAAK,EAC1BR,EAAU6b,EAAQ,kEAAkE,EACpF,MAAMxG,GAAoBrQ,EAAQ6W,EAAQ3D,CAAS,EAAE,KAAKlT,GAAU,CAC9DA,IACFsO,EAAQ9S,CAAK,EAAIwE,GAAUsO,EAAQ9S,CAAK,EAElD,CAAO,CACF,CACF,CACH,CACA,eAAe6U,GAAoBrQ,EAAQ6W,EAAQa,EAAQ,CAKzD,GAJIA,IAAW,SACbA,EAAS,IAEG,OAAM1X,EAAO,aAAa,YAAY6W,CAAM,EAI1D,IAAIa,EACF,GAAI,CACF,MAAO,CACL,KAAMra,EAAW,KACjB,KAAM2C,EAAO,aAAa,aAClC,CACK,OAAQsW,EAAG,CAEV,MAAO,CACL,KAAMjZ,EAAW,MACjB,MAAOiZ,CACf,CACK,CAEH,MAAO,CACL,KAAMjZ,EAAW,KACjB,KAAM2C,EAAO,aAAa,IAC9B,EACA,CACA,SAASgT,GAAmBvY,EAAQ,CAClC,OAAO,IAAI,gBAAgBA,CAAM,EAAE,OAAO,OAAO,EAAE,KAAKkd,GAAKA,IAAM,EAAE,CACvE,CACA,SAAS7K,GAAerO,EAASlD,EAAU,CACzC,IAAId,EAAS,OAAOc,GAAa,SAAWI,GAAUJ,CAAQ,EAAE,OAASA,EAAS,OAClF,GAAIkD,EAAQA,EAAQ,OAAS,CAAC,EAAE,MAAM,OAASuU,GAAmBvY,GAAU,EAAE,EAE5E,OAAOgE,EAAQA,EAAQ,OAAS,CAAC,EAInC,IAAImF,EAAcH,GAA2BhF,CAAO,EACpD,OAAOmF,EAAYA,EAAY,OAAS,CAAC,CAC3C,CACA,SAAS6J,GAA4Bd,EAAY,CAC/C,GAAI,CACF,WAAA+D,EACA,WAAAC,EACA,YAAAC,EACA,KAAA2C,EACA,SAAAM,EACA,KAAAF,CACD,EAAGhH,EACJ,GAAI,GAAC+D,GAAc,CAACC,GAAc,CAACC,GAGnC,IAAI2C,GAAQ,KACV,MAAO,CACL,WAAA7C,EACA,WAAAC,EACA,YAAAC,EACA,SAAU,OACV,KAAM,OACN,KAAA2C,CACN,EACS,GAAIM,GAAY,KACrB,MAAO,CACL,WAAAnD,EACA,WAAAC,EACA,YAAAC,EACA,SAAAiD,EACA,KAAM,OACN,KAAM,MACZ,EACS,GAAIF,IAAS,OAClB,MAAO,CACL,WAAAjD,EACA,WAAAC,EACA,YAAAC,EACA,SAAU,OACV,KAAA+C,EACA,KAAM,MACZ,EAEA,CACA,SAASnH,GAAqBjR,EAAU6P,EAAY,CAClD,OAAIA,EACe,CACf,MAAO,UACP,SAAA7P,EACA,WAAY6P,EAAW,WACvB,WAAYA,EAAW,WACvB,YAAaA,EAAW,YACxB,SAAUA,EAAW,SACrB,KAAMA,EAAW,KACjB,KAAMA,EAAW,IACvB,EAGqB,CACf,MAAO,UACP,SAAA7P,EACA,WAAY,OACZ,WAAY,OACZ,YAAa,OACb,SAAU,OACV,KAAM,OACN,KAAM,MACZ,CAGA,CACA,SAASqR,GAAwBrR,EAAU6P,EAAY,CAWrD,MAViB,CACf,MAAO,aACP,SAAA7P,EACA,WAAY6P,EAAW,WACvB,WAAYA,EAAW,WACvB,YAAaA,EAAW,YACxB,SAAUA,EAAW,SACrB,KAAMA,EAAW,KACjB,KAAMA,EAAW,IACrB,CAEA,CACA,SAAS8C,GAAkB9C,EAAYnG,EAAM,CAC3C,OAAImG,EACY,CACZ,MAAO,UACP,WAAYA,EAAW,WACvB,WAAYA,EAAW,WACvB,YAAaA,EAAW,YACxB,SAAUA,EAAW,SACrB,KAAMA,EAAW,KACjB,KAAMA,EAAW,KACjB,KAAAnG,CACN,EAGkB,CACZ,MAAO,UACP,WAAY,OACZ,WAAY,OACZ,YAAa,OACb,SAAU,OACV,KAAM,OACN,KAAM,OACN,KAAAA,CACN,CAGA,CACA,SAASwK,GAAqBrE,EAAYmE,EAAiB,CAWzD,MAVc,CACZ,MAAO,aACP,WAAYnE,EAAW,WACvB,WAAYA,EAAW,WACvB,YAAaA,EAAW,YACxB,SAAUA,EAAW,SACrB,KAAMA,EAAW,KACjB,KAAMA,EAAW,KACjB,KAAMmE,EAAkBA,EAAgB,KAAO,MACnD,CAEA,CACA,SAASO,GAAe7K,EAAM,CAW5B,MAVc,CACZ,MAAO,OACP,WAAY,OACZ,WAAY,OACZ,YAAa,OACb,SAAU,OACV,KAAM,OACN,KAAM,OACN,KAAAA,CACJ,CAEA,CACA,SAASoE,GAA0BuO,EAASC,EAAa,CACvD,GAAI,CACF,IAAIC,EAAmBF,EAAQ,eAAe,QAAQ7R,EAAuB,EAC7E,GAAI+R,EAAkB,CACpB,IAAInE,EAAO,KAAK,MAAMmE,CAAgB,EACtC,OAAS,CAACnN,EAAGgN,CAAC,IAAK,OAAO,QAAQhE,GAAQ,CAAA,CAAE,EACtCgE,GAAK,MAAM,QAAQA,CAAC,GACtBE,EAAY,IAAIlN,EAAG,IAAI,IAAIgN,GAAK,CAAE,CAAA,CAAC,CAGxC,CACF,MAAW,CAEX,CACH,CACA,SAASpO,GAA0BqO,EAASC,EAAa,CACvD,GAAIA,EAAY,KAAO,EAAG,CACxB,IAAIlE,EAAO,CAAA,EACX,OAAS,CAAChJ,EAAGgN,CAAC,IAAKE,EACjBlE,EAAKhJ,CAAC,EAAI,CAAC,GAAGgN,CAAC,EAEjB,GAAI,CACFC,EAAQ,eAAe,QAAQ7R,GAAyB,KAAK,UAAU4N,CAAI,CAAC,CAC7E,OAAQ5W,EAAO,CACd5B,GAAQ,GAAO,8DAAgE4B,EAAQ,IAAI,CAC5F,CACF,CACH","x_google_ignoreList":[0]}