1 line
616 KiB
JSON
1 line
616 KiB
JSON
{"ast":null,"code":"/**\n * @remix-run/router v1.23.2\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 (<Route path=\"*\">) 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 // Treating this as a full URL will strip any trailing spaces so we need to\n // pre-encode them since they might be part of a matching splat param from\n // an ancestor route\n href = href.replace(/ $/, \"%20\");\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, String(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/v6/utils/match-routes\n */\nfunction matchRoutes(routes, locationArg, basename) {\n if (basename === void 0) {\n basename = \"/\";\n }\n return matchRoutesImpl(routes, locationArg, basename, false);\n}\nfunction matchRoutesImpl(routes, locationArg, basename, allowPartial) {\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 // 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 let decoded = decodePath(pathname);\n matches = matchRouteBranch(branches[i], decoded, allowPartial);\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, allowPartial) {\n if (allowPartial === void 0) {\n allowPartial = false;\n }\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 let route = meta.route;\n if (!match && end && allowPartial && !routesMeta[routesMeta.length - 1].route.index) {\n match = matchPath({\n path: meta.relativePath,\n caseSensitive: meta.caseSensitive,\n end: false\n }, remainingPathname);\n }\n if (!match) {\n return null;\n }\n Object.assign(matchedParams, match.params);\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/v6/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/v6/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] = (value || \"\").replace(/%2F/g, \"/\");\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 decodePath(value) {\n try {\n return value.split(\"/\").map(v => decodeURIComponent(v).replace(/\\//g, \"%2F\")).join(\"/\");\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}\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}\nconst ABSOLUTE_URL_REGEX$1 = /^(?:[a-z][a-z0-9+.-]*:|\\/\\/)/i;\nconst isAbsoluteUrl = url => ABSOLUTE_URL_REGEX$1.test(url);\n/**\n * Returns a resolved path object relative to the given pathname.\n *\n * @see https://reactrouter.com/v6/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;\n if (toPathname) {\n if (isAbsoluteUrl(toPathname)) {\n pathname = toPathname;\n } else {\n if (toPathname.includes(\"//\")) {\n let oldPathname = toPathname;\n toPathname = toPathname.replace(/\\/\\/+/g, \"/\");\n warning(false, \"Pathnames cannot have embedded double slashes - normalizing \" + (oldPathname + \" -> \" + toPathname));\n }\n if (toPathname.startsWith(\"/\")) {\n pathname = resolvePathname(toPathname.substring(1), \"/\");\n } else {\n pathname = resolvePathname(toPathname, fromPathname);\n }\n }\n } else {\n pathname = fromPathname;\n }\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 <Link to=\\\"...\\\"> 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 * <Route path=\"/\">\n * <Route path=\"accounts\" element={<Link to=\"..\"}>\n * </Route>\n *\n * <Route path=\"/\">\n * <Route path=\"accounts\">\n * <Route element={<AccountsLayout />}> // <-- Does not contribute\n * <Route index element={<Link to=\"..\"} /> // <-- Does not contribute\n * </Route\n * </Route>\n * </Route>\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 === pathMatches.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 `<Link to>` 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 <a href> 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 *\n * @deprecated The `json` method is deprecated in favor of returning raw objects.\n * This method will be removed in v7.\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 DataWithResponseInit {\n constructor(data, init) {\n this.type = \"DataWithResponseInit\";\n this.data = data;\n this.init = init || null;\n }\n}\n/**\n * Create \"responses\" that contain `status`/`headers` without forcing\n * serialization into an actual `Response` - used by Remix single fetch\n */\nfunction data(data, init) {\n return new DataWithResponseInit(data, typeof init === \"number\" ? {\n status: init\n } : init);\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}\n/**\n * @deprecated The `defer` method is deprecated in favor of returning raw\n * objects. This method will be removed in v7.\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 * A redirect response that will perform a `history.replaceState` instead of a\n * `history.pushState` for client-side navigation redirects.\n * Sets the status code and the `Location` header.\n * Defaults to \"302 Found\".\n */\nconst replace = (url, init) => {\n let response = redirect(url, init);\n response.headers.set(\"X-Remix-Replace\", \"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}\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 let dataStrategyImpl = init.dataStrategy || defaultDataStrategy;\n let patchRoutesOnNavigationImpl = init.patchRoutesOnNavigation;\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 v7_skipActionErrorRevalidation: 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 <ScrollRestoration /> 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 initialMatchesIsFOW = false;\n let initialErrors = null;\n if (initialMatches == null && !patchRoutesOnNavigationImpl) {\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 // In SPA apps, if the user provided a patchRoutesOnNavigation implementation and\n // our initial match is a splat route, clear them out so we run through lazy\n // discovery on hydration in case there's a more accurate lazy route match.\n // In SSR apps (with `hydrationData`), we expect that the server will send\n // up the proper matched routes so we don't want to run lazy discovery on\n // initial hydration and want to hydrate into the splat route.\n if (initialMatches && !init.hydrationData) {\n let fogOfWar = checkFogOfWar(initialMatches, dataRoutes, init.history.location.pathname);\n if (fogOfWar.active) {\n initialMatches = null;\n }\n }\n let initialized;\n if (!initialMatches) {\n initialized = false;\n initialMatches = [];\n // If partial hydration and fog of war is enabled, we will be running\n // `patchRoutesOnNavigation` during hydration so include any partial matches as\n // the initial matches so we can properly render `HydrateFallback`'s\n if (future.v7_partialHydration) {\n let fogOfWar = checkFogOfWar(null, dataRoutes, init.history.location.pathname);\n if (fogOfWar.active && fogOfWar.matches) {\n initialMatchesIsFOW = true;\n initialMatches = fogOfWar.matches;\n }\n }\n } else if (initialMatches.some(m => m.route.lazy)) {\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 (!initialMatches.some(m => m.route.loader)) {\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 // If errors exist, don't consider routes below the boundary\n if (errors) {\n let idx = initialMatches.findIndex(m => errors[m.route.id] !== undefined);\n initialized = initialMatches.slice(0, idx + 1).every(m => !shouldLoadRouteOnHydration(m.route, loaderData, errors));\n } else {\n initialized = initialMatches.every(m => !shouldLoadRouteOnHydration(m.route, loaderData, errors));\n }\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 = new Set();\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 unblockBlockerHistoryUpdate = undefined;\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 (unblockBlockerHistoryUpdate) {\n unblockBlockerHistoryUpdate();\n unblockBlockerHistoryUpdate = undefined;\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 let nextHistoryUpdatePromise = new Promise(resolve => {\n unblockBlockerHistoryUpdate = resolve;\n });\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, after the url\n // restoration is also complete. See:\n // https://github.com/remix-run/react-router/issues/11613\n nextHistoryUpdatePromise.then(() => 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 // Remove any lingering deleted fetchers that have already been removed\n // from state.fetchers\n deletedFetchers.forEach(key => {\n if (!state.fetchers.has(key) && !fetchControllers.has(key)) {\n deletedFetchersKeys.push(key);\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 viewTransitionOpts: opts.viewTransitionOpts,\n 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 } else {\n // We already called deleteFetcher() on these, can remove them from this\n // Set now that we've handed the keys off to the data layer\n deletedFetchersKeys.forEach(key => deletedFetchers.delete(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 // Commit any in-flight routes at the end of the HMR revalidation \"navigation\"\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 }\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.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.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 // Proxy through any rending view transition\n enableViewTransition: pendingViewTransitionEnabled === true\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 = opts != null && opts.initialHydration && state.matches && state.matches.length > 0 && !initialMatchesIsFOW ?\n // `matchRoutes()` has already been called if we're in here via `router.initialize()`\n state.matches : matchRoutes(routesToUse, location, basename);\n let flushSync = (opts && opts.flushSync) === true;\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 hydration will always\n // be \"same hash\". For example, on /page#hash and submit a <Form method=\"post\">\n // which will default to a navigation to /page\n if (matches && 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 let fogOfWar = checkFogOfWar(matches, routesToUse, location.pathname);\n if (fogOfWar.active && fogOfWar.matches) {\n matches = fogOfWar.matches;\n }\n // Short circuit with a 404 on the root error boundary if we match nothing\n if (!matches) {\n let {\n error,\n notFoundMatches,\n route\n } = handleNavigational404(location.pathname);\n completeNavigation(location, {\n matches: notFoundMatches,\n loaderData: {},\n errors: {\n [route.id]: error\n }\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 pendingActionResult;\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 pendingActionResult = [findNearestBoundary(matches).route.id, {\n type: ResultType.error,\n error: opts.pendingError\n }];\n } else if (opts && opts.submission && isMutationMethod(opts.submission.formMethod)) {\n // Call action if we received an action submission\n let actionResult = await handleAction(request, location, opts.submission, matches, fogOfWar.active, {\n replace: opts.replace,\n flushSync\n });\n if (actionResult.shortCircuited) {\n return;\n }\n // If we received a 404 from handleAction, it's because we couldn't lazily\n // discover the destination route so we don't want to call loaders\n if (actionResult.pendingActionResult) {\n let [routeId, result] = actionResult.pendingActionResult;\n if (isErrorResult(result) && isRouteErrorResponse(result.error) && result.error.status === 404) {\n pendingNavigationController = null;\n completeNavigation(location, {\n matches: actionResult.matches,\n loaderData: {},\n errors: {\n [routeId]: result.error\n }\n });\n return;\n }\n }\n matches = actionResult.matches || matches;\n pendingActionResult = actionResult.pendingActionResult;\n loadingNavigation = getLoadingNavigation(location, opts.submission);\n flushSync = false;\n // No need to do fog of war matching again on loader execution\n fogOfWar.active = false;\n // Create a GET request for the loaders\n request = createClientSideRequest(init.history, request.url, request.signal);\n }\n // Call loaders\n let {\n shortCircuited,\n matches: updatedMatches,\n loaderData,\n errors\n } = await handleLoaders(request, location, matches, fogOfWar.active, loadingNavigation, opts && opts.submission, opts && opts.fetcherSubmission, opts && opts.replace, opts && opts.initialHydration === true, flushSync, pendingActionResult);\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: updatedMatches || matches\n }, getActionDataForCommit(pendingActionResult), {\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, isFogOfWar, 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 if (isFogOfWar) {\n let discoverResult = await discoverRoutes(matches, location.pathname, request.signal);\n if (discoverResult.type === \"aborted\") {\n return {\n shortCircuited: true\n };\n } else if (discoverResult.type === \"error\") {\n let boundaryId = findNearestBoundary(discoverResult.partialMatches).route.id;\n return {\n matches: discoverResult.partialMatches,\n pendingActionResult: [boundaryId, {\n type: ResultType.error,\n error: discoverResult.error\n }]\n };\n } else if (!discoverResult.matches) {\n let {\n notFoundMatches,\n error,\n route\n } = handleNavigational404(location.pathname);\n return {\n matches: notFoundMatches,\n pendingActionResult: [route.id, {\n type: ResultType.error,\n error\n }]\n };\n } else {\n matches = discoverResult.matches;\n }\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 let results = await callDataStrategy(\"action\", state, request, [actionMatch], matches, null);\n result = results[actionMatch.route.id];\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 let location = normalizeRedirectLocation(result.response.headers.get(\"Location\"), new URL(request.url), basename, init.history);\n replace = location === state.location.pathname + state.location.search;\n }\n await startRedirectNavigation(request, result, true, {\n submission,\n replace\n });\n return {\n shortCircuited: true\n };\n }\n if (isDeferredResult(result)) {\n throw getInternalRouterError(400, {\n type: \"defer-action\"\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 to the current location are REPLACE\n // navigations, but if the action threw an error that'll be rendered in\n // an errorElement, we fall back to PUSH so that the user can use the\n // back button to get back to the pre-submission form location to try\n // again\n if ((opts && opts.replace) !== true) {\n pendingAction = Action.Push;\n }\n return {\n matches,\n pendingActionResult: [boundaryMatch.route.id, result]\n };\n }\n return {\n matches,\n pendingActionResult: [actionMatch.route.id, result]\n };\n }\n // Call all applicable loaders for the given matches, handling redirects,\n // errors, etc.\n async function handleLoaders(request, location, matches, isFogOfWar, overrideNavigation, submission, fetcherSubmission, replace, initialHydration, flushSync, pendingActionResult) {\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 // 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 it's not a \"navigation\"\n let shouldUpdateNavigationState = !isUninterruptedRevalidation && (!future.v7_partialHydration || !initialHydration);\n // When fog of war is enabled, we enter our `loading` state earlier so we\n // can discover new routes during the `loading` state. We skip this if\n // we've already run actions since we would have done our matching already.\n // If the children() function threw then, we want to proceed with the\n // partial matches it discovered.\n if (isFogOfWar) {\n if (shouldUpdateNavigationState) {\n let actionData = getUpdatedActionData(pendingActionResult);\n updateState(_extends({\n navigation: loadingNavigation\n }, actionData !== undefined ? {\n actionData\n } : {}), {\n flushSync\n });\n }\n let discoverResult = await discoverRoutes(matches, location.pathname, request.signal);\n if (discoverResult.type === \"aborted\") {\n return {\n shortCircuited: true\n };\n } else if (discoverResult.type === \"error\") {\n let boundaryId = findNearestBoundary(discoverResult.partialMatches).route.id;\n return {\n matches: discoverResult.partialMatches,\n loaderData: {},\n errors: {\n [boundaryId]: discoverResult.error\n }\n };\n } else if (!discoverResult.matches) {\n let {\n error,\n notFoundMatches,\n route\n } = handleNavigational404(location.pathname);\n return {\n matches: notFoundMatches,\n loaderData: {},\n errors: {\n [route.id]: error\n }\n };\n } else {\n matches = discoverResult.matches;\n }\n }\n let routesToUse = inFlightDataRoutes || dataRoutes;\n let [matchesToLoad, revalidatingFetchers] = getMatchesToLoad(init.history, state, matches, activeSubmission, location, future.v7_partialHydration && initialHydration === true, future.v7_skipActionErrorRevalidation, isRevalidationRequired, cancelledDeferredRoutes, cancelledFetcherLoads, deletedFetchers, fetchLoadMatches, fetchRedirectIds, routesToUse, basename, pendingActionResult);\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: pendingActionResult && isErrorResult(pendingActionResult[1]) ? {\n [pendingActionResult[0]]: pendingActionResult[1].error\n } : null\n }, getActionDataForCommit(pendingActionResult), updatedFetchers ? {\n fetchers: new Map(state.fetchers)\n } : {}), {\n flushSync\n });\n return {\n shortCircuited: true\n };\n }\n if (shouldUpdateNavigationState) {\n let updates = {};\n if (!isFogOfWar) {\n // Only update navigation/actionNData if we didn't already do it above\n updates.navigation = loadingNavigation;\n let actionData = getUpdatedActionData(pendingActionResult);\n if (actionData !== undefined) {\n updates.actionData = actionData;\n }\n }\n if (revalidatingFetchers.length > 0) {\n updates.fetchers = getUpdatedRevalidatingFetchers(revalidatingFetchers);\n }\n updateState(updates, {\n flushSync\n });\n }\n revalidatingFetchers.forEach(rf => {\n abortFetcher(rf.key);\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 loaderResults,\n fetcherResults\n } = await callLoadersAndMaybeResolveData(state, 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(loaderResults);\n if (redirect) {\n await startRedirectNavigation(request, redirect.result, true, {\n replace\n });\n return {\n shortCircuited: true\n };\n }\n redirect = findRedirect(fetcherResults);\n if (redirect) {\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 fetchRedirectIds.add(redirect.key);\n await startRedirectNavigation(request, redirect.result, true, {\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, loaderResults, pendingActionResult, 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 // Preserve SSR errors during partial hydration\n if (future.v7_partialHydration && initialHydration && state.errors) {\n errors = _extends({}, state.errors, errors);\n }\n let updatedFetchers = markFetchRedirectsDone();\n let didAbortFetchLoads = abortStaleFetchLoads(pendingNavigationLoadId);\n let shouldUpdateFetchers = updatedFetchers || didAbortFetchLoads || revalidatingFetchers.length > 0;\n return _extends({\n matches,\n loaderData,\n errors\n }, shouldUpdateFetchers ? {\n fetchers: new Map(state.fetchers)\n } : {});\n }\n function getUpdatedActionData(pendingActionResult) {\n if (pendingActionResult && !isErrorResult(pendingActionResult[1])) {\n // This is cast to `any` currently because `RouteData`uses any and it\n // would be a breaking change to use any.\n // TODO: v7 - change `RouteData` to use `unknown` instead of `any`\n return {\n [pendingActionResult[0]]: pendingActionResult[1].data\n };\n } else if (state.actionData) {\n if (Object.keys(state.actionData).length === 0) {\n return null;\n } else {\n return state.actionData;\n }\n }\n }\n function getUpdatedRevalidatingFetchers(revalidatingFetchers) {\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 return new Map(state.fetchers);\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 abortFetcher(key);\n let flushSync = (opts && opts.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 let fogOfWar = checkFogOfWar(matches, routesToUse, normalizedPath);\n if (fogOfWar.active && fogOfWar.matches) {\n matches = fogOfWar.matches;\n }\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 let preventScrollReset = (opts && opts.preventScrollReset) === true;\n if (submission && isMutationMethod(submission.formMethod)) {\n handleFetcherAction(key, routeId, path, match, matches, fogOfWar.active, flushSync, preventScrollReset, 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, fogOfWar.active, flushSync, preventScrollReset, 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, isFogOfWar, flushSync, preventScrollReset, submission) {\n interruptActiveLoads();\n fetchLoadMatches.delete(key);\n function detectAndHandle405Error(m) {\n if (!m.route.action && !m.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 true;\n }\n return false;\n }\n if (!isFogOfWar && detectAndHandle405Error(match)) {\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 let abortController = new AbortController();\n let fetchRequest = createClientSideRequest(init.history, path, abortController.signal, submission);\n if (isFogOfWar) {\n let discoverResult = await discoverRoutes(requestMatches, new URL(fetchRequest.url).pathname, fetchRequest.signal, key);\n if (discoverResult.type === \"aborted\") {\n return;\n } else if (discoverResult.type === \"error\") {\n setFetcherError(key, routeId, discoverResult.error, {\n flushSync\n });\n return;\n } else if (!discoverResult.matches) {\n setFetcherError(key, routeId, getInternalRouterError(404, {\n pathname: path\n }), {\n flushSync\n });\n return;\n } else {\n requestMatches = discoverResult.matches;\n match = getTargetMatch(requestMatches, path);\n if (detectAndHandle405Error(match)) {\n return;\n }\n }\n }\n // Call the action for the fetcher\n fetchControllers.set(key, abortController);\n let originatingLoadId = incrementingLoadId;\n let actionResults = await callDataStrategy(\"action\", state, fetchRequest, [match], requestMatches, key);\n let actionResult = actionResults[match.route.id];\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(fetchRequest, actionResult, false, {\n fetcherSubmission: submission,\n preventScrollReset\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, future.v7_skipActionErrorRevalidation, isRevalidationRequired, cancelledDeferredRoutes, cancelledFetcherLoads, deletedFetchers, fetchLoadMatches, fetchRedirectIds, routesToUse, basename, [match.route.id, actionResult]);\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 abortFetcher(staleKey);\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 loaderResults,\n fetcherResults\n } = await callLoadersAndMaybeResolveData(state, 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(loaderResults);\n if (redirect) {\n return startRedirectNavigation(revalidationRequest, redirect.result, false, {\n preventScrollReset\n });\n }\n redirect = findRedirect(fetcherResults);\n if (redirect) {\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 fetchRedirectIds.add(redirect.key);\n return startRedirectNavigation(revalidationRequest, redirect.result, false, {\n preventScrollReset\n });\n }\n // Process and commit output from loaders\n let {\n loaderData,\n errors\n } = processLoaderData(state, matches, 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, isFogOfWar, flushSync, preventScrollReset, submission) {\n let existingFetcher = state.fetchers.get(key);\n updateFetcherState(key, getLoadingFetcher(submission, existingFetcher ? existingFetcher.data : undefined), {\n flushSync\n });\n let abortController = new AbortController();\n let fetchRequest = createClientSideRequest(init.history, path, abortController.signal);\n if (isFogOfWar) {\n let discoverResult = await discoverRoutes(matches, new URL(fetchRequest.url).pathname, fetchRequest.signal, key);\n if (discoverResult.type === \"aborted\") {\n return;\n } else if (discoverResult.type === \"error\") {\n setFetcherError(key, routeId, discoverResult.error, {\n flushSync\n });\n return;\n } else if (!discoverResult.matches) {\n setFetcherError(key, routeId, getInternalRouterError(404, {\n pathname: path\n }), {\n flushSync\n });\n return;\n } else {\n matches = discoverResult.matches;\n match = getTargetMatch(matches, path);\n }\n }\n // Call the loader for this fetcher route match\n fetchControllers.set(key, abortController);\n let originatingLoadId = incrementingLoadId;\n let results = await callDataStrategy(\"loader\", state, fetchRequest, [match], matches, key);\n let result = results[match.route.id];\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(fetchRequest, result, false, {\n preventScrollReset\n });\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(request, redirect, isNavigation, _temp2) {\n let {\n submission,\n fetcherSubmission,\n preventScrollReset,\n replace\n } = _temp2 === void 0 ? {} : _temp2;\n if (redirect.response.headers.has(\"X-Remix-Revalidate\")) {\n isRevalidationRequired = true;\n }\n let location = redirect.response.headers.get(\"Location\");\n invariant(location, \"Expected a Location header on the redirect Response\");\n location = normalizeRedirectLocation(location, new URL(request.url), basename, init.history);\n let redirectLocation = createLocation(state.location, location, {\n _isRedirect: true\n });\n if (isBrowser) {\n let isDocumentReload = false;\n if (redirect.response.headers.has(\"X-Remix-Reload-Document\")) {\n // Hard reload if the response contained X-Remix-Reload-Document\n isDocumentReload = true;\n } else if (ABSOLUTE_URL_REGEX.test(location)) {\n const url = init.history.createURL(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(location);\n } else {\n routerWindow.location.assign(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 || redirect.response.headers.has(\"X-Remix-Replace\") ? 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.response.status) && activeSubmission && isMutationMethod(activeSubmission.formMethod)) {\n await startNavigation(redirectHistoryAction, redirectLocation, {\n submission: _extends({}, activeSubmission, {\n formAction: location\n }),\n // Preserve these flags across redirects\n preventScrollReset: preventScrollReset || pendingPreventScrollReset,\n enableViewTransition: isNavigation ? pendingViewTransitionEnabled : undefined\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 these flags across redirects\n preventScrollReset: preventScrollReset || pendingPreventScrollReset,\n enableViewTransition: isNavigation ? pendingViewTransitionEnabled : undefined\n });\n }\n }\n // Utility wrapper for calling dataStrategy client-side without having to\n // pass around the manifest, mapRouteProperties, etc.\n async function callDataStrategy(type, state, request, matchesToLoad, matches, fetcherKey) {\n let results;\n let dataResults = {};\n try {\n results = await callDataStrategyImpl(dataStrategyImpl, type, state, request, matchesToLoad, matches, fetcherKey, manifest, mapRouteProperties);\n } catch (e) {\n // If the outer dataStrategy method throws, just return the error for all\n // matches - and it'll naturally bubble to the root\n matchesToLoad.forEach(m => {\n dataResults[m.route.id] = {\n type: ResultType.error,\n error: e\n };\n });\n return dataResults;\n }\n for (let [routeId, result] of Object.entries(results)) {\n if (isRedirectDataStrategyResultResult(result)) {\n let response = result.result;\n dataResults[routeId] = {\n type: ResultType.redirect,\n response: normalizeRelativeRoutingRedirectResponse(response, request, routeId, matches, basename, future.v7_relativeSplatPath)\n };\n } else {\n dataResults[routeId] = await convertDataStrategyResultToDataResult(result);\n }\n }\n return dataResults;\n }\n async function callLoadersAndMaybeResolveData(state, matches, matchesToLoad, fetchersToLoad, request) {\n let currentMatches = state.matches;\n // Kick off loaders and fetchers in parallel\n let loaderResultsPromise = callDataStrategy(\"loader\", state, request, matchesToLoad, matches, null);\n let fetcherResultsPromise = Promise.all(fetchersToLoad.map(async f => {\n if (f.matches && f.match && f.controller) {\n let results = await callDataStrategy(\"loader\", state, createClientSideRequest(init.history, f.path, f.controller.signal), [f.match], f.matches, f.key);\n let result = results[f.match.route.id];\n // Fetcher results are keyed by fetcher key from here on out, not routeId\n return {\n [f.key]: result\n };\n } else {\n return Promise.resolve({\n [f.key]: {\n type: ResultType.error,\n error: getInternalRouterError(404, {\n pathname: f.path\n })\n }\n });\n }\n }));\n let loaderResults = await loaderResultsPromise;\n let fetcherResults = (await fetcherResultsPromise).reduce((acc, r) => Object.assign(acc, r), {});\n await Promise.all([resolveNavigationDeferredResults(matches, loaderResults, request.signal, currentMatches, state.loaderData), resolveFetcherDeferredResults(matches, fetcherResults, fetchersToLoad)]);\n return {\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.add(key);\n }\n abortFetcher(key);\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 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 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 // If we opted into the flag we can clear this now since we're calling\n // deleteFetcher() at the end of updateState() and we've already handed the\n // deleted fetcher keys off to the data layer.\n // If not, we're eagerly calling deleteFetcher() and we need to keep this\n // Set populated until the next updateState call, and we'll clear\n // `deletedFetchers` then\n if (future.v7_fetcherPersist) {\n deletedFetchers.delete(key);\n }\n cancelledFetcherLoads.delete(key);\n state.fetchers.delete(key);\n }\n function deleteFetcherAndUpdateState(key) {\n let count = (activeFetchers.get(key) || 0) - 1;\n if (count <= 0) {\n activeFetchers.delete(key);\n deletedFetchers.add(key);\n if (!future.v7_fetcherPersist) {\n deleteFetcher(key);\n }\n } else {\n activeFetchers.set(key, count);\n }\n updateState({\n fetchers: new Map(state.fetchers)\n });\n }\n function abortFetcher(key) {\n let controller = fetchControllers.get(key);\n if (controller) {\n controller.abort();\n fetchControllers.delete(key);\n }\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 handleNavigational404(pathname) {\n let error = getInternalRouterError(404, {\n pathname\n });\n let routesToUse = inFlightDataRoutes || dataRoutes;\n let {\n matches,\n route\n } = getShortCircuitMatches(routesToUse);\n // Cancel all pending deferred on 404s since we don't keep any routes\n cancelActiveDeferreds();\n return {\n notFoundMatches: matches,\n route,\n error\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 <ScrollRestoration> 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 <ScrollRestoration/>\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 checkFogOfWar(matches, routesToUse, pathname) {\n if (patchRoutesOnNavigationImpl) {\n if (!matches) {\n let fogMatches = matchRoutesImpl(routesToUse, pathname, basename, true);\n return {\n active: true,\n matches: fogMatches || []\n };\n } else {\n if (Object.keys(matches[0].params).length > 0) {\n // If we matched a dynamic param or a splat, it might only be because\n // we haven't yet discovered other routes that would match with a\n // higher score. Call patchRoutesOnNavigation just to be sure\n let partialMatches = matchRoutesImpl(routesToUse, pathname, basename, true);\n return {\n active: true,\n matches: partialMatches\n };\n }\n }\n }\n return {\n active: false,\n matches: null\n };\n }\n async function discoverRoutes(matches, pathname, signal, fetcherKey) {\n if (!patchRoutesOnNavigationImpl) {\n return {\n type: \"success\",\n matches\n };\n }\n let partialMatches = matches;\n while (true) {\n let isNonHMR = inFlightDataRoutes == null;\n let routesToUse = inFlightDataRoutes || dataRoutes;\n let localManifest = manifest;\n try {\n await patchRoutesOnNavigationImpl({\n signal,\n path: pathname,\n matches: partialMatches,\n fetcherKey,\n patch: (routeId, children) => {\n if (signal.aborted) return;\n patchRoutesImpl(routeId, children, routesToUse, localManifest, mapRouteProperties);\n }\n });\n } catch (e) {\n return {\n type: \"error\",\n error: e,\n partialMatches\n };\n } finally {\n // If we are not in the middle of an HMR revalidation and we changed the\n // routes, provide a new identity so when we `updateState` at the end of\n // this navigation/fetch `router.routes` will be a new identity and\n // trigger a re-run of memoized `router.routes` dependencies.\n // HMR will already update the identity and reflow when it lands\n // `inFlightDataRoutes` in `completeNavigation`\n if (isNonHMR && !signal.aborted) {\n dataRoutes = [...dataRoutes];\n }\n }\n if (signal.aborted) {\n return {\n type: \"aborted\"\n };\n }\n let newMatches = matchRoutes(routesToUse, pathname, basename);\n if (newMatches) {\n return {\n type: \"success\",\n matches: newMatches\n };\n }\n let newPartialMatches = matchRoutesImpl(routesToUse, pathname, basename, true);\n // Avoid loops if the second pass results in the same partial matches\n if (!newPartialMatches || partialMatches.length === newPartialMatches.length && partialMatches.every((m, i) => m.route.id === newPartialMatches[i].route.id)) {\n return {\n type: \"success\",\n matches: null\n };\n }\n partialMatches = newPartialMatches;\n }\n }\n function _internalSetRoutes(newRoutes) {\n manifest = {};\n inFlightDataRoutes = convertRoutesToDataRoutes(newRoutes, mapRouteProperties, undefined, manifest);\n }\n function patchRoutes(routeId, children) {\n let isNonHMR = inFlightDataRoutes == null;\n let routesToUse = inFlightDataRoutes || dataRoutes;\n patchRoutesImpl(routeId, children, routesToUse, manifest, mapRouteProperties);\n // If we are not in the middle of an HMR revalidation and we changed the\n // routes, provide a new identity and trigger a reflow via `updateState`\n // to re-run memoized `router.routes` dependencies.\n // HMR will already update the identity and reflow when it lands\n // `inFlightDataRoutes` in `completeNavigation`\n if (isNonHMR) {\n dataRoutes = [...dataRoutes];\n updateState({});\n }\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 patchRoutes,\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 v7_throwAbortReason: 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 * - `opts.requestContext` is an optional server context that will be passed\n * to actions/loaders in the `context` parameter\n * - `opts.skipLoaderErrorBubbling` is an optional parameter that will prevent\n * the bubbling of errors which allows single-fetch-type implementations\n * where the client will handle the bubbling and we may need to return data\n * for the handling route\n */\n async function query(request, _temp3) {\n let {\n requestContext,\n skipLoaderErrorBubbling,\n dataStrategy\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, dataStrategy || null, skipLoaderErrorBubbling === true, null);\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 * - `opts.routeId` allows you to specify the specific route handler to call.\n * If not provided the handler will determine the proper route by matching\n * against `request.url`\n * - `opts.requestContext` is an optional server context that will be passed\n * to actions/loaders in the `context` parameter\n */\n async function queryRoute(request, _temp4) {\n let {\n routeId,\n requestContext,\n dataStrategy\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, dataStrategy || null, false, 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, dataStrategy, skipLoaderErrorBubbling, 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, dataStrategy, skipLoaderErrorBubbling, routeMatch != null);\n return result;\n }\n let result = await loadRouteData(request, matches, requestContext, dataStrategy, skipLoaderErrorBubbling, 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 for a\n // `queryRoute` call, we throw the `DataStrategyResult` to bail out early\n // and then return or throw the raw Response here accordingly\n if (isDataStrategyResult(e) && isResponse(e.result)) {\n if (e.type === ResultType.error) {\n throw e.result;\n }\n return e.result;\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, dataStrategy, skipLoaderErrorBubbling, 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 let results = await callDataStrategy(\"action\", request, [actionMatch], matches, isRouteRequest, requestContext, dataStrategy);\n result = results[actionMatch.route.id];\n if (request.signal.aborted) {\n throwStaticHandlerAbortedError(request, isRouteRequest, future);\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.response.status,\n headers: {\n Location: result.response.headers.get(\"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 // 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 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 = skipLoaderErrorBubbling ? actionMatch : findNearestBoundary(matches, actionMatch.route.id);\n let context = await loadRouteData(loaderRequest, matches, requestContext, dataStrategy, skipLoaderErrorBubbling, null, [boundaryMatch.route.id, result]);\n // action status codes take precedence over loader status codes\n return _extends({}, context, {\n statusCode: isRouteErrorResponse(result.error) ? result.error.status : result.statusCode != null ? result.statusCode : 500,\n actionData: null,\n actionHeaders: _extends({}, result.headers ? {\n [actionMatch.route.id]: result.headers\n } : {})\n });\n }\n let context = await loadRouteData(loaderRequest, matches, requestContext, dataStrategy, skipLoaderErrorBubbling, null);\n return _extends({}, context, {\n actionData: {\n [actionMatch.route.id]: result.data\n }\n }, result.statusCode ? {\n statusCode: result.statusCode\n } : {}, {\n actionHeaders: result.headers ? {\n [actionMatch.route.id]: result.headers\n } : {}\n });\n }\n async function loadRouteData(request, matches, requestContext, dataStrategy, skipLoaderErrorBubbling, routeMatch, pendingActionResult) {\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] : pendingActionResult && isErrorResult(pendingActionResult[1]) ? getLoaderMatchesUntilBoundary(matches, pendingActionResult[0]) : matches;\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: pendingActionResult && isErrorResult(pendingActionResult[1]) ? {\n [pendingActionResult[0]]: pendingActionResult[1].error\n } : null,\n statusCode: 200,\n loaderHeaders: {},\n activeDeferreds: null\n };\n }\n let results = await callDataStrategy(\"loader\", request, matchesToLoad, matches, isRouteRequest, requestContext, dataStrategy);\n if (request.signal.aborted) {\n throwStaticHandlerAbortedError(request, isRouteRequest, future);\n }\n // Process and commit output from loaders\n let activeDeferreds = new Map();\n let context = processRouteLoaderData(matches, results, pendingActionResult, activeDeferreds, skipLoaderErrorBubbling);\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 // Utility wrapper for calling dataStrategy server-side without having to\n // pass around the manifest, mapRouteProperties, etc.\n async function callDataStrategy(type, request, matchesToLoad, matches, isRouteRequest, requestContext, dataStrategy) {\n let results = await callDataStrategyImpl(dataStrategy || defaultDataStrategy, type, null, request, matchesToLoad, matches, null, manifest, mapRouteProperties, requestContext);\n let dataResults = {};\n await Promise.all(matches.map(async match => {\n if (!(match.route.id in results)) {\n return;\n }\n let result = results[match.route.id];\n if (isRedirectDataStrategyResultResult(result)) {\n let response = result.result;\n // Throw redirects and let the server handle them with an HTTP redirect\n throw normalizeRelativeRoutingRedirectResponse(response, request, match.route.id, matches, basename, future.v7_relativeSplatPath);\n }\n if (isResponse(result.result) && isRouteRequest) {\n // For SSR single-route requests, we want to hand Responses back\n // directly without unwrapping\n throw result;\n }\n dataResults[match.route.id] = await convertDataStrategyResultToDataResult(result);\n }));\n return dataResults;\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: isRouteErrorResponse(error) ? error.status : 500,\n errors: {\n [context._deepestRenderedBoundaryId || routes[0].id]: error\n }\n });\n return newContext;\n}\nfunction throwStaticHandlerAbortedError(request, isRouteRequest, future) {\n if (future.v7_throwAbortReason && request.signal.reason !== undefined) {\n throw request.signal.reason;\n }\n let method = isRouteRequest ? \"queryRoute\" : \"query\";\n throw new Error(method + \"() call aborted: \" + request.method + \" \" + request.url);\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 // Account for `?index` params when routing to the current location\n if ((to == null || to === \"\" || to === \".\") && activeRouteMatch) {\n let nakedIndex = hasNakedIndexQuery(path.search);\n if (activeRouteMatch.route.index && !nakedIndex) {\n // Add one when we're targeting an index route\n path.search = path.search ? path.search.replace(/^\\?/, \"?index&\") : \"?index\";\n } else if (!activeRouteMatch.route.index && nakedIndex) {\n // Remove existing ones when we're not\n let params = new URLSearchParams(path.search);\n let indexValues = params.getAll(\"index\");\n params.delete(\"index\");\n indexValues.filter(v => v).forEach(v => params.append(\"index\", v));\n let qs = params.toString();\n path.search = qs ? \"?\" + qs : \"\";\n }\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 at/below any caught error as they aren't going to\n// render so we don't need to load them\nfunction getLoaderMatchesUntilBoundary(matches, boundaryId, includeBoundary) {\n if (includeBoundary === void 0) {\n includeBoundary = false;\n }\n let index = matches.findIndex(m => m.route.id === boundaryId);\n if (index >= 0) {\n return matches.slice(0, includeBoundary ? index + 1 : index);\n }\n return matches;\n}\nfunction getMatchesToLoad(history, state, matches, submission, location, initialHydration, skipActionErrorRevalidation, isRevalidationRequired, cancelledDeferredRoutes, cancelledFetcherLoads, deletedFetchers, fetchLoadMatches, fetchRedirectIds, routesToUse, basename, pendingActionResult) {\n let actionResult = pendingActionResult ? isErrorResult(pendingActionResult[1]) ? pendingActionResult[1].error : pendingActionResult[1].data : 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 boundaryMatches = matches;\n if (initialHydration && state.errors) {\n // On initial hydration, only consider matches up to _and including_ the boundary.\n // This is inclusive to handle cases where a server loader ran successfully,\n // a child server loader bubbled up to this route, but this route has\n // `clientLoader.hydrate` so we want to still run the `clientLoader` so that\n // we have a complete version of `loaderData`\n boundaryMatches = getLoaderMatchesUntilBoundary(matches, Object.keys(state.errors)[0], true);\n } else if (pendingActionResult && isErrorResult(pendingActionResult[1])) {\n // If an action threw an error, we call loaders up to, but not including the\n // boundary\n boundaryMatches = getLoaderMatchesUntilBoundary(matches, pendingActionResult[0]);\n }\n // Don't revalidate loaders by default after action 4xx/5xx responses\n // when the flag is enabled. They can still opt-into revalidation via\n // `shouldRevalidate` via `actionResult`\n let actionStatus = pendingActionResult ? pendingActionResult[1].statusCode : undefined;\n let shouldSkipRevalidation = skipActionErrorRevalidation && actionStatus && actionStatus >= 400;\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 (initialHydration) {\n return shouldLoadRouteOnHydration(route, state.loaderData, state.errors);\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 actionStatus,\n defaultShouldRevalidate: shouldSkipRevalidation ? false :\n // Forced revalidation due to submission, useRevalidator, or X-Remix-Revalidate\n isRevalidationRequired || 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 hydration (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 (initialHydration || !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.has(key)) {\n // Always mark for revalidation if the fetcher was cancelled\n cancelledFetcherLoads.delete(key);\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 actionStatus,\n defaultShouldRevalidate: shouldSkipRevalidation ? false : 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 shouldLoadRouteOnHydration(route, loaderData, errors) {\n // We dunno if we have a loader - gotta find out!\n if (route.lazy) {\n return true;\n }\n // No loader, nothing to initialize\n if (!route.loader) {\n return false;\n }\n let hasData = loaderData != null && loaderData[route.id] !== undefined;\n let hasError = errors != null && errors[route.id] !== undefined;\n // Don't run if we error'd during SSR\n if (!hasData && hasError) {\n return false;\n }\n // Explicitly opting-in to running on hydration\n if (typeof route.loader === \"function\" && route.loader.hydrate === true) {\n return true;\n }\n // Otherwise, run if we're not yet initialized with anything\n return !hasData && !hasError;\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}\nfunction patchRoutesImpl(routeId, children, routesToUse, manifest, mapRouteProperties) {\n var _childrenToPatch;\n let childrenToPatch;\n if (routeId) {\n let route = manifest[routeId];\n invariant(route, \"No route found to patch children into: routeId = \" + routeId);\n if (!route.children) {\n route.children = [];\n }\n childrenToPatch = route.children;\n } else {\n childrenToPatch = routesToUse;\n }\n // Don't patch in routes we already know about so that `patch` is idempotent\n // to simplify user-land code. This is useful because we re-call the\n // `patchRoutesOnNavigation` function for matched routes with params.\n let uniqueChildren = children.filter(newRoute => !childrenToPatch.some(existingRoute => isSameRoute(newRoute, existingRoute)));\n let newRoutes = convertRoutesToDataRoutes(uniqueChildren, mapRouteProperties, [routeId || \"_\", \"patch\", String(((_childrenToPatch = childrenToPatch) == null ? void 0 : _childrenToPatch.length) || \"0\")], manifest);\n childrenToPatch.push(...newRoutes);\n}\nfunction isSameRoute(newRoute, existingRoute) {\n // Most optimal check is by id\n if (\"id\" in newRoute && \"id\" in existingRoute && newRoute.id === existingRoute.id) {\n return true;\n }\n // Second is by pathing differences\n if (!(newRoute.index === existingRoute.index && newRoute.path === existingRoute.path && newRoute.caseSensitive === existingRoute.caseSensitive)) {\n return false;\n }\n // Pathless layout routes are trickier since we need to check children.\n // If they have no children then they're the same as far as we can tell\n if ((!newRoute.children || newRoute.children.length === 0) && (!existingRoute.children || existingRoute.children.length === 0)) {\n return true;\n }\n // Otherwise, we look to see if every child in the new route is already\n // represented in the existing route's children\n return newRoute.children.every((aChild, i) => {\n var _existingRoute$childr;\n return (_existingRoute$childr = existingRoute.children) == null ? void 0 : _existingRoute$childr.some(bChild => isSameRoute(aChild, bChild));\n });\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}\n// Default implementation of `dataStrategy` which fetches all loaders in parallel\nasync function defaultDataStrategy(_ref4) {\n let {\n matches\n } = _ref4;\n let matchesToLoad = matches.filter(m => m.shouldLoad);\n let results = await Promise.all(matchesToLoad.map(m => m.resolve()));\n return results.reduce((acc, result, i) => Object.assign(acc, {\n [matchesToLoad[i].route.id]: result\n }), {});\n}\nasync function callDataStrategyImpl(dataStrategyImpl, type, state, request, matchesToLoad, matches, fetcherKey, manifest, mapRouteProperties, requestContext) {\n let loadRouteDefinitionsPromises = matches.map(m => m.route.lazy ? loadLazyRouteModule(m.route, mapRouteProperties, manifest) : undefined);\n let dsMatches = matches.map((match, i) => {\n let loadRoutePromise = loadRouteDefinitionsPromises[i];\n let shouldLoad = matchesToLoad.some(m => m.route.id === match.route.id);\n // `resolve` encapsulates route.lazy(), executing the loader/action,\n // and mapping return values/thrown errors to a `DataStrategyResult`. Users\n // can pass a callback to take fine-grained control over the execution\n // of the loader/action\n let resolve = async handlerOverride => {\n if (handlerOverride && request.method === \"GET\" && (match.route.lazy || match.route.loader)) {\n shouldLoad = true;\n }\n return shouldLoad ? callLoaderOrAction(type, request, match, loadRoutePromise, handlerOverride, requestContext) : Promise.resolve({\n type: ResultType.data,\n result: undefined\n });\n };\n return _extends({}, match, {\n shouldLoad,\n resolve\n });\n });\n // Send all matches here to allow for a middleware-type implementation.\n // handler will be a no-op for unneeded routes and we filter those results\n // back out below.\n let results = await dataStrategyImpl({\n matches: dsMatches,\n request,\n params: matches[0].params,\n fetcherKey,\n context: requestContext\n });\n // Wait for all routes to load here but 'swallow the error since we want\n // it to bubble up from the `await loadRoutePromise` in `callLoaderOrAction` -\n // called from `match.resolve()`\n try {\n await Promise.all(loadRouteDefinitionsPromises);\n } catch (e) {\n // No-op\n }\n return results;\n}\n// Default logic for calling a loader/action is the user has no specified a dataStrategy\nasync function callLoaderOrAction(type, request, match, loadRoutePromise, handlerOverride, staticContext) {\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 // This will never resolve so safe to type it as Promise<DataStrategyResult> to\n // satisfy the function return value\n let abortPromise = new Promise((_, r) => reject = r);\n onReject = () => reject();\n request.signal.addEventListener(\"abort\", onReject);\n let actualHandler = ctx => {\n if (typeof handler !== \"function\") {\n return Promise.reject(new Error(\"You cannot call the handler for a route which defines a boolean \" + (\"\\\"\" + type + \"\\\" [routeId: \" + match.route.id + \"]\")));\n }\n return handler({\n request,\n params: match.params,\n context: staticContext\n }, ...(ctx !== undefined ? [ctx] : []));\n };\n let handlerPromise = (async () => {\n try {\n let val = await (handlerOverride ? handlerOverride(ctx => actualHandler(ctx)) : actualHandler());\n return {\n type: \"data\",\n result: val\n };\n } catch (e) {\n return {\n type: \"error\",\n result: e\n };\n }\n })();\n return Promise.race([handlerPromise, abortPromise]);\n };\n try {\n let handler = match.route[type];\n // If we have a route.lazy promise, await that first\n if (loadRoutePromise) {\n if (handler) {\n // Run statically defined handler in parallel with lazy()\n let handlerError;\n let [value] = 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 }), loadRoutePromise]);\n if (handlerError !== undefined) {\n throw handlerError;\n }\n result = value;\n } else {\n // Load lazy route module, then run any returned handler\n await loadRoutePromise;\n handler = match.route[type];\n if (handler) {\n // Handler still runs 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 result: 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.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 // We should already be catching and converting normal handler executions to\n // DataStrategyResults and returning them, so anything that throws here is an\n // unexpected error we still need to wrap\n return {\n type: ResultType.error,\n result: e\n };\n } finally {\n if (onReject) {\n request.signal.removeEventListener(\"abort\", onReject);\n }\n }\n return result;\n}\nasync function convertDataStrategyResultToDataResult(dataStrategyResult) {\n let {\n result,\n type\n } = dataStrategyResult;\n if (isResponse(result)) {\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 if (result.body == null) {\n data = null;\n } else {\n data = await result.json();\n }\n } else {\n data = await result.text();\n }\n } catch (e) {\n return {\n type: ResultType.error,\n error: e\n };\n }\n if (type === ResultType.error) {\n return {\n type: ResultType.error,\n error: new ErrorResponseImpl(result.status, result.statusText, data),\n statusCode: result.status,\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 (type === ResultType.error) {\n if (isDataWithResponseInit(result)) {\n var _result$init3, _result$init4;\n if (result.data instanceof Error) {\n var _result$init, _result$init2;\n return {\n type: ResultType.error,\n error: result.data,\n statusCode: (_result$init = result.init) == null ? void 0 : _result$init.status,\n headers: (_result$init2 = result.init) != null && _result$init2.headers ? new Headers(result.init.headers) : undefined\n };\n }\n // Convert thrown data() to ErrorResponse instances\n return {\n type: ResultType.error,\n error: new ErrorResponseImpl(((_result$init3 = result.init) == null ? void 0 : _result$init3.status) || 500, undefined, result.data),\n statusCode: isRouteErrorResponse(result) ? result.status : undefined,\n headers: (_result$init4 = result.init) != null && _result$init4.headers ? new Headers(result.init.headers) : undefined\n };\n }\n return {\n type: ResultType.error,\n error: result,\n statusCode: isRouteErrorResponse(result) ? result.status : undefined\n };\n }\n if (isDeferredData(result)) {\n var _result$init5, _result$init6;\n return {\n type: ResultType.deferred,\n deferredData: result,\n statusCode: (_result$init5 = result.init) == null ? void 0 : _result$init5.status,\n headers: ((_result$init6 = result.init) == null ? void 0 : _result$init6.headers) && new Headers(result.init.headers)\n };\n }\n if (isDataWithResponseInit(result)) {\n var _result$init7, _result$init8;\n return {\n type: ResultType.data,\n data: result.data,\n statusCode: (_result$init7 = result.init) == null ? void 0 : _result$init7.status,\n headers: (_result$init8 = result.init) != null && _result$init8.headers ? new Headers(result.init.headers) : undefined\n };\n }\n return {\n type: ResultType.data,\n data: result\n };\n}\n// Support relative routing in internal redirects\nfunction normalizeRelativeRoutingRedirectResponse(response, request, routeId, matches, basename, v7_relativeSplatPath) {\n let location = response.headers.get(\"Location\");\n invariant(location, \"Redirects returned/thrown from loaders/actions must have a Location header\");\n if (!ABSOLUTE_URL_REGEX.test(location)) {\n let trimmedMatches = matches.slice(0, matches.findIndex(m => m.route.id === routeId) + 1);\n location = normalizeTo(new URL(request.url), trimmedMatches, basename, true, location, v7_relativeSplatPath);\n response.headers.set(\"Location\", location);\n }\n return response;\n}\nfunction normalizeRedirectLocation(location, currentUrl, basename, historyInstance) {\n // Match Chrome's behavior:\n // https://github.com/chromium/chromium/blob/216dbeb61db0c667e62082e5f5400a32d6983df3/content/public/common/url_utils.cc#L82\n let invalidProtocols = [\"about:\", \"blob:\", \"chrome:\", \"chrome-untrusted:\", \"content:\", \"data:\", \"devtools:\", \"file:\", \"filesystem:\",\n // eslint-disable-next-line no-script-url\n \"javascript:\"];\n if (ABSOLUTE_URL_REGEX.test(location)) {\n // Strip off the protocol+origin for same-origin + same-basename absolute redirects\n let normalizedLocation = location;\n let url = normalizedLocation.startsWith(\"//\") ? new URL(currentUrl.protocol + normalizedLocation) : new URL(normalizedLocation);\n if (invalidProtocols.includes(url.protocol)) {\n throw new Error(\"Invalid redirect location\");\n }\n let isSameBasename = stripBasename(url.pathname, basename) != null;\n if (url.origin === currentUrl.origin && isSameBasename) {\n return url.pathname + url.search + url.hash;\n }\n }\n try {\n let url = historyInstance.createURL(location);\n if (invalidProtocols.includes(url.protocol)) {\n throw new Error(\"Invalid redirect location\");\n }\n } catch (e) {}\n return location;\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, results, pendingActionResult, activeDeferreds, skipLoaderErrorBubbling) {\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 let pendingError = pendingActionResult && isErrorResult(pendingActionResult[1]) ? pendingActionResult[1].error : undefined;\n // Process loader results into state.loaderData/state.errors\n matches.forEach(match => {\n if (!(match.route.id in results)) {\n return;\n }\n let id = match.route.id;\n let result = results[id];\n invariant(!isRedirectResult(result), \"Cannot handle redirect results in processLoaderData\");\n if (isErrorResult(result)) {\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 !== undefined) {\n error = pendingError;\n pendingError = undefined;\n }\n errors = errors || {};\n if (skipLoaderErrorBubbling) {\n errors[id] = error;\n } else {\n // Look upwards from the matched route for the closest ancestor error\n // boundary, defaulting to the root match. Prefer higher error values\n // if lower errors bubble to the same boundary\n let boundaryMatch = findNearestBoundary(matches, id);\n if (errors[boundaryMatch.route.id] == null) {\n errors[boundaryMatch.route.id] = error;\n }\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 // 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 } else {\n loaderData[id] = result.data;\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 && result.statusCode !== 200 && !foundError) {\n statusCode = result.statusCode;\n }\n if (result.headers) {\n loaderHeaders[id] = result.headers;\n }\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 !== undefined && pendingActionResult) {\n errors = {\n [pendingActionResult[0]]: pendingError\n };\n loaderData[pendingActionResult[0]] = undefined;\n }\n return {\n loaderData,\n errors,\n statusCode: statusCode || 200,\n loaderHeaders\n };\n}\nfunction processLoaderData(state, matches, results, pendingActionResult, revalidatingFetchers, fetcherResults, activeDeferreds) {\n let {\n loaderData,\n errors\n } = processRouteLoaderData(matches, results, pendingActionResult, activeDeferreds, false // This method is only called client side so we always want to bubble\n );\n // Process results from our revalidating fetchers\n revalidatingFetchers.forEach(rf => {\n let {\n key,\n match,\n controller\n } = rf;\n let result = fetcherResults[key];\n invariant(result, \"Did not find corresponding fetcher result\");\n // Process fetcher non-redirect errors\n if (controller && controller.signal.aborted) {\n // Nothing to do for aborted fetchers\n return;\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}\nfunction getActionDataForCommit(pendingActionResult) {\n if (!pendingActionResult) {\n return {};\n }\n return isErrorResult(pendingActionResult[1]) ? {\n // Clear out prior actionData on errors\n actionData: {}\n } : {\n actionData: {\n [pendingActionResult[0]]: pendingActionResult[1].data\n }\n };\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 message\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 let entries = Object.entries(results);\n for (let i = entries.length - 1; i >= 0; i--) {\n let [key, result] = entries[i];\n if (isRedirectResult(result)) {\n return {\n key,\n result\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 isDataStrategyResult(result) {\n return result != null && typeof result === \"object\" && \"type\" in result && \"result\" in result && (result.type === ResultType.data || result.type === ResultType.error);\n}\nfunction isRedirectDataStrategyResultResult(result) {\n return isResponse(result.result) && redirectStatusCodes.has(result.result.status);\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 isDataWithResponseInit(value) {\n return typeof value === \"object\" && value != null && \"type\" in value && \"data\" in value && \"init\" in value && value.type === \"DataWithResponseInit\";\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 isValidMethod(method) {\n return validRequestMethods.has(method.toLowerCase());\n}\nfunction isMutationMethod(method) {\n return validMutationMethods.has(method.toLowerCase());\n}\nasync function resolveNavigationDeferredResults(matches, results, signal, currentMatches, currentLoaderData) {\n let entries = Object.entries(results);\n for (let index = 0; index < entries.length; index++) {\n let [routeId, result] = entries[index];\n let match = matches.find(m => (m == null ? void 0 : m.route.id) === routeId);\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) && 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 await resolveDeferredData(result, signal, false).then(result => {\n if (result) {\n results[routeId] = result;\n }\n });\n }\n }\n}\nasync function resolveFetcherDeferredResults(matches, results, revalidatingFetchers) {\n for (let index = 0; index < revalidatingFetchers.length; index++) {\n let {\n key,\n routeId,\n controller\n } = revalidatingFetchers[index];\n let result = results[key];\n let match = matches.find(m => (m == null ? void 0 : m.route.id) === routeId);\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 if (isDeferredResult(result)) {\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 invariant(controller, \"Expected an AbortController for revalidating fetcher deferred result\");\n await resolveDeferredData(result, controller.signal, true).then(result => {\n if (result) {\n results[key] = result;\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, decodePath as UNSAFE_decodePath, getResolveToMatches as UNSAFE_getResolveToMatches, invariant as UNSAFE_invariant, warning as UNSAFE_warning, createBrowserHistory, createHashHistory, createMemoryHistory, createPath, createRouter, createStaticHandler, data, defer, generatePath, getStaticContextFromError, getToPathname, isDataWithResponseInit, isDeferredData, isRouteErrorResponse, joinPaths, json, matchPath, matchRoutes, normalizePathname, parsePath, redirect, redirectDocument, replace, resolvePath, resolveTo, stripBasename };","map":{"version":3,"names":["Action","PopStateEventType","createMemoryHistory","options","initialEntries","initialIndex","v5Compat","entries","map","entry","index","createMemoryLocation","state","undefined","clampIndex","length","action","Pop","listener","n","Math","min","max","getCurrentLocation","to","key","location","createLocation","pathname","warning","charAt","JSON","stringify","createHref","createPath","history","createURL","URL","encodeLocation","path","parsePath","search","hash","push","Push","nextLocation","splice","delta","replace","Replace","go","nextIndex","listen","fn","createBrowserHistory","createBrowserLocation","window","globalHistory","usr","createBrowserHref","getUrlBasedHistory","createHashHistory","createHashLocation","substr","startsWith","createHashHref","base","document","querySelector","href","getAttribute","url","hashIndex","indexOf","slice","validateHashLocation","invariant","value","message","Error","cond","console","warn","e","createKey","random","toString","getHistoryState","idx","current","_extends","_ref","parsedPath","searchIndex","getLocation","validateLocation","defaultView","getIndex","replaceState","handlePop","historyState","pushState","error","DOMException","name","assign","origin","addEventListener","removeEventListener","ResultType","immutableRouteKeys","Set","isIndexRoute","route","convertRoutesToDataRoutes","routes","mapRouteProperties","parentPath","manifest","treePath","String","id","join","children","indexRoute","pathOrLayoutRoute","matchRoutes","locationArg","basename","matchRoutesImpl","allowPartial","stripBasename","branches","flattenRoutes","rankRouteBranches","matches","i","decoded","decodePath","matchRouteBranch","convertRouteMatchToUiMatch","match","loaderData","params","data","handle","parentsMeta","flattenRoute","relativePath","meta","caseSensitive","childrenIndex","joinPaths","routesMeta","concat","score","computeScore","forEach","_route$path","includes","exploded","explodeOptionalSegments","segments","split","first","rest","isOptional","endsWith","required","restExploded","result","subpath","sort","a","b","compareIndexes","paramRe","dynamicSegmentValue","indexRouteValue","emptySegmentValue","staticSegmentValue","splatPenalty","isSplat","s","initialScore","some","filter","reduce","segment","test","siblings","every","branch","matchedParams","matchedPathname","end","remainingPathname","matchPath","Object","pathnameBase","normalizePathname","generatePath","originalPath","prefix","p","array","isLastSegment","star","keyMatch","optional","param","pattern","matcher","compiledParams","compilePath","captureGroups","memo","paramName","splatValue","regexpSource","_","RegExp","v","decodeURIComponent","toLowerCase","startIndex","nextChar","ABSOLUTE_URL_REGEX$1","isAbsoluteUrl","resolvePath","fromPathname","toPathname","oldPathname","resolvePathname","substring","normalizeSearch","normalizeHash","relativeSegments","pop","getInvalidPathError","char","field","dest","getPathContributingMatches","getResolveToMatches","v7_relativeSplatPath","pathMatches","resolveTo","toArg","routePathnames","locationPathname","isPathRelative","isEmptyPath","from","routePathnameIndex","toSegments","shift","hasExplicitTrailingSlash","hasCurrentTrailingSlash","getToPathname","paths","json","init","responseInit","status","headers","Headers","has","set","Response","DataWithResponseInit","constructor","type","AbortedDeferredError","DeferredData","pendingKeysSet","subscribers","deferredKeys","Array","isArray","reject","abortPromise","Promise","r","controller","AbortController","onAbort","unlistenAbortSignal","signal","acc","_ref2","trackPromise","done","add","promise","race","then","onSettle","catch","defineProperty","get","aborted","delete","undefinedError","emit","settledKey","subscriber","subscribe","cancel","abort","k","resolveData","resolve","size","unwrappedData","_ref3","unwrapTrackedPromise","pendingKeys","isTrackedPromise","_tracked","_error","_data","defer","redirect","redirectDocument","response","ErrorResponseImpl","statusText","internal","isRouteErrorResponse","validMutationMethodsArr","validMutationMethods","validRequestMethodsArr","validRequestMethods","redirectStatusCodes","redirectPreserveMethodStatusCodes","IDLE_NAVIGATION","formMethod","formAction","formEncType","formData","text","IDLE_FETCHER","IDLE_BLOCKER","proceed","reset","ABSOLUTE_URL_REGEX","defaultMapRouteProperties","hasErrorBoundary","Boolean","TRANSITIONS_STORAGE_KEY","createRouter","routerWindow","isBrowser","createElement","isServer","detectErrorBoundary","dataRoutes","inFlightDataRoutes","dataStrategyImpl","dataStrategy","defaultDataStrategy","patchRoutesOnNavigationImpl","patchRoutesOnNavigation","future","v7_fetcherPersist","v7_normalizeFormMethod","v7_partialHydration","v7_prependBasename","v7_skipActionErrorRevalidation","unlistenHistory","savedScrollPositions","getScrollRestorationKey","getScrollPosition","initialScrollRestored","hydrationData","initialMatches","initialMatchesIsFOW","initialErrors","getInternalRouterError","getShortCircuitMatches","fogOfWar","checkFogOfWar","active","initialized","m","lazy","loader","errors","findIndex","shouldLoadRouteOnHydration","router","historyAction","navigation","restoreScrollPosition","preventScrollReset","revalidation","actionData","fetchers","Map","blockers","pendingAction","pendingPreventScrollReset","pendingNavigationController","pendingViewTransitionEnabled","appliedViewTransitions","removePageHideEventListener","isUninterruptedRevalidation","isRevalidationRequired","cancelledDeferredRoutes","cancelledFetcherLoads","fetchControllers","incrementingLoadId","pendingNavigationLoadId","fetchReloadIds","fetchRedirectIds","fetchLoadMatches","activeFetchers","deletedFetchers","activeDeferreds","blockerFunctions","unblockBlockerHistoryUpdate","initialize","blockerKey","shouldBlockNavigation","currentLocation","nextHistoryUpdatePromise","updateBlocker","updateState","startNavigation","restoreAppliedTransitions","_saveAppliedTransitions","persistAppliedTransitions","initialHydration","dispose","clear","deleteFetcher","deleteBlocker","newState","opts","completedFetchers","deletedFetchersKeys","fetcher","viewTransitionOpts","flushSync","completeNavigation","_temp","_location$state","_location$state2","isActionReload","isMutationMethod","_isRedirect","keys","mergeLoaderData","priorPaths","toPaths","getSavedScrollPosition","navigate","normalizedPath","normalizeTo","fromRouteId","relative","submission","normalizeNavigateOptions","userReplace","pendingError","enableViewTransition","viewTransition","revalidate","interruptActiveLoads","startUninterruptedRevalidation","overrideNavigation","saveScrollPosition","routesToUse","loadingNavigation","isHashChangeOnly","notFoundMatches","handleNavigational404","request","createClientSideRequest","pendingActionResult","findNearestBoundary","actionResult","handleAction","shortCircuited","routeId","isErrorResult","getLoadingNavigation","updatedMatches","handleLoaders","fetcherSubmission","getActionDataForCommit","isFogOfWar","getSubmittingNavigation","discoverResult","discoverRoutes","boundaryId","partialMatches","actionMatch","getTargetMatch","method","results","callDataStrategy","isRedirectResult","normalizeRedirectLocation","startRedirectNavigation","isDeferredResult","boundaryMatch","activeSubmission","getSubmissionFromNavigation","shouldUpdateNavigationState","getUpdatedActionData","matchesToLoad","revalidatingFetchers","getMatchesToLoad","cancelActiveDeferreds","updatedFetchers","markFetchRedirectsDone","updates","getUpdatedRevalidatingFetchers","rf","abortFetcher","abortPendingFetchRevalidations","f","loaderResults","fetcherResults","callLoadersAndMaybeResolveData","findRedirect","processLoaderData","deferredData","didAbortFetchLoads","abortStaleFetchLoads","shouldUpdateFetchers","revalidatingFetcher","getLoadingFetcher","fetch","setFetcherError","handleFetcherAction","handleFetcherLoader","requestMatches","detectAndHandle405Error","existingFetcher","updateFetcherState","getSubmittingFetcher","abortController","fetchRequest","originatingLoadId","actionResults","getDoneFetcher","revalidationRequest","loadId","loadFetcher","staleKey","doneFetcher","resolveDeferredData","isNavigation","_temp2","redirectLocation","isDocumentReload","redirectHistoryAction","fetcherKey","dataResults","callDataStrategyImpl","isRedirectDataStrategyResultResult","normalizeRelativeRoutingRedirectResponse","convertDataStrategyResultToDataResult","fetchersToLoad","currentMatches","loaderResultsPromise","fetcherResultsPromise","all","resolveNavigationDeferredResults","resolveFetcherDeferredResults","getFetcher","deleteFetcherAndUpdateState","count","markFetchersDone","doneKeys","landedId","yeetedKeys","getBlocker","blocker","newBlocker","blockerFunction","predicate","cancelledRouteIds","dfd","enableScrollRestoration","positions","getPosition","getKey","y","getScrollKey","fogMatches","isNonHMR","localManifest","patch","patchRoutesImpl","newMatches","newPartialMatches","_internalSetRoutes","newRoutes","patchRoutes","_internalFetchControllers","_internalActiveDeferreds","UNSAFE_DEFERRED_SYMBOL","Symbol","createStaticHandler","v7_throwAbortReason","query","_temp3","requestContext","skipLoaderErrorBubbling","isValidMethod","methodNotAllowedMatches","statusCode","loaderHeaders","actionHeaders","queryImpl","isResponse","queryRoute","_temp4","find","values","_result$activeDeferre","routeMatch","submit","loadRouteData","isDataStrategyResult","isRedirectResponse","isRouteRequest","throwStaticHandlerAbortedError","Location","loaderRequest","Request","context","getLoaderMatchesUntilBoundary","processRouteLoaderData","executedLoaders","fromEntries","getStaticContextFromError","newContext","_deepestRenderedBoundaryId","reason","isSubmissionNavigation","body","prependBasename","contextualMatches","activeRouteMatch","nakedIndex","hasNakedIndexQuery","URLSearchParams","indexValues","getAll","append","qs","normalizeFormMethod","isFetcher","getInvalidBodyError","rawFormMethod","toUpperCase","stripHashFromPath","FormData","parse","searchParams","convertFormDataToSearchParams","convertSearchParamsToFormData","includeBoundary","skipActionErrorRevalidation","currentUrl","nextUrl","boundaryMatches","actionStatus","shouldSkipRevalidation","navigationMatches","isNewLoader","currentRouteMatch","nextRouteMatch","shouldRevalidateLoader","currentParams","nextParams","defaultShouldRevalidate","isNewRouteInstance","fetcherMatches","fetcherMatch","shouldRevalidate","hasData","hasError","hydrate","currentLoaderData","currentMatch","isNew","isMissingData","currentPath","loaderMatch","arg","routeChoice","_childrenToPatch","childrenToPatch","uniqueChildren","newRoute","existingRoute","isSameRoute","aChild","_existingRoute$childr","bChild","loadLazyRouteModule","lazyRoute","routeToUpdate","routeUpdates","lazyRouteProperty","staticRouteValue","isPropertyStaticallyDefined","_ref4","shouldLoad","loadRouteDefinitionsPromises","dsMatches","loadRoutePromise","handlerOverride","callLoaderOrAction","staticContext","onReject","runHandler","handler","actualHandler","ctx","handlerPromise","val","handlerError","dataStrategyResult","contentType","isDataWithResponseInit","_result$init3","_result$init4","_result$init","_result$init2","isDeferredData","_result$init5","_result$init6","deferred","_result$init7","_result$init8","trimmedMatches","historyInstance","invalidProtocols","normalizedLocation","protocol","isSameBasename","foundError","newLoaderData","mergedLoaderData","hasOwnProperty","eligibleMatches","reverse","_temp5","errorMessage","isRevalidatingLoader","unwrap","_window","transitions","sessionPositions","sessionStorage","getItem","setItem"],"sources":["/Users/laurynj/Desktop/해양경찰업 공공사업/@GIS_함정용/GIS_함정용_리액트/dark/node_modules/@remix-run/router/history.ts","/Users/laurynj/Desktop/해양경찰업 공공사업/@GIS_함정용/GIS_함정용_리액트/dark/node_modules/@remix-run/router/utils.ts","/Users/laurynj/Desktop/해양경찰업 공공사업/@GIS_함정용/GIS_함정용_리액트/dark/node_modules/@remix-run/router/router.ts"],"sourcesContent":["////////////////////////////////////////////////////////////////////////////////\n//#region Types and Constants\n////////////////////////////////////////////////////////////////////////////////\n\n/**\n * Actions represent the type of change to a location value.\n */\nexport enum 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 Pop = \"POP\",\n\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 Push = \"PUSH\",\n\n /**\n * A REPLACE indicates the entry at the current index in the history stack\n * being replaced by a new one.\n */\n Replace = \"REPLACE\",\n}\n\n/**\n * The pathname, search, and hash values of a URL.\n */\nexport interface Path {\n /**\n * A URL pathname, beginning with a /.\n */\n pathname: string;\n\n /**\n * A URL search string, beginning with a ?.\n */\n search: string;\n\n /**\n * A URL fragment identifier, beginning with a #.\n */\n hash: string;\n}\n\n// TODO: (v7) Change the Location generic default from `any` to `unknown` and\n// remove Remix `useLocation` wrapper.\n\n/**\n * An entry in a history stack. A location contains information about the\n * URL path, as well as possibly some arbitrary state and a key.\n */\nexport interface Location<State = any> extends Path {\n /**\n * A value of arbitrary data associated with this location.\n */\n state: State;\n\n /**\n * A unique string associated with this location. May be used to safely store\n * and retrieve data in some other storage API, like `localStorage`.\n *\n * Note: This value is always \"default\" on the initial location.\n */\n key: string;\n}\n\n/**\n * A change to the current location.\n */\nexport interface Update {\n /**\n * The action that triggered the change.\n */\n action: Action;\n\n /**\n * The new location.\n */\n location: Location;\n\n /**\n * The delta between this location and the former location in the history stack\n */\n delta: number | null;\n}\n\n/**\n * A function that receives notifications about location changes.\n */\nexport interface Listener {\n (update: Update): void;\n}\n\n/**\n * Describes a location that is the destination of some navigation, either via\n * `history.push` or `history.replace`. This may be either a URL or the pieces\n * of a URL path.\n */\nexport type To = string | Partial<Path>;\n\n/**\n * A history is an interface to the navigation stack. The history serves as the\n * source of truth for the current location, as well as provides a set of\n * methods that may be used to change it.\n *\n * It is similar to the DOM's `window.history` object, but with a smaller, more\n * focused API.\n */\nexport interface History {\n /**\n * The last action that modified the current location. This will always be\n * Action.Pop when a history instance is first created. This value is mutable.\n */\n readonly action: Action;\n\n /**\n * The current location. This value is mutable.\n */\n readonly location: Location;\n\n /**\n * Returns a valid href for the given `to` value that may be used as\n * the value of an <a href> attribute.\n *\n * @param to - The destination URL\n */\n createHref(to: To): string;\n\n /**\n * Returns a URL for the given `to` value\n *\n * @param to - The destination URL\n */\n createURL(to: To): URL;\n\n /**\n * Encode a location the same way window.history would do (no-op for memory\n * history) so we ensure our PUSH/REPLACE navigations for data routers\n * behave the same as POP\n *\n * @param to Unencoded path\n */\n encodeLocation(to: To): Path;\n\n /**\n * Pushes a new location onto the history stack, increasing its length by one.\n * If there were any entries in the stack after the current one, they are\n * lost.\n *\n * @param to - The new URL\n * @param state - Data to associate with the new location\n */\n push(to: To, state?: any): void;\n\n /**\n * Replaces the current location in the history stack with a new one. The\n * location that was replaced will no longer be available.\n *\n * @param to - The new URL\n * @param state - Data to associate with the new location\n */\n replace(to: To, state?: any): void;\n\n /**\n * Navigates `n` entries backward/forward in the history stack relative to the\n * current index. For example, a \"back\" navigation would use go(-1).\n *\n * @param delta - The delta in the stack index\n */\n go(delta: number): void;\n\n /**\n * Sets up a listener that will be called whenever the current location\n * changes.\n *\n * @param listener - A function that will be called when the location changes\n * @returns unlisten - A function that may be used to stop listening\n */\n listen(listener: Listener): () => void;\n}\n\ntype HistoryState = {\n usr: any;\n key?: string;\n idx: number;\n};\n\nconst PopStateEventType = \"popstate\";\n//#endregion\n\n////////////////////////////////////////////////////////////////////////////////\n//#region Memory History\n////////////////////////////////////////////////////////////////////////////////\n\n/**\n * A user-supplied object that describes a location. Used when providing\n * entries to `createMemoryHistory` via its `initialEntries` option.\n */\nexport type InitialEntry = string | Partial<Location>;\n\nexport type MemoryHistoryOptions = {\n initialEntries?: InitialEntry[];\n initialIndex?: number;\n v5Compat?: boolean;\n};\n\n/**\n * A memory history stores locations in memory. This is useful in stateful\n * environments where there is no web browser, such as node tests or React\n * Native.\n */\nexport interface MemoryHistory extends History {\n /**\n * The current index in the history stack.\n */\n readonly index: number;\n}\n\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 */\nexport function createMemoryHistory(\n options: MemoryHistoryOptions = {}\n): MemoryHistory {\n let { initialEntries = [\"/\"], initialIndex, v5Compat = false } = options;\n let entries: Location[]; // Declare so we can access from createMemoryLocation\n entries = initialEntries.map((entry, index) =>\n createMemoryLocation(\n entry,\n typeof entry === \"string\" ? null : entry.state,\n index === 0 ? \"default\" : undefined\n )\n );\n let index = clampIndex(\n initialIndex == null ? entries.length - 1 : initialIndex\n );\n let action = Action.Pop;\n let listener: Listener | null = null;\n\n function clampIndex(n: number): number {\n return Math.min(Math.max(n, 0), entries.length - 1);\n }\n function getCurrentLocation(): Location {\n return entries[index];\n }\n function createMemoryLocation(\n to: To,\n state: any = null,\n key?: string\n ): Location {\n let location = createLocation(\n entries ? getCurrentLocation().pathname : \"/\",\n to,\n state,\n key\n );\n warning(\n location.pathname.charAt(0) === \"/\",\n `relative pathnames are not supported in memory history: ${JSON.stringify(\n to\n )}`\n );\n return location;\n }\n\n function createHref(to: To) {\n return typeof to === \"string\" ? to : createPath(to);\n }\n\n let history: MemoryHistory = {\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: 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({ action, location: nextLocation, delta: 1 });\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({ action, location: nextLocation, delta: 0 });\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({ action, location: nextLocation, delta });\n }\n },\n listen(fn: Listener) {\n listener = fn;\n return () => {\n listener = null;\n };\n },\n };\n\n return history;\n}\n//#endregion\n\n////////////////////////////////////////////////////////////////////////////////\n//#region Browser History\n////////////////////////////////////////////////////////////////////////////////\n\n/**\n * A browser history stores the current location in regular URLs in a web\n * browser environment. This is the standard for most web apps and provides the\n * cleanest URLs the browser's address bar.\n *\n * @see https://github.com/remix-run/history/tree/main/docs/api-reference.md#browserhistory\n */\nexport interface BrowserHistory extends UrlHistory {}\n\nexport type BrowserHistoryOptions = UrlHistoryOptions;\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 */\nexport function createBrowserHistory(\n options: BrowserHistoryOptions = {}\n): BrowserHistory {\n function createBrowserLocation(\n window: Window,\n globalHistory: Window[\"history\"]\n ) {\n let { pathname, search, hash } = window.location;\n return createLocation(\n \"\",\n { pathname, search, hash },\n // state defaults to `null` because `window.history.state` does\n (globalHistory.state && globalHistory.state.usr) || null,\n (globalHistory.state && globalHistory.state.key) || \"default\"\n );\n }\n\n function createBrowserHref(window: Window, to: To) {\n return typeof to === \"string\" ? to : createPath(to);\n }\n\n return getUrlBasedHistory(\n createBrowserLocation,\n createBrowserHref,\n null,\n options\n );\n}\n//#endregion\n\n////////////////////////////////////////////////////////////////////////////////\n//#region Hash History\n////////////////////////////////////////////////////////////////////////////////\n\n/**\n * A hash history stores the current location in the fragment identifier portion\n * of the URL in a web browser environment.\n *\n * This is ideal for apps that do not control the server for some reason\n * (because the fragment identifier is never sent to the server), including some\n * shared hosting environments that do not provide fine-grained controls over\n * which pages are served at which URLs.\n *\n * @see https://github.com/remix-run/history/tree/main/docs/api-reference.md#hashhistory\n */\nexport interface HashHistory extends UrlHistory {}\n\nexport type HashHistoryOptions = UrlHistoryOptions;\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 */\nexport function createHashHistory(\n options: HashHistoryOptions = {}\n): HashHistory {\n function createHashLocation(\n window: Window,\n globalHistory: Window[\"history\"]\n ) {\n let {\n pathname = \"/\",\n search = \"\",\n hash = \"\",\n } = parsePath(window.location.hash.substr(1));\n\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 (<Route path=\"*\">) 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\n return createLocation(\n \"\",\n { pathname, search, hash },\n // state defaults to `null` because `window.history.state` does\n (globalHistory.state && globalHistory.state.usr) || null,\n (globalHistory.state && globalHistory.state.key) || \"default\"\n );\n }\n\n function createHashHref(window: Window, to: To) {\n let base = window.document.querySelector(\"base\");\n let href = \"\";\n\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\n return href + \"#\" + (typeof to === \"string\" ? to : createPath(to));\n }\n\n function validateHashLocation(location: Location, to: To) {\n warning(\n location.pathname.charAt(0) === \"/\",\n `relative pathnames are not supported in hash history.push(${JSON.stringify(\n to\n )})`\n );\n }\n\n return getUrlBasedHistory(\n createHashLocation,\n createHashHref,\n validateHashLocation,\n options\n );\n}\n//#endregion\n\n////////////////////////////////////////////////////////////////////////////////\n//#region UTILS\n////////////////////////////////////////////////////////////////////////////////\n\n/**\n * @private\n */\nexport function invariant(value: boolean, message?: string): asserts value;\nexport function invariant<T>(\n value: T | null | undefined,\n message?: string\n): asserts value is T;\nexport function invariant(value: any, message?: string) {\n if (value === false || value === null || typeof value === \"undefined\") {\n throw new Error(message);\n }\n}\n\nexport function warning(cond: any, message: string) {\n if (!cond) {\n // eslint-disable-next-line no-console\n if (typeof console !== \"undefined\") console.warn(message);\n\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}\n\nfunction createKey() {\n return Math.random().toString(36).substr(2, 8);\n}\n\n/**\n * For browser-based histories, we combine the state and key into an object\n */\nfunction getHistoryState(location: Location, index: number): HistoryState {\n return {\n usr: location.state,\n key: location.key,\n idx: index,\n };\n}\n\n/**\n * Creates a Location object with a unique key from the given Path\n */\nexport function createLocation(\n current: string | Location,\n to: To,\n state: any = null,\n key?: string\n): Readonly<Location> {\n let location: Readonly<Location> = {\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 as Location).key) || key || createKey(),\n };\n return location;\n}\n\n/**\n * Creates a string URL path from the given pathname, search, and hash components.\n */\nexport function createPath({\n pathname = \"/\",\n search = \"\",\n hash = \"\",\n}: Partial<Path>) {\n if (search && search !== \"?\")\n pathname += search.charAt(0) === \"?\" ? search : \"?\" + search;\n if (hash && hash !== \"#\")\n pathname += hash.charAt(0) === \"#\" ? hash : \"#\" + hash;\n return pathname;\n}\n\n/**\n * Parses a string URL path into its separate pathname, search, and hash components.\n */\nexport function parsePath(path: string): Partial<Path> {\n let parsedPath: Partial<Path> = {};\n\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\n let searchIndex = path.indexOf(\"?\");\n if (searchIndex >= 0) {\n parsedPath.search = path.substr(searchIndex);\n path = path.substr(0, searchIndex);\n }\n\n if (path) {\n parsedPath.pathname = path;\n }\n }\n\n return parsedPath;\n}\n\nexport interface UrlHistory extends History {}\n\nexport type UrlHistoryOptions = {\n window?: Window;\n v5Compat?: boolean;\n};\n\nfunction getUrlBasedHistory(\n getLocation: (window: Window, globalHistory: Window[\"history\"]) => Location,\n createHref: (window: Window, to: To) => string,\n validateLocation: ((location: Location, to: To) => void) | null,\n options: UrlHistoryOptions = {}\n): UrlHistory {\n let { window = document.defaultView!, v5Compat = false } = options;\n let globalHistory = window.history;\n let action = Action.Pop;\n let listener: Listener | null = null;\n\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({ ...globalHistory.state, idx: index }, \"\");\n }\n\n function getIndex(): number {\n let state = globalHistory.state || { idx: null };\n return state.idx;\n }\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({ action, location: history.location, delta });\n }\n }\n\n function push(to: To, state?: any) {\n action = Action.Push;\n let location = createLocation(history.location, to, state);\n if (validateLocation) validateLocation(location, to);\n\n index = getIndex() + 1;\n let historyState = getHistoryState(location, index);\n let url = history.createHref(location);\n\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\n if (v5Compat && listener) {\n listener({ action, location: history.location, delta: 1 });\n }\n }\n\n function replace(to: To, state?: any) {\n action = Action.Replace;\n let location = createLocation(history.location, to, state);\n if (validateLocation) validateLocation(location, to);\n\n index = getIndex();\n let historyState = getHistoryState(location, index);\n let url = history.createHref(location);\n globalHistory.replaceState(historyState, \"\", url);\n\n if (v5Compat && listener) {\n listener({ action, location: history.location, delta: 0 });\n }\n }\n\n function createURL(to: To): URL {\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 =\n window.location.origin !== \"null\"\n ? window.location.origin\n : window.location.href;\n\n let href = typeof to === \"string\" ? to : createPath(to);\n // Treating this as a full URL will strip any trailing spaces so we need to\n // pre-encode them since they might be part of a matching splat param from\n // an ancestor route\n href = href.replace(/ $/, \"%20\");\n invariant(\n base,\n `No window.location.(origin|href) available to create URL for href: ${href}`\n );\n return new URL(href, base);\n }\n\n let history: History = {\n get action() {\n return action;\n },\n get location() {\n return getLocation(window, globalHistory);\n },\n listen(fn: Listener) {\n if (listener) {\n throw new Error(\"A history only accepts one active listener\");\n }\n window.addEventListener(PopStateEventType, handlePop);\n listener = fn;\n\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\n return history;\n}\n\n//#endregion\n","import type { Location, Path, To } from \"./history\";\nimport { invariant, parsePath, warning } from \"./history\";\n\n/**\n * Map of routeId -> data returned from a loader/action/error\n */\nexport interface RouteData {\n [routeId: string]: any;\n}\n\nexport enum ResultType {\n data = \"data\",\n deferred = \"deferred\",\n redirect = \"redirect\",\n error = \"error\",\n}\n\n/**\n * Successful result from a loader or action\n */\nexport interface SuccessResult {\n type: ResultType.data;\n data: unknown;\n statusCode?: number;\n headers?: Headers;\n}\n\n/**\n * Successful defer() result from a loader or action\n */\nexport interface DeferredResult {\n type: ResultType.deferred;\n deferredData: DeferredData;\n statusCode?: number;\n headers?: Headers;\n}\n\n/**\n * Redirect result from a loader or action\n */\nexport interface RedirectResult {\n type: ResultType.redirect;\n // We keep the raw Response for redirects so we can return it verbatim\n response: Response;\n}\n\n/**\n * Unsuccessful result from a loader or action\n */\nexport interface ErrorResult {\n type: ResultType.error;\n error: unknown;\n statusCode?: number;\n headers?: Headers;\n}\n\n/**\n * Result from a loader or action - potentially successful or unsuccessful\n */\nexport type DataResult =\n | SuccessResult\n | DeferredResult\n | RedirectResult\n | ErrorResult;\n\ntype LowerCaseFormMethod = \"get\" | \"post\" | \"put\" | \"patch\" | \"delete\";\ntype UpperCaseFormMethod = Uppercase<LowerCaseFormMethod>;\n\n/**\n * Users can specify either lowercase or uppercase form methods on `<Form>`,\n * useSubmit(), `<fetcher.Form>`, etc.\n */\nexport type HTMLFormMethod = LowerCaseFormMethod | UpperCaseFormMethod;\n\n/**\n * Active navigation/fetcher form methods are exposed in lowercase on the\n * RouterState\n */\nexport type FormMethod = LowerCaseFormMethod;\nexport type MutationFormMethod = Exclude<FormMethod, \"get\">;\n\n/**\n * In v7, active navigation/fetcher form methods are exposed in uppercase on the\n * RouterState. This is to align with the normalization done via fetch().\n */\nexport type V7_FormMethod = UpperCaseFormMethod;\nexport type V7_MutationFormMethod = Exclude<V7_FormMethod, \"GET\">;\n\nexport type FormEncType =\n | \"application/x-www-form-urlencoded\"\n | \"multipart/form-data\"\n | \"application/json\"\n | \"text/plain\";\n\n// Thanks https://github.com/sindresorhus/type-fest!\ntype JsonObject = { [Key in string]: JsonValue } & {\n [Key in string]?: JsonValue | undefined;\n};\ntype JsonArray = JsonValue[] | readonly JsonValue[];\ntype JsonPrimitive = string | number | boolean | null;\ntype JsonValue = JsonPrimitive | JsonObject | JsonArray;\n\n/**\n * @private\n * Internal interface to pass around for action submissions, not intended for\n * external consumption\n */\nexport type Submission =\n | {\n formMethod: FormMethod | V7_FormMethod;\n formAction: string;\n formEncType: FormEncType;\n formData: FormData;\n json: undefined;\n text: undefined;\n }\n | {\n formMethod: FormMethod | V7_FormMethod;\n formAction: string;\n formEncType: FormEncType;\n formData: undefined;\n json: JsonValue;\n text: undefined;\n }\n | {\n formMethod: FormMethod | V7_FormMethod;\n formAction: string;\n formEncType: FormEncType;\n formData: undefined;\n json: undefined;\n text: string;\n };\n\n/**\n * @private\n * Arguments passed to route loader/action functions. Same for now but we keep\n * this as a private implementation detail in case they diverge in the future.\n */\ninterface DataFunctionArgs<Context> {\n request: Request;\n params: Params;\n context?: Context;\n}\n\n// TODO: (v7) Change the defaults from any to unknown in and remove Remix wrappers:\n// ActionFunction, ActionFunctionArgs, LoaderFunction, LoaderFunctionArgs\n// Also, make them a type alias instead of an interface\n\n/**\n * Arguments passed to loader functions\n */\nexport interface LoaderFunctionArgs<Context = any>\n extends DataFunctionArgs<Context> {}\n\n/**\n * Arguments passed to action functions\n */\nexport interface ActionFunctionArgs<Context = any>\n extends DataFunctionArgs<Context> {}\n\n/**\n * Loaders and actions can return anything except `undefined` (`null` is a\n * valid return value if there is no data to return). Responses are preferred\n * and will ease any future migration to Remix\n */\ntype DataFunctionValue = Response | NonNullable<unknown> | null;\n\ntype DataFunctionReturnValue = Promise<DataFunctionValue> | DataFunctionValue;\n\n/**\n * Route loader function signature\n */\nexport type LoaderFunction<Context = any> = {\n (\n args: LoaderFunctionArgs<Context>,\n handlerCtx?: unknown\n ): DataFunctionReturnValue;\n} & { hydrate?: boolean };\n\n/**\n * Route action function signature\n */\nexport interface ActionFunction<Context = any> {\n (\n args: ActionFunctionArgs<Context>,\n handlerCtx?: unknown\n ): DataFunctionReturnValue;\n}\n\n/**\n * Arguments passed to shouldRevalidate function\n */\nexport interface ShouldRevalidateFunctionArgs {\n currentUrl: URL;\n currentParams: AgnosticDataRouteMatch[\"params\"];\n nextUrl: URL;\n nextParams: AgnosticDataRouteMatch[\"params\"];\n formMethod?: Submission[\"formMethod\"];\n formAction?: Submission[\"formAction\"];\n formEncType?: Submission[\"formEncType\"];\n text?: Submission[\"text\"];\n formData?: Submission[\"formData\"];\n json?: Submission[\"json\"];\n actionStatus?: number;\n actionResult?: any;\n defaultShouldRevalidate: boolean;\n}\n\n/**\n * Route shouldRevalidate function signature. This runs after any submission\n * (navigation or fetcher), so we flatten the navigation/fetcher submission\n * onto the arguments. It shouldn't matter whether it came from a navigation\n * or a fetcher, what really matters is the URLs and the formData since loaders\n * have to re-run based on the data models that were potentially mutated.\n */\nexport interface ShouldRevalidateFunction {\n (args: ShouldRevalidateFunctionArgs): boolean;\n}\n\n/**\n * Function provided by the framework-aware layers to set `hasErrorBoundary`\n * from the framework-aware `errorElement` prop\n *\n * @deprecated Use `mapRouteProperties` instead\n */\nexport interface DetectErrorBoundaryFunction {\n (route: AgnosticRouteObject): boolean;\n}\n\nexport interface DataStrategyMatch\n extends AgnosticRouteMatch<string, AgnosticDataRouteObject> {\n shouldLoad: boolean;\n resolve: (\n handlerOverride?: (\n handler: (ctx?: unknown) => DataFunctionReturnValue\n ) => DataFunctionReturnValue\n ) => Promise<DataStrategyResult>;\n}\n\nexport interface DataStrategyFunctionArgs<Context = any>\n extends DataFunctionArgs<Context> {\n matches: DataStrategyMatch[];\n fetcherKey: string | null;\n}\n\n/**\n * Result from a loader or action called via dataStrategy\n */\nexport interface DataStrategyResult {\n type: \"data\" | \"error\";\n result: unknown; // data, Error, Response, DeferredData, DataWithResponseInit\n}\n\nexport interface DataStrategyFunction {\n (args: DataStrategyFunctionArgs): Promise<Record<string, DataStrategyResult>>;\n}\n\nexport type AgnosticPatchRoutesOnNavigationFunctionArgs<\n O extends AgnosticRouteObject = AgnosticRouteObject,\n M extends AgnosticRouteMatch = AgnosticRouteMatch\n> = {\n signal: AbortSignal;\n path: string;\n matches: M[];\n fetcherKey: string | undefined;\n patch: (routeId: string | null, children: O[]) => void;\n};\n\nexport type AgnosticPatchRoutesOnNavigationFunction<\n O extends AgnosticRouteObject = AgnosticRouteObject,\n M extends AgnosticRouteMatch = AgnosticRouteMatch\n> = (\n opts: AgnosticPatchRoutesOnNavigationFunctionArgs<O, M>\n) => void | Promise<void>;\n\n/**\n * Function provided by the framework-aware layers to set any framework-specific\n * properties from framework-agnostic properties\n */\nexport interface MapRoutePropertiesFunction {\n (route: AgnosticRouteObject): {\n hasErrorBoundary: boolean;\n } & Record<string, any>;\n}\n\n/**\n * Keys we cannot change from within a lazy() function. We spread all other keys\n * onto the route. Either they're meaningful to the router, or they'll get\n * ignored.\n */\nexport type ImmutableRouteKey =\n | \"lazy\"\n | \"caseSensitive\"\n | \"path\"\n | \"id\"\n | \"index\"\n | \"children\";\n\nexport const immutableRouteKeys = new Set<ImmutableRouteKey>([\n \"lazy\",\n \"caseSensitive\",\n \"path\",\n \"id\",\n \"index\",\n \"children\",\n]);\n\ntype RequireOne<T, Key = keyof T> = Exclude<\n {\n [K in keyof T]: K extends Key ? Omit<T, K> & Required<Pick<T, K>> : never;\n }[keyof T],\n undefined\n>;\n\n/**\n * lazy() function to load a route definition, which can add non-matching\n * related properties to a route\n */\nexport interface LazyRouteFunction<R extends AgnosticRouteObject> {\n (): Promise<RequireOne<Omit<R, ImmutableRouteKey>>>;\n}\n\n/**\n * Base RouteObject with common props shared by all types of routes\n */\ntype AgnosticBaseRouteObject = {\n caseSensitive?: boolean;\n path?: string;\n id?: string;\n loader?: LoaderFunction | boolean;\n action?: ActionFunction | boolean;\n hasErrorBoundary?: boolean;\n shouldRevalidate?: ShouldRevalidateFunction;\n handle?: any;\n lazy?: LazyRouteFunction<AgnosticBaseRouteObject>;\n};\n\n/**\n * Index routes must not have children\n */\nexport type AgnosticIndexRouteObject = AgnosticBaseRouteObject & {\n children?: undefined;\n index: true;\n};\n\n/**\n * Non-index routes may have children, but cannot have index\n */\nexport type AgnosticNonIndexRouteObject = AgnosticBaseRouteObject & {\n children?: AgnosticRouteObject[];\n index?: false;\n};\n\n/**\n * A route object represents a logical route, with (optionally) its child\n * routes organized in a tree-like structure.\n */\nexport type AgnosticRouteObject =\n | AgnosticIndexRouteObject\n | AgnosticNonIndexRouteObject;\n\nexport type AgnosticDataIndexRouteObject = AgnosticIndexRouteObject & {\n id: string;\n};\n\nexport type AgnosticDataNonIndexRouteObject = AgnosticNonIndexRouteObject & {\n children?: AgnosticDataRouteObject[];\n id: string;\n};\n\n/**\n * A data route object, which is just a RouteObject with a required unique ID\n */\nexport type AgnosticDataRouteObject =\n | AgnosticDataIndexRouteObject\n | AgnosticDataNonIndexRouteObject;\n\nexport type RouteManifest = Record<string, AgnosticDataRouteObject | undefined>;\n\n// Recursive helper for finding path parameters in the absence of wildcards\ntype _PathParam<Path extends string> =\n // split path into individual path segments\n Path extends `${infer L}/${infer R}`\n ? _PathParam<L> | _PathParam<R>\n : // find params after `:`\n Path extends `:${infer Param}`\n ? Param extends `${infer Optional}?`\n ? Optional\n : Param\n : // otherwise, there aren't any params present\n never;\n\n/**\n * Examples:\n * \"/a/b/*\" -> \"*\"\n * \":a\" -> \"a\"\n * \"/a/:b\" -> \"b\"\n * \"/a/blahblahblah:b\" -> \"b\"\n * \"/:a/:b\" -> \"a\" | \"b\"\n * \"/:a/b/:c/*\" -> \"a\" | \"c\" | \"*\"\n */\nexport type PathParam<Path extends string> =\n // check if path is just a wildcard\n Path extends \"*\" | \"/*\"\n ? \"*\"\n : // look for wildcard at the end of the path\n Path extends `${infer Rest}/*`\n ? \"*\" | _PathParam<Rest>\n : // look for params in the absence of wildcards\n _PathParam<Path>;\n\n// Attempt to parse the given string segment. If it fails, then just return the\n// plain string type as a default fallback. Otherwise, return the union of the\n// parsed string literals that were referenced as dynamic segments in the route.\nexport type ParamParseKey<Segment extends string> =\n // if you could not find path params, fallback to `string`\n [PathParam<Segment>] extends [never] ? string : PathParam<Segment>;\n\n/**\n * The parameters that were parsed from the URL path.\n */\nexport type Params<Key extends string = string> = {\n readonly [key in Key]: string | undefined;\n};\n\n/**\n * A RouteMatch contains info about how a route matched a URL.\n */\nexport interface AgnosticRouteMatch<\n ParamKey extends string = string,\n RouteObjectType extends AgnosticRouteObject = AgnosticRouteObject\n> {\n /**\n * The names and values of dynamic parameters in the URL.\n */\n params: Params<ParamKey>;\n /**\n * The portion of the URL pathname that was matched.\n */\n pathname: string;\n /**\n * The portion of the URL pathname that was matched before child routes.\n */\n pathnameBase: string;\n /**\n * The route object that was used to match.\n */\n route: RouteObjectType;\n}\n\nexport interface AgnosticDataRouteMatch\n extends AgnosticRouteMatch<string, AgnosticDataRouteObject> {}\n\nfunction isIndexRoute(\n route: AgnosticRouteObject\n): route is AgnosticIndexRouteObject {\n return route.index === true;\n}\n\n// Walk the route tree generating unique IDs where necessary, so we are working\n// solely with AgnosticDataRouteObject's within the Router\nexport function convertRoutesToDataRoutes(\n routes: AgnosticRouteObject[],\n mapRouteProperties: MapRoutePropertiesFunction,\n parentPath: string[] = [],\n manifest: RouteManifest = {}\n): AgnosticDataRouteObject[] {\n return routes.map((route, index) => {\n let treePath = [...parentPath, String(index)];\n let id = typeof route.id === \"string\" ? route.id : treePath.join(\"-\");\n invariant(\n route.index !== true || !route.children,\n `Cannot specify children on an index route`\n );\n invariant(\n !manifest[id],\n `Found a route id collision on id \"${id}\". Route ` +\n \"id's must be globally unique within Data Router usages\"\n );\n\n if (isIndexRoute(route)) {\n let indexRoute: AgnosticDataIndexRouteObject = {\n ...route,\n ...mapRouteProperties(route),\n id,\n };\n manifest[id] = indexRoute;\n return indexRoute;\n } else {\n let pathOrLayoutRoute: AgnosticDataNonIndexRouteObject = {\n ...route,\n ...mapRouteProperties(route),\n id,\n children: undefined,\n };\n manifest[id] = pathOrLayoutRoute;\n\n if (route.children) {\n pathOrLayoutRoute.children = convertRoutesToDataRoutes(\n route.children,\n mapRouteProperties,\n treePath,\n manifest\n );\n }\n\n return pathOrLayoutRoute;\n }\n });\n}\n\n/**\n * Matches the given routes to a location and returns the match data.\n *\n * @see https://reactrouter.com/v6/utils/match-routes\n */\nexport function matchRoutes<\n RouteObjectType extends AgnosticRouteObject = AgnosticRouteObject\n>(\n routes: RouteObjectType[],\n locationArg: Partial<Location> | string,\n basename = \"/\"\n): AgnosticRouteMatch<string, RouteObjectType>[] | null {\n return matchRoutesImpl(routes, locationArg, basename, false);\n}\n\nexport function matchRoutesImpl<\n RouteObjectType extends AgnosticRouteObject = AgnosticRouteObject\n>(\n routes: RouteObjectType[],\n locationArg: Partial<Location> | string,\n basename: string,\n allowPartial: boolean\n): AgnosticRouteMatch<string, RouteObjectType>[] | null {\n let location =\n typeof locationArg === \"string\" ? parsePath(locationArg) : locationArg;\n\n let pathname = stripBasename(location.pathname || \"/\", basename);\n\n if (pathname == null) {\n return null;\n }\n\n let branches = flattenRoutes(routes);\n rankRouteBranches(branches);\n\n let matches = null;\n for (let i = 0; matches == null && i < branches.length; ++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 let decoded = decodePath(pathname);\n matches = matchRouteBranch<string, RouteObjectType>(\n branches[i],\n decoded,\n allowPartial\n );\n }\n\n return matches;\n}\n\nexport interface UIMatch<Data = unknown, Handle = unknown> {\n id: string;\n pathname: string;\n params: AgnosticRouteMatch[\"params\"];\n data: Data;\n handle: Handle;\n}\n\nexport function convertRouteMatchToUiMatch(\n match: AgnosticDataRouteMatch,\n loaderData: RouteData\n): UIMatch {\n let { route, pathname, params } = match;\n return {\n id: route.id,\n pathname,\n params,\n data: loaderData[route.id],\n handle: route.handle,\n };\n}\n\ninterface RouteMeta<\n RouteObjectType extends AgnosticRouteObject = AgnosticRouteObject\n> {\n relativePath: string;\n caseSensitive: boolean;\n childrenIndex: number;\n route: RouteObjectType;\n}\n\ninterface RouteBranch<\n RouteObjectType extends AgnosticRouteObject = AgnosticRouteObject\n> {\n path: string;\n score: number;\n routesMeta: RouteMeta<RouteObjectType>[];\n}\n\nfunction flattenRoutes<\n RouteObjectType extends AgnosticRouteObject = AgnosticRouteObject\n>(\n routes: RouteObjectType[],\n branches: RouteBranch<RouteObjectType>[] = [],\n parentsMeta: RouteMeta<RouteObjectType>[] = [],\n parentPath = \"\"\n): RouteBranch<RouteObjectType>[] {\n let flattenRoute = (\n route: RouteObjectType,\n index: number,\n relativePath?: string\n ) => {\n let meta: RouteMeta<RouteObjectType> = {\n relativePath:\n relativePath === undefined ? route.path || \"\" : relativePath,\n caseSensitive: route.caseSensitive === true,\n childrenIndex: index,\n route,\n };\n\n if (meta.relativePath.startsWith(\"/\")) {\n invariant(\n meta.relativePath.startsWith(parentPath),\n `Absolute route path \"${meta.relativePath}\" nested under path ` +\n `\"${parentPath}\" is not valid. An absolute child route path ` +\n `must start with the combined path of all its parent routes.`\n );\n\n meta.relativePath = meta.relativePath.slice(parentPath.length);\n }\n\n let path = joinPaths([parentPath, meta.relativePath]);\n let routesMeta = parentsMeta.concat(meta);\n\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,\n `Index routes must not have child routes. Please remove ` +\n `all child routes from route path \"${path}\".`\n );\n flattenRoutes(route.children, branches, routesMeta, path);\n }\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\n branches.push({\n path,\n score: computeScore(path, route.index),\n routesMeta,\n });\n };\n routes.forEach((route, index) => {\n // coarse-grain check for optional params\n if (route.path === \"\" || !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\n return branches;\n}\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: string): string[] {\n let segments = path.split(\"/\");\n if (segments.length === 0) return [];\n\n let [first, ...rest] = segments;\n\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\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\n let restExploded = explodeOptionalSegments(rest.join(\"/\"));\n\n let result: string[] = [];\n\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(\n ...restExploded.map((subpath) =>\n subpath === \"\" ? required : [required, subpath].join(\"/\")\n )\n );\n\n // Then, if this is an optional value, add all child versions without\n if (isOptional) {\n result.push(...restExploded);\n }\n\n // for absolute paths, ensure `/` instead of empty segment\n return result.map((exploded) =>\n path.startsWith(\"/\") && exploded === \"\" ? \"/\" : exploded\n );\n}\n\nfunction rankRouteBranches(branches: RouteBranch[]): void {\n branches.sort((a, b) =>\n a.score !== b.score\n ? b.score - a.score // Higher score first\n : compareIndexes(\n a.routesMeta.map((meta) => meta.childrenIndex),\n b.routesMeta.map((meta) => meta.childrenIndex)\n )\n );\n}\n\nconst paramRe = /^:[\\w-]+$/;\nconst dynamicSegmentValue = 3;\nconst indexRouteValue = 2;\nconst emptySegmentValue = 1;\nconst staticSegmentValue = 10;\nconst splatPenalty = -2;\nconst isSplat = (s: string) => s === \"*\";\n\nfunction computeScore(path: string, index: boolean | undefined): number {\n let segments = path.split(\"/\");\n let initialScore = segments.length;\n if (segments.some(isSplat)) {\n initialScore += splatPenalty;\n }\n\n if (index) {\n initialScore += indexRouteValue;\n }\n\n return segments\n .filter((s) => !isSplat(s))\n .reduce(\n (score, segment) =>\n score +\n (paramRe.test(segment)\n ? dynamicSegmentValue\n : segment === \"\"\n ? emptySegmentValue\n : staticSegmentValue),\n initialScore\n );\n}\n\nfunction compareIndexes(a: number[], b: number[]): number {\n let siblings =\n a.length === b.length && a.slice(0, -1).every((n, i) => n === b[i]);\n\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}\n\nfunction matchRouteBranch<\n ParamKey extends string = string,\n RouteObjectType extends AgnosticRouteObject = AgnosticRouteObject\n>(\n branch: RouteBranch<RouteObjectType>,\n pathname: string,\n allowPartial = false\n): AgnosticRouteMatch<ParamKey, RouteObjectType>[] | null {\n let { routesMeta } = branch;\n\n let matchedParams = {};\n let matchedPathname = \"/\";\n let matches: AgnosticRouteMatch<ParamKey, RouteObjectType>[] = [];\n for (let i = 0; i < routesMeta.length; ++i) {\n let meta = routesMeta[i];\n let end = i === routesMeta.length - 1;\n let remainingPathname =\n matchedPathname === \"/\"\n ? pathname\n : pathname.slice(matchedPathname.length) || \"/\";\n let match = matchPath(\n { path: meta.relativePath, caseSensitive: meta.caseSensitive, end },\n remainingPathname\n );\n\n let route = meta.route;\n\n if (\n !match &&\n end &&\n allowPartial &&\n !routesMeta[routesMeta.length - 1].route.index\n ) {\n match = matchPath(\n {\n path: meta.relativePath,\n caseSensitive: meta.caseSensitive,\n end: false,\n },\n remainingPathname\n );\n }\n\n if (!match) {\n return null;\n }\n\n Object.assign(matchedParams, match.params);\n\n matches.push({\n // TODO: Can this as be avoided?\n params: matchedParams as Params<ParamKey>,\n pathname: joinPaths([matchedPathname, match.pathname]),\n pathnameBase: normalizePathname(\n joinPaths([matchedPathname, match.pathnameBase])\n ),\n route,\n });\n\n if (match.pathnameBase !== \"/\") {\n matchedPathname = joinPaths([matchedPathname, match.pathnameBase]);\n }\n }\n\n return matches;\n}\n\n/**\n * Returns a path with params interpolated.\n *\n * @see https://reactrouter.com/v6/utils/generate-path\n */\nexport function generatePath<Path extends string>(\n originalPath: Path,\n params: {\n [key in PathParam<Path>]: string | null;\n } = {} as any\n): string {\n let path: string = originalPath;\n if (path.endsWith(\"*\") && path !== \"*\" && !path.endsWith(\"/*\")) {\n warning(\n false,\n `Route path \"${path}\" will be treated as if it were ` +\n `\"${path.replace(/\\*$/, \"/*\")}\" because the \\`*\\` character must ` +\n `always follow a \\`/\\` in the pattern. To get rid of this warning, ` +\n `please change the route path to \"${path.replace(/\\*$/, \"/*\")}\".`\n );\n path = path.replace(/\\*$/, \"/*\") as Path;\n }\n\n // ensure `/` is added at the beginning if the path is absolute\n const prefix = path.startsWith(\"/\") ? \"/\" : \"\";\n\n const stringify = (p: any) =>\n p == null ? \"\" : typeof p === \"string\" ? p : String(p);\n\n const segments = path\n .split(/\\/+/)\n .map((segment, index, array) => {\n const isLastSegment = index === array.length - 1;\n\n // only apply the splat if it's the last segment\n if (isLastSegment && segment === \"*\") {\n const star = \"*\" as PathParam<Path>;\n // Apply the splat\n return stringify(params[star]);\n }\n\n const keyMatch = segment.match(/^:([\\w-]+)(\\??)$/);\n if (keyMatch) {\n const [, key, optional] = keyMatch;\n let param = params[key as PathParam<Path>];\n invariant(optional === \"?\" || param != null, `Missing \":${key}\" param`);\n return stringify(param);\n }\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\n return prefix + segments.join(\"/\");\n}\n\n/**\n * A PathPattern is used to match on some portion of a URL pathname.\n */\nexport interface PathPattern<Path extends string = string> {\n /**\n * A string to match against a URL pathname. May contain `:id`-style segments\n * to indicate placeholders for dynamic parameters. May also end with `/*` to\n * indicate matching the rest of the URL pathname.\n */\n path: Path;\n /**\n * Should be `true` if the static portions of the `path` should be matched in\n * the same case.\n */\n caseSensitive?: boolean;\n /**\n * Should be `true` if this pattern should match the entire URL pathname.\n */\n end?: boolean;\n}\n\n/**\n * A PathMatch contains info about how a PathPattern matched on a URL pathname.\n */\nexport interface PathMatch<ParamKey extends string = string> {\n /**\n * The names and values of dynamic parameters in the URL.\n */\n params: Params<ParamKey>;\n /**\n * The portion of the URL pathname that was matched.\n */\n pathname: string;\n /**\n * The portion of the URL pathname that was matched before child routes.\n */\n pathnameBase: string;\n /**\n * The pattern that was used to match.\n */\n pattern: PathPattern;\n}\n\ntype Mutable<T> = {\n -readonly [P in keyof T]: T[P];\n};\n\n/**\n * Performs pattern matching on a URL pathname and returns information about\n * the match.\n *\n * @see https://reactrouter.com/v6/utils/match-path\n */\nexport function matchPath<\n ParamKey extends ParamParseKey<Path>,\n Path extends string\n>(\n pattern: PathPattern<Path> | Path,\n pathname: string\n): PathMatch<ParamKey> | null {\n if (typeof pattern === \"string\") {\n pattern = { path: pattern, caseSensitive: false, end: true };\n }\n\n let [matcher, compiledParams] = compilePath(\n pattern.path,\n pattern.caseSensitive,\n pattern.end\n );\n\n let match = pathname.match(matcher);\n if (!match) return null;\n\n let matchedPathname = match[0];\n let pathnameBase = matchedPathname.replace(/(.)\\/+$/, \"$1\");\n let captureGroups = match.slice(1);\n let params: Params = compiledParams.reduce<Mutable<Params>>(\n (memo, { paramName, isOptional }, index) => {\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\n .slice(0, matchedPathname.length - splatValue.length)\n .replace(/(.)\\/+$/, \"$1\");\n }\n\n const value = captureGroups[index];\n if (isOptional && !value) {\n memo[paramName] = undefined;\n } else {\n memo[paramName] = (value || \"\").replace(/%2F/g, \"/\");\n }\n return memo;\n },\n {}\n );\n\n return {\n params,\n pathname: matchedPathname,\n pathnameBase,\n pattern,\n };\n}\n\ntype CompiledPathParam = { paramName: string; isOptional?: boolean };\n\nfunction compilePath(\n path: string,\n caseSensitive = false,\n end = true\n): [RegExp, CompiledPathParam[]] {\n warning(\n path === \"*\" || !path.endsWith(\"*\") || path.endsWith(\"/*\"),\n `Route path \"${path}\" will be treated as if it were ` +\n `\"${path.replace(/\\*$/, \"/*\")}\" because the \\`*\\` character must ` +\n `always follow a \\`/\\` in the pattern. To get rid of this warning, ` +\n `please change the route path to \"${path.replace(/\\*$/, \"/*\")}\".`\n );\n\n let params: CompiledPathParam[] = [];\n let regexpSource =\n \"^\" +\n path\n .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(\n /\\/:([\\w-]+)(\\?)?/g,\n (_: string, paramName: string, isOptional) => {\n params.push({ paramName, isOptional: isOptional != null });\n return isOptional ? \"/?([^\\\\/]+)?\" : \"/([^\\\\/]+)\";\n }\n );\n\n if (path.endsWith(\"*\")) {\n params.push({ paramName: \"*\" });\n regexpSource +=\n path === \"*\" || path === \"/*\"\n ? \"(.*)$\" // 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 // Nothing to match for \"\" or \"/\"\n }\n\n let matcher = new RegExp(regexpSource, caseSensitive ? undefined : \"i\");\n\n return [matcher, params];\n}\n\nexport function decodePath(value: string) {\n try {\n return value\n .split(\"/\")\n .map((v) => decodeURIComponent(v).replace(/\\//g, \"%2F\"))\n .join(\"/\");\n } catch (error) {\n warning(\n false,\n `The URL path \"${value}\" could not be decoded because it is is a ` +\n `malformed URL segment. This is probably due to a bad percent ` +\n `encoding (${error}).`\n );\n\n return value;\n }\n}\n\n/**\n * @private\n */\nexport function stripBasename(\n pathname: string,\n basename: string\n): string | null {\n if (basename === \"/\") return pathname;\n\n if (!pathname.toLowerCase().startsWith(basename.toLowerCase())) {\n return null;\n }\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(\"/\")\n ? basename.length - 1\n : basename.length;\n let nextChar = pathname.charAt(startIndex);\n if (nextChar && nextChar !== \"/\") {\n // pathname does not start with basename/\n return null;\n }\n\n return pathname.slice(startIndex) || \"/\";\n}\n\nconst ABSOLUTE_URL_REGEX = /^(?:[a-z][a-z0-9+.-]*:|\\/\\/)/i;\nexport const isAbsoluteUrl = (url: string) => ABSOLUTE_URL_REGEX.test(url);\n\n/**\n * Returns a resolved path object relative to the given pathname.\n *\n * @see https://reactrouter.com/v6/utils/resolve-path\n */\nexport function resolvePath(to: To, fromPathname = \"/\"): Path {\n let {\n pathname: toPathname,\n search = \"\",\n hash = \"\",\n } = typeof to === \"string\" ? parsePath(to) : to;\n\n let pathname: string;\n if (toPathname) {\n if (isAbsoluteUrl(toPathname)) {\n pathname = toPathname;\n } else {\n if (toPathname.includes(\"//\")) {\n let oldPathname = toPathname;\n toPathname = toPathname.replace(/\\/\\/+/g, \"/\");\n warning(\n false,\n `Pathnames cannot have embedded double slashes - normalizing ` +\n `${oldPathname} -> ${toPathname}`\n );\n }\n if (toPathname.startsWith(\"/\")) {\n pathname = resolvePathname(toPathname.substring(1), \"/\");\n } else {\n pathname = resolvePathname(toPathname, fromPathname);\n }\n }\n } else {\n pathname = fromPathname;\n }\n\n return {\n pathname,\n search: normalizeSearch(search),\n hash: normalizeHash(hash),\n };\n}\n\nfunction resolvePathname(relativePath: string, fromPathname: string): string {\n let segments = fromPathname.replace(/\\/+$/, \"\").split(\"/\");\n let relativeSegments = relativePath.split(\"/\");\n\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\n return segments.length > 1 ? segments.join(\"/\") : \"/\";\n}\n\nfunction getInvalidPathError(\n char: string,\n field: string,\n dest: string,\n path: Partial<Path>\n) {\n return (\n `Cannot include a '${char}' character in a manually specified ` +\n `\\`to.${field}\\` field [${JSON.stringify(\n path\n )}]. Please separate it out to the ` +\n `\\`to.${dest}\\` field. Alternatively you may provide the full path as ` +\n `a string in <Link to=\"...\"> and the router will parse it for you.`\n );\n}\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 * <Route path=\"/\">\n * <Route path=\"accounts\" element={<Link to=\"..\"}>\n * </Route>\n *\n * <Route path=\"/\">\n * <Route path=\"accounts\">\n * <Route element={<AccountsLayout />}> // <-- Does not contribute\n * <Route index element={<Link to=\"..\"} /> // <-- Does not contribute\n * </Route\n * </Route>\n * </Route>\n */\nexport function getPathContributingMatches<\n T extends AgnosticRouteMatch = AgnosticRouteMatch\n>(matches: T[]) {\n return matches.filter(\n (match, index) =>\n index === 0 || (match.route.path && match.route.path.length > 0)\n );\n}\n\n// Return the array of pathnames for the current route matches - used to\n// generate the routePathnames input for resolveTo()\nexport function getResolveToMatches<\n T extends AgnosticRouteMatch = AgnosticRouteMatch\n>(matches: T[], v7_relativeSplatPath: boolean) {\n let pathMatches = getPathContributingMatches(matches);\n\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) =>\n idx === pathMatches.length - 1 ? match.pathname : match.pathnameBase\n );\n }\n\n return pathMatches.map((match) => match.pathnameBase);\n}\n\n/**\n * @private\n */\nexport function resolveTo(\n toArg: To,\n routePathnames: string[],\n locationPathname: string,\n isPathRelative = false\n): Path {\n let to: Partial<Path>;\n if (typeof toArg === \"string\") {\n to = parsePath(toArg);\n } else {\n to = { ...toArg };\n\n invariant(\n !to.pathname || !to.pathname.includes(\"?\"),\n getInvalidPathError(\"?\", \"pathname\", \"search\", to)\n );\n invariant(\n !to.pathname || !to.pathname.includes(\"#\"),\n getInvalidPathError(\"#\", \"pathname\", \"hash\", to)\n );\n invariant(\n !to.search || !to.search.includes(\"#\"),\n getInvalidPathError(\"#\", \"search\", \"hash\", to)\n );\n }\n\n let isEmptyPath = toArg === \"\" || to.pathname === \"\";\n let toPathname = isEmptyPath ? \"/\" : to.pathname;\n\n let from: string;\n\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 `<Link to>` 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\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 <a href> 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\n while (toSegments[0] === \"..\") {\n toSegments.shift();\n routePathnameIndex -= 1;\n }\n\n to.pathname = toSegments.join(\"/\");\n }\n\n from = routePathnameIndex >= 0 ? routePathnames[routePathnameIndex] : \"/\";\n }\n\n let path = resolvePath(to, from);\n\n // Ensure the pathname has a trailing slash if the original \"to\" had one\n let hasExplicitTrailingSlash =\n toPathname && toPathname !== \"/\" && toPathname.endsWith(\"/\");\n // Or if this was a link to the current path which has a trailing slash\n let hasCurrentTrailingSlash =\n (isEmptyPath || toPathname === \".\") && locationPathname.endsWith(\"/\");\n if (\n !path.pathname.endsWith(\"/\") &&\n (hasExplicitTrailingSlash || hasCurrentTrailingSlash)\n ) {\n path.pathname += \"/\";\n }\n\n return path;\n}\n\n/**\n * @private\n */\nexport function getToPathname(to: To): string | undefined {\n // Empty strings should be treated the same as / paths\n return to === \"\" || (to as Path).pathname === \"\"\n ? \"/\"\n : typeof to === \"string\"\n ? parsePath(to).pathname\n : to.pathname;\n}\n\n/**\n * @private\n */\nexport const joinPaths = (paths: string[]): string =>\n paths.join(\"/\").replace(/\\/\\/+/g, \"/\");\n\n/**\n * @private\n */\nexport const normalizePathname = (pathname: string): string =>\n pathname.replace(/\\/+$/, \"\").replace(/^\\/*/, \"/\");\n\n/**\n * @private\n */\nexport const normalizeSearch = (search: string): string =>\n !search || search === \"?\"\n ? \"\"\n : search.startsWith(\"?\")\n ? search\n : \"?\" + search;\n\n/**\n * @private\n */\nexport const normalizeHash = (hash: string): string =>\n !hash || hash === \"#\" ? \"\" : hash.startsWith(\"#\") ? hash : \"#\" + hash;\n\nexport type JsonFunction = <Data>(\n data: Data,\n init?: number | ResponseInit\n) => Response;\n\n/**\n * This is a shortcut for creating `application/json` responses. Converts `data`\n * to JSON and sets the `Content-Type` header.\n *\n * @deprecated The `json` method is deprecated in favor of returning raw objects.\n * This method will be removed in v7.\n */\nexport const json: JsonFunction = (data, init = {}) => {\n let responseInit = typeof init === \"number\" ? { status: init } : init;\n\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\n return new Response(JSON.stringify(data), {\n ...responseInit,\n headers,\n });\n};\n\nexport class DataWithResponseInit<D> {\n type: string = \"DataWithResponseInit\";\n data: D;\n init: ResponseInit | null;\n\n constructor(data: D, init?: ResponseInit) {\n this.data = data;\n this.init = init || null;\n }\n}\n\n/**\n * Create \"responses\" that contain `status`/`headers` without forcing\n * serialization into an actual `Response` - used by Remix single fetch\n */\nexport function data<D>(data: D, init?: number | ResponseInit) {\n return new DataWithResponseInit(\n data,\n typeof init === \"number\" ? { status: init } : init\n );\n}\n\nexport interface TrackedPromise extends Promise<any> {\n _tracked?: boolean;\n _data?: any;\n _error?: any;\n}\n\nexport class AbortedDeferredError extends Error {}\n\nexport class DeferredData {\n private pendingKeysSet: Set<string> = new Set<string>();\n private controller: AbortController;\n private abortPromise: Promise<void>;\n private unlistenAbortSignal: () => void;\n private subscribers: Set<(aborted: boolean, settledKey?: string) => void> =\n new Set();\n data: Record<string, unknown>;\n init?: ResponseInit;\n deferredKeys: string[] = [];\n\n constructor(data: Record<string, unknown>, responseInit?: ResponseInit) {\n invariant(\n data && typeof data === \"object\" && !Array.isArray(data),\n \"defer() only accepts plain objects\"\n );\n\n // Set up an AbortController + Promise we can race against to exit early\n // cancellation\n let reject: (e: AbortedDeferredError) => void;\n this.abortPromise = new Promise((_, r) => (reject = r));\n this.controller = new AbortController();\n let onAbort = () =>\n reject(new AbortedDeferredError(\"Deferred data aborted\"));\n this.unlistenAbortSignal = () =>\n this.controller.signal.removeEventListener(\"abort\", onAbort);\n this.controller.signal.addEventListener(\"abort\", onAbort);\n\n this.data = Object.entries(data).reduce(\n (acc, [key, value]) =>\n Object.assign(acc, {\n [key]: this.trackPromise(key, value),\n }),\n {}\n );\n\n if (this.done) {\n // All incoming values were resolved\n this.unlistenAbortSignal();\n }\n\n this.init = responseInit;\n }\n\n private trackPromise(\n key: string,\n value: Promise<unknown> | unknown\n ): TrackedPromise | unknown {\n if (!(value instanceof Promise)) {\n return value;\n }\n\n this.deferredKeys.push(key);\n this.pendingKeysSet.add(key);\n\n // We store a little wrapper promise that will be extended with\n // _data/_error props upon resolve/reject\n let promise: TrackedPromise = Promise.race([value, this.abortPromise]).then(\n (data) => this.onSettle(promise, key, undefined, data as unknown),\n (error) => this.onSettle(promise, key, error as unknown)\n );\n\n // Register rejection listeners to avoid uncaught promise rejections on\n // errors or aborted deferred values\n promise.catch(() => {});\n\n Object.defineProperty(promise, \"_tracked\", { get: () => true });\n return promise;\n }\n\n private onSettle(\n promise: TrackedPromise,\n key: string,\n error: unknown,\n data?: unknown\n ): unknown {\n if (\n this.controller.signal.aborted &&\n error instanceof AbortedDeferredError\n ) {\n this.unlistenAbortSignal();\n Object.defineProperty(promise, \"_error\", { get: () => error });\n return Promise.reject(error);\n }\n\n this.pendingKeysSet.delete(key);\n\n if (this.done) {\n // Nothing left to abort!\n this.unlistenAbortSignal();\n }\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(\n `Deferred data for key \"${key}\" resolved/rejected with \\`undefined\\`, ` +\n `you must resolve/reject with a value or \\`null\\`.`\n );\n Object.defineProperty(promise, \"_error\", { get: () => undefinedError });\n this.emit(false, key);\n return Promise.reject(undefinedError);\n }\n\n if (data === undefined) {\n Object.defineProperty(promise, \"_error\", { get: () => error });\n this.emit(false, key);\n return Promise.reject(error);\n }\n\n Object.defineProperty(promise, \"_data\", { get: () => data });\n this.emit(false, key);\n return data;\n }\n\n private emit(aborted: boolean, settledKey?: string) {\n this.subscribers.forEach((subscriber) => subscriber(aborted, settledKey));\n }\n\n subscribe(fn: (aborted: boolean, settledKey?: string) => void) {\n this.subscribers.add(fn);\n return () => this.subscribers.delete(fn);\n }\n\n cancel() {\n this.controller.abort();\n this.pendingKeysSet.forEach((v, k) => this.pendingKeysSet.delete(k));\n this.emit(true);\n }\n\n async resolveData(signal: AbortSignal) {\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\n get done() {\n return this.pendingKeysSet.size === 0;\n }\n\n get unwrappedData() {\n invariant(\n this.data !== null && this.done,\n \"Can only unwrap data on initialized and settled deferreds\"\n );\n\n return Object.entries(this.data).reduce(\n (acc, [key, value]) =>\n Object.assign(acc, {\n [key]: unwrapTrackedPromise(value),\n }),\n {}\n );\n }\n\n get pendingKeys() {\n return Array.from(this.pendingKeysSet);\n }\n}\n\nfunction isTrackedPromise(value: any): value is TrackedPromise {\n return (\n value instanceof Promise && (value as TrackedPromise)._tracked === true\n );\n}\n\nfunction unwrapTrackedPromise(value: any) {\n if (!isTrackedPromise(value)) {\n return value;\n }\n\n if (value._error) {\n throw value._error;\n }\n return value._data;\n}\n\nexport type DeferFunction = (\n data: Record<string, unknown>,\n init?: number | ResponseInit\n) => DeferredData;\n\n/**\n * @deprecated The `defer` method is deprecated in favor of returning raw\n * objects. This method will be removed in v7.\n */\nexport const defer: DeferFunction = (data, init = {}) => {\n let responseInit = typeof init === \"number\" ? { status: init } : init;\n\n return new DeferredData(data, responseInit);\n};\n\nexport type RedirectFunction = (\n url: string,\n init?: number | ResponseInit\n) => Response;\n\n/**\n * A redirect response. Sets the status code and the `Location` header.\n * Defaults to \"302 Found\".\n */\nexport const redirect: RedirectFunction = (url, init = 302) => {\n let responseInit = init;\n if (typeof responseInit === \"number\") {\n responseInit = { status: responseInit };\n } else if (typeof responseInit.status === \"undefined\") {\n responseInit.status = 302;\n }\n\n let headers = new Headers(responseInit.headers);\n headers.set(\"Location\", url);\n\n return new Response(null, {\n ...responseInit,\n headers,\n });\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 */\nexport const redirectDocument: RedirectFunction = (url, init) => {\n let response = redirect(url, init);\n response.headers.set(\"X-Remix-Reload-Document\", \"true\");\n return response;\n};\n\n/**\n * A redirect response that will perform a `history.replaceState` instead of a\n * `history.pushState` for client-side navigation redirects.\n * Sets the status code and the `Location` header.\n * Defaults to \"302 Found\".\n */\nexport const replace: RedirectFunction = (url, init) => {\n let response = redirect(url, init);\n response.headers.set(\"X-Remix-Replace\", \"true\");\n return response;\n};\n\nexport type ErrorResponse = {\n status: number;\n statusText: string;\n data: any;\n};\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 */\nexport class ErrorResponseImpl implements ErrorResponse {\n status: number;\n statusText: string;\n data: any;\n private error?: Error;\n private internal: boolean;\n\n constructor(\n status: number,\n statusText: string | undefined,\n data: any,\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/**\n * Check if the given error is an ErrorResponse generated from a 4xx/5xx\n * Response thrown from an action/loader\n */\nexport function isRouteErrorResponse(error: any): error is ErrorResponse {\n return (\n error != null &&\n typeof error.status === \"number\" &&\n typeof error.statusText === \"string\" &&\n typeof error.internal === \"boolean\" &&\n \"data\" in error\n );\n}\n","import type { History, Location, Path, To } from \"./history\";\nimport {\n Action as HistoryAction,\n createLocation,\n createPath,\n invariant,\n parsePath,\n warning,\n} from \"./history\";\nimport type {\n AgnosticDataRouteMatch,\n AgnosticDataRouteObject,\n DataStrategyMatch,\n AgnosticRouteObject,\n DataResult,\n DataStrategyFunction,\n DataStrategyFunctionArgs,\n DeferredData,\n DeferredResult,\n DetectErrorBoundaryFunction,\n ErrorResult,\n FormEncType,\n FormMethod,\n HTMLFormMethod,\n DataStrategyResult,\n ImmutableRouteKey,\n MapRoutePropertiesFunction,\n MutationFormMethod,\n RedirectResult,\n RouteData,\n RouteManifest,\n ShouldRevalidateFunctionArgs,\n Submission,\n SuccessResult,\n UIMatch,\n V7_FormMethod,\n V7_MutationFormMethod,\n AgnosticPatchRoutesOnNavigationFunction,\n DataWithResponseInit,\n} from \"./utils\";\nimport {\n ErrorResponseImpl,\n ResultType,\n convertRouteMatchToUiMatch,\n convertRoutesToDataRoutes,\n getPathContributingMatches,\n getResolveToMatches,\n immutableRouteKeys,\n isRouteErrorResponse,\n joinPaths,\n matchRoutes,\n matchRoutesImpl,\n resolveTo,\n stripBasename,\n} from \"./utils\";\n\n////////////////////////////////////////////////////////////////////////////////\n//#region Types and Constants\n////////////////////////////////////////////////////////////////////////////////\n\n/**\n * A Router instance manages all navigation and data loading/mutations\n */\nexport interface Router {\n /**\n * @internal\n * PRIVATE - DO NOT USE\n *\n * Return the basename for the router\n */\n get basename(): RouterInit[\"basename\"];\n\n /**\n * @internal\n * PRIVATE - DO NOT USE\n *\n * Return the future config for the router\n */\n get future(): FutureConfig;\n\n /**\n * @internal\n * PRIVATE - DO NOT USE\n *\n * Return the current state of the router\n */\n get state(): RouterState;\n\n /**\n * @internal\n * PRIVATE - DO NOT USE\n *\n * Return the routes for this router instance\n */\n get routes(): AgnosticDataRouteObject[];\n\n /**\n * @internal\n * PRIVATE - DO NOT USE\n *\n * Return the window associated with the router\n */\n get window(): RouterInit[\"window\"];\n\n /**\n * @internal\n * PRIVATE - DO NOT USE\n *\n * Initialize the router, including adding history listeners and kicking off\n * initial data fetches. Returns a function to cleanup listeners and abort\n * any in-progress loads\n */\n initialize(): Router;\n\n /**\n * @internal\n * PRIVATE - DO NOT USE\n *\n * Subscribe to router.state updates\n *\n * @param fn function to call with the new state\n */\n subscribe(fn: RouterSubscriber): () => void;\n\n /**\n * @internal\n * PRIVATE - DO NOT USE\n *\n * Enable scroll restoration behavior in the router\n *\n * @param savedScrollPositions Object that will manage positions, in case\n * it's being restored from sessionStorage\n * @param getScrollPosition Function to get the active Y scroll position\n * @param getKey Function to get the key to use for restoration\n */\n enableScrollRestoration(\n savedScrollPositions: Record<string, number>,\n getScrollPosition: GetScrollPositionFunction,\n getKey?: GetScrollRestorationKeyFunction\n ): () => void;\n\n /**\n * @internal\n * PRIVATE - DO NOT USE\n *\n * Navigate forward/backward in the history stack\n * @param to Delta to move in the history stack\n */\n navigate(to: number): Promise<void>;\n\n /**\n * Navigate to the given path\n * @param to Path to navigate to\n * @param opts Navigation options (method, submission, etc.)\n */\n navigate(to: To | null, opts?: RouterNavigateOptions): Promise<void>;\n\n /**\n * @internal\n * PRIVATE - DO NOT USE\n *\n * Trigger a fetcher load/submission\n *\n * @param key Fetcher key\n * @param routeId Route that owns the fetcher\n * @param href href to fetch\n * @param opts Fetcher options, (method, submission, etc.)\n */\n fetch(\n key: string,\n routeId: string,\n href: string | null,\n opts?: RouterFetchOptions\n ): void;\n\n /**\n * @internal\n * PRIVATE - DO NOT USE\n *\n * Trigger a revalidation of all current route loaders and fetcher loads\n */\n revalidate(): void;\n\n /**\n * @internal\n * PRIVATE - DO NOT USE\n *\n * Utility function to create an href for the given location\n * @param location\n */\n createHref(location: Location | URL): string;\n\n /**\n * @internal\n * PRIVATE - DO NOT USE\n *\n * Utility function to URL encode a destination path according to the internal\n * history implementation\n * @param to\n */\n encodeLocation(to: To): Path;\n\n /**\n * @internal\n * PRIVATE - DO NOT USE\n *\n * Get/create a fetcher for the given key\n * @param key\n */\n getFetcher<TData = any>(key: string): Fetcher<TData>;\n\n /**\n * @internal\n * PRIVATE - DO NOT USE\n *\n * Delete the fetcher for a given key\n * @param key\n */\n deleteFetcher(key: string): void;\n\n /**\n * @internal\n * PRIVATE - DO NOT USE\n *\n * Cleanup listeners and abort any in-progress loads\n */\n dispose(): void;\n\n /**\n * @internal\n * PRIVATE - DO NOT USE\n *\n * Get a navigation blocker\n * @param key The identifier for the blocker\n * @param fn The blocker function implementation\n */\n getBlocker(key: string, fn: BlockerFunction): Blocker;\n\n /**\n * @internal\n * PRIVATE - DO NOT USE\n *\n * Delete a navigation blocker\n * @param key The identifier for the blocker\n */\n deleteBlocker(key: string): void;\n\n /**\n * @internal\n * PRIVATE DO NOT USE\n *\n * Patch additional children routes into an existing parent route\n * @param routeId The parent route id or a callback function accepting `patch`\n * to perform batch patching\n * @param children The additional children routes\n */\n patchRoutes(routeId: string | null, children: AgnosticRouteObject[]): void;\n\n /**\n * @internal\n * PRIVATE - DO NOT USE\n *\n * HMR needs to pass in-flight route updates to React Router\n * TODO: Replace this with granular route update APIs (addRoute, updateRoute, deleteRoute)\n */\n _internalSetRoutes(routes: AgnosticRouteObject[]): void;\n\n /**\n * @internal\n * PRIVATE - DO NOT USE\n *\n * Internal fetch AbortControllers accessed by unit tests\n */\n _internalFetchControllers: Map<string, AbortController>;\n\n /**\n * @internal\n * PRIVATE - DO NOT USE\n *\n * Internal pending DeferredData instances accessed by unit tests\n */\n _internalActiveDeferreds: Map<string, DeferredData>;\n}\n\n/**\n * State maintained internally by the router. During a navigation, all states\n * reflect the the \"old\" location unless otherwise noted.\n */\nexport interface RouterState {\n /**\n * The action of the most recent navigation\n */\n historyAction: HistoryAction;\n\n /**\n * The current location reflected by the router\n */\n location: Location;\n\n /**\n * The current set of route matches\n */\n matches: AgnosticDataRouteMatch[];\n\n /**\n * Tracks whether we've completed our initial data load\n */\n initialized: boolean;\n\n /**\n * Current scroll position we should start at for a new view\n * - number -> scroll position to restore to\n * - false -> do not restore scroll at all (used during submissions)\n * - null -> don't have a saved position, scroll to hash or top of page\n */\n restoreScrollPosition: number | false | null;\n\n /**\n * Indicate whether this navigation should skip resetting the scroll position\n * if we are unable to restore the scroll position\n */\n preventScrollReset: boolean;\n\n /**\n * Tracks the state of the current navigation\n */\n navigation: Navigation;\n\n /**\n * Tracks any in-progress revalidations\n */\n revalidation: RevalidationState;\n\n /**\n * Data from the loaders for the current matches\n */\n loaderData: RouteData;\n\n /**\n * Data from the action for the current matches\n */\n actionData: RouteData | null;\n\n /**\n * Errors caught from loaders for the current matches\n */\n errors: RouteData | null;\n\n /**\n * Map of current fetchers\n */\n fetchers: Map<string, Fetcher>;\n\n /**\n * Map of current blockers\n */\n blockers: Map<string, Blocker>;\n}\n\n/**\n * Data that can be passed into hydrate a Router from SSR\n */\nexport type HydrationState = Partial<\n Pick<RouterState, \"loaderData\" | \"actionData\" | \"errors\">\n>;\n\n/**\n * Future flags to toggle new feature behavior\n */\nexport interface FutureConfig {\n v7_fetcherPersist: boolean;\n v7_normalizeFormMethod: boolean;\n v7_partialHydration: boolean;\n v7_prependBasename: boolean;\n v7_relativeSplatPath: boolean;\n v7_skipActionErrorRevalidation: boolean;\n}\n\n/**\n * Initialization options for createRouter\n */\nexport interface RouterInit {\n routes: AgnosticRouteObject[];\n history: History;\n basename?: string;\n /**\n * @deprecated Use `mapRouteProperties` instead\n */\n detectErrorBoundary?: DetectErrorBoundaryFunction;\n mapRouteProperties?: MapRoutePropertiesFunction;\n future?: Partial<FutureConfig>;\n hydrationData?: HydrationState;\n window?: Window;\n dataStrategy?: DataStrategyFunction;\n patchRoutesOnNavigation?: AgnosticPatchRoutesOnNavigationFunction;\n}\n\n/**\n * State returned from a server-side query() call\n */\nexport interface StaticHandlerContext {\n basename: Router[\"basename\"];\n location: RouterState[\"location\"];\n matches: RouterState[\"matches\"];\n loaderData: RouterState[\"loaderData\"];\n actionData: RouterState[\"actionData\"];\n errors: RouterState[\"errors\"];\n statusCode: number;\n loaderHeaders: Record<string, Headers>;\n actionHeaders: Record<string, Headers>;\n activeDeferreds: Record<string, DeferredData> | null;\n _deepestRenderedBoundaryId?: string | null;\n}\n\n/**\n * A StaticHandler instance manages a singular SSR navigation/fetch event\n */\nexport interface StaticHandler {\n dataRoutes: AgnosticDataRouteObject[];\n query(\n request: Request,\n opts?: {\n requestContext?: unknown;\n skipLoaderErrorBubbling?: boolean;\n dataStrategy?: DataStrategyFunction;\n }\n ): Promise<StaticHandlerContext | Response>;\n queryRoute(\n request: Request,\n opts?: {\n routeId?: string;\n requestContext?: unknown;\n dataStrategy?: DataStrategyFunction;\n }\n ): Promise<any>;\n}\n\ntype ViewTransitionOpts = {\n currentLocation: Location;\n nextLocation: Location;\n};\n\n/**\n * Subscriber function signature for changes to router state\n */\nexport interface RouterSubscriber {\n (\n state: RouterState,\n opts: {\n deletedFetchers: string[];\n viewTransitionOpts?: ViewTransitionOpts;\n flushSync: boolean;\n }\n ): void;\n}\n\n/**\n * Function signature for determining the key to be used in scroll restoration\n * for a given location\n */\nexport interface GetScrollRestorationKeyFunction {\n (location: Location, matches: UIMatch[]): string | null;\n}\n\n/**\n * Function signature for determining the current scroll position\n */\nexport interface GetScrollPositionFunction {\n (): number;\n}\n\nexport type RelativeRoutingType = \"route\" | \"path\";\n\n// Allowed for any navigation or fetch\ntype BaseNavigateOrFetchOptions = {\n preventScrollReset?: boolean;\n relative?: RelativeRoutingType;\n flushSync?: boolean;\n};\n\n// Only allowed for navigations\ntype BaseNavigateOptions = BaseNavigateOrFetchOptions & {\n replace?: boolean;\n state?: any;\n fromRouteId?: string;\n viewTransition?: boolean;\n};\n\n// Only allowed for submission navigations\ntype BaseSubmissionOptions = {\n formMethod?: HTMLFormMethod;\n formEncType?: FormEncType;\n} & (\n | { formData: FormData; body?: undefined }\n | { formData?: undefined; body: any }\n);\n\n/**\n * Options for a navigate() call for a normal (non-submission) navigation\n */\ntype LinkNavigateOptions = BaseNavigateOptions;\n\n/**\n * Options for a navigate() call for a submission navigation\n */\ntype SubmissionNavigateOptions = BaseNavigateOptions & BaseSubmissionOptions;\n\n/**\n * Options to pass to navigate() for a navigation\n */\nexport type RouterNavigateOptions =\n | LinkNavigateOptions\n | SubmissionNavigateOptions;\n\n/**\n * Options for a fetch() load\n */\ntype LoadFetchOptions = BaseNavigateOrFetchOptions;\n\n/**\n * Options for a fetch() submission\n */\ntype SubmitFetchOptions = BaseNavigateOrFetchOptions & BaseSubmissionOptions;\n\n/**\n * Options to pass to fetch()\n */\nexport type RouterFetchOptions = LoadFetchOptions | SubmitFetchOptions;\n\n/**\n * Potential states for state.navigation\n */\nexport type NavigationStates = {\n Idle: {\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 };\n Loading: {\n state: \"loading\";\n location: Location;\n formMethod: Submission[\"formMethod\"] | undefined;\n formAction: Submission[\"formAction\"] | undefined;\n formEncType: Submission[\"formEncType\"] | undefined;\n formData: Submission[\"formData\"] | undefined;\n json: Submission[\"json\"] | undefined;\n text: Submission[\"text\"] | undefined;\n };\n Submitting: {\n state: \"submitting\";\n location: 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};\n\nexport type Navigation = NavigationStates[keyof NavigationStates];\n\nexport type RevalidationState = \"idle\" | \"loading\";\n\n/**\n * Potential states for fetchers\n */\ntype FetcherStates<TData = any> = {\n Idle: {\n state: \"idle\";\n formMethod: undefined;\n formAction: undefined;\n formEncType: undefined;\n text: undefined;\n formData: undefined;\n json: undefined;\n data: TData | undefined;\n };\n Loading: {\n state: \"loading\";\n formMethod: Submission[\"formMethod\"] | undefined;\n formAction: Submission[\"formAction\"] | undefined;\n formEncType: Submission[\"formEncType\"] | undefined;\n text: Submission[\"text\"] | undefined;\n formData: Submission[\"formData\"] | undefined;\n json: Submission[\"json\"] | undefined;\n data: TData | undefined;\n };\n Submitting: {\n state: \"submitting\";\n formMethod: Submission[\"formMethod\"];\n formAction: Submission[\"formAction\"];\n formEncType: Submission[\"formEncType\"];\n text: Submission[\"text\"];\n formData: Submission[\"formData\"];\n json: Submission[\"json\"];\n data: TData | undefined;\n };\n};\n\nexport type Fetcher<TData = any> =\n FetcherStates<TData>[keyof FetcherStates<TData>];\n\ninterface BlockerBlocked {\n state: \"blocked\";\n reset(): void;\n proceed(): void;\n location: Location;\n}\n\ninterface BlockerUnblocked {\n state: \"unblocked\";\n reset: undefined;\n proceed: undefined;\n location: undefined;\n}\n\ninterface BlockerProceeding {\n state: \"proceeding\";\n reset: undefined;\n proceed: undefined;\n location: Location;\n}\n\nexport type Blocker = BlockerUnblocked | BlockerBlocked | BlockerProceeding;\n\nexport type BlockerFunction = (args: {\n currentLocation: Location;\n nextLocation: Location;\n historyAction: HistoryAction;\n}) => boolean;\n\ninterface ShortCircuitable {\n /**\n * startNavigation does not need to complete the navigation because we\n * redirected or got interrupted\n */\n shortCircuited?: boolean;\n}\n\ntype PendingActionResult = [string, SuccessResult | ErrorResult];\n\ninterface HandleActionResult extends ShortCircuitable {\n /**\n * Route matches which may have been updated from fog of war discovery\n */\n matches?: RouterState[\"matches\"];\n /**\n * Tuple for the returned or thrown value from the current action. The routeId\n * is the action route for success and the bubbled boundary route for errors.\n */\n pendingActionResult?: PendingActionResult;\n}\n\ninterface HandleLoadersResult extends ShortCircuitable {\n /**\n * Route matches which may have been updated from fog of war discovery\n */\n matches?: RouterState[\"matches\"];\n /**\n * loaderData returned from the current set of loaders\n */\n loaderData?: RouterState[\"loaderData\"];\n /**\n * errors thrown from the current set of loaders\n */\n errors?: RouterState[\"errors\"];\n}\n\n/**\n * Cached info for active fetcher.load() instances so they can participate\n * in revalidation\n */\ninterface FetchLoadMatch {\n routeId: string;\n path: string;\n}\n\n/**\n * Identified fetcher.load() calls that need to be revalidated\n */\ninterface RevalidatingFetcher extends FetchLoadMatch {\n key: string;\n match: AgnosticDataRouteMatch | null;\n matches: AgnosticDataRouteMatch[] | null;\n controller: AbortController | null;\n}\n\nconst validMutationMethodsArr: MutationFormMethod[] = [\n \"post\",\n \"put\",\n \"patch\",\n \"delete\",\n];\nconst validMutationMethods = new Set<MutationFormMethod>(\n validMutationMethodsArr\n);\n\nconst validRequestMethodsArr: FormMethod[] = [\n \"get\",\n ...validMutationMethodsArr,\n];\nconst validRequestMethods = new Set<FormMethod>(validRequestMethodsArr);\n\nconst redirectStatusCodes = new Set([301, 302, 303, 307, 308]);\nconst redirectPreserveMethodStatusCodes = new Set([307, 308]);\n\nexport const IDLE_NAVIGATION: NavigationStates[\"Idle\"] = {\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};\n\nexport const IDLE_FETCHER: FetcherStates[\"Idle\"] = {\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};\n\nexport const IDLE_BLOCKER: BlockerUnblocked = {\n state: \"unblocked\",\n proceed: undefined,\n reset: undefined,\n location: undefined,\n};\n\nconst ABSOLUTE_URL_REGEX = /^(?:[a-z][a-z0-9+.-]*:|\\/\\/)/i;\n\nconst defaultMapRouteProperties: MapRoutePropertiesFunction = (route) => ({\n hasErrorBoundary: Boolean(route.hasErrorBoundary),\n});\n\nconst TRANSITIONS_STORAGE_KEY = \"remix-router-transitions\";\n\n//#endregion\n\n////////////////////////////////////////////////////////////////////////////////\n//#region createRouter\n////////////////////////////////////////////////////////////////////////////////\n\n/**\n * Create a router and listen to history POP navigations\n */\nexport function createRouter(init: RouterInit): Router {\n const routerWindow = init.window\n ? init.window\n : typeof window !== \"undefined\"\n ? window\n : undefined;\n const isBrowser =\n typeof routerWindow !== \"undefined\" &&\n typeof routerWindow.document !== \"undefined\" &&\n typeof routerWindow.document.createElement !== \"undefined\";\n const isServer = !isBrowser;\n\n invariant(\n init.routes.length > 0,\n \"You must provide a non-empty routes array to createRouter\"\n );\n\n let mapRouteProperties: MapRoutePropertiesFunction;\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\n // Routes keyed by ID\n let manifest: RouteManifest = {};\n // Routes in tree format for matching\n let dataRoutes = convertRoutesToDataRoutes(\n init.routes,\n mapRouteProperties,\n undefined,\n manifest\n );\n let inFlightDataRoutes: AgnosticDataRouteObject[] | undefined;\n let basename = init.basename || \"/\";\n let dataStrategyImpl = init.dataStrategy || defaultDataStrategy;\n let patchRoutesOnNavigationImpl = init.patchRoutesOnNavigation;\n\n // Config driven behavior flags\n let future: FutureConfig = {\n v7_fetcherPersist: false,\n v7_normalizeFormMethod: false,\n v7_partialHydration: false,\n v7_prependBasename: false,\n v7_relativeSplatPath: false,\n v7_skipActionErrorRevalidation: false,\n ...init.future,\n };\n // Cleanup function for history\n let unlistenHistory: (() => void) | null = null;\n // Externally-provided functions to call on all state changes\n let subscribers = new Set<RouterSubscriber>();\n // Externally-provided object to hold scroll restoration locations during routing\n let savedScrollPositions: Record<string, number> | null = null;\n // Externally-provided function to get scroll restoration keys\n let getScrollRestorationKey: GetScrollRestorationKeyFunction | null = null;\n // Externally-provided function to get current scroll position\n let getScrollPosition: GetScrollPositionFunction | null = null;\n // One-time flag to control the initial hydration scroll restoration. Because\n // we don't get the saved positions from <ScrollRestoration /> 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\n let initialMatches = matchRoutes(dataRoutes, init.history.location, basename);\n let initialMatchesIsFOW = false;\n let initialErrors: RouteData | null = null;\n\n if (initialMatches == null && !patchRoutesOnNavigationImpl) {\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 { matches, route } = getShortCircuitMatches(dataRoutes);\n initialMatches = matches;\n initialErrors = { [route.id]: error };\n }\n\n // In SPA apps, if the user provided a patchRoutesOnNavigation implementation and\n // our initial match is a splat route, clear them out so we run through lazy\n // discovery on hydration in case there's a more accurate lazy route match.\n // In SSR apps (with `hydrationData`), we expect that the server will send\n // up the proper matched routes so we don't want to run lazy discovery on\n // initial hydration and want to hydrate into the splat route.\n if (initialMatches && !init.hydrationData) {\n let fogOfWar = checkFogOfWar(\n initialMatches,\n dataRoutes,\n init.history.location.pathname\n );\n if (fogOfWar.active) {\n initialMatches = null;\n }\n }\n\n let initialized: boolean;\n if (!initialMatches) {\n initialized = false;\n initialMatches = [];\n\n // If partial hydration and fog of war is enabled, we will be running\n // `patchRoutesOnNavigation` during hydration so include any partial matches as\n // the initial matches so we can properly render `HydrateFallback`'s\n if (future.v7_partialHydration) {\n let fogOfWar = checkFogOfWar(\n null,\n dataRoutes,\n init.history.location.pathname\n );\n if (fogOfWar.active && fogOfWar.matches) {\n initialMatchesIsFOW = true;\n initialMatches = fogOfWar.matches;\n }\n }\n } else if (initialMatches.some((m) => m.route.lazy)) {\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 (!initialMatches.some((m) => m.route.loader)) {\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 // If errors exist, don't consider routes below the boundary\n if (errors) {\n let idx = initialMatches.findIndex(\n (m) => errors![m.route.id] !== undefined\n );\n initialized = initialMatches\n .slice(0, idx + 1)\n .every((m) => !shouldLoadRouteOnHydration(m.route, loaderData, errors));\n } else {\n initialized = initialMatches.every(\n (m) => !shouldLoadRouteOnHydration(m.route, loaderData, errors)\n );\n }\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\n let router: Router;\n let state: RouterState = {\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\n // -- Stateful internal variables to manage navigations --\n // Current navigation in progress (to be committed in completeNavigation)\n let pendingAction: HistoryAction = HistoryAction.Pop;\n\n // Should the current navigation prevent the scroll reset if scroll cannot\n // be restored?\n let pendingPreventScrollReset = false;\n\n // AbortController for the active navigation\n let pendingNavigationController: AbortController | null;\n\n // Should the current navigation enable document.startViewTransition?\n let pendingViewTransitionEnabled = false;\n\n // Store applied view transitions so we can apply them on POP\n let appliedViewTransitions: Map<string, Set<string>> = new Map<\n string,\n Set<string>\n >();\n\n // Cleanup function for persisting applied transitions to sessionStorage\n let removePageHideEventListener: (() => void) | null = null;\n\n // We use this to avoid touching history in completeNavigation if a\n // revalidation is entirely uninterrupted\n let isUninterruptedRevalidation = false;\n\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\n // Use this internal array to capture routes that require revalidation due\n // to a cancelled deferred on action submission\n let cancelledDeferredRoutes: string[] = [];\n\n // Use this internal array to capture fetcher loads that were cancelled by an\n // action navigation and require revalidation\n let cancelledFetcherLoads: Set<string> = new Set();\n\n // AbortControllers for any in-flight fetchers\n let fetchControllers = new Map<string, AbortController>();\n\n // Track loads based on the order in which they started\n let incrementingLoadId = 0;\n\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\n // Fetchers that triggered data reloads as a result of their actions\n let fetchReloadIds = new Map<string, number>();\n\n // Fetchers that triggered redirect navigations\n let fetchRedirectIds = new Set<string>();\n\n // Most recent href/match for fetcher.load calls for fetchers\n let fetchLoadMatches = new Map<string, FetchLoadMatch>();\n\n // Ref-count mounted fetchers so we know when it's ok to clean them up\n let activeFetchers = new Map<string, number>();\n\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<string>();\n\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<string, DeferredData>();\n\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<string, BlockerFunction>();\n\n // Map of pending patchRoutesOnNavigation() promises (keyed by path/matches) so\n // that we only kick them off once for a given combo\n let pendingPatchRoutes = new Map<\n string,\n ReturnType<AgnosticPatchRoutesOnNavigationFunction>\n >();\n\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 unblockBlockerHistoryUpdate: (() => void) | undefined = undefined;\n\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(\n ({ action: historyAction, location, delta }) => {\n // Ignore this event if it was just us resetting the URL from a\n // blocked POP navigation\n if (unblockBlockerHistoryUpdate) {\n unblockBlockerHistoryUpdate();\n unblockBlockerHistoryUpdate = undefined;\n return;\n }\n\n warning(\n blockerFunctions.size === 0 || delta != null,\n \"You are trying to use a blocker on a POP navigation to a location \" +\n \"that was not created by @remix-run/router. This will fail silently in \" +\n \"production. This can happen if you are navigating outside the router \" +\n \"via `window.history.pushState`/`window.location.hash` instead of using \" +\n \"router navigation APIs. This can also happen if you are using \" +\n \"createHashRouter and the user manually changes the URL.\"\n );\n\n let blockerKey = shouldBlockNavigation({\n currentLocation: state.location,\n nextLocation: location,\n historyAction,\n });\n\n if (blockerKey && delta != null) {\n // Restore the URL to match the current UI, but don't update router state\n let nextHistoryUpdatePromise = new Promise<void>((resolve) => {\n unblockBlockerHistoryUpdate = resolve;\n });\n init.history.go(delta * -1);\n\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, after the url\n // restoration is also complete. See:\n // https://github.com/remix-run/react-router/issues/11613\n nextHistoryUpdatePromise.then(() => init.history.go(delta));\n },\n reset() {\n let blockers = new Map(state.blockers);\n blockers.set(blockerKey!, IDLE_BLOCKER);\n updateState({ blockers });\n },\n });\n return;\n }\n\n return startNavigation(historyAction, location);\n }\n );\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 = () =>\n persistAppliedTransitions(routerWindow, appliedViewTransitions);\n routerWindow.addEventListener(\"pagehide\", _saveAppliedTransitions);\n removePageHideEventListener = () =>\n routerWindow.removeEventListener(\"pagehide\", _saveAppliedTransitions);\n }\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(HistoryAction.Pop, state.location, {\n initialHydration: true,\n });\n }\n\n return router;\n }\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\n // Subscribe to state updates for the router\n function subscribe(fn: RouterSubscriber) {\n subscribers.add(fn);\n return () => subscribers.delete(fn);\n }\n\n // Update our state and notify the calling context of the change\n function updateState(\n newState: Partial<RouterState>,\n opts: {\n flushSync?: boolean;\n viewTransitionOpts?: ViewTransitionOpts;\n } = {}\n ): void {\n state = {\n ...state,\n ...newState,\n };\n\n // Prep fetcher cleanup so we can tell the UI which fetcher data entries\n // can be removed\n let completedFetchers: string[] = [];\n let deletedFetchersKeys: string[] = [];\n\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\n // Remove any lingering deleted fetchers that have already been removed\n // from state.fetchers\n deletedFetchers.forEach((key) => {\n if (!state.fetchers.has(key) && !fetchControllers.has(key)) {\n deletedFetchersKeys.push(key);\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) =>\n subscriber(state, {\n deletedFetchers: deletedFetchersKeys,\n viewTransitionOpts: opts.viewTransitionOpts,\n flushSync: opts.flushSync === true,\n })\n );\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 } else {\n // We already called deleteFetcher() on these, can remove them from this\n // Set now that we've handed the keys off to the data layer\n deletedFetchersKeys.forEach((key) => deletedFetchers.delete(key));\n }\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(\n location: Location,\n newState: Partial<Omit<RouterState, \"action\" | \"location\" | \"navigation\">>,\n { flushSync }: { flushSync?: boolean } = {}\n ): void {\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 =\n state.actionData != null &&\n state.navigation.formMethod != null &&\n isMutationMethod(state.navigation.formMethod) &&\n state.navigation.state === \"loading\" &&\n location.state?._isRedirect !== true;\n\n let actionData: RouteData | null;\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\n // Always preserve any existing loaderData from re-used routes\n let loaderData = newState.loaderData\n ? mergeLoaderData(\n state.loaderData,\n newState.loaderData,\n newState.matches || [],\n newState.errors\n )\n : state.loaderData;\n\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\n // Always respect the user flag. Otherwise don't reset on mutation\n // submission navigations unless they redirect\n let preventScrollReset =\n pendingPreventScrollReset === true ||\n (state.navigation.formMethod != null &&\n isMutationMethod(state.navigation.formMethod) &&\n location.state?._isRedirect !== true);\n\n // Commit any in-flight routes at the end of the HMR revalidation \"navigation\"\n if (inFlightDataRoutes) {\n dataRoutes = inFlightDataRoutes;\n inFlightDataRoutes = undefined;\n }\n\n if (isUninterruptedRevalidation) {\n // If this was an uninterrupted revalidation then do not touch history\n } else if (pendingAction === HistoryAction.Pop) {\n // Do nothing for POP - URL has already been updated\n } else if (pendingAction === HistoryAction.Push) {\n init.history.push(location, location.state);\n } else if (pendingAction === HistoryAction.Replace) {\n init.history.replace(location, location.state);\n }\n\n let viewTransitionOpts: ViewTransitionOpts | undefined;\n\n // On POP, enable transitions if they were enabled on the original navigation\n if (pendingAction === HistoryAction.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<string>([location.pathname]);\n appliedViewTransitions.set(state.location.pathname, toPaths);\n }\n viewTransitionOpts = {\n currentLocation: state.location,\n nextLocation: location,\n };\n }\n\n updateState(\n {\n ...newState, // matches, errors, fetchers go through as-is\n actionData,\n loaderData,\n historyAction: pendingAction,\n location,\n initialized: true,\n navigation: IDLE_NAVIGATION,\n revalidation: \"idle\",\n restoreScrollPosition: getSavedScrollPosition(\n location,\n newState.matches || state.matches\n ),\n preventScrollReset,\n blockers,\n },\n {\n viewTransitionOpts,\n flushSync: flushSync === true,\n }\n );\n\n // Reset stateful navigation vars\n pendingAction = HistoryAction.Pop;\n pendingPreventScrollReset = false;\n pendingViewTransitionEnabled = false;\n isUninterruptedRevalidation = false;\n isRevalidationRequired = false;\n cancelledDeferredRoutes = [];\n }\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(\n to: number | To | null,\n opts?: RouterNavigateOptions\n ): Promise<void> {\n if (typeof to === \"number\") {\n init.history.go(to);\n return;\n }\n\n let normalizedPath = normalizeTo(\n state.location,\n state.matches,\n basename,\n future.v7_prependBasename,\n to,\n future.v7_relativeSplatPath,\n opts?.fromRouteId,\n opts?.relative\n );\n let { path, submission, error } = normalizeNavigateOptions(\n future.v7_normalizeFormMethod,\n false,\n normalizedPath,\n opts\n );\n\n let currentLocation = state.location;\n let nextLocation = createLocation(state.location, path, opts && opts.state);\n\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 = {\n ...nextLocation,\n ...init.history.encodeLocation(nextLocation),\n };\n\n let userReplace = opts && opts.replace != null ? opts.replace : undefined;\n\n let historyAction = HistoryAction.Push;\n\n if (userReplace === true) {\n historyAction = HistoryAction.Replace;\n } else if (userReplace === false) {\n // no-op\n } else if (\n submission != null &&\n isMutationMethod(submission.formMethod) &&\n submission.formAction === state.location.pathname + state.location.search\n ) {\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 = HistoryAction.Replace;\n }\n\n let preventScrollReset =\n opts && \"preventScrollReset\" in opts\n ? opts.preventScrollReset === true\n : undefined;\n\n let flushSync = (opts && opts.flushSync) === true;\n\n let blockerKey = shouldBlockNavigation({\n currentLocation,\n nextLocation,\n historyAction,\n });\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({ blockers });\n },\n });\n return;\n }\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.viewTransition,\n flushSync,\n });\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({ 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\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\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(\n pendingAction || state.historyAction,\n state.navigation.location,\n {\n overrideNavigation: state.navigation,\n // Proxy through any rending view transition\n enableViewTransition: pendingViewTransitionEnabled === true,\n }\n );\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(\n historyAction: HistoryAction,\n location: Location,\n opts?: {\n initialHydration?: boolean;\n submission?: Submission;\n fetcherSubmission?: Submission;\n overrideNavigation?: Navigation;\n pendingError?: ErrorResponseImpl;\n startUninterruptedRevalidation?: boolean;\n preventScrollReset?: boolean;\n replace?: boolean;\n enableViewTransition?: boolean;\n flushSync?: boolean;\n }\n ): Promise<void> {\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 =\n (opts && opts.startUninterruptedRevalidation) === true;\n\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\n pendingViewTransitionEnabled = (opts && opts.enableViewTransition) === true;\n\n let routesToUse = inFlightDataRoutes || dataRoutes;\n let loadingNavigation = opts && opts.overrideNavigation;\n let matches =\n opts?.initialHydration &&\n state.matches &&\n state.matches.length > 0 &&\n !initialMatchesIsFOW\n ? // `matchRoutes()` has already been called if we're in here via `router.initialize()`\n state.matches\n : matchRoutes(routesToUse, location, basename);\n let flushSync = (opts && opts.flushSync) === true;\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 hydration will always\n // be \"same hash\". For example, on /page#hash and submit a <Form method=\"post\">\n // which will default to a navigation to /page\n if (\n matches &&\n state.initialized &&\n !isRevalidationRequired &&\n isHashChangeOnly(state.location, location) &&\n !(opts && opts.submission && isMutationMethod(opts.submission.formMethod))\n ) {\n completeNavigation(location, { matches }, { flushSync });\n return;\n }\n\n let fogOfWar = checkFogOfWar(matches, routesToUse, location.pathname);\n if (fogOfWar.active && fogOfWar.matches) {\n matches = fogOfWar.matches;\n }\n\n // Short circuit with a 404 on the root error boundary if we match nothing\n if (!matches) {\n let { error, notFoundMatches, route } = handleNavigational404(\n location.pathname\n );\n completeNavigation(\n location,\n {\n matches: notFoundMatches,\n loaderData: {},\n errors: {\n [route.id]: error,\n },\n },\n { flushSync }\n );\n return;\n }\n\n // Create a controller/Request for this navigation\n pendingNavigationController = new AbortController();\n let request = createClientSideRequest(\n init.history,\n location,\n pendingNavigationController.signal,\n opts && opts.submission\n );\n let pendingActionResult: PendingActionResult | undefined;\n\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 pendingActionResult = [\n findNearestBoundary(matches).route.id,\n { type: ResultType.error, error: opts.pendingError },\n ];\n } else if (\n opts &&\n opts.submission &&\n isMutationMethod(opts.submission.formMethod)\n ) {\n // Call action if we received an action submission\n let actionResult = await handleAction(\n request,\n location,\n opts.submission,\n matches,\n fogOfWar.active,\n { replace: opts.replace, flushSync }\n );\n\n if (actionResult.shortCircuited) {\n return;\n }\n\n // If we received a 404 from handleAction, it's because we couldn't lazily\n // discover the destination route so we don't want to call loaders\n if (actionResult.pendingActionResult) {\n let [routeId, result] = actionResult.pendingActionResult;\n if (\n isErrorResult(result) &&\n isRouteErrorResponse(result.error) &&\n result.error.status === 404\n ) {\n pendingNavigationController = null;\n\n completeNavigation(location, {\n matches: actionResult.matches,\n loaderData: {},\n errors: {\n [routeId]: result.error,\n },\n });\n return;\n }\n }\n\n matches = actionResult.matches || matches;\n pendingActionResult = actionResult.pendingActionResult;\n loadingNavigation = getLoadingNavigation(location, opts.submission);\n flushSync = false;\n // No need to do fog of war matching again on loader execution\n fogOfWar.active = false;\n\n // Create a GET request for the loaders\n request = createClientSideRequest(\n init.history,\n request.url,\n request.signal\n );\n }\n\n // Call loaders\n let {\n shortCircuited,\n matches: updatedMatches,\n loaderData,\n errors,\n } = await handleLoaders(\n request,\n location,\n matches,\n fogOfWar.active,\n loadingNavigation,\n opts && opts.submission,\n opts && opts.fetcherSubmission,\n opts && opts.replace,\n opts && opts.initialHydration === true,\n flushSync,\n pendingActionResult\n );\n\n if (shortCircuited) {\n return;\n }\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\n completeNavigation(location, {\n matches: updatedMatches || matches,\n ...getActionDataForCommit(pendingActionResult),\n loaderData,\n errors,\n });\n }\n\n // Call the action matched by the leaf route for this navigation and handle\n // redirects/errors\n async function handleAction(\n request: Request,\n location: Location,\n submission: Submission,\n matches: AgnosticDataRouteMatch[],\n isFogOfWar: boolean,\n opts: { replace?: boolean; flushSync?: boolean } = {}\n ): Promise<HandleActionResult> {\n interruptActiveLoads();\n\n // Put us in a submitting state\n let navigation = getSubmittingNavigation(location, submission);\n updateState({ navigation }, { flushSync: opts.flushSync === true });\n\n if (isFogOfWar) {\n let discoverResult = await discoverRoutes(\n matches,\n location.pathname,\n request.signal\n );\n if (discoverResult.type === \"aborted\") {\n return { shortCircuited: true };\n } else if (discoverResult.type === \"error\") {\n let boundaryId = findNearestBoundary(discoverResult.partialMatches)\n .route.id;\n return {\n matches: discoverResult.partialMatches,\n pendingActionResult: [\n boundaryId,\n {\n type: ResultType.error,\n error: discoverResult.error,\n },\n ],\n };\n } else if (!discoverResult.matches) {\n let { notFoundMatches, error, route } = handleNavigational404(\n location.pathname\n );\n return {\n matches: notFoundMatches,\n pendingActionResult: [\n route.id,\n {\n type: ResultType.error,\n error,\n },\n ],\n };\n } else {\n matches = discoverResult.matches;\n }\n }\n\n // Call our action and get the result\n let result: DataResult;\n let actionMatch = getTargetMatch(matches, location);\n\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 let results = await callDataStrategy(\n \"action\",\n state,\n request,\n [actionMatch],\n matches,\n null\n );\n result = results[actionMatch.route.id];\n\n if (request.signal.aborted) {\n return { shortCircuited: true };\n }\n }\n\n if (isRedirectResult(result)) {\n let replace: boolean;\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 let location = normalizeRedirectLocation(\n result.response.headers.get(\"Location\")!,\n new URL(request.url),\n basename,\n init.history,\n );\n replace = location === state.location.pathname + state.location.search;\n }\n await startRedirectNavigation(request, result, true, {\n submission,\n replace,\n });\n return { shortCircuited: true };\n }\n\n if (isDeferredResult(result)) {\n throw getInternalRouterError(400, { type: \"defer-action\" });\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\n // By default, all submissions to the current location are REPLACE\n // navigations, but if the action threw an error that'll be rendered in\n // an errorElement, we fall back to PUSH so that the user can use the\n // back button to get back to the pre-submission form location to try\n // again\n if ((opts && opts.replace) !== true) {\n pendingAction = HistoryAction.Push;\n }\n\n return {\n matches,\n pendingActionResult: [boundaryMatch.route.id, result],\n };\n }\n\n return {\n matches,\n pendingActionResult: [actionMatch.route.id, result],\n };\n }\n\n // Call all applicable loaders for the given matches, handling redirects,\n // errors, etc.\n async function handleLoaders(\n request: Request,\n location: Location,\n matches: AgnosticDataRouteMatch[],\n isFogOfWar: boolean,\n overrideNavigation?: Navigation,\n submission?: Submission,\n fetcherSubmission?: Submission,\n replace?: boolean,\n initialHydration?: boolean,\n flushSync?: boolean,\n pendingActionResult?: PendingActionResult\n ): Promise<HandleLoadersResult> {\n // Figure out the right navigation we want to use for data loading\n let loadingNavigation =\n overrideNavigation || getLoadingNavigation(location, submission);\n\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 =\n submission ||\n fetcherSubmission ||\n getSubmissionFromNavigation(loadingNavigation);\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 it's not a \"navigation\"\n let shouldUpdateNavigationState =\n !isUninterruptedRevalidation &&\n (!future.v7_partialHydration || !initialHydration);\n\n // When fog of war is enabled, we enter our `loading` state earlier so we\n // can discover new routes during the `loading` state. We skip this if\n // we've already run actions since we would have done our matching already.\n // If the children() function threw then, we want to proceed with the\n // partial matches it discovered.\n if (isFogOfWar) {\n if (shouldUpdateNavigationState) {\n let actionData = getUpdatedActionData(pendingActionResult);\n updateState(\n {\n navigation: loadingNavigation,\n ...(actionData !== undefined ? { actionData } : {}),\n },\n {\n flushSync,\n }\n );\n }\n\n let discoverResult = await discoverRoutes(\n matches,\n location.pathname,\n request.signal\n );\n\n if (discoverResult.type === \"aborted\") {\n return { shortCircuited: true };\n } else if (discoverResult.type === \"error\") {\n let boundaryId = findNearestBoundary(discoverResult.partialMatches)\n .route.id;\n return {\n matches: discoverResult.partialMatches,\n loaderData: {},\n errors: {\n [boundaryId]: discoverResult.error,\n },\n };\n } else if (!discoverResult.matches) {\n let { error, notFoundMatches, route } = handleNavigational404(\n location.pathname\n );\n return {\n matches: notFoundMatches,\n loaderData: {},\n errors: {\n [route.id]: error,\n },\n };\n } else {\n matches = discoverResult.matches;\n }\n }\n\n let routesToUse = inFlightDataRoutes || dataRoutes;\n let [matchesToLoad, revalidatingFetchers] = getMatchesToLoad(\n init.history,\n state,\n matches,\n activeSubmission,\n location,\n future.v7_partialHydration && initialHydration === true,\n future.v7_skipActionErrorRevalidation,\n isRevalidationRequired,\n cancelledDeferredRoutes,\n cancelledFetcherLoads,\n deletedFetchers,\n fetchLoadMatches,\n fetchRedirectIds,\n routesToUse,\n basename,\n pendingActionResult\n );\n\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(\n (routeId) =>\n !(matches && matches.some((m) => m.route.id === routeId)) ||\n (matchesToLoad && matchesToLoad.some((m) => m.route.id === routeId))\n );\n\n pendingNavigationLoadId = ++incrementingLoadId;\n\n // Short circuit if we have no loaders to run\n if (matchesToLoad.length === 0 && revalidatingFetchers.length === 0) {\n let updatedFetchers = markFetchRedirectsDone();\n completeNavigation(\n location,\n {\n matches,\n loaderData: {},\n // Commit pending error if we're short circuiting\n errors:\n pendingActionResult && isErrorResult(pendingActionResult[1])\n ? { [pendingActionResult[0]]: pendingActionResult[1].error }\n : null,\n ...getActionDataForCommit(pendingActionResult),\n ...(updatedFetchers ? { fetchers: new Map(state.fetchers) } : {}),\n },\n { flushSync }\n );\n return { shortCircuited: true };\n }\n\n if (shouldUpdateNavigationState) {\n let updates: Partial<RouterState> = {};\n if (!isFogOfWar) {\n // Only update navigation/actionNData if we didn't already do it above\n updates.navigation = loadingNavigation;\n let actionData = getUpdatedActionData(pendingActionResult);\n if (actionData !== undefined) {\n updates.actionData = actionData;\n }\n }\n if (revalidatingFetchers.length > 0) {\n updates.fetchers = getUpdatedRevalidatingFetchers(revalidatingFetchers);\n }\n updateState(updates, { flushSync });\n }\n\n revalidatingFetchers.forEach((rf) => {\n abortFetcher(rf.key);\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\n // Proxy navigation abort through to revalidation fetchers\n let abortPendingFetchRevalidations = () =>\n revalidatingFetchers.forEach((f) => abortFetcher(f.key));\n if (pendingNavigationController) {\n pendingNavigationController.signal.addEventListener(\n \"abort\",\n abortPendingFetchRevalidations\n );\n }\n\n let { loaderResults, fetcherResults } =\n await callLoadersAndMaybeResolveData(\n state,\n matches,\n matchesToLoad,\n revalidatingFetchers,\n request\n );\n\n if (request.signal.aborted) {\n return { 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(\n \"abort\",\n abortPendingFetchRevalidations\n );\n }\n\n revalidatingFetchers.forEach((rf) => fetchControllers.delete(rf.key));\n\n // If any loaders returned a redirect Response, start a new REPLACE navigation\n let redirect = findRedirect(loaderResults);\n if (redirect) {\n await startRedirectNavigation(request, redirect.result, true, {\n replace,\n });\n return { shortCircuited: true };\n }\n\n redirect = findRedirect(fetcherResults);\n if (redirect) {\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 fetchRedirectIds.add(redirect.key);\n await startRedirectNavigation(request, redirect.result, true, {\n replace,\n });\n return { shortCircuited: true };\n }\n\n // Process and commit output from loaders\n let { loaderData, errors } = processLoaderData(\n state,\n matches,\n loaderResults,\n pendingActionResult,\n revalidatingFetchers,\n fetcherResults,\n activeDeferreds\n );\n\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\n // Preserve SSR errors during partial hydration\n if (future.v7_partialHydration && initialHydration && state.errors) {\n errors = { ...state.errors, ...errors };\n }\n\n let updatedFetchers = markFetchRedirectsDone();\n let didAbortFetchLoads = abortStaleFetchLoads(pendingNavigationLoadId);\n let shouldUpdateFetchers =\n updatedFetchers || didAbortFetchLoads || revalidatingFetchers.length > 0;\n\n return {\n matches,\n loaderData,\n errors,\n ...(shouldUpdateFetchers ? { fetchers: new Map(state.fetchers) } : {}),\n };\n }\n\n function getUpdatedActionData(\n pendingActionResult: PendingActionResult | undefined\n ): Record<string, RouteData> | null | undefined {\n if (pendingActionResult && !isErrorResult(pendingActionResult[1])) {\n // This is cast to `any` currently because `RouteData`uses any and it\n // would be a breaking change to use any.\n // TODO: v7 - change `RouteData` to use `unknown` instead of `any`\n return {\n [pendingActionResult[0]]: pendingActionResult[1].data as any,\n };\n } else if (state.actionData) {\n if (Object.keys(state.actionData).length === 0) {\n return null;\n } else {\n return state.actionData;\n }\n }\n }\n\n function getUpdatedRevalidatingFetchers(\n revalidatingFetchers: RevalidatingFetcher[]\n ) {\n revalidatingFetchers.forEach((rf) => {\n let fetcher = state.fetchers.get(rf.key);\n let revalidatingFetcher = getLoadingFetcher(\n undefined,\n fetcher ? fetcher.data : undefined\n );\n state.fetchers.set(rf.key, revalidatingFetcher);\n });\n return new Map(state.fetchers);\n }\n\n // Trigger a fetcher load/submit for the given fetcher key\n function fetch(\n key: string,\n routeId: string,\n href: string | null,\n opts?: RouterFetchOptions\n ) {\n if (isServer) {\n throw new Error(\n \"router.fetch() was called during the server render, but it shouldn't be. \" +\n \"You are likely calling a useFetcher() method in the body of your component. \" +\n \"Try moving it to a useEffect or a callback.\"\n );\n }\n\n abortFetcher(key);\n\n let flushSync = (opts && opts.flushSync) === true;\n\n let routesToUse = inFlightDataRoutes || dataRoutes;\n let normalizedPath = normalizeTo(\n state.location,\n state.matches,\n basename,\n future.v7_prependBasename,\n href,\n future.v7_relativeSplatPath,\n routeId,\n opts?.relative\n );\n let matches = matchRoutes(routesToUse, normalizedPath, basename);\n\n let fogOfWar = checkFogOfWar(matches, routesToUse, normalizedPath);\n if (fogOfWar.active && fogOfWar.matches) {\n matches = fogOfWar.matches;\n }\n\n if (!matches) {\n setFetcherError(\n key,\n routeId,\n getInternalRouterError(404, { pathname: normalizedPath }),\n { flushSync }\n );\n return;\n }\n\n let { path, submission, error } = normalizeNavigateOptions(\n future.v7_normalizeFormMethod,\n true,\n normalizedPath,\n opts\n );\n\n if (error) {\n setFetcherError(key, routeId, error, { flushSync });\n return;\n }\n\n let match = getTargetMatch(matches, path);\n\n let preventScrollReset = (opts && opts.preventScrollReset) === true;\n\n if (submission && isMutationMethod(submission.formMethod)) {\n handleFetcherAction(\n key,\n routeId,\n path,\n match,\n matches,\n fogOfWar.active,\n flushSync,\n preventScrollReset,\n submission\n );\n return;\n }\n\n // Store off the match so we can call it's shouldRevalidate on subsequent\n // revalidations\n fetchLoadMatches.set(key, { routeId, path });\n handleFetcherLoader(\n key,\n routeId,\n path,\n match,\n matches,\n fogOfWar.active,\n flushSync,\n preventScrollReset,\n submission\n );\n }\n\n // Call the action for the matched fetcher.submit(), and then handle redirects,\n // errors, and revalidation\n async function handleFetcherAction(\n key: string,\n routeId: string,\n path: string,\n match: AgnosticDataRouteMatch,\n requestMatches: AgnosticDataRouteMatch[],\n isFogOfWar: boolean,\n flushSync: boolean,\n preventScrollReset: boolean,\n submission: Submission\n ) {\n interruptActiveLoads();\n fetchLoadMatches.delete(key);\n\n function detectAndHandle405Error(m: AgnosticDataRouteMatch) {\n if (!m.route.action && !m.route.lazy) {\n let error = getInternalRouterError(405, {\n method: submission.formMethod,\n pathname: path,\n routeId: routeId,\n });\n setFetcherError(key, routeId, error, { flushSync });\n return true;\n }\n return false;\n }\n\n if (!isFogOfWar && detectAndHandle405Error(match)) {\n return;\n }\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\n let abortController = new AbortController();\n let fetchRequest = createClientSideRequest(\n init.history,\n path,\n abortController.signal,\n submission\n );\n\n if (isFogOfWar) {\n let discoverResult = await discoverRoutes(\n requestMatches,\n new URL(fetchRequest.url).pathname,\n fetchRequest.signal,\n key\n );\n\n if (discoverResult.type === \"aborted\") {\n return;\n } else if (discoverResult.type === \"error\") {\n setFetcherError(key, routeId, discoverResult.error, { flushSync });\n return;\n } else if (!discoverResult.matches) {\n setFetcherError(\n key,\n routeId,\n getInternalRouterError(404, { pathname: path }),\n { flushSync }\n );\n return;\n } else {\n requestMatches = discoverResult.matches;\n match = getTargetMatch(requestMatches, path);\n\n if (detectAndHandle405Error(match)) {\n return;\n }\n }\n }\n\n // Call the action for the fetcher\n fetchControllers.set(key, abortController);\n\n let originatingLoadId = incrementingLoadId;\n let actionResults = await callDataStrategy(\n \"action\",\n state,\n fetchRequest,\n [match],\n requestMatches,\n key\n );\n let actionResult = actionResults[match.route.id];\n\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\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(fetchRequest, actionResult, false, {\n fetcherSubmission: submission,\n preventScrollReset,\n });\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\n if (isDeferredResult(actionResult)) {\n throw getInternalRouterError(400, { 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(\n init.history,\n nextLocation,\n abortController.signal\n );\n let routesToUse = inFlightDataRoutes || dataRoutes;\n let matches =\n state.navigation.state !== \"idle\"\n ? matchRoutes(routesToUse, state.navigation.location, basename)\n : state.matches;\n\n invariant(matches, \"Didn't find any matches after fetcher action\");\n\n let loadId = ++incrementingLoadId;\n fetchReloadIds.set(key, loadId);\n\n let loadFetcher = getLoadingFetcher(submission, actionResult.data);\n state.fetchers.set(key, loadFetcher);\n\n let [matchesToLoad, revalidatingFetchers] = getMatchesToLoad(\n init.history,\n state,\n matches,\n submission,\n nextLocation,\n false,\n future.v7_skipActionErrorRevalidation,\n isRevalidationRequired,\n cancelledDeferredRoutes,\n cancelledFetcherLoads,\n deletedFetchers,\n fetchLoadMatches,\n fetchRedirectIds,\n routesToUse,\n basename,\n [match.route.id, actionResult]\n );\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\n .filter((rf) => rf.key !== key)\n .forEach((rf) => {\n let staleKey = rf.key;\n let existingFetcher = state.fetchers.get(staleKey);\n let revalidatingFetcher = getLoadingFetcher(\n undefined,\n existingFetcher ? existingFetcher.data : undefined\n );\n state.fetchers.set(staleKey, revalidatingFetcher);\n abortFetcher(staleKey);\n if (rf.controller) {\n fetchControllers.set(staleKey, rf.controller);\n }\n });\n\n updateState({ fetchers: new Map(state.fetchers) });\n\n let abortPendingFetchRevalidations = () =>\n revalidatingFetchers.forEach((rf) => abortFetcher(rf.key));\n\n abortController.signal.addEventListener(\n \"abort\",\n abortPendingFetchRevalidations\n );\n\n let { loaderResults, fetcherResults } =\n await callLoadersAndMaybeResolveData(\n state,\n matches,\n matchesToLoad,\n revalidatingFetchers,\n revalidationRequest\n );\n\n if (abortController.signal.aborted) {\n return;\n }\n\n abortController.signal.removeEventListener(\n \"abort\",\n abortPendingFetchRevalidations\n );\n\n fetchReloadIds.delete(key);\n fetchControllers.delete(key);\n revalidatingFetchers.forEach((r) => fetchControllers.delete(r.key));\n\n let redirect = findRedirect(loaderResults);\n if (redirect) {\n return startRedirectNavigation(\n revalidationRequest,\n redirect.result,\n false,\n { preventScrollReset }\n );\n }\n\n redirect = findRedirect(fetcherResults);\n if (redirect) {\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 fetchRedirectIds.add(redirect.key);\n return startRedirectNavigation(\n revalidationRequest,\n redirect.result,\n false,\n { preventScrollReset }\n );\n }\n\n // Process and commit output from loaders\n let { loaderData, errors } = processLoaderData(\n state,\n matches,\n loaderResults,\n undefined,\n revalidatingFetchers,\n fetcherResults,\n activeDeferreds\n );\n\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\n abortStaleFetchLoads(loadId);\n\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 (\n state.navigation.state === \"loading\" &&\n loadId > pendingNavigationLoadId\n ) {\n invariant(pendingAction, \"Expected pending action\");\n pendingNavigationController && pendingNavigationController.abort();\n\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(\n state.loaderData,\n loaderData,\n matches,\n errors\n ),\n fetchers: new Map(state.fetchers),\n });\n isRevalidationRequired = false;\n }\n }\n\n // Call the matched loader for fetcher.load(), handling redirects, errors, etc.\n async function handleFetcherLoader(\n key: string,\n routeId: string,\n path: string,\n match: AgnosticDataRouteMatch,\n matches: AgnosticDataRouteMatch[],\n isFogOfWar: boolean,\n flushSync: boolean,\n preventScrollReset: boolean,\n submission?: Submission\n ) {\n let existingFetcher = state.fetchers.get(key);\n updateFetcherState(\n key,\n getLoadingFetcher(\n submission,\n existingFetcher ? existingFetcher.data : undefined\n ),\n { flushSync }\n );\n\n let abortController = new AbortController();\n let fetchRequest = createClientSideRequest(\n init.history,\n path,\n abortController.signal\n );\n\n if (isFogOfWar) {\n let discoverResult = await discoverRoutes(\n matches,\n new URL(fetchRequest.url).pathname,\n fetchRequest.signal,\n key\n );\n\n if (discoverResult.type === \"aborted\") {\n return;\n } else if (discoverResult.type === \"error\") {\n setFetcherError(key, routeId, discoverResult.error, { flushSync });\n return;\n } else if (!discoverResult.matches) {\n setFetcherError(\n key,\n routeId,\n getInternalRouterError(404, { pathname: path }),\n { flushSync }\n );\n return;\n } else {\n matches = discoverResult.matches;\n match = getTargetMatch(matches, path);\n }\n }\n\n // Call the loader for this fetcher route match\n fetchControllers.set(key, abortController);\n\n let originatingLoadId = incrementingLoadId;\n let results = await callDataStrategy(\n \"loader\",\n state,\n fetchRequest,\n [match],\n matches,\n key\n );\n let result = results[match.route.id];\n\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 =\n (await resolveDeferredData(result, fetchRequest.signal, true)) ||\n result;\n }\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\n if (fetchRequest.signal.aborted) {\n return;\n }\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\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(fetchRequest, result, false, {\n preventScrollReset,\n });\n return;\n }\n }\n\n // Process any non-redirect errors thrown\n if (isErrorResult(result)) {\n setFetcherError(key, routeId, result.error);\n return;\n }\n\n invariant(!isDeferredResult(result), \"Unhandled fetcher deferred data\");\n\n // Put the fetcher back into an idle state\n updateFetcherState(key, getDoneFetcher(result.data));\n }\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(\n request: Request,\n redirect: RedirectResult,\n isNavigation: boolean,\n {\n submission,\n fetcherSubmission,\n preventScrollReset,\n replace,\n }: {\n submission?: Submission;\n fetcherSubmission?: Submission;\n preventScrollReset?: boolean;\n replace?: boolean;\n } = {}\n ) {\n if (redirect.response.headers.has(\"X-Remix-Revalidate\")) {\n isRevalidationRequired = true;\n }\n\n let location = redirect.response.headers.get(\"Location\");\n invariant(location, \"Expected a Location header on the redirect Response\");\n location = normalizeRedirectLocation(\n location,\n new URL(request.url),\n basename,\n init.history,\n );\n let redirectLocation = createLocation(state.location, location, {\n _isRedirect: true,\n });\n\n if (isBrowser) {\n let isDocumentReload = false;\n\n if (redirect.response.headers.has(\"X-Remix-Reload-Document\")) {\n // Hard reload if the response contained X-Remix-Reload-Document\n isDocumentReload = true;\n } else if (ABSOLUTE_URL_REGEX.test(location)) {\n const url = init.history.createURL(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\n if (isDocumentReload) {\n if (replace) {\n routerWindow.location.replace(location);\n } else {\n routerWindow.location.assign(location);\n }\n return;\n }\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\n let redirectHistoryAction =\n replace === true || redirect.response.headers.has(\"X-Remix-Replace\")\n ? HistoryAction.Replace\n : HistoryAction.Push;\n\n // Use the incoming submission if provided, fallback on the active one in\n // state.navigation\n let { formMethod, formAction, formEncType } = state.navigation;\n if (\n !submission &&\n !fetcherSubmission &&\n formMethod &&\n formAction &&\n formEncType\n ) {\n submission = getSubmissionFromNavigation(state.navigation);\n }\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 (\n redirectPreserveMethodStatusCodes.has(redirect.response.status) &&\n activeSubmission &&\n isMutationMethod(activeSubmission.formMethod)\n ) {\n await startNavigation(redirectHistoryAction, redirectLocation, {\n submission: {\n ...activeSubmission,\n formAction: location,\n },\n // Preserve these flags across redirects\n preventScrollReset: preventScrollReset || pendingPreventScrollReset,\n enableViewTransition: isNavigation\n ? pendingViewTransitionEnabled\n : undefined,\n });\n } else {\n // If we have a navigation submission, we will preserve it through the\n // redirect navigation\n let overrideNavigation = getLoadingNavigation(\n redirectLocation,\n submission\n );\n await startNavigation(redirectHistoryAction, redirectLocation, {\n overrideNavigation,\n // Send fetcher submissions through for shouldRevalidate\n fetcherSubmission,\n // Preserve these flags across redirects\n preventScrollReset: preventScrollReset || pendingPreventScrollReset,\n enableViewTransition: isNavigation\n ? pendingViewTransitionEnabled\n : undefined,\n });\n }\n }\n\n // Utility wrapper for calling dataStrategy client-side without having to\n // pass around the manifest, mapRouteProperties, etc.\n async function callDataStrategy(\n type: \"loader\" | \"action\",\n state: RouterState,\n request: Request,\n matchesToLoad: AgnosticDataRouteMatch[],\n matches: AgnosticDataRouteMatch[],\n fetcherKey: string | null\n ): Promise<Record<string, DataResult>> {\n let results: Record<string, DataStrategyResult>;\n let dataResults: Record<string, DataResult> = {};\n try {\n results = await callDataStrategyImpl(\n dataStrategyImpl,\n type,\n state,\n request,\n matchesToLoad,\n matches,\n fetcherKey,\n manifest,\n mapRouteProperties\n );\n } catch (e) {\n // If the outer dataStrategy method throws, just return the error for all\n // matches - and it'll naturally bubble to the root\n matchesToLoad.forEach((m) => {\n dataResults[m.route.id] = {\n type: ResultType.error,\n error: e,\n };\n });\n return dataResults;\n }\n\n for (let [routeId, result] of Object.entries(results)) {\n if (isRedirectDataStrategyResultResult(result)) {\n let response = result.result as Response;\n dataResults[routeId] = {\n type: ResultType.redirect,\n response: normalizeRelativeRoutingRedirectResponse(\n response,\n request,\n routeId,\n matches,\n basename,\n future.v7_relativeSplatPath\n ),\n };\n } else {\n dataResults[routeId] = await convertDataStrategyResultToDataResult(\n result\n );\n }\n }\n\n return dataResults;\n }\n\n async function callLoadersAndMaybeResolveData(\n state: RouterState,\n matches: AgnosticDataRouteMatch[],\n matchesToLoad: AgnosticDataRouteMatch[],\n fetchersToLoad: RevalidatingFetcher[],\n request: Request\n ) {\n let currentMatches = state.matches;\n\n // Kick off loaders and fetchers in parallel\n let loaderResultsPromise = callDataStrategy(\n \"loader\",\n state,\n request,\n matchesToLoad,\n matches,\n null\n );\n\n let fetcherResultsPromise = Promise.all(\n fetchersToLoad.map(async (f) => {\n if (f.matches && f.match && f.controller) {\n let results = await callDataStrategy(\n \"loader\",\n state,\n createClientSideRequest(init.history, f.path, f.controller.signal),\n [f.match],\n f.matches,\n f.key\n );\n let result = results[f.match.route.id];\n // Fetcher results are keyed by fetcher key from here on out, not routeId\n return { [f.key]: result };\n } else {\n return Promise.resolve({\n [f.key]: {\n type: ResultType.error,\n error: getInternalRouterError(404, {\n pathname: f.path,\n }),\n } as ErrorResult,\n });\n }\n })\n );\n\n let loaderResults = await loaderResultsPromise;\n let fetcherResults = (await fetcherResultsPromise).reduce(\n (acc, r) => Object.assign(acc, r),\n {}\n );\n\n await Promise.all([\n resolveNavigationDeferredResults(\n matches,\n loaderResults,\n request.signal,\n currentMatches,\n state.loaderData\n ),\n resolveFetcherDeferredResults(matches, fetcherResults, fetchersToLoad),\n ]);\n\n return {\n loaderResults,\n fetcherResults,\n };\n }\n\n function interruptActiveLoads() {\n // Every interruption triggers a revalidation\n isRevalidationRequired = true;\n\n // Cancel pending route-level deferreds and mark cancelled routes for\n // revalidation\n cancelledDeferredRoutes.push(...cancelActiveDeferreds());\n\n // Abort in-flight fetcher loads\n fetchLoadMatches.forEach((_, key) => {\n if (fetchControllers.has(key)) {\n cancelledFetcherLoads.add(key);\n }\n abortFetcher(key);\n });\n }\n\n function updateFetcherState(\n key: string,\n fetcher: Fetcher,\n opts: { flushSync?: boolean } = {}\n ) {\n state.fetchers.set(key, fetcher);\n updateState(\n { fetchers: new Map(state.fetchers) },\n { flushSync: (opts && opts.flushSync) === true }\n );\n }\n\n function setFetcherError(\n key: string,\n routeId: string,\n error: any,\n opts: { flushSync?: boolean } = {}\n ) {\n let boundaryMatch = findNearestBoundary(state.matches, routeId);\n deleteFetcher(key);\n updateState(\n {\n errors: {\n [boundaryMatch.route.id]: error,\n },\n fetchers: new Map(state.fetchers),\n },\n { flushSync: (opts && opts.flushSync) === true }\n );\n }\n\n function getFetcher<TData = any>(key: string): Fetcher<TData> {\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 return state.fetchers.get(key) || IDLE_FETCHER;\n }\n\n function deleteFetcher(key: string): void {\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 (\n fetchControllers.has(key) &&\n !(fetcher && fetcher.state === \"loading\" && fetchReloadIds.has(key))\n ) {\n abortFetcher(key);\n }\n fetchLoadMatches.delete(key);\n fetchReloadIds.delete(key);\n fetchRedirectIds.delete(key);\n\n // If we opted into the flag we can clear this now since we're calling\n // deleteFetcher() at the end of updateState() and we've already handed the\n // deleted fetcher keys off to the data layer.\n // If not, we're eagerly calling deleteFetcher() and we need to keep this\n // Set populated until the next updateState call, and we'll clear\n // `deletedFetchers` then\n if (future.v7_fetcherPersist) {\n deletedFetchers.delete(key);\n }\n\n cancelledFetcherLoads.delete(key);\n state.fetchers.delete(key);\n }\n\n function deleteFetcherAndUpdateState(key: string): void {\n let count = (activeFetchers.get(key) || 0) - 1;\n if (count <= 0) {\n activeFetchers.delete(key);\n deletedFetchers.add(key);\n if (!future.v7_fetcherPersist) {\n deleteFetcher(key);\n }\n } else {\n activeFetchers.set(key, count);\n }\n\n updateState({ fetchers: new Map(state.fetchers) });\n }\n\n function abortFetcher(key: string) {\n let controller = fetchControllers.get(key);\n if (controller) {\n controller.abort();\n fetchControllers.delete(key);\n }\n }\n\n function markFetchersDone(keys: string[]) {\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\n function markFetchRedirectsDone(): boolean {\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\n function abortStaleFetchLoads(landedId: number): boolean {\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\n function getBlocker(key: string, fn: BlockerFunction) {\n let blocker: Blocker = state.blockers.get(key) || IDLE_BLOCKER;\n\n if (blockerFunctions.get(key) !== fn) {\n blockerFunctions.set(key, fn);\n }\n\n return blocker;\n }\n\n function deleteBlocker(key: string) {\n state.blockers.delete(key);\n blockerFunctions.delete(key);\n }\n\n // Utility function to update blockers, ensuring valid state transitions\n function updateBlocker(key: string, newBlocker: Blocker) {\n let blocker = state.blockers.get(key) || IDLE_BLOCKER;\n\n // Poor mans state machine :)\n // https://mermaid.live/edit#pako:eNqVkc9OwzAMxl8l8nnjAYrEtDIOHEBIgwvKJTReGy3_lDpIqO27k6awMG0XcrLlnz87nwdonESogKXXBuE79rq75XZO3-yHds0RJVuv70YrPlUrCEe2HfrORS3rubqZfuhtpg5C9wk5tZ4VKcRUq88q9Z8RS0-48cE1iHJkL0ugbHuFLus9L6spZy8nX9MP2CNdomVaposqu3fGayT8T8-jJQwhepo_UtpgBQaDEUom04dZhAN1aJBDlUKJBxE1ceB2Smj0Mln-IBW5AFU2dwUiktt_2Qaq2dBfaKdEup85UV7Yd-dKjlnkabl2Pvr0DTkTreM\n invariant(\n (blocker.state === \"unblocked\" && newBlocker.state === \"blocked\") ||\n (blocker.state === \"blocked\" && newBlocker.state === \"blocked\") ||\n (blocker.state === \"blocked\" && newBlocker.state === \"proceeding\") ||\n (blocker.state === \"blocked\" && newBlocker.state === \"unblocked\") ||\n (blocker.state === \"proceeding\" && newBlocker.state === \"unblocked\"),\n `Invalid blocker state transition: ${blocker.state} -> ${newBlocker.state}`\n );\n\n let blockers = new Map(state.blockers);\n blockers.set(key, newBlocker);\n updateState({ blockers });\n }\n\n function shouldBlockNavigation({\n currentLocation,\n nextLocation,\n historyAction,\n }: {\n currentLocation: Location;\n nextLocation: Location;\n historyAction: HistoryAction;\n }): string | undefined {\n if (blockerFunctions.size === 0) {\n return;\n }\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\n let entries = Array.from(blockerFunctions.entries());\n let [blockerKey, blockerFunction] = entries[entries.length - 1];\n let blocker = state.blockers.get(blockerKey);\n\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\n // At this point, we know we're unblocked/blocked so we need to check the\n // user-provided blocker function\n if (blockerFunction({ currentLocation, nextLocation, historyAction })) {\n return blockerKey;\n }\n }\n\n function handleNavigational404(pathname: string) {\n let error = getInternalRouterError(404, { pathname });\n let routesToUse = inFlightDataRoutes || dataRoutes;\n let { matches, route } = getShortCircuitMatches(routesToUse);\n\n // Cancel all pending deferred on 404s since we don't keep any routes\n cancelActiveDeferreds();\n\n return { notFoundMatches: matches, route, error };\n }\n\n function cancelActiveDeferreds(\n predicate?: (routeId: string) => boolean\n ): string[] {\n let cancelledRouteIds: string[] = [];\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\n // Opt in to capturing and reporting scroll positions during navigations,\n // used by the <ScrollRestoration> component\n function enableScrollRestoration(\n positions: Record<string, number>,\n getPosition: GetScrollPositionFunction,\n getKey?: GetScrollRestorationKeyFunction\n ) {\n savedScrollPositions = positions;\n getScrollPosition = getPosition;\n getScrollRestorationKey = getKey || null;\n\n // Perform initial hydration scroll restoration, since we miss the boat on\n // the initial updateState() because we've not yet rendered <ScrollRestoration/>\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({ restoreScrollPosition: y });\n }\n }\n\n return () => {\n savedScrollPositions = null;\n getScrollPosition = null;\n getScrollRestorationKey = null;\n };\n }\n\n function getScrollKey(location: Location, matches: AgnosticDataRouteMatch[]) {\n if (getScrollRestorationKey) {\n let key = getScrollRestorationKey(\n location,\n matches.map((m) => convertRouteMatchToUiMatch(m, state.loaderData))\n );\n return key || location.key;\n }\n return location.key;\n }\n\n function saveScrollPosition(\n location: Location,\n matches: AgnosticDataRouteMatch[]\n ): void {\n if (savedScrollPositions && getScrollPosition) {\n let key = getScrollKey(location, matches);\n savedScrollPositions[key] = getScrollPosition();\n }\n }\n\n function getSavedScrollPosition(\n location: Location,\n matches: AgnosticDataRouteMatch[]\n ): number | null {\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\n function checkFogOfWar(\n matches: AgnosticDataRouteMatch[] | null,\n routesToUse: AgnosticDataRouteObject[],\n pathname: string\n ): { active: boolean; matches: AgnosticDataRouteMatch[] | null } {\n if (patchRoutesOnNavigationImpl) {\n if (!matches) {\n let fogMatches = matchRoutesImpl<AgnosticDataRouteObject>(\n routesToUse,\n pathname,\n basename,\n true\n );\n\n return { active: true, matches: fogMatches || [] };\n } else {\n if (Object.keys(matches[0].params).length > 0) {\n // If we matched a dynamic param or a splat, it might only be because\n // we haven't yet discovered other routes that would match with a\n // higher score. Call patchRoutesOnNavigation just to be sure\n let partialMatches = matchRoutesImpl<AgnosticDataRouteObject>(\n routesToUse,\n pathname,\n basename,\n true\n );\n return { active: true, matches: partialMatches };\n }\n }\n }\n\n return { active: false, matches: null };\n }\n\n type DiscoverRoutesSuccessResult = {\n type: \"success\";\n matches: AgnosticDataRouteMatch[] | null;\n };\n type DiscoverRoutesErrorResult = {\n type: \"error\";\n error: any;\n partialMatches: AgnosticDataRouteMatch[];\n };\n type DiscoverRoutesAbortedResult = { type: \"aborted\" };\n type DiscoverRoutesResult =\n | DiscoverRoutesSuccessResult\n | DiscoverRoutesErrorResult\n | DiscoverRoutesAbortedResult;\n\n async function discoverRoutes(\n matches: AgnosticDataRouteMatch[],\n pathname: string,\n signal: AbortSignal,\n fetcherKey?: string\n ): Promise<DiscoverRoutesResult> {\n if (!patchRoutesOnNavigationImpl) {\n return { type: \"success\", matches };\n }\n\n let partialMatches: AgnosticDataRouteMatch[] | null = matches;\n while (true) {\n let isNonHMR = inFlightDataRoutes == null;\n let routesToUse = inFlightDataRoutes || dataRoutes;\n let localManifest = manifest;\n try {\n await patchRoutesOnNavigationImpl({\n signal,\n path: pathname,\n matches: partialMatches,\n fetcherKey,\n patch: (routeId, children) => {\n if (signal.aborted) return;\n patchRoutesImpl(\n routeId,\n children,\n routesToUse,\n localManifest,\n mapRouteProperties\n );\n },\n });\n } catch (e) {\n return { type: \"error\", error: e, partialMatches };\n } finally {\n // If we are not in the middle of an HMR revalidation and we changed the\n // routes, provide a new identity so when we `updateState` at the end of\n // this navigation/fetch `router.routes` will be a new identity and\n // trigger a re-run of memoized `router.routes` dependencies.\n // HMR will already update the identity and reflow when it lands\n // `inFlightDataRoutes` in `completeNavigation`\n if (isNonHMR && !signal.aborted) {\n dataRoutes = [...dataRoutes];\n }\n }\n\n if (signal.aborted) {\n return { type: \"aborted\" };\n }\n\n let newMatches = matchRoutes(routesToUse, pathname, basename);\n if (newMatches) {\n return { type: \"success\", matches: newMatches };\n }\n\n let newPartialMatches = matchRoutesImpl<AgnosticDataRouteObject>(\n routesToUse,\n pathname,\n basename,\n true\n );\n\n // Avoid loops if the second pass results in the same partial matches\n if (\n !newPartialMatches ||\n (partialMatches.length === newPartialMatches.length &&\n partialMatches.every(\n (m, i) => m.route.id === newPartialMatches![i].route.id\n ))\n ) {\n return { type: \"success\", matches: null };\n }\n\n partialMatches = newPartialMatches;\n }\n }\n\n function _internalSetRoutes(newRoutes: AgnosticDataRouteObject[]) {\n manifest = {};\n inFlightDataRoutes = convertRoutesToDataRoutes(\n newRoutes,\n mapRouteProperties,\n undefined,\n manifest\n );\n }\n\n function patchRoutes(\n routeId: string | null,\n children: AgnosticRouteObject[]\n ): void {\n let isNonHMR = inFlightDataRoutes == null;\n let routesToUse = inFlightDataRoutes || dataRoutes;\n patchRoutesImpl(\n routeId,\n children,\n routesToUse,\n manifest,\n mapRouteProperties\n );\n\n // If we are not in the middle of an HMR revalidation and we changed the\n // routes, provide a new identity and trigger a reflow via `updateState`\n // to re-run memoized `router.routes` dependencies.\n // HMR will already update the identity and reflow when it lands\n // `inFlightDataRoutes` in `completeNavigation`\n if (isNonHMR) {\n dataRoutes = [...dataRoutes];\n updateState({});\n }\n }\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: To) => init.history.createHref(to),\n encodeLocation: (to: To) => init.history.encodeLocation(to),\n getFetcher,\n deleteFetcher: deleteFetcherAndUpdateState,\n dispose,\n getBlocker,\n deleteBlocker,\n patchRoutes,\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\n return router;\n}\n//#endregion\n\n////////////////////////////////////////////////////////////////////////////////\n//#region createStaticHandler\n////////////////////////////////////////////////////////////////////////////////\n\nexport const UNSAFE_DEFERRED_SYMBOL = Symbol(\"deferred\");\n\n/**\n * Future flags to toggle new feature behavior\n */\nexport interface StaticHandlerFutureConfig {\n v7_relativeSplatPath: boolean;\n v7_throwAbortReason: boolean;\n}\n\nexport interface CreateStaticHandlerOptions {\n basename?: string;\n /**\n * @deprecated Use `mapRouteProperties` instead\n */\n detectErrorBoundary?: DetectErrorBoundaryFunction;\n mapRouteProperties?: MapRoutePropertiesFunction;\n future?: Partial<StaticHandlerFutureConfig>;\n}\n\nexport function createStaticHandler(\n routes: AgnosticRouteObject[],\n opts?: CreateStaticHandlerOptions\n): StaticHandler {\n invariant(\n routes.length > 0,\n \"You must provide a non-empty routes array to createStaticHandler\"\n );\n\n let manifest: RouteManifest = {};\n let basename = (opts ? opts.basename : null) || \"/\";\n let mapRouteProperties: MapRoutePropertiesFunction;\n if (opts?.mapRouteProperties) {\n mapRouteProperties = opts.mapRouteProperties;\n } else if (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: StaticHandlerFutureConfig = {\n v7_relativeSplatPath: false,\n v7_throwAbortReason: false,\n ...(opts ? opts.future : null),\n };\n\n let dataRoutes = convertRoutesToDataRoutes(\n routes,\n mapRouteProperties,\n undefined,\n manifest\n );\n\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 * - `opts.requestContext` is an optional server context that will be passed\n * to actions/loaders in the `context` parameter\n * - `opts.skipLoaderErrorBubbling` is an optional parameter that will prevent\n * the bubbling of errors which allows single-fetch-type implementations\n * where the client will handle the bubbling and we may need to return data\n * for the handling route\n */\n async function query(\n request: Request,\n {\n requestContext,\n skipLoaderErrorBubbling,\n dataStrategy,\n }: {\n requestContext?: unknown;\n skipLoaderErrorBubbling?: boolean;\n dataStrategy?: DataStrategyFunction;\n } = {}\n ): Promise<StaticHandlerContext | Response> {\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\n // SSR supports HEAD requests while SPA doesn't\n if (!isValidMethod(method) && method !== \"HEAD\") {\n let error = getInternalRouterError(405, { method });\n let { matches: methodNotAllowedMatches, 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, { pathname: location.pathname });\n let { matches: notFoundMatches, 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\n let result = await queryImpl(\n request,\n location,\n matches,\n requestContext,\n dataStrategy || null,\n skipLoaderErrorBubbling === true,\n null\n );\n if (isResponse(result)) {\n return result;\n }\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 { location, basename, ...result };\n }\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 * - `opts.routeId` allows you to specify the specific route handler to call.\n * If not provided the handler will determine the proper route by matching\n * against `request.url`\n * - `opts.requestContext` is an optional server context that will be passed\n * to actions/loaders in the `context` parameter\n */\n async function queryRoute(\n request: Request,\n {\n routeId,\n requestContext,\n dataStrategy,\n }: {\n requestContext?: unknown;\n routeId?: string;\n dataStrategy?: DataStrategyFunction;\n } = {}\n ): Promise<any> {\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\n // SSR supports HEAD requests while SPA doesn't\n if (!isValidMethod(method) && method !== \"HEAD\" && method !== \"OPTIONS\") {\n throw getInternalRouterError(405, { method });\n } else if (!matches) {\n throw getInternalRouterError(404, { pathname: location.pathname });\n }\n\n let match = routeId\n ? matches.find((m) => m.route.id === routeId)\n : getTargetMatch(matches, location);\n\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, { pathname: location.pathname });\n }\n\n let result = await queryImpl(\n request,\n location,\n matches,\n requestContext,\n dataStrategy || null,\n false,\n match\n );\n\n if (isResponse(result)) {\n return result;\n }\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\n // Pick off the right state value to return\n if (result.actionData) {\n return Object.values(result.actionData)[0];\n }\n\n if (result.loaderData) {\n let data = Object.values(result.loaderData)[0];\n if (result.activeDeferreds?.[match.route.id]) {\n data[UNSAFE_DEFERRED_SYMBOL] = result.activeDeferreds[match.route.id];\n }\n return data;\n }\n\n return undefined;\n }\n\n async function queryImpl(\n request: Request,\n location: Location,\n matches: AgnosticDataRouteMatch[],\n requestContext: unknown,\n dataStrategy: DataStrategyFunction | null,\n skipLoaderErrorBubbling: boolean,\n routeMatch: AgnosticDataRouteMatch | null\n ): Promise<Omit<StaticHandlerContext, \"location\" | \"basename\"> | Response> {\n invariant(\n request.signal,\n \"query()/queryRoute() requests must contain an AbortController signal\"\n );\n\n try {\n if (isMutationMethod(request.method.toLowerCase())) {\n let result = await submit(\n request,\n matches,\n routeMatch || getTargetMatch(matches, location),\n requestContext,\n dataStrategy,\n skipLoaderErrorBubbling,\n routeMatch != null\n );\n return result;\n }\n\n let result = await loadRouteData(\n request,\n matches,\n requestContext,\n dataStrategy,\n skipLoaderErrorBubbling,\n routeMatch\n );\n return isResponse(result)\n ? result\n : {\n ...result,\n actionData: null,\n actionHeaders: {},\n };\n } catch (e) {\n // If the user threw/returned a Response in callLoaderOrAction for a\n // `queryRoute` call, we throw the `DataStrategyResult` to bail out early\n // and then return or throw the raw Response here accordingly\n if (isDataStrategyResult(e) && isResponse(e.result)) {\n if (e.type === ResultType.error) {\n throw e.result;\n }\n return e.result;\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\n async function submit(\n request: Request,\n matches: AgnosticDataRouteMatch[],\n actionMatch: AgnosticDataRouteMatch,\n requestContext: unknown,\n dataStrategy: DataStrategyFunction | null,\n skipLoaderErrorBubbling: boolean,\n isRouteRequest: boolean\n ): Promise<Omit<StaticHandlerContext, \"location\" | \"basename\"> | Response> {\n let result: DataResult;\n\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 let results = await callDataStrategy(\n \"action\",\n request,\n [actionMatch],\n matches,\n isRouteRequest,\n requestContext,\n dataStrategy\n );\n result = results[actionMatch.route.id];\n\n if (request.signal.aborted) {\n throwStaticHandlerAbortedError(request, isRouteRequest, future);\n }\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.response.status,\n headers: {\n Location: result.response.headers.get(\"Location\")!,\n },\n });\n }\n\n if (isDeferredResult(result)) {\n let error = getInternalRouterError(400, { type: \"defer-action\" });\n if (isRouteRequest) {\n throw error;\n }\n result = {\n type: ResultType.error,\n error,\n };\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\n return {\n matches: [actionMatch],\n loaderData: {},\n actionData: { [actionMatch.route.id]: result.data },\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\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\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 = skipLoaderErrorBubbling\n ? actionMatch\n : findNearestBoundary(matches, actionMatch.route.id);\n\n let context = await loadRouteData(\n loaderRequest,\n matches,\n requestContext,\n dataStrategy,\n skipLoaderErrorBubbling,\n null,\n [boundaryMatch.route.id, result]\n );\n\n // action status codes take precedence over loader status codes\n return {\n ...context,\n statusCode: isRouteErrorResponse(result.error)\n ? result.error.status\n : result.statusCode != null\n ? result.statusCode\n : 500,\n actionData: null,\n actionHeaders: {\n ...(result.headers ? { [actionMatch.route.id]: result.headers } : {}),\n },\n };\n }\n\n let context = await loadRouteData(\n loaderRequest,\n matches,\n requestContext,\n dataStrategy,\n skipLoaderErrorBubbling,\n null\n );\n\n return {\n ...context,\n actionData: {\n [actionMatch.route.id]: result.data,\n },\n // action status codes take precedence over loader status codes\n ...(result.statusCode ? { statusCode: result.statusCode } : {}),\n actionHeaders: result.headers\n ? { [actionMatch.route.id]: result.headers }\n : {},\n };\n }\n\n async function loadRouteData(\n request: Request,\n matches: AgnosticDataRouteMatch[],\n requestContext: unknown,\n dataStrategy: DataStrategyFunction | null,\n skipLoaderErrorBubbling: boolean,\n routeMatch: AgnosticDataRouteMatch | null,\n pendingActionResult?: PendingActionResult\n ): Promise<\n | Omit<\n StaticHandlerContext,\n \"location\" | \"basename\" | \"actionData\" | \"actionHeaders\"\n >\n | Response\n > {\n let isRouteRequest = routeMatch != null;\n\n // Short circuit if we have no loaders to run (queryRoute())\n if (\n isRouteRequest &&\n !routeMatch?.route.loader &&\n !routeMatch?.route.lazy\n ) {\n throw getInternalRouterError(400, {\n method: request.method,\n pathname: new URL(request.url).pathname,\n routeId: routeMatch?.route.id,\n });\n }\n\n let requestMatches = routeMatch\n ? [routeMatch]\n : pendingActionResult && isErrorResult(pendingActionResult[1])\n ? getLoaderMatchesUntilBoundary(matches, pendingActionResult[0])\n : matches;\n let matchesToLoad = requestMatches.filter(\n (m) => m.route.loader || m.route.lazy\n );\n\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(\n (acc, m) => Object.assign(acc, { [m.route.id]: null }),\n {}\n ),\n errors:\n pendingActionResult && isErrorResult(pendingActionResult[1])\n ? {\n [pendingActionResult[0]]: pendingActionResult[1].error,\n }\n : null,\n statusCode: 200,\n loaderHeaders: {},\n activeDeferreds: null,\n };\n }\n\n let results = await callDataStrategy(\n \"loader\",\n request,\n matchesToLoad,\n matches,\n isRouteRequest,\n requestContext,\n dataStrategy\n );\n\n if (request.signal.aborted) {\n throwStaticHandlerAbortedError(request, isRouteRequest, future);\n }\n\n // Process and commit output from loaders\n let activeDeferreds = new Map<string, DeferredData>();\n let context = processRouteLoaderData(\n matches,\n results,\n pendingActionResult,\n activeDeferreds,\n skipLoaderErrorBubbling\n );\n\n // Add a null for any non-loader matches for proper revalidation on the client\n let executedLoaders = new Set<string>(\n matchesToLoad.map((match) => match.route.id)\n );\n matches.forEach((match) => {\n if (!executedLoaders.has(match.route.id)) {\n context.loaderData[match.route.id] = null;\n }\n });\n\n return {\n ...context,\n matches,\n activeDeferreds:\n activeDeferreds.size > 0\n ? Object.fromEntries(activeDeferreds.entries())\n : null,\n };\n }\n\n // Utility wrapper for calling dataStrategy server-side without having to\n // pass around the manifest, mapRouteProperties, etc.\n async function callDataStrategy(\n type: \"loader\" | \"action\",\n request: Request,\n matchesToLoad: AgnosticDataRouteMatch[],\n matches: AgnosticDataRouteMatch[],\n isRouteRequest: boolean,\n requestContext: unknown,\n dataStrategy: DataStrategyFunction | null\n ): Promise<Record<string, DataResult>> {\n let results = await callDataStrategyImpl(\n dataStrategy || defaultDataStrategy,\n type,\n null,\n request,\n matchesToLoad,\n matches,\n null,\n manifest,\n mapRouteProperties,\n requestContext\n );\n\n let dataResults: Record<string, DataResult> = {};\n await Promise.all(\n matches.map(async (match) => {\n if (!(match.route.id in results)) {\n return;\n }\n let result = results[match.route.id];\n if (isRedirectDataStrategyResultResult(result)) {\n let response = result.result as Response;\n // Throw redirects and let the server handle them with an HTTP redirect\n throw normalizeRelativeRoutingRedirectResponse(\n response,\n request,\n match.route.id,\n matches,\n basename,\n future.v7_relativeSplatPath\n );\n }\n if (isResponse(result.result) && isRouteRequest) {\n // For SSR single-route requests, we want to hand Responses back\n // directly without unwrapping\n throw result;\n }\n\n dataResults[match.route.id] =\n await convertDataStrategyResultToDataResult(result);\n })\n );\n return dataResults;\n }\n\n return {\n dataRoutes,\n query,\n queryRoute,\n };\n}\n\n//#endregion\n\n////////////////////////////////////////////////////////////////////////////////\n//#region Helpers\n////////////////////////////////////////////////////////////////////////////////\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 */\nexport function getStaticContextFromError(\n routes: AgnosticDataRouteObject[],\n context: StaticHandlerContext,\n error: any\n) {\n let newContext: StaticHandlerContext = {\n ...context,\n statusCode: isRouteErrorResponse(error) ? error.status : 500,\n errors: {\n [context._deepestRenderedBoundaryId || routes[0].id]: error,\n },\n };\n return newContext;\n}\n\nfunction throwStaticHandlerAbortedError(\n request: Request,\n isRouteRequest: boolean,\n future: StaticHandlerFutureConfig\n) {\n if (future.v7_throwAbortReason && request.signal.reason !== undefined) {\n throw request.signal.reason;\n }\n\n let method = isRouteRequest ? \"queryRoute\" : \"query\";\n throw new Error(`${method}() call aborted: ${request.method} ${request.url}`);\n}\n\nfunction isSubmissionNavigation(\n opts: BaseNavigateOrFetchOptions\n): opts is SubmissionNavigateOptions {\n return (\n opts != null &&\n ((\"formData\" in opts && opts.formData != null) ||\n (\"body\" in opts && opts.body !== undefined))\n );\n}\n\nfunction normalizeTo(\n location: Path,\n matches: AgnosticDataRouteMatch[],\n basename: string,\n prependBasename: boolean,\n to: To | null,\n v7_relativeSplatPath: boolean,\n fromRouteId?: string,\n relative?: RelativeRoutingType\n) {\n let contextualMatches: AgnosticDataRouteMatch[];\n let activeRouteMatch: AgnosticDataRouteMatch | undefined;\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\n // Resolve the relative path\n let path = resolveTo(\n to ? to : \".\",\n getResolveToMatches(contextualMatches, v7_relativeSplatPath),\n stripBasename(location.pathname, basename) || location.pathname,\n relative === \"path\"\n );\n\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\n // Account for `?index` params when routing to the current location\n if ((to == null || to === \"\" || to === \".\") && activeRouteMatch) {\n let nakedIndex = hasNakedIndexQuery(path.search);\n if (activeRouteMatch.route.index && !nakedIndex) {\n // Add one when we're targeting an index route\n path.search = path.search\n ? path.search.replace(/^\\?/, \"?index&\")\n : \"?index\";\n } else if (!activeRouteMatch.route.index && nakedIndex) {\n // Remove existing ones when we're not\n let params = new URLSearchParams(path.search);\n let indexValues = params.getAll(\"index\");\n params.delete(\"index\");\n indexValues.filter((v) => v).forEach((v) => params.append(\"index\", v));\n let qs = params.toString();\n path.search = qs ? `?${qs}` : \"\";\n }\n }\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 =\n path.pathname === \"/\" ? basename : joinPaths([basename, path.pathname]);\n }\n\n return createPath(path);\n}\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(\n normalizeFormMethod: boolean,\n isFetcher: boolean,\n path: string,\n opts?: BaseNavigateOrFetchOptions\n): {\n path: string;\n submission?: Submission;\n error?: ErrorResponseImpl;\n} {\n // Return location verbatim on non-submission navigations\n if (!opts || !isSubmissionNavigation(opts)) {\n return { path };\n }\n\n if (opts.formMethod && !isValidMethod(opts.formMethod)) {\n return {\n path,\n error: getInternalRouterError(405, { method: opts.formMethod }),\n };\n }\n\n let getInvalidBodyError = () => ({\n path,\n error: getInternalRouterError(400, { type: \"invalid-body\" }),\n });\n\n // Create a Submission on non-GET navigations\n let rawFormMethod = opts.formMethod || \"get\";\n let formMethod = normalizeFormMethod\n ? (rawFormMethod.toUpperCase() as V7_FormMethod)\n : (rawFormMethod.toLowerCase() as FormMethod);\n let formAction = stripHashFromPath(path);\n\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\n let text =\n typeof opts.body === \"string\"\n ? opts.body\n : opts.body instanceof FormData ||\n 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(\n (acc, [name, value]) => `${acc}${name}=${value}\\n`,\n \"\"\n )\n : String(opts.body);\n\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\n try {\n let json =\n typeof opts.body === \"string\" ? JSON.parse(opts.body) : opts.body;\n\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\n invariant(\n typeof FormData === \"function\",\n \"FormData is not available in this environment\"\n );\n\n let searchParams: URLSearchParams;\n let formData: FormData;\n\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\n let submission: Submission = {\n formMethod,\n formAction,\n formEncType:\n (opts && opts.formEncType) || \"application/x-www-form-urlencoded\",\n formData,\n json: undefined,\n text: undefined,\n };\n\n if (isMutationMethod(submission.formMethod)) {\n return { path, 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\n return { path: createPath(parsedPath), submission };\n}\n\n// Filter out all routes at/below any caught error as they aren't going to\n// render so we don't need to load them\nfunction getLoaderMatchesUntilBoundary(\n matches: AgnosticDataRouteMatch[],\n boundaryId: string,\n includeBoundary = false\n) {\n let index = matches.findIndex((m) => m.route.id === boundaryId);\n if (index >= 0) {\n return matches.slice(0, includeBoundary ? index + 1 : index);\n }\n return matches;\n}\n\nfunction getMatchesToLoad(\n history: History,\n state: RouterState,\n matches: AgnosticDataRouteMatch[],\n submission: Submission | undefined,\n location: Location,\n initialHydration: boolean,\n skipActionErrorRevalidation: boolean,\n isRevalidationRequired: boolean,\n cancelledDeferredRoutes: string[],\n cancelledFetcherLoads: Set<string>,\n deletedFetchers: Set<string>,\n fetchLoadMatches: Map<string, FetchLoadMatch>,\n fetchRedirectIds: Set<string>,\n routesToUse: AgnosticDataRouteObject[],\n basename: string | undefined,\n pendingActionResult?: PendingActionResult\n): [AgnosticDataRouteMatch[], RevalidatingFetcher[]] {\n let actionResult = pendingActionResult\n ? isErrorResult(pendingActionResult[1])\n ? pendingActionResult[1].error\n : pendingActionResult[1].data\n : undefined;\n let currentUrl = history.createURL(state.location);\n let nextUrl = history.createURL(location);\n\n // Pick navigation matches that are net-new or qualify for revalidation\n let boundaryMatches = matches;\n if (initialHydration && state.errors) {\n // On initial hydration, only consider matches up to _and including_ the boundary.\n // This is inclusive to handle cases where a server loader ran successfully,\n // a child server loader bubbled up to this route, but this route has\n // `clientLoader.hydrate` so we want to still run the `clientLoader` so that\n // we have a complete version of `loaderData`\n boundaryMatches = getLoaderMatchesUntilBoundary(\n matches,\n Object.keys(state.errors)[0],\n true\n );\n } else if (pendingActionResult && isErrorResult(pendingActionResult[1])) {\n // If an action threw an error, we call loaders up to, but not including the\n // boundary\n boundaryMatches = getLoaderMatchesUntilBoundary(\n matches,\n pendingActionResult[0]\n );\n }\n\n // Don't revalidate loaders by default after action 4xx/5xx responses\n // when the flag is enabled. They can still opt-into revalidation via\n // `shouldRevalidate` via `actionResult`\n let actionStatus = pendingActionResult\n ? pendingActionResult[1].statusCode\n : undefined;\n let shouldSkipRevalidation =\n skipActionErrorRevalidation && actionStatus && actionStatus >= 400;\n\n let navigationMatches = boundaryMatches.filter((match, index) => {\n let { route } = 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\n if (route.loader == null) {\n return false;\n }\n\n if (initialHydration) {\n return shouldLoadRouteOnHydration(route, state.loaderData, state.errors);\n }\n\n // Always call the loader on new route instances and pending defer cancellations\n if (\n isNewLoader(state.loaderData, state.matches[index], match) ||\n cancelledDeferredRoutes.some((id) => id === match.route.id)\n ) {\n return true;\n }\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\n return shouldRevalidateLoader(match, {\n currentUrl,\n currentParams: currentRouteMatch.params,\n nextUrl,\n nextParams: nextRouteMatch.params,\n ...submission,\n actionResult,\n actionStatus,\n defaultShouldRevalidate: shouldSkipRevalidation\n ? false\n : // Forced revalidation due to submission, useRevalidator, or X-Remix-Revalidate\n isRevalidationRequired ||\n currentUrl.pathname + currentUrl.search ===\n nextUrl.pathname + nextUrl.search ||\n // Search params affect all loaders\n currentUrl.search !== nextUrl.search ||\n isNewRouteInstance(currentRouteMatch, nextRouteMatch),\n });\n });\n\n // Pick fetcher.loads that need to be revalidated\n let revalidatingFetchers: RevalidatingFetcher[] = [];\n fetchLoadMatches.forEach((f, key) => {\n // Don't revalidate:\n // - on initial hydration (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 (\n initialHydration ||\n !matches.some((m) => m.route.id === f.routeId) ||\n deletedFetchers.has(key)\n ) {\n return;\n }\n\n let fetcherMatches = matchRoutes(routesToUse, f.path, basename);\n\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\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\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.has(key)) {\n // Always mark for revalidation if the fetcher was cancelled\n cancelledFetcherLoads.delete(key);\n shouldRevalidate = true;\n } else if (\n fetcher &&\n fetcher.state !== \"idle\" &&\n fetcher.data === undefined\n ) {\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, {\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 actionStatus,\n defaultShouldRevalidate: shouldSkipRevalidation\n ? false\n : isRevalidationRequired,\n });\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\n return [navigationMatches, revalidatingFetchers];\n}\n\nfunction shouldLoadRouteOnHydration(\n route: AgnosticDataRouteObject,\n loaderData: RouteData | null | undefined,\n errors: RouteData | null | undefined\n) {\n // We dunno if we have a loader - gotta find out!\n if (route.lazy) {\n return true;\n }\n\n // No loader, nothing to initialize\n if (!route.loader) {\n return false;\n }\n\n let hasData = loaderData != null && loaderData[route.id] !== undefined;\n let hasError = errors != null && errors[route.id] !== undefined;\n\n // Don't run if we error'd during SSR\n if (!hasData && hasError) {\n return false;\n }\n\n // Explicitly opting-in to running on hydration\n if (typeof route.loader === \"function\" && route.loader.hydrate === true) {\n return true;\n }\n\n // Otherwise, run if we're not yet initialized with anything\n return !hasData && !hasError;\n}\n\nfunction isNewLoader(\n currentLoaderData: RouteData,\n currentMatch: AgnosticDataRouteMatch,\n match: AgnosticDataRouteMatch\n) {\n let isNew =\n // [a] -> [a, b]\n !currentMatch ||\n // [a, b] -> [a, c]\n match.route.id !== currentMatch.route.id;\n\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\n // Always load if this is a net-new route or we don't yet have data\n return isNew || isMissingData;\n}\n\nfunction isNewRouteInstance(\n currentMatch: AgnosticDataRouteMatch,\n match: AgnosticDataRouteMatch\n) {\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 &&\n currentPath.endsWith(\"*\") &&\n currentMatch.params[\"*\"] !== match.params[\"*\"])\n );\n}\n\nfunction shouldRevalidateLoader(\n loaderMatch: AgnosticDataRouteMatch,\n arg: ShouldRevalidateFunctionArgs\n) {\n if (loaderMatch.route.shouldRevalidate) {\n let routeChoice = loaderMatch.route.shouldRevalidate(arg);\n if (typeof routeChoice === \"boolean\") {\n return routeChoice;\n }\n }\n\n return arg.defaultShouldRevalidate;\n}\n\nfunction patchRoutesImpl(\n routeId: string | null,\n children: AgnosticRouteObject[],\n routesToUse: AgnosticDataRouteObject[],\n manifest: RouteManifest,\n mapRouteProperties: MapRoutePropertiesFunction\n) {\n let childrenToPatch: AgnosticDataRouteObject[];\n if (routeId) {\n let route = manifest[routeId];\n invariant(\n route,\n `No route found to patch children into: routeId = ${routeId}`\n );\n if (!route.children) {\n route.children = [];\n }\n childrenToPatch = route.children;\n } else {\n childrenToPatch = routesToUse;\n }\n\n // Don't patch in routes we already know about so that `patch` is idempotent\n // to simplify user-land code. This is useful because we re-call the\n // `patchRoutesOnNavigation` function for matched routes with params.\n let uniqueChildren = children.filter(\n (newRoute) =>\n !childrenToPatch.some((existingRoute) =>\n isSameRoute(newRoute, existingRoute)\n )\n );\n\n let newRoutes = convertRoutesToDataRoutes(\n uniqueChildren,\n mapRouteProperties,\n [routeId || \"_\", \"patch\", String(childrenToPatch?.length || \"0\")],\n manifest\n );\n\n childrenToPatch.push(...newRoutes);\n}\n\nfunction isSameRoute(\n newRoute: AgnosticRouteObject,\n existingRoute: AgnosticRouteObject\n): boolean {\n // Most optimal check is by id\n if (\n \"id\" in newRoute &&\n \"id\" in existingRoute &&\n newRoute.id === existingRoute.id\n ) {\n return true;\n }\n\n // Second is by pathing differences\n if (\n !(\n newRoute.index === existingRoute.index &&\n newRoute.path === existingRoute.path &&\n newRoute.caseSensitive === existingRoute.caseSensitive\n )\n ) {\n return false;\n }\n\n // Pathless layout routes are trickier since we need to check children.\n // If they have no children then they're the same as far as we can tell\n if (\n (!newRoute.children || newRoute.children.length === 0) &&\n (!existingRoute.children || existingRoute.children.length === 0)\n ) {\n return true;\n }\n\n // Otherwise, we look to see if every child in the new route is already\n // represented in the existing route's children\n return newRoute.children!.every((aChild, i) =>\n existingRoute.children?.some((bChild) => isSameRoute(aChild, bChild))\n );\n}\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(\n route: AgnosticDataRouteObject,\n mapRouteProperties: MapRoutePropertiesFunction,\n manifest: RouteManifest\n) {\n if (!route.lazy) {\n return;\n }\n\n let lazyRoute = await route.lazy();\n\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\n let routeToUpdate = manifest[route.id];\n invariant(routeToUpdate, \"No route found in manifest\");\n\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: Record<string, any> = {};\n for (let lazyRouteProperty in lazyRoute) {\n let staticRouteValue =\n routeToUpdate[lazyRouteProperty as keyof typeof routeToUpdate];\n\n let isPropertyStaticallyDefined =\n staticRouteValue !== undefined &&\n // This property isn't static since it should always be updated based\n // on the route updates\n lazyRouteProperty !== \"hasErrorBoundary\";\n\n warning(\n !isPropertyStaticallyDefined,\n `Route \"${routeToUpdate.id}\" has a static property \"${lazyRouteProperty}\" ` +\n `defined but its lazy function is also returning a value for this property. ` +\n `The lazy route property \"${lazyRouteProperty}\" will be ignored.`\n );\n\n if (\n !isPropertyStaticallyDefined &&\n !immutableRouteKeys.has(lazyRouteProperty as ImmutableRouteKey)\n ) {\n routeUpdates[lazyRouteProperty] =\n lazyRoute[lazyRouteProperty as keyof typeof lazyRoute];\n }\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\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, {\n // To keep things framework agnostic, we use the provided\n // `mapRouteProperties` (or wrapped `detectErrorBoundary`) function to\n // set the framework-aware properties (`element`/`hasErrorBoundary`) since\n // the logic will differ between frameworks.\n ...mapRouteProperties(routeToUpdate),\n lazy: undefined,\n });\n}\n\n// Default implementation of `dataStrategy` which fetches all loaders in parallel\nasync function defaultDataStrategy({\n matches,\n}: DataStrategyFunctionArgs): ReturnType<DataStrategyFunction> {\n let matchesToLoad = matches.filter((m) => m.shouldLoad);\n let results = await Promise.all(matchesToLoad.map((m) => m.resolve()));\n return results.reduce(\n (acc, result, i) =>\n Object.assign(acc, { [matchesToLoad[i].route.id]: result }),\n {}\n );\n}\n\nasync function callDataStrategyImpl(\n dataStrategyImpl: DataStrategyFunction,\n type: \"loader\" | \"action\",\n state: RouterState | null,\n request: Request,\n matchesToLoad: AgnosticDataRouteMatch[],\n matches: AgnosticDataRouteMatch[],\n fetcherKey: string | null,\n manifest: RouteManifest,\n mapRouteProperties: MapRoutePropertiesFunction,\n requestContext?: unknown\n): Promise<Record<string, DataStrategyResult>> {\n let loadRouteDefinitionsPromises = matches.map((m) =>\n m.route.lazy\n ? loadLazyRouteModule(m.route, mapRouteProperties, manifest)\n : undefined\n );\n\n let dsMatches = matches.map((match, i) => {\n let loadRoutePromise = loadRouteDefinitionsPromises[i];\n let shouldLoad = matchesToLoad.some((m) => m.route.id === match.route.id);\n // `resolve` encapsulates route.lazy(), executing the loader/action,\n // and mapping return values/thrown errors to a `DataStrategyResult`. Users\n // can pass a callback to take fine-grained control over the execution\n // of the loader/action\n let resolve: DataStrategyMatch[\"resolve\"] = async (handlerOverride) => {\n if (\n handlerOverride &&\n request.method === \"GET\" &&\n (match.route.lazy || match.route.loader)\n ) {\n shouldLoad = true;\n }\n return shouldLoad\n ? callLoaderOrAction(\n type,\n request,\n match,\n loadRoutePromise,\n handlerOverride,\n requestContext\n )\n : Promise.resolve({ type: ResultType.data, result: undefined });\n };\n\n return {\n ...match,\n shouldLoad,\n resolve,\n };\n });\n\n // Send all matches here to allow for a middleware-type implementation.\n // handler will be a no-op for unneeded routes and we filter those results\n // back out below.\n let results = await dataStrategyImpl({\n matches: dsMatches,\n request,\n params: matches[0].params,\n fetcherKey,\n context: requestContext,\n });\n\n // Wait for all routes to load here but 'swallow the error since we want\n // it to bubble up from the `await loadRoutePromise` in `callLoaderOrAction` -\n // called from `match.resolve()`\n try {\n await Promise.all(loadRouteDefinitionsPromises);\n } catch (e) {\n // No-op\n }\n\n return results;\n}\n\n// Default logic for calling a loader/action is the user has no specified a dataStrategy\nasync function callLoaderOrAction(\n type: \"loader\" | \"action\",\n request: Request,\n match: AgnosticDataRouteMatch,\n loadRoutePromise: Promise<void> | undefined,\n handlerOverride: Parameters<DataStrategyMatch[\"resolve\"]>[0],\n staticContext?: unknown\n): Promise<DataStrategyResult> {\n let result: DataStrategyResult;\n let onReject: (() => void) | undefined;\n\n let runHandler = (\n handler: AgnosticRouteObject[\"loader\"] | AgnosticRouteObject[\"action\"]\n ): Promise<DataStrategyResult> => {\n // Setup a promise we can race against so that abort signals short circuit\n let reject: () => void;\n // This will never resolve so safe to type it as Promise<DataStrategyResult> to\n // satisfy the function return value\n let abortPromise = new Promise<DataStrategyResult>((_, r) => (reject = r));\n onReject = () => reject();\n request.signal.addEventListener(\"abort\", onReject);\n\n let actualHandler = (ctx?: unknown) => {\n if (typeof handler !== \"function\") {\n return Promise.reject(\n new Error(\n `You cannot call the handler for a route which defines a boolean ` +\n `\"${type}\" [routeId: ${match.route.id}]`\n )\n );\n }\n return handler(\n {\n request,\n params: match.params,\n context: staticContext,\n },\n ...(ctx !== undefined ? [ctx] : [])\n );\n };\n\n let handlerPromise: Promise<DataStrategyResult> = (async () => {\n try {\n let val = await (handlerOverride\n ? handlerOverride((ctx: unknown) => actualHandler(ctx))\n : actualHandler());\n return { type: \"data\", result: val };\n } catch (e) {\n return { type: \"error\", result: e };\n }\n })();\n\n return Promise.race([handlerPromise, abortPromise]);\n };\n\n try {\n let handler = match.route[type];\n\n // If we have a route.lazy promise, await that first\n if (loadRoutePromise) {\n if (handler) {\n // Run statically defined handler in parallel with lazy()\n let handlerError;\n let [value] = 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 }),\n loadRoutePromise,\n ]);\n if (handlerError !== undefined) {\n throw handlerError;\n }\n result = value!;\n } else {\n // Load lazy route module, then run any returned handler\n await loadRoutePromise;\n\n handler = match.route[type];\n if (handler) {\n // Handler still runs 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 { type: ResultType.data, result: undefined };\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\n invariant(\n result.result !== undefined,\n `You defined ${type === \"action\" ? \"an action\" : \"a loader\"} for route ` +\n `\"${match.route.id}\" but didn't return anything from your \\`${type}\\` ` +\n `function. Please return a value or \\`null\\`.`\n );\n } catch (e) {\n // We should already be catching and converting normal handler executions to\n // DataStrategyResults and returning them, so anything that throws here is an\n // unexpected error we still need to wrap\n return { type: ResultType.error, result: e };\n } finally {\n if (onReject) {\n request.signal.removeEventListener(\"abort\", onReject);\n }\n }\n\n return result;\n}\n\nasync function convertDataStrategyResultToDataResult(\n dataStrategyResult: DataStrategyResult\n): Promise<DataResult> {\n let { result, type } = dataStrategyResult;\n\n if (isResponse(result)) {\n let data: any;\n\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 if (result.body == null) {\n data = null;\n } else {\n data = await result.json();\n }\n } else {\n data = await result.text();\n }\n } catch (e) {\n return { type: ResultType.error, error: e };\n }\n\n if (type === ResultType.error) {\n return {\n type: ResultType.error,\n error: new ErrorResponseImpl(result.status, result.statusText, data),\n statusCode: result.status,\n headers: result.headers,\n };\n }\n\n return {\n type: ResultType.data,\n data,\n statusCode: result.status,\n headers: result.headers,\n };\n }\n\n if (type === ResultType.error) {\n if (isDataWithResponseInit(result)) {\n if (result.data instanceof Error) {\n return {\n type: ResultType.error,\n error: result.data,\n statusCode: result.init?.status,\n headers: result.init?.headers\n ? new Headers(result.init.headers)\n : undefined,\n };\n }\n\n // Convert thrown data() to ErrorResponse instances\n return {\n type: ResultType.error,\n error: new ErrorResponseImpl(\n result.init?.status || 500,\n undefined,\n result.data\n ),\n statusCode: isRouteErrorResponse(result) ? result.status : undefined,\n headers: result.init?.headers\n ? new Headers(result.init.headers)\n : undefined,\n };\n }\n return {\n type: ResultType.error,\n error: result,\n statusCode: isRouteErrorResponse(result) ? result.status : undefined,\n };\n }\n\n if (isDeferredData(result)) {\n return {\n type: ResultType.deferred,\n deferredData: result,\n statusCode: result.init?.status,\n headers: result.init?.headers && new Headers(result.init.headers),\n };\n }\n\n if (isDataWithResponseInit(result)) {\n return {\n type: ResultType.data,\n data: result.data,\n statusCode: result.init?.status,\n headers: result.init?.headers\n ? new Headers(result.init.headers)\n : undefined,\n };\n }\n\n return { type: ResultType.data, data: result };\n}\n\n// Support relative routing in internal redirects\nfunction normalizeRelativeRoutingRedirectResponse(\n response: Response,\n request: Request,\n routeId: string,\n matches: AgnosticDataRouteMatch[],\n basename: string,\n v7_relativeSplatPath: boolean\n) {\n let location = response.headers.get(\"Location\");\n invariant(\n location,\n \"Redirects returned/thrown from loaders/actions must have a Location header\"\n );\n\n if (!ABSOLUTE_URL_REGEX.test(location)) {\n let trimmedMatches = matches.slice(\n 0,\n matches.findIndex((m) => m.route.id === routeId) + 1\n );\n location = normalizeTo(\n new URL(request.url),\n trimmedMatches,\n basename,\n true,\n location,\n v7_relativeSplatPath\n );\n response.headers.set(\"Location\", location);\n }\n\n return response;\n}\n\nfunction normalizeRedirectLocation(\n location: string,\n currentUrl: URL,\n basename: string,\n historyInstance: History,\n): string {\n // Match Chrome's behavior:\n // https://github.com/chromium/chromium/blob/216dbeb61db0c667e62082e5f5400a32d6983df3/content/public/common/url_utils.cc#L82\n let invalidProtocols = [\n \"about:\",\n \"blob:\",\n \"chrome:\",\n \"chrome-untrusted:\",\n \"content:\",\n \"data:\",\n \"devtools:\",\n \"file:\",\n \"filesystem:\",\n // eslint-disable-next-line no-script-url\n \"javascript:\",\n ];\n\n if (ABSOLUTE_URL_REGEX.test(location)) {\n // Strip off the protocol+origin for same-origin + same-basename absolute redirects\n let normalizedLocation = location;\n let url = normalizedLocation.startsWith(\"//\")\n ? new URL(currentUrl.protocol + normalizedLocation)\n : new URL(normalizedLocation);\n if (invalidProtocols.includes(url.protocol)) {\n throw new Error(\"Invalid redirect location\");\n }\n let isSameBasename = stripBasename(url.pathname, basename) != null;\n if (url.origin === currentUrl.origin && isSameBasename) {\n return url.pathname + url.search + url.hash;\n }\n }\n\n try {\n let url = historyInstance.createURL(location);\n if (invalidProtocols.includes(url.protocol)) {\n throw new Error(\"Invalid redirect location\");\n }\n } catch (e) {}\n\n return location;\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(\n history: History,\n location: string | Location,\n signal: AbortSignal,\n submission?: Submission\n): Request {\n let url = history.createURL(stripHashFromPath(location)).toString();\n let init: RequestInit = { signal };\n\n if (submission && isMutationMethod(submission.formMethod)) {\n let { formMethod, formEncType } = 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\n if (formEncType === \"application/json\") {\n init.headers = new Headers({ \"Content-Type\": formEncType });\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 (\n formEncType === \"application/x-www-form-urlencoded\" &&\n submission.formData\n ) {\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\n return new Request(url, init);\n}\n\nfunction convertFormDataToSearchParams(formData: FormData): URLSearchParams {\n let searchParams = new URLSearchParams();\n\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\n return searchParams;\n}\n\nfunction convertSearchParamsToFormData(\n searchParams: URLSearchParams\n): FormData {\n let formData = new FormData();\n for (let [key, value] of searchParams.entries()) {\n formData.append(key, value);\n }\n return formData;\n}\n\nfunction processRouteLoaderData(\n matches: AgnosticDataRouteMatch[],\n results: Record<string, DataResult>,\n pendingActionResult: PendingActionResult | undefined,\n activeDeferreds: Map<string, DeferredData>,\n skipLoaderErrorBubbling: boolean\n): {\n loaderData: RouterState[\"loaderData\"];\n errors: RouterState[\"errors\"] | null;\n statusCode: number;\n loaderHeaders: Record<string, Headers>;\n} {\n // Fill in loaderData/errors from our loaders\n let loaderData: RouterState[\"loaderData\"] = {};\n let errors: RouterState[\"errors\"] | null = null;\n let statusCode: number | undefined;\n let foundError = false;\n let loaderHeaders: Record<string, Headers> = {};\n let pendingError =\n pendingActionResult && isErrorResult(pendingActionResult[1])\n ? pendingActionResult[1].error\n : undefined;\n\n // Process loader results into state.loaderData/state.errors\n matches.forEach((match) => {\n if (!(match.route.id in results)) {\n return;\n }\n let id = match.route.id;\n let result = results[id];\n invariant(\n !isRedirectResult(result),\n \"Cannot handle redirect results in processLoaderData\"\n );\n if (isErrorResult(result)) {\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 !== undefined) {\n error = pendingError;\n pendingError = undefined;\n }\n\n errors = errors || {};\n\n if (skipLoaderErrorBubbling) {\n errors[id] = error;\n } else {\n // Look upwards from the matched route for the closest ancestor error\n // boundary, defaulting to the root match. Prefer higher error values\n // if lower errors bubble to the same boundary\n let boundaryMatch = findNearestBoundary(matches, id);\n if (errors[boundaryMatch.route.id] == null) {\n errors[boundaryMatch.route.id] = error;\n }\n }\n\n // Clear our any prior loaderData for the throwing route\n loaderData[id] = undefined;\n\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)\n ? result.error.status\n : 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 // Error status codes always override success status codes, but if all\n // loaders are successful we take the deepest status code.\n if (\n result.statusCode != null &&\n result.statusCode !== 200 &&\n !foundError\n ) {\n statusCode = result.statusCode;\n }\n if (result.headers) {\n loaderHeaders[id] = result.headers;\n }\n } else {\n loaderData[id] = result.data;\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 && result.statusCode !== 200 && !foundError) {\n statusCode = result.statusCode;\n }\n if (result.headers) {\n loaderHeaders[id] = result.headers;\n }\n }\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 !== undefined && pendingActionResult) {\n errors = { [pendingActionResult[0]]: pendingError };\n loaderData[pendingActionResult[0]] = undefined;\n }\n\n return {\n loaderData,\n errors,\n statusCode: statusCode || 200,\n loaderHeaders,\n };\n}\n\nfunction processLoaderData(\n state: RouterState,\n matches: AgnosticDataRouteMatch[],\n results: Record<string, DataResult>,\n pendingActionResult: PendingActionResult | undefined,\n revalidatingFetchers: RevalidatingFetcher[],\n fetcherResults: Record<string, DataResult>,\n activeDeferreds: Map<string, DeferredData>\n): {\n loaderData: RouterState[\"loaderData\"];\n errors?: RouterState[\"errors\"];\n} {\n let { loaderData, errors } = processRouteLoaderData(\n matches,\n results,\n pendingActionResult,\n activeDeferreds,\n false // This method is only called client side so we always want to bubble\n );\n\n // Process results from our revalidating fetchers\n revalidatingFetchers.forEach((rf) => {\n let { key, match, controller } = rf;\n let result = fetcherResults[key];\n invariant(result, \"Did not find corresponding fetcher result\");\n\n // Process fetcher non-redirect errors\n if (controller && controller.signal.aborted) {\n // Nothing to do for aborted fetchers\n return;\n } else if (isErrorResult(result)) {\n let boundaryMatch = findNearestBoundary(state.matches, match?.route.id);\n if (!(errors && errors[boundaryMatch.route.id])) {\n errors = {\n ...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\n return { loaderData, errors };\n}\n\nfunction mergeLoaderData(\n loaderData: RouteData,\n newLoaderData: RouteData,\n matches: AgnosticDataRouteMatch[],\n errors: RouteData | null | undefined\n): RouteData {\n let mergedLoaderData = { ...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 } else {\n // No-op - this is so we ignore existing data if we have a key in the\n // incoming object with an undefined value, which is how we unset a prior\n // loaderData if we encounter a loader error\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\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\nfunction getActionDataForCommit(\n pendingActionResult: PendingActionResult | undefined\n) {\n if (!pendingActionResult) {\n return {};\n }\n return isErrorResult(pendingActionResult[1])\n ? {\n // Clear out prior actionData on errors\n actionData: {},\n }\n : {\n actionData: {\n [pendingActionResult[0]]: pendingActionResult[1].data,\n },\n };\n}\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(\n matches: AgnosticDataRouteMatch[],\n routeId?: string\n): AgnosticDataRouteMatch {\n let eligibleMatches = routeId\n ? matches.slice(0, matches.findIndex((m) => m.route.id === routeId) + 1)\n : [...matches];\n return (\n eligibleMatches.reverse().find((m) => m.route.hasErrorBoundary === true) ||\n matches[0]\n );\n}\n\nfunction getShortCircuitMatches(routes: AgnosticDataRouteObject[]): {\n matches: AgnosticDataRouteMatch[];\n route: AgnosticDataRouteObject;\n} {\n // Prefer a root layout route if present, otherwise shim in a route object\n let route =\n routes.length === 1\n ? routes[0]\n : routes.find((r) => r.index || !r.path || r.path === \"/\") || {\n id: `__shim-error-route__`,\n };\n\n return {\n matches: [\n {\n params: {},\n pathname: \"\",\n pathnameBase: \"\",\n route,\n },\n ],\n route,\n };\n}\n\nfunction getInternalRouterError(\n status: number,\n {\n pathname,\n routeId,\n method,\n type,\n message,\n }: {\n pathname?: string;\n routeId?: string;\n method?: string;\n type?: \"defer-action\" | \"invalid-body\";\n message?: string;\n } = {}\n) {\n let statusText = \"Unknown Server Error\";\n let errorMessage = \"Unknown @remix-run/router error\";\n\n if (status === 400) {\n statusText = \"Bad Request\";\n if (method && pathname && routeId) {\n errorMessage =\n `You made a ${method} request to \"${pathname}\" but ` +\n `did not provide a \\`loader\\` for route \"${routeId}\", ` +\n `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 =\n `You made a ${method.toUpperCase()} request to \"${pathname}\" but ` +\n `did not provide an \\`action\\` for route \"${routeId}\", ` +\n `so there is no way to handle the request.`;\n } else if (method) {\n errorMessage = `Invalid request method \"${method.toUpperCase()}\"`;\n }\n }\n\n return new ErrorResponseImpl(\n status || 500,\n statusText,\n new Error(errorMessage),\n true\n );\n}\n\n// Find any returned redirect errors, starting from the lowest match\nfunction findRedirect(\n results: Record<string, DataResult>\n): { key: string; result: RedirectResult } | undefined {\n let entries = Object.entries(results);\n for (let i = entries.length - 1; i >= 0; i--) {\n let [key, result] = entries[i];\n if (isRedirectResult(result)) {\n return { key, result };\n }\n }\n}\n\nfunction stripHashFromPath(path: To) {\n let parsedPath = typeof path === \"string\" ? parsePath(path) : path;\n return createPath({ ...parsedPath, hash: \"\" });\n}\n\nfunction isHashChangeOnly(a: Location, b: Location): boolean {\n if (a.pathname !== b.pathname || a.search !== b.search) {\n return false;\n }\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\n // If the hash is removed the browser will re-perform a request to the server\n // /page#hash -> /page\n return false;\n}\n\nfunction isPromise<T = unknown>(val: unknown): val is Promise<T> {\n return typeof val === \"object\" && val != null && \"then\" in val;\n}\n\nfunction isDataStrategyResult(result: unknown): result is DataStrategyResult {\n return (\n result != null &&\n typeof result === \"object\" &&\n \"type\" in result &&\n \"result\" in result &&\n (result.type === ResultType.data || result.type === ResultType.error)\n );\n}\n\nfunction isRedirectDataStrategyResultResult(result: DataStrategyResult) {\n return (\n isResponse(result.result) && redirectStatusCodes.has(result.result.status)\n );\n}\n\nfunction isDeferredResult(result: DataResult): result is DeferredResult {\n return result.type === ResultType.deferred;\n}\n\nfunction isErrorResult(result: DataResult): result is ErrorResult {\n return result.type === ResultType.error;\n}\n\nfunction isRedirectResult(result?: DataResult): result is RedirectResult {\n return (result && result.type) === ResultType.redirect;\n}\n\nexport function isDataWithResponseInit(\n value: any\n): value is DataWithResponseInit<unknown> {\n return (\n typeof value === \"object\" &&\n value != null &&\n \"type\" in value &&\n \"data\" in value &&\n \"init\" in value &&\n value.type === \"DataWithResponseInit\"\n );\n}\n\nexport function isDeferredData(value: any): value is DeferredData {\n let deferred: DeferredData = value;\n return (\n deferred &&\n typeof deferred === \"object\" &&\n typeof deferred.data === \"object\" &&\n typeof deferred.subscribe === \"function\" &&\n typeof deferred.cancel === \"function\" &&\n typeof deferred.resolveData === \"function\"\n );\n}\n\nfunction isResponse(value: any): value is Response {\n return (\n value != null &&\n typeof value.status === \"number\" &&\n typeof value.statusText === \"string\" &&\n typeof value.headers === \"object\" &&\n typeof value.body !== \"undefined\"\n );\n}\n\nfunction isRedirectResponse(result: any): result is Response {\n if (!isResponse(result)) {\n return false;\n }\n\n let status = result.status;\n let location = result.headers.get(\"Location\");\n return status >= 300 && status <= 399 && location != null;\n}\n\nfunction isValidMethod(method: string): method is FormMethod | V7_FormMethod {\n return validRequestMethods.has(method.toLowerCase() as FormMethod);\n}\n\nfunction isMutationMethod(\n method: string\n): method is MutationFormMethod | V7_MutationFormMethod {\n return validMutationMethods.has(method.toLowerCase() as MutationFormMethod);\n}\n\nasync function resolveNavigationDeferredResults(\n matches: (AgnosticDataRouteMatch | null)[],\n results: Record<string, DataResult>,\n signal: AbortSignal,\n currentMatches: AgnosticDataRouteMatch[],\n currentLoaderData: RouteData\n) {\n let entries = Object.entries(results);\n for (let index = 0; index < entries.length; index++) {\n let [routeId, result] = entries[index];\n let match = matches.find((m) => m?.route.id === routeId);\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\n let currentMatch = currentMatches.find(\n (m) => m.route.id === match!.route.id\n );\n let isRevalidatingLoader =\n currentMatch != null &&\n !isNewRouteInstance(currentMatch, match) &&\n (currentLoaderData && currentLoaderData[match.route.id]) !== undefined;\n\n if (isDeferredResult(result) && 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 await resolveDeferredData(result, signal, false).then((result) => {\n if (result) {\n results[routeId] = result;\n }\n });\n }\n }\n}\n\nasync function resolveFetcherDeferredResults(\n matches: (AgnosticDataRouteMatch | null)[],\n results: Record<string, DataResult>,\n revalidatingFetchers: RevalidatingFetcher[]\n) {\n for (let index = 0; index < revalidatingFetchers.length; index++) {\n let { key, routeId, controller } = revalidatingFetchers[index];\n let result = results[key];\n let match = matches.find((m) => m?.route.id === routeId);\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\n if (isDeferredResult(result)) {\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 invariant(\n controller,\n \"Expected an AbortController for revalidating fetcher deferred result\"\n );\n await resolveDeferredData(result, controller.signal, true).then(\n (result) => {\n if (result) {\n results[key] = result;\n }\n }\n );\n }\n }\n}\n\nasync function resolveDeferredData(\n result: DeferredResult,\n signal: AbortSignal,\n unwrap = false\n): Promise<SuccessResult | ErrorResult | undefined> {\n let aborted = await result.deferredData.resolveData(signal);\n if (aborted) {\n return;\n }\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\n return {\n type: ResultType.data,\n data: result.deferredData.data,\n };\n}\n\nfunction hasNakedIndexQuery(search: string): boolean {\n return new URLSearchParams(search).getAll(\"index\").some((v) => v === \"\");\n}\n\nfunction getTargetMatch(\n matches: AgnosticDataRouteMatch[],\n location: Location | string\n) {\n let search =\n typeof location === \"string\" ? parsePath(location).search : location.search;\n if (\n matches[matches.length - 1].route.index &&\n hasNakedIndexQuery(search || \"\")\n ) {\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}\n\nfunction getSubmissionFromNavigation(\n navigation: Navigation\n): Submission | undefined {\n let { formMethod, formAction, formEncType, text, formData, json } =\n navigation;\n if (!formMethod || !formAction || !formEncType) {\n return;\n }\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}\n\nfunction getLoadingNavigation(\n location: Location,\n submission?: Submission\n): NavigationStates[\"Loading\"] {\n if (submission) {\n let navigation: NavigationStates[\"Loading\"] = {\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: NavigationStates[\"Loading\"] = {\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}\n\nfunction getSubmittingNavigation(\n location: Location,\n submission: Submission\n): NavigationStates[\"Submitting\"] {\n let navigation: NavigationStates[\"Submitting\"] = {\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}\n\nfunction getLoadingFetcher(\n submission?: Submission,\n data?: Fetcher[\"data\"]\n): FetcherStates[\"Loading\"] {\n if (submission) {\n let fetcher: FetcherStates[\"Loading\"] = {\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: FetcherStates[\"Loading\"] = {\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}\n\nfunction getSubmittingFetcher(\n submission: Submission,\n existingFetcher?: Fetcher\n): FetcherStates[\"Submitting\"] {\n let fetcher: FetcherStates[\"Submitting\"] = {\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}\n\nfunction getDoneFetcher(data: Fetcher[\"data\"]): FetcherStates[\"Idle\"] {\n let fetcher: FetcherStates[\"Idle\"] = {\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}\n\nfunction restoreAppliedTransitions(\n _window: Window,\n transitions: Map<string, Set<string>>\n) {\n try {\n let sessionPositions = _window.sessionStorage.getItem(\n TRANSITIONS_STORAGE_KEY\n );\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}\n\nfunction persistAppliedTransitions(\n _window: Window,\n transitions: Map<string, Set<string>>\n) {\n if (transitions.size > 0) {\n let json: Record<string, string[]> = {};\n for (let [k, v] of transitions) {\n json[k] = [...v];\n }\n try {\n _window.sessionStorage.setItem(\n TRANSITIONS_STORAGE_KEY,\n JSON.stringify(json)\n );\n } catch (error) {\n warning(\n false,\n `Failed to save applied view transitions in sessionStorage (${error}).`\n );\n }\n }\n}\n//#endregion\n"],"mappings":";;;;;;;;;;;;;;;;;;;;;;;;;AAAA;AACA;AACA;AAEA;;AAEG;IACSA,MAAA;AAAZ,WAAYA,MAAM;EAChB;;;;;;AAMG;EACHA,MAAA,eAAW;EAEX;;;;AAIG;EACHA,MAAA,iBAAa;EAEb;;;AAGG;EACHA,MAAA,uBAAmB;AACrB,CAAC,EAtBWA,MAAM,KAANA,MAAM,GAsBjB;AAqKD,MAAMC,iBAAiB,GAAG,UAAU;AA+BpC;;;AAGG;AACa,SAAAC,mBAAmBA,CACjCC,OAAA,EAAkC;EAAA,IAAlCA,OAAA;IAAAA,OAAA,GAAgC,EAAE;EAAA;EAElC,IAAI;IAAEC,cAAc,GAAG,CAAC,GAAG,CAAC;IAAEC,YAAY;IAAEC,QAAQ,GAAG;EAAO,IAAGH,OAAO;EACxE,IAAII,OAAmB,CAAC;EACxBA,OAAO,GAAGH,cAAc,CAACI,GAAG,CAAC,CAACC,KAAK,EAAEC,KAAK,KACxCC,oBAAoB,CAClBF,KAAK,EACL,OAAOA,KAAK,KAAK,QAAQ,GAAG,IAAI,GAAGA,KAAK,CAACG,KAAK,EAC9CF,KAAK,KAAK,CAAC,GAAG,SAAS,GAAGG,SAAS,CACpC,CACF;EACD,IAAIH,KAAK,GAAGI,UAAU,CACpBT,YAAY,IAAI,IAAI,GAAGE,OAAO,CAACQ,MAAM,GAAG,CAAC,GAAGV,YAAY,CACzD;EACD,IAAIW,MAAM,GAAGhB,MAAM,CAACiB,GAAG;EACvB,IAAIC,QAAQ,GAAoB,IAAI;EAEpC,SAASJ,UAAUA,CAACK,CAAS;IAC3B,OAAOC,IAAI,CAACC,GAAG,CAACD,IAAI,CAACE,GAAG,CAACH,CAAC,EAAE,CAAC,CAAC,EAAEZ,OAAO,CAACQ,MAAM,GAAG,CAAC,CAAC;EACrD;EACA,SAASQ,kBAAkBA,CAAA;IACzB,OAAOhB,OAAO,CAACG,KAAK,CAAC;EACvB;EACA,SAASC,oBAAoBA,CAC3Ba,EAAM,EACNZ,KAAa,EACba,GAAY;IAAA,IADZb,KAAa;MAAbA,KAAa,OAAI;IAAA;IAGjB,IAAIc,QAAQ,GAAGC,cAAc,CAC3BpB,OAAO,GAAGgB,kBAAkB,EAAE,CAACK,QAAQ,GAAG,GAAG,EAC7CJ,EAAE,EACFZ,KAAK,EACLa,GAAG,CACJ;IACDI,OAAO,CACLH,QAAQ,CAACE,QAAQ,CAACE,MAAM,CAAC,CAAC,CAAC,KAAK,GAAG,+DACwBC,IAAI,CAACC,SAAS,CACvER,EAAE,CACD,CACJ;IACD,OAAOE,QAAQ;EACjB;EAEA,SAASO,UAAUA,CAACT,EAAM;IACxB,OAAO,OAAOA,EAAE,KAAK,QAAQ,GAAGA,EAAE,GAAGU,UAAU,CAACV,EAAE,CAAC;EACrD;EAEA,IAAIW,OAAO,GAAkB;IAC3B,IAAIzB,KAAKA,CAAA;MACP,OAAOA,KAAK;KACb;IACD,IAAIM,MAAMA,CAAA;MACR,OAAOA,MAAM;KACd;IACD,IAAIU,QAAQA,CAAA;MACV,OAAOH,kBAAkB,EAAE;KAC5B;IACDU,UAAU;IACVG,SAASA,CAACZ,EAAE;MACV,OAAO,IAAIa,GAAG,CAACJ,UAAU,CAACT,EAAE,CAAC,EAAE,kBAAkB,CAAC;KACnD;IACDc,cAAcA,CAACd,EAAM;MACnB,IAAIe,IAAI,GAAG,OAAOf,EAAE,KAAK,QAAQ,GAAGgB,SAAS,CAAChB,EAAE,CAAC,GAAGA,EAAE;MACtD,OAAO;QACLI,QAAQ,EAAEW,IAAI,CAACX,QAAQ,IAAI,EAAE;QAC7Ba,MAAM,EAAEF,IAAI,CAACE,MAAM,IAAI,EAAE;QACzBC,IAAI,EAAEH,IAAI,CAACG,IAAI,IAAI;OACpB;KACF;IACDC,IAAIA,CAACnB,EAAE,EAAEZ,KAAK;MACZI,MAAM,GAAGhB,MAAM,CAAC4C,IAAI;MACpB,IAAIC,YAAY,GAAGlC,oBAAoB,CAACa,EAAE,EAAEZ,KAAK,CAAC;MAClDF,KAAK,IAAI,CAAC;MACVH,OAAO,CAACuC,MAAM,CAACpC,KAAK,EAAEH,OAAO,CAACQ,MAAM,EAAE8B,YAAY,CAAC;MACnD,IAAIvC,QAAQ,IAAIY,QAAQ,EAAE;QACxBA,QAAQ,CAAC;UAAEF,MAAM;UAAEU,QAAQ,EAAEmB,YAAY;UAAEE,KAAK,EAAE;QAAC,CAAE,CAAC;MACvD;KACF;IACDC,OAAOA,CAACxB,EAAE,EAAEZ,KAAK;MACfI,MAAM,GAAGhB,MAAM,CAACiD,OAAO;MACvB,IAAIJ,YAAY,GAAGlC,oBAAoB,CAACa,EAAE,EAAEZ,KAAK,CAAC;MAClDL,OAAO,CAACG,KAAK,CAAC,GAAGmC,YAAY;MAC7B,IAAIvC,QAAQ,IAAIY,QAAQ,EAAE;QACxBA,QAAQ,CAAC;UAAEF,MAAM;UAAEU,QAAQ,EAAEmB,YAAY;UAAEE,KAAK,EAAE;QAAC,CAAE,CAAC;MACvD;KACF;IACDG,EAAEA,CAACH,KAAK;MACN/B,MAAM,GAAGhB,MAAM,CAACiB,GAAG;MACnB,IAAIkC,SAAS,GAAGrC,UAAU,CAACJ,KAAK,GAAGqC,KAAK,CAAC;MACzC,IAAIF,YAAY,GAAGtC,OAAO,CAAC4C,SAAS,CAAC;MACrCzC,KAAK,GAAGyC,SAAS;MACjB,IAAIjC,QAAQ,EAAE;QACZA,QAAQ,CAAC;UAAEF,MAAM;UAAEU,QAAQ,EAAEmB,YAAY;UAAEE;QAAO,EAAC;MACpD;KACF;IACDK,MAAMA,CAACC,EAAY;MACjBnC,QAAQ,GAAGmC,EAAE;MACb,OAAO,MAAK;QACVnC,QAAQ,GAAG,IAAI;OAChB;IACH;GACD;EAED,OAAOiB,OAAO;AAChB;AAkBA;;;;;;AAMG;AACa,SAAAmB,oBAAoBA,CAClCnD,OAAA,EAAmC;EAAA,IAAnCA,OAAA;IAAAA,OAAA,GAAiC,EAAE;EAAA;EAEnC,SAASoD,qBAAqBA,CAC5BC,MAAc,EACdC,aAAgC;IAEhC,IAAI;MAAE7B,QAAQ;MAAEa,MAAM;MAAEC;KAAM,GAAGc,MAAM,CAAC9B,QAAQ;IAChD,OAAOC,cAAc,CACnB,EAAE,EACF;MAAEC,QAAQ;MAAEa,MAAM;MAAEC;KAAM;IAC1B;IACCe,aAAa,CAAC7C,KAAK,IAAI6C,aAAa,CAAC7C,KAAK,CAAC8C,GAAG,IAAK,IAAI,EACvDD,aAAa,CAAC7C,KAAK,IAAI6C,aAAa,CAAC7C,KAAK,CAACa,GAAG,IAAK,SAAS,CAC9D;EACH;EAEA,SAASkC,iBAAiBA,CAACH,MAAc,EAAEhC,EAAM;IAC/C,OAAO,OAAOA,EAAE,KAAK,QAAQ,GAAGA,EAAE,GAAGU,UAAU,CAACV,EAAE,CAAC;EACrD;EAEA,OAAOoC,kBAAkB,CACvBL,qBAAqB,EACrBI,iBAAiB,EACjB,IAAI,EACJxD,OAAO,CACR;AACH;AAsBA;;;;;;;AAOG;AACa,SAAA0D,iBAAiBA,CAC/B1D,OAAA,EAAgC;EAAA,IAAhCA,OAAA;IAAAA,OAAA,GAA8B,EAAE;EAAA;EAEhC,SAAS2D,kBAAkBA,CACzBN,MAAc,EACdC,aAAgC;IAEhC,IAAI;MACF7B,QAAQ,GAAG,GAAG;MACda,MAAM,GAAG,EAAE;MACXC,IAAI,GAAG;IAAE,CACV,GAAGF,SAAS,CAACgB,MAAM,CAAC9B,QAAQ,CAACgB,IAAI,CAACqB,MAAM,CAAC,CAAC,CAAC,CAAC;IAE7C;IACA;IACA;IACA;IACA;IACA;IACA,IAAI,CAACnC,QAAQ,CAACoC,UAAU,CAAC,GAAG,CAAC,IAAI,CAACpC,QAAQ,CAACoC,UAAU,CAAC,GAAG,CAAC,EAAE;MAC1DpC,QAAQ,GAAG,GAAG,GAAGA,QAAQ;IAC1B;IAED,OAAOD,cAAc,CACnB,EAAE,EACF;MAAEC,QAAQ;MAAEa,MAAM;MAAEC;KAAM;IAC1B;IACCe,aAAa,CAAC7C,KAAK,IAAI6C,aAAa,CAAC7C,KAAK,CAAC8C,GAAG,IAAK,IAAI,EACvDD,aAAa,CAAC7C,KAAK,IAAI6C,aAAa,CAAC7C,KAAK,CAACa,GAAG,IAAK,SAAS,CAC9D;EACH;EAEA,SAASwC,cAAcA,CAACT,MAAc,EAAEhC,EAAM;IAC5C,IAAI0C,IAAI,GAAGV,MAAM,CAACW,QAAQ,CAACC,aAAa,CAAC,MAAM,CAAC;IAChD,IAAIC,IAAI,GAAG,EAAE;IAEb,IAAIH,IAAI,IAAIA,IAAI,CAACI,YAAY,CAAC,MAAM,CAAC,EAAE;MACrC,IAAIC,GAAG,GAAGf,MAAM,CAAC9B,QAAQ,CAAC2C,IAAI;MAC9B,IAAIG,SAAS,GAAGD,GAAG,CAACE,OAAO,CAAC,GAAG,CAAC;MAChCJ,IAAI,GAAGG,SAAS,KAAK,CAAC,CAAC,GAAGD,GAAG,GAAGA,GAAG,CAACG,KAAK,CAAC,CAAC,EAAEF,SAAS,CAAC;IACxD;IAED,OAAOH,IAAI,GAAG,GAAG,IAAI,OAAO7C,EAAE,KAAK,QAAQ,GAAGA,EAAE,GAAGU,UAAU,CAACV,EAAE,CAAC,CAAC;EACpE;EAEA,SAASmD,oBAAoBA,CAACjD,QAAkB,EAAEF,EAAM;IACtDK,OAAO,CACLH,QAAQ,CAACE,QAAQ,CAACE,MAAM,CAAC,CAAC,CAAC,KAAK,GAAG,iEAC0BC,IAAI,CAACC,SAAS,CACzER,EAAE,CACH,MAAG,CACL;EACH;EAEA,OAAOoC,kBAAkB,CACvBE,kBAAkB,EAClBG,cAAc,EACdU,oBAAoB,EACpBxE,OAAO,CACR;AACH;AAegB,SAAAyE,SAASA,CAACC,KAAU,EAAEC,OAAgB;EACpD,IAAID,KAAK,KAAK,KAAK,IAAIA,KAAK,KAAK,IAAI,IAAI,OAAOA,KAAK,KAAK,WAAW,EAAE;IACrE,MAAM,IAAIE,KAAK,CAACD,OAAO,CAAC;EACzB;AACH;AAEgB,SAAAjD,OAAOA,CAACmD,IAAS,EAAEF,OAAe;EAChD,IAAI,CAACE,IAAI,EAAE;IACT;IACA,IAAI,OAAOC,OAAO,KAAK,WAAW,EAAEA,OAAO,CAACC,IAAI,CAACJ,OAAO,CAAC;IAEzD,IAAI;MACF;MACA;MACA;MACA;MACA;MACA,MAAM,IAAIC,KAAK,CAACD,OAAO,CAAC;MACxB;IACD,EAAC,OAAOK,CAAC,EAAE;EACb;AACH;AAEA,SAASC,SAASA,CAAA;EAChB,OAAOhE,IAAI,CAACiE,MAAM,EAAE,CAACC,QAAQ,CAAC,EAAE,CAAC,CAACvB,MAAM,CAAC,CAAC,EAAE,CAAC,CAAC;AAChD;AAEA;;AAEG;AACH,SAASwB,eAAeA,CAAC7D,QAAkB,EAAEhB,KAAa;EACxD,OAAO;IACLgD,GAAG,EAAEhC,QAAQ,CAACd,KAAK;IACnBa,GAAG,EAAEC,QAAQ,CAACD,GAAG;IACjB+D,GAAG,EAAE9E;GACN;AACH;AAEA;;AAEG;AACG,SAAUiB,cAAcA,CAC5B8D,OAA0B,EAC1BjE,EAAM,EACNZ,KAAA,EACAa,GAAY;EAAA,IADZb,KAAA;IAAAA,KAAA,GAAa,IAAI;EAAA;EAGjB,IAAIc,QAAQ,GAAAgE,QAAA;IACV9D,QAAQ,EAAE,OAAO6D,OAAO,KAAK,QAAQ,GAAGA,OAAO,GAAGA,OAAO,CAAC7D,QAAQ;IAClEa,MAAM,EAAE,EAAE;IACVC,IAAI,EAAE;GACF,SAAOlB,EAAE,KAAK,QAAQ,GAAGgB,SAAS,CAAChB,EAAE,CAAC,GAAGA,EAAE;IAC/CZ,KAAK;IACL;IACA;IACA;IACA;IACAa,GAAG,EAAGD,EAAE,IAAKA,EAAe,CAACC,GAAG,IAAKA,GAAG,IAAI2D,SAAS;GACtD;EACD,OAAO1D,QAAQ;AACjB;AAEA;;AAEG;AACa,SAAAQ,UAAUA,CAAAyD,IAAA,EAIV;EAAA,IAJW;IACzB/D,QAAQ,GAAG,GAAG;IACda,MAAM,GAAG,EAAE;IACXC,IAAI,GAAG;EACO,IAAAiD,IAAA;EACd,IAAIlD,MAAM,IAAIA,MAAM,KAAK,GAAG,EAC1Bb,QAAQ,IAAIa,MAAM,CAACX,MAAM,CAAC,CAAC,CAAC,KAAK,GAAG,GAAGW,MAAM,GAAG,GAAG,GAAGA,MAAM;EAC9D,IAAIC,IAAI,IAAIA,IAAI,KAAK,GAAG,EACtBd,QAAQ,IAAIc,IAAI,CAACZ,MAAM,CAAC,CAAC,CAAC,KAAK,GAAG,GAAGY,IAAI,GAAG,GAAG,GAAGA,IAAI;EACxD,OAAOd,QAAQ;AACjB;AAEA;;AAEG;AACG,SAAUY,SAASA,CAACD,IAAY;EACpC,IAAIqD,UAAU,GAAkB,EAAE;EAElC,IAAIrD,IAAI,EAAE;IACR,IAAIiC,SAAS,GAAGjC,IAAI,CAACkC,OAAO,CAAC,GAAG,CAAC;IACjC,IAAID,SAAS,IAAI,CAAC,EAAE;MAClBoB,UAAU,CAAClD,IAAI,GAAGH,IAAI,CAACwB,MAAM,CAACS,SAAS,CAAC;MACxCjC,IAAI,GAAGA,IAAI,CAACwB,MAAM,CAAC,CAAC,EAAES,SAAS,CAAC;IACjC;IAED,IAAIqB,WAAW,GAAGtD,IAAI,CAACkC,OAAO,CAAC,GAAG,CAAC;IACnC,IAAIoB,WAAW,IAAI,CAAC,EAAE;MACpBD,UAAU,CAACnD,MAAM,GAAGF,IAAI,CAACwB,MAAM,CAAC8B,WAAW,CAAC;MAC5CtD,IAAI,GAAGA,IAAI,CAACwB,MAAM,CAAC,CAAC,EAAE8B,WAAW,CAAC;IACnC;IAED,IAAItD,IAAI,EAAE;MACRqD,UAAU,CAAChE,QAAQ,GAAGW,IAAI;IAC3B;EACF;EAED,OAAOqD,UAAU;AACnB;AASA,SAAShC,kBAAkBA,CACzBkC,WAA2E,EAC3E7D,UAA8C,EAC9C8D,gBAA+D,EAC/D5F,OAAA,EAA+B;EAAA,IAA/BA,OAAA;IAAAA,OAAA,GAA6B,EAAE;EAAA;EAE/B,IAAI;IAAEqD,MAAM,GAAGW,QAAQ,CAAC6B,WAAY;IAAE1F,QAAQ,GAAG;EAAO,IAAGH,OAAO;EAClE,IAAIsD,aAAa,GAAGD,MAAM,CAACrB,OAAO;EAClC,IAAInB,MAAM,GAAGhB,MAAM,CAACiB,GAAG;EACvB,IAAIC,QAAQ,GAAoB,IAAI;EAEpC,IAAIR,KAAK,GAAGuF,QAAQ,EAAG;EACvB;EACA;EACA;EACA,IAAIvF,KAAK,IAAI,IAAI,EAAE;IACjBA,KAAK,GAAG,CAAC;IACT+C,aAAa,CAACyC,YAAY,CAAAR,QAAA,CAAM,IAAAjC,aAAa,CAAC7C,KAAK;MAAE4E,GAAG,EAAE9E;IAAK,IAAI,EAAE,CAAC;EACvE;EAED,SAASuF,QAAQA,CAAA;IACf,IAAIrF,KAAK,GAAG6C,aAAa,CAAC7C,KAAK,IAAI;MAAE4E,GAAG,EAAE;KAAM;IAChD,OAAO5E,KAAK,CAAC4E,GAAG;EAClB;EAEA,SAASW,SAASA,CAAA;IAChBnF,MAAM,GAAGhB,MAAM,CAACiB,GAAG;IACnB,IAAIkC,SAAS,GAAG8C,QAAQ,EAAE;IAC1B,IAAIlD,KAAK,GAAGI,SAAS,IAAI,IAAI,GAAG,IAAI,GAAGA,SAAS,GAAGzC,KAAK;IACxDA,KAAK,GAAGyC,SAAS;IACjB,IAAIjC,QAAQ,EAAE;MACZA,QAAQ,CAAC;QAAEF,MAAM;QAAEU,QAAQ,EAAES,OAAO,CAACT,QAAQ;QAAEqB;MAAK,CAAE,CAAC;IACxD;EACH;EAEA,SAASJ,IAAIA,CAACnB,EAAM,EAAEZ,KAAW;IAC/BI,MAAM,GAAGhB,MAAM,CAAC4C,IAAI;IACpB,IAAIlB,QAAQ,GAAGC,cAAc,CAACQ,OAAO,CAACT,QAAQ,EAAEF,EAAE,EAAEZ,KAAK,CAAC;IAC1D,IAAImF,gBAAgB,EAAEA,gBAAgB,CAACrE,QAAQ,EAAEF,EAAE,CAAC;IAEpDd,KAAK,GAAGuF,QAAQ,EAAE,GAAG,CAAC;IACtB,IAAIG,YAAY,GAAGb,eAAe,CAAC7D,QAAQ,EAAEhB,KAAK,CAAC;IACnD,IAAI6D,GAAG,GAAGpC,OAAO,CAACF,UAAU,CAACP,QAAQ,CAAC;IAEtC;IACA,IAAI;MACF+B,aAAa,CAAC4C,SAAS,CAACD,YAAY,EAAE,EAAE,EAAE7B,GAAG,CAAC;KAC/C,CAAC,OAAO+B,KAAK,EAAE;MACd;MACA;MACA;MACA;MACA,IAAIA,KAAK,YAAYC,YAAY,IAAID,KAAK,CAACE,IAAI,KAAK,gBAAgB,EAAE;QACpE,MAAMF,KAAK;MACZ;MACD;MACA;MACA9C,MAAM,CAAC9B,QAAQ,CAAC+E,MAAM,CAAClC,GAAG,CAAC;IAC5B;IAED,IAAIjE,QAAQ,IAAIY,QAAQ,EAAE;MACxBA,QAAQ,CAAC;QAAEF,MAAM;QAAEU,QAAQ,EAAES,OAAO,CAACT,QAAQ;QAAEqB,KAAK,EAAE;MAAC,CAAE,CAAC;IAC3D;EACH;EAEA,SAASC,OAAOA,CAACxB,EAAM,EAAEZ,KAAW;IAClCI,MAAM,GAAGhB,MAAM,CAACiD,OAAO;IACvB,IAAIvB,QAAQ,GAAGC,cAAc,CAACQ,OAAO,CAACT,QAAQ,EAAEF,EAAE,EAAEZ,KAAK,CAAC;IAC1D,IAAImF,gBAAgB,EAAEA,gBAAgB,CAACrE,QAAQ,EAAEF,EAAE,CAAC;IAEpDd,KAAK,GAAGuF,QAAQ,EAAE;IAClB,IAAIG,YAAY,GAAGb,eAAe,CAAC7D,QAAQ,EAAEhB,KAAK,CAAC;IACnD,IAAI6D,GAAG,GAAGpC,OAAO,CAACF,UAAU,CAACP,QAAQ,CAAC;IACtC+B,aAAa,CAACyC,YAAY,CAACE,YAAY,EAAE,EAAE,EAAE7B,GAAG,CAAC;IAEjD,IAAIjE,QAAQ,IAAIY,QAAQ,EAAE;MACxBA,QAAQ,CAAC;QAAEF,MAAM;QAAEU,QAAQ,EAAES,OAAO,CAACT,QAAQ;QAAEqB,KAAK,EAAE;MAAC,CAAE,CAAC;IAC3D;EACH;EAEA,SAASX,SAASA,CAACZ,EAAM;IACvB;IACA;IACA;IACA,IAAI0C,IAAI,GACNV,MAAM,CAAC9B,QAAQ,CAACgF,MAAM,KAAK,MAAM,GAC7BlD,MAAM,CAAC9B,QAAQ,CAACgF,MAAM,GACtBlD,MAAM,CAAC9B,QAAQ,CAAC2C,IAAI;IAE1B,IAAIA,IAAI,GAAG,OAAO7C,EAAE,KAAK,QAAQ,GAAGA,EAAE,GAAGU,UAAU,CAACV,EAAE,CAAC;IACvD;IACA;IACA;IACA6C,IAAI,GAAGA,IAAI,CAACrB,OAAO,CAAC,IAAI,EAAE,KAAK,CAAC;IAChC4B,SAAS,CACPV,IAAI,EACkE,wEAAAG,IAAM,CAC7E;IACD,OAAO,IAAIhC,GAAG,CAACgC,IAAI,EAAEH,IAAI,CAAC;EAC5B;EAEA,IAAI/B,OAAO,GAAY;IACrB,IAAInB,MAAMA,CAAA;MACR,OAAOA,MAAM;KACd;IACD,IAAIU,QAAQA,CAAA;MACV,OAAOoE,WAAW,CAACtC,MAAM,EAAEC,aAAa,CAAC;KAC1C;IACDL,MAAMA,CAACC,EAAY;MACjB,IAAInC,QAAQ,EAAE;QACZ,MAAM,IAAI6D,KAAK,CAAC,4CAA4C,CAAC;MAC9D;MACDvB,MAAM,CAACmD,gBAAgB,CAAC1G,iBAAiB,EAAEkG,SAAS,CAAC;MACrDjF,QAAQ,GAAGmC,EAAE;MAEb,OAAO,MAAK;QACVG,MAAM,CAACoD,mBAAmB,CAAC3G,iBAAiB,EAAEkG,SAAS,CAAC;QACxDjF,QAAQ,GAAG,IAAI;OAChB;KACF;IACDe,UAAUA,CAACT,EAAE;MACX,OAAOS,UAAU,CAACuB,MAAM,EAAEhC,EAAE,CAAC;KAC9B;IACDY,SAAS;IACTE,cAAcA,CAACd,EAAE;MACf;MACA,IAAI+C,GAAG,GAAGnC,SAAS,CAACZ,EAAE,CAAC;MACvB,OAAO;QACLI,QAAQ,EAAE2C,GAAG,CAAC3C,QAAQ;QACtBa,MAAM,EAAE8B,GAAG,CAAC9B,MAAM;QAClBC,IAAI,EAAE6B,GAAG,CAAC7B;OACX;KACF;IACDC,IAAI;IACJK,OAAO;IACPE,EAAEA,CAAC/B,CAAC;MACF,OAAOsC,aAAa,CAACP,EAAE,CAAC/B,CAAC,CAAC;IAC5B;GACD;EAED,OAAOgB,OAAO;AAChB;AAEA;;AC/tBA,IAAY0E,UAKX;AALD,WAAYA,UAAU;EACpBA,UAAA,iBAAa;EACbA,UAAA,yBAAqB;EACrBA,UAAA,yBAAqB;EACrBA,UAAA,mBAAe;AACjB,CAAC,EALWA,UAAU,KAAVA,UAAU,GAKrB;AA2RM,MAAMC,kBAAkB,GAAG,IAAIC,GAAG,CAAoB,CAC3D,MAAM,EACN,eAAe,EACf,MAAM,EACN,IAAI,EACJ,OAAO,EACP,UAAU,CACX,CAAC;AAoJF,SAASC,YAAYA,CACnBC,KAA0B;EAE1B,OAAOA,KAAK,CAACvG,KAAK,KAAK,IAAI;AAC7B;AAEA;AACA;AACM,SAAUwG,yBAAyBA,CACvCC,MAA6B,EAC7BC,kBAA8C,EAC9CC,UAAuB,EACvBC,QAAA,EAA4B;EAAA,IAD5BD,UAAuB;IAAvBA,UAAuB,KAAE;EAAA;EAAA,IACzBC,QAAA;IAAAA,QAAA,GAA0B,EAAE;EAAA;EAE5B,OAAOH,MAAM,CAAC3G,GAAG,CAAC,CAACyG,KAAK,EAAEvG,KAAK,KAAI;IACjC,IAAI6G,QAAQ,GAAG,CAAC,GAAGF,UAAU,EAAEG,MAAM,CAAC9G,KAAK,CAAC,CAAC;IAC7C,IAAI+G,EAAE,GAAG,OAAOR,KAAK,CAACQ,EAAE,KAAK,QAAQ,GAAGR,KAAK,CAACQ,EAAE,GAAGF,QAAQ,CAACG,IAAI,CAAC,GAAG,CAAC;IACrE9C,SAAS,CACPqC,KAAK,CAACvG,KAAK,KAAK,IAAI,IAAI,CAACuG,KAAK,CAACU,QAAQ,6CACI,CAC5C;IACD/C,SAAS,CACP,CAAC0C,QAAQ,CAACG,EAAE,CAAC,EACb,qCAAqC,GAAAA,EAAE,GACrC,wEAAwD,CAC3D;IAED,IAAIT,YAAY,CAACC,KAAK,CAAC,EAAE;MACvB,IAAIW,UAAU,GAAAlC,QAAA,KACTuB,KAAK,EACLG,kBAAkB,CAACH,KAAK,CAAC;QAC5BQ;OACD;MACDH,QAAQ,CAACG,EAAE,CAAC,GAAGG,UAAU;MACzB,OAAOA,UAAU;IAClB,OAAM;MACL,IAAIC,iBAAiB,GAAAnC,QAAA,KAChBuB,KAAK,EACLG,kBAAkB,CAACH,KAAK,CAAC;QAC5BQ,EAAE;QACFE,QAAQ,EAAE9G;OACX;MACDyG,QAAQ,CAACG,EAAE,CAAC,GAAGI,iBAAiB;MAEhC,IAAIZ,KAAK,CAACU,QAAQ,EAAE;QAClBE,iBAAiB,CAACF,QAAQ,GAAGT,yBAAyB,CACpDD,KAAK,CAACU,QAAQ,EACdP,kBAAkB,EAClBG,QAAQ,EACRD,QAAQ,CACT;MACF;MAED,OAAOO,iBAAiB;IACzB;EACH,CAAC,CAAC;AACJ;AAEA;;;;AAIG;AACG,SAAUC,WAAWA,CAGzBX,MAAyB,EACzBY,WAAuC,EACvCC,QAAQ,EAAM;EAAA,IAAdA,QAAQ;IAARA,QAAQ,GAAG,GAAG;EAAA;EAEd,OAAOC,eAAe,CAACd,MAAM,EAAEY,WAAW,EAAEC,QAAQ,EAAE,KAAK,CAAC;AAC9D;AAEM,SAAUC,eAAeA,CAG7Bd,MAAyB,EACzBY,WAAuC,EACvCC,QAAgB,EAChBE,YAAqB;EAErB,IAAIxG,QAAQ,GACV,OAAOqG,WAAW,KAAK,QAAQ,GAAGvF,SAAS,CAACuF,WAAW,CAAC,GAAGA,WAAW;EAExE,IAAInG,QAAQ,GAAGuG,aAAa,CAACzG,QAAQ,CAACE,QAAQ,IAAI,GAAG,EAAEoG,QAAQ,CAAC;EAEhE,IAAIpG,QAAQ,IAAI,IAAI,EAAE;IACpB,OAAO,IAAI;EACZ;EAED,IAAIwG,QAAQ,GAAGC,aAAa,CAAClB,MAAM,CAAC;EACpCmB,iBAAiB,CAACF,QAAQ,CAAC;EAE3B,IAAIG,OAAO,GAAG,IAAI;EAClB,KAAK,IAAIC,CAAC,GAAG,CAAC,EAAED,OAAO,IAAI,IAAI,IAAIC,CAAC,GAAGJ,QAAQ,CAACrH,MAAM,EAAE,EAAEyH,CAAC,EAAE;IAC3D;IACA;IACA;IACA;IACA;IACA;IACA,IAAIC,OAAO,GAAGC,UAAU,CAAC9G,QAAQ,CAAC;IAClC2G,OAAO,GAAGI,gBAAgB,CACxBP,QAAQ,CAACI,CAAC,CAAC,EACXC,OAAO,EACPP,YAAY,CACb;EACF;EAED,OAAOK,OAAO;AAChB;AAUgB,SAAAK,0BAA0BA,CACxCC,KAA6B,EAC7BC,UAAqB;EAErB,IAAI;IAAE7B,KAAK;IAAErF,QAAQ;IAAEmH;EAAM,CAAE,GAAGF,KAAK;EACvC,OAAO;IACLpB,EAAE,EAAER,KAAK,CAACQ,EAAE;IACZ7F,QAAQ;IACRmH,MAAM;IACNC,IAAI,EAAEF,UAAU,CAAC7B,KAAK,CAACQ,EAAE,CAAC;IAC1BwB,MAAM,EAAEhC,KAAK,CAACgC;GACf;AACH;AAmBA,SAASZ,aAAaA,CAGpBlB,MAAyB,EACzBiB,QAA2C,EAC3Cc,WAAA,EACA7B,UAAU,EAAK;EAAA,IAFfe,QAA2C;IAA3CA,QAA2C,KAAE;EAAA;EAAA,IAC7Cc,WAAA;IAAAA,WAAA,GAA4C,EAAE;EAAA;EAAA,IAC9C7B,UAAU;IAAVA,UAAU,GAAG,EAAE;EAAA;EAEf,IAAI8B,YAAY,GAAGA,CACjBlC,KAAsB,EACtBvG,KAAa,EACb0I,YAAqB,KACnB;IACF,IAAIC,IAAI,GAA+B;MACrCD,YAAY,EACVA,YAAY,KAAKvI,SAAS,GAAGoG,KAAK,CAAC1E,IAAI,IAAI,EAAE,GAAG6G,YAAY;MAC9DE,aAAa,EAAErC,KAAK,CAACqC,aAAa,KAAK,IAAI;MAC3CC,aAAa,EAAE7I,KAAK;MACpBuG;KACD;IAED,IAAIoC,IAAI,CAACD,YAAY,CAACpF,UAAU,CAAC,GAAG,CAAC,EAAE;MACrCY,SAAS,CACPyE,IAAI,CAACD,YAAY,CAACpF,UAAU,CAACqD,UAAU,CAAC,EACxC,2BAAwBgC,IAAI,CAACD,YAAY,qCACnC/B,UAAU,oDAA+C,gEACA,CAChE;MAEDgC,IAAI,CAACD,YAAY,GAAGC,IAAI,CAACD,YAAY,CAAC1E,KAAK,CAAC2C,UAAU,CAACtG,MAAM,CAAC;IAC/D;IAED,IAAIwB,IAAI,GAAGiH,SAAS,CAAC,CAACnC,UAAU,EAAEgC,IAAI,CAACD,YAAY,CAAC,CAAC;IACrD,IAAIK,UAAU,GAAGP,WAAW,CAACQ,MAAM,CAACL,IAAI,CAAC;IAEzC;IACA;IACA;IACA,IAAIpC,KAAK,CAACU,QAAQ,IAAIV,KAAK,CAACU,QAAQ,CAAC5G,MAAM,GAAG,CAAC,EAAE;MAC/C6D,SAAS;MACP;MACA;MACAqC,KAAK,CAACvG,KAAK,KAAK,IAAI,EACpB,yDACuC,4CAAA6B,IAAI,SAAI,CAChD;MACD8F,aAAa,CAACpB,KAAK,CAACU,QAAQ,EAAES,QAAQ,EAAEqB,UAAU,EAAElH,IAAI,CAAC;IAC1D;IAED;IACA;IACA,IAAI0E,KAAK,CAAC1E,IAAI,IAAI,IAAI,IAAI,CAAC0E,KAAK,CAACvG,KAAK,EAAE;MACtC;IACD;IAED0H,QAAQ,CAACzF,IAAI,CAAC;MACZJ,IAAI;MACJoH,KAAK,EAAEC,YAAY,CAACrH,IAAI,EAAE0E,KAAK,CAACvG,KAAK,CAAC;MACtC+I;IACD,EAAC;GACH;EACDtC,MAAM,CAAC0C,OAAO,CAAC,CAAC5C,KAAK,EAAEvG,KAAK,KAAI;IAAA,IAAAoJ,WAAA;IAC9B;IACA,IAAI7C,KAAK,CAAC1E,IAAI,KAAK,EAAE,IAAI,GAAAuH,WAAA,GAAC7C,KAAK,CAAC1E,IAAI,aAAVuH,WAAA,CAAYC,QAAQ,CAAC,GAAG,CAAC,CAAE;MACnDZ,YAAY,CAAClC,KAAK,EAAEvG,KAAK,CAAC;IAC3B,OAAM;MACL,KAAK,IAAIsJ,QAAQ,IAAIC,uBAAuB,CAAChD,KAAK,CAAC1E,IAAI,CAAC,EAAE;QACxD4G,YAAY,CAAClC,KAAK,EAAEvG,KAAK,EAAEsJ,QAAQ,CAAC;MACrC;IACF;EACH,CAAC,CAAC;EAEF,OAAO5B,QAAQ;AACjB;AAEA;;;;;;;;;;;;;AAaG;AACH,SAAS6B,uBAAuBA,CAAC1H,IAAY;EAC3C,IAAI2H,QAAQ,GAAG3H,IAAI,CAAC4H,KAAK,CAAC,GAAG,CAAC;EAC9B,IAAID,QAAQ,CAACnJ,MAAM,KAAK,CAAC,EAAE,OAAO,EAAE;EAEpC,IAAI,CAACqJ,KAAK,EAAE,GAAGC,IAAI,CAAC,GAAGH,QAAQ;EAE/B;EACA,IAAII,UAAU,GAAGF,KAAK,CAACG,QAAQ,CAAC,GAAG,CAAC;EACpC;EACA,IAAIC,QAAQ,GAAGJ,KAAK,CAACpH,OAAO,CAAC,KAAK,EAAE,EAAE,CAAC;EAEvC,IAAIqH,IAAI,CAACtJ,MAAM,KAAK,CAAC,EAAE;IACrB;IACA;IACA,OAAOuJ,UAAU,GAAG,CAACE,QAAQ,EAAE,EAAE,CAAC,GAAG,CAACA,QAAQ,CAAC;EAChD;EAED,IAAIC,YAAY,GAAGR,uBAAuB,CAACI,IAAI,CAAC3C,IAAI,CAAC,GAAG,CAAC,CAAC;EAE1D,IAAIgD,MAAM,GAAa,EAAE;EAEzB;EACA;EACA;EACA;EACA;EACA;EACA;EACAA,MAAM,CAAC/H,IAAI,CACT,GAAG8H,YAAY,CAACjK,GAAG,CAAEmK,OAAO,IAC1BA,OAAO,KAAK,EAAE,GAAGH,QAAQ,GAAG,CAACA,QAAQ,EAAEG,OAAO,CAAC,CAACjD,IAAI,CAAC,GAAG,CAAC,CAC1D,CACF;EAED;EACA,IAAI4C,UAAU,EAAE;IACdI,MAAM,CAAC/H,IAAI,CAAC,GAAG8H,YAAY,CAAC;EAC7B;EAED;EACA,OAAOC,MAAM,CAAClK,GAAG,CAAEwJ,QAAQ,IACzBzH,IAAI,CAACyB,UAAU,CAAC,GAAG,CAAC,IAAIgG,QAAQ,KAAK,EAAE,GAAG,GAAG,GAAGA,QAAQ,CACzD;AACH;AAEA,SAAS1B,iBAAiBA,CAACF,QAAuB;EAChDA,QAAQ,CAACwC,IAAI,CAAC,CAACC,CAAC,EAAEC,CAAC,KACjBD,CAAC,CAAClB,KAAK,KAAKmB,CAAC,CAACnB,KAAK,GACfmB,CAAC,CAACnB,KAAK,GAAGkB,CAAC,CAAClB,KAAK;EAAA,EACjBoB,cAAc,CACZF,CAAC,CAACpB,UAAU,CAACjJ,GAAG,CAAE6I,IAAI,IAAKA,IAAI,CAACE,aAAa,CAAC,EAC9CuB,CAAC,CAACrB,UAAU,CAACjJ,GAAG,CAAE6I,IAAI,IAAKA,IAAI,CAACE,aAAa,CAAC,CAC/C,CACN;AACH;AAEA,MAAMyB,OAAO,GAAG,WAAW;AAC3B,MAAMC,mBAAmB,GAAG,CAAC;AAC7B,MAAMC,eAAe,GAAG,CAAC;AACzB,MAAMC,iBAAiB,GAAG,CAAC;AAC3B,MAAMC,kBAAkB,GAAG,EAAE;AAC7B,MAAMC,YAAY,GAAG,CAAC,CAAC;AACvB,MAAMC,OAAO,GAAIC,CAAS,IAAKA,CAAC,KAAK,GAAG;AAExC,SAAS3B,YAAYA,CAACrH,IAAY,EAAE7B,KAA0B;EAC5D,IAAIwJ,QAAQ,GAAG3H,IAAI,CAAC4H,KAAK,CAAC,GAAG,CAAC;EAC9B,IAAIqB,YAAY,GAAGtB,QAAQ,CAACnJ,MAAM;EAClC,IAAImJ,QAAQ,CAACuB,IAAI,CAACH,OAAO,CAAC,EAAE;IAC1BE,YAAY,IAAIH,YAAY;EAC7B;EAED,IAAI3K,KAAK,EAAE;IACT8K,YAAY,IAAIN,eAAe;EAChC;EAED,OAAOhB,QAAQ,CACZwB,MAAM,CAAEH,CAAC,IAAK,CAACD,OAAO,CAACC,CAAC,CAAC,CAAC,CAC1BI,MAAM,CACL,CAAChC,KAAK,EAAEiC,OAAO,KACbjC,KAAK,IACJqB,OAAO,CAACa,IAAI,CAACD,OAAO,CAAC,GAClBX,mBAAmB,GACnBW,OAAO,KAAK,EAAE,GACdT,iBAAiB,GACjBC,kBAAkB,CAAC,EACzBI,YAAY,CACb;AACL;AAEA,SAAST,cAAcA,CAACF,CAAW,EAAEC,CAAW;EAC9C,IAAIgB,QAAQ,GACVjB,CAAC,CAAC9J,MAAM,KAAK+J,CAAC,CAAC/J,MAAM,IAAI8J,CAAC,CAACnG,KAAK,CAAC,CAAC,EAAE,CAAC,CAAC,CAAC,CAACqH,KAAK,CAAC,CAAC5K,CAAC,EAAEqH,CAAC,KAAKrH,CAAC,KAAK2J,CAAC,CAACtC,CAAC,CAAC,CAAC;EAErE,OAAOsD,QAAQ;EACX;EACA;EACA;EACA;EACAjB,CAAC,CAACA,CAAC,CAAC9J,MAAM,GAAG,CAAC,CAAC,GAAG+J,CAAC,CAACA,CAAC,CAAC/J,MAAM,GAAG,CAAC,CAAC;EACjC;EACA;EACA,CAAC;AACP;AAEA,SAAS4H,gBAAgBA,CAIvBqD,MAAoC,EACpCpK,QAAgB,EAChBsG,YAAY,EAAQ;EAAA,IAApBA,YAAY;IAAZA,YAAY,GAAG,KAAK;EAAA;EAEpB,IAAI;IAAEuB;EAAY,IAAGuC,MAAM;EAE3B,IAAIC,aAAa,GAAG,EAAE;EACtB,IAAIC,eAAe,GAAG,GAAG;EACzB,IAAI3D,OAAO,GAAoD,EAAE;EACjE,KAAK,IAAIC,CAAC,GAAG,CAAC,EAAEA,CAAC,GAAGiB,UAAU,CAAC1I,MAAM,EAAE,EAAEyH,CAAC,EAAE;IAC1C,IAAIa,IAAI,GAAGI,UAAU,CAACjB,CAAC,CAAC;IACxB,IAAI2D,GAAG,GAAG3D,CAAC,KAAKiB,UAAU,CAAC1I,MAAM,GAAG,CAAC;IACrC,IAAIqL,iBAAiB,GACnBF,eAAe,KAAK,GAAG,GACnBtK,QAAQ,GACRA,QAAQ,CAAC8C,KAAK,CAACwH,eAAe,CAACnL,MAAM,CAAC,IAAI,GAAG;IACnD,IAAI8H,KAAK,GAAGwD,SAAS,CACnB;MAAE9J,IAAI,EAAE8G,IAAI,CAACD,YAAY;MAAEE,aAAa,EAAED,IAAI,CAACC,aAAa;MAAE6C;KAAK,EACnEC,iBAAiB,CAClB;IAED,IAAInF,KAAK,GAAGoC,IAAI,CAACpC,KAAK;IAEtB,IACE,CAAC4B,KAAK,IACNsD,GAAG,IACHjE,YAAY,IACZ,CAACuB,UAAU,CAACA,UAAU,CAAC1I,MAAM,GAAG,CAAC,CAAC,CAACkG,KAAK,CAACvG,KAAK,EAC9C;MACAmI,KAAK,GAAGwD,SAAS,CACf;QACE9J,IAAI,EAAE8G,IAAI,CAACD,YAAY;QACvBE,aAAa,EAAED,IAAI,CAACC,aAAa;QACjC6C,GAAG,EAAE;OACN,EACDC,iBAAiB,CAClB;IACF;IAED,IAAI,CAACvD,KAAK,EAAE;MACV,OAAO,IAAI;IACZ;IAEDyD,MAAM,CAAC7F,MAAM,CAACwF,aAAa,EAAEpD,KAAK,CAACE,MAAM,CAAC;IAE1CR,OAAO,CAAC5F,IAAI,CAAC;MACX;MACAoG,MAAM,EAAEkD,aAAiC;MACzCrK,QAAQ,EAAE4H,SAAS,CAAC,CAAC0C,eAAe,EAAErD,KAAK,CAACjH,QAAQ,CAAC,CAAC;MACtD2K,YAAY,EAAEC,iBAAiB,CAC7BhD,SAAS,CAAC,CAAC0C,eAAe,EAAErD,KAAK,CAAC0D,YAAY,CAAC,CAAC,CACjD;MACDtF;IACD,EAAC;IAEF,IAAI4B,KAAK,CAAC0D,YAAY,KAAK,GAAG,EAAE;MAC9BL,eAAe,GAAG1C,SAAS,CAAC,CAAC0C,eAAe,EAAErD,KAAK,CAAC0D,YAAY,CAAC,CAAC;IACnE;EACF;EAED,OAAOhE,OAAO;AAChB;AAEA;;;;AAIG;SACakE,YAAYA,CAC1BC,YAAkB,EAClB3D,MAAA,EAEa;EAAA,IAFbA,MAAA;IAAAA,MAAA,GAEI,EAAS;EAAA;EAEb,IAAIxG,IAAI,GAAWmK,YAAY;EAC/B,IAAInK,IAAI,CAACgI,QAAQ,CAAC,GAAG,CAAC,IAAIhI,IAAI,KAAK,GAAG,IAAI,CAACA,IAAI,CAACgI,QAAQ,CAAC,IAAI,CAAC,EAAE;IAC9D1I,OAAO,CACL,KAAK,EACL,eAAe,GAAAU,IAAI,GACb,8CAAAA,IAAI,CAACS,OAAO,CAAC,KAAK,EAAE,IAAI,CAAC,GAAqC,0GACE,IAChC,uCAAAT,IAAI,CAACS,OAAO,CAAC,KAAK,EAAE,IAAI,CAAC,SAAI,CACpE;IACDT,IAAI,GAAGA,IAAI,CAACS,OAAO,CAAC,KAAK,EAAE,IAAI,CAAS;EACzC;EAED;EACA,MAAM2J,MAAM,GAAGpK,IAAI,CAACyB,UAAU,CAAC,GAAG,CAAC,GAAG,GAAG,GAAG,EAAE;EAE9C,MAAMhC,SAAS,GAAI4K,CAAM,IACvBA,CAAC,IAAI,IAAI,GAAG,EAAE,GAAG,OAAOA,CAAC,KAAK,QAAQ,GAAGA,CAAC,GAAGpF,MAAM,CAACoF,CAAC,CAAC;EAExD,MAAM1C,QAAQ,GAAG3H,IAAI,CAClB4H,KAAK,CAAC,KAAK,CAAC,CACZ3J,GAAG,CAAC,CAACoL,OAAO,EAAElL,KAAK,EAAEmM,KAAK,KAAI;IAC7B,MAAMC,aAAa,GAAGpM,KAAK,KAAKmM,KAAK,CAAC9L,MAAM,GAAG,CAAC;IAEhD;IACA,IAAI+L,aAAa,IAAIlB,OAAO,KAAK,GAAG,EAAE;MACpC,MAAMmB,IAAI,GAAG,GAAsB;MACnC;MACA,OAAO/K,SAAS,CAAC+G,MAAM,CAACgE,IAAI,CAAC,CAAC;IAC/B;IAED,MAAMC,QAAQ,GAAGpB,OAAO,CAAC/C,KAAK,CAAC,kBAAkB,CAAC;IAClD,IAAImE,QAAQ,EAAE;MACZ,MAAM,GAAGvL,GAAG,EAAEwL,QAAQ,CAAC,GAAGD,QAAQ;MAClC,IAAIE,KAAK,GAAGnE,MAAM,CAACtH,GAAsB,CAAC;MAC1CmD,SAAS,CAACqI,QAAQ,KAAK,GAAG,IAAIC,KAAK,IAAI,IAAI,kBAAezL,GAAG,aAAS,CAAC;MACvE,OAAOO,SAAS,CAACkL,KAAK,CAAC;IACxB;IAED;IACA,OAAOtB,OAAO,CAAC5I,OAAO,CAAC,MAAM,EAAE,EAAE,CAAC;GACnC;EACD;EAAA,CACC0I,MAAM,CAAEE,OAAO,IAAK,CAAC,CAACA,OAAO,CAAC;EAEjC,OAAOe,MAAM,GAAGzC,QAAQ,CAACxC,IAAI,CAAC,GAAG,CAAC;AACpC;AAiDA;;;;;AAKG;AACa,SAAA2E,SAASA,CAIvBc,OAAiC,EACjCvL,QAAgB;EAEhB,IAAI,OAAOuL,OAAO,KAAK,QAAQ,EAAE;IAC/BA,OAAO,GAAG;MAAE5K,IAAI,EAAE4K,OAAO;MAAE7D,aAAa,EAAE,KAAK;MAAE6C,GAAG,EAAE;KAAM;EAC7D;EAED,IAAI,CAACiB,OAAO,EAAEC,cAAc,CAAC,GAAGC,WAAW,CACzCH,OAAO,CAAC5K,IAAI,EACZ4K,OAAO,CAAC7D,aAAa,EACrB6D,OAAO,CAAChB,GAAG,CACZ;EAED,IAAItD,KAAK,GAAGjH,QAAQ,CAACiH,KAAK,CAACuE,OAAO,CAAC;EACnC,IAAI,CAACvE,KAAK,EAAE,OAAO,IAAI;EAEvB,IAAIqD,eAAe,GAAGrD,KAAK,CAAC,CAAC,CAAC;EAC9B,IAAI0D,YAAY,GAAGL,eAAe,CAAClJ,OAAO,CAAC,SAAS,EAAE,IAAI,CAAC;EAC3D,IAAIuK,aAAa,GAAG1E,KAAK,CAACnE,KAAK,CAAC,CAAC,CAAC;EAClC,IAAIqE,MAAM,GAAWsE,cAAc,CAAC1B,MAAM,CACxC,CAAC6B,IAAI,EAAA7H,IAAA,EAA6BjF,KAAK,KAAI;IAAA,IAApC;MAAE+M,SAAS;MAAEnD;KAAY,GAAA3E,IAAA;IAC9B;IACA;IACA,IAAI8H,SAAS,KAAK,GAAG,EAAE;MACrB,IAAIC,UAAU,GAAGH,aAAa,CAAC7M,KAAK,CAAC,IAAI,EAAE;MAC3C6L,YAAY,GAAGL,eAAe,CAC3BxH,KAAK,CAAC,CAAC,EAAEwH,eAAe,CAACnL,MAAM,GAAG2M,UAAU,CAAC3M,MAAM,CAAC,CACpDiC,OAAO,CAAC,SAAS,EAAE,IAAI,CAAC;IAC5B;IAED,MAAM6B,KAAK,GAAG0I,aAAa,CAAC7M,KAAK,CAAC;IAClC,IAAI4J,UAAU,IAAI,CAACzF,KAAK,EAAE;MACxB2I,IAAI,CAACC,SAAS,CAAC,GAAG5M,SAAS;IAC5B,OAAM;MACL2M,IAAI,CAACC,SAAS,CAAC,GAAG,CAAC5I,KAAK,IAAI,EAAE,EAAE7B,OAAO,CAAC,MAAM,EAAE,GAAG,CAAC;IACrD;IACD,OAAOwK,IAAI;GACZ,EACD,EAAE,CACH;EAED,OAAO;IACLzE,MAAM;IACNnH,QAAQ,EAAEsK,eAAe;IACzBK,YAAY;IACZY;GACD;AACH;AAIA,SAASG,WAAWA,CAClB/K,IAAY,EACZ+G,aAAa,EACb6C,GAAG,EAAO;EAAA,IADV7C,aAAa;IAAbA,aAAa,GAAG,KAAK;EAAA;EAAA,IACrB6C,GAAG;IAAHA,GAAG,GAAG,IAAI;EAAA;EAEVtK,OAAO,CACLU,IAAI,KAAK,GAAG,IAAI,CAACA,IAAI,CAACgI,QAAQ,CAAC,GAAG,CAAC,IAAIhI,IAAI,CAACgI,QAAQ,CAAC,IAAI,CAAC,EAC1D,kBAAehI,IAAI,GACb,8CAAAA,IAAI,CAACS,OAAO,CAAC,KAAK,EAAE,IAAI,CAAC,GAAqC,0GACE,2CAChCT,IAAI,CAACS,OAAO,CAAC,KAAK,EAAE,IAAI,CAAC,SAAI,CACpE;EAED,IAAI+F,MAAM,GAAwB,EAAE;EACpC,IAAI4E,YAAY,GACd,GAAG,GACHpL,IAAI,CACDS,OAAO,CAAC,SAAS,EAAE,EAAE,CAAC;EAAA,CACtBA,OAAO,CAAC,MAAM,EAAE,GAAG,CAAC;EAAA,CACpBA,OAAO,CAAC,oBAAoB,EAAE,MAAM,CAAC;EAAA,CACrCA,OAAO,CACN,mBAAmB,EACnB,CAAC4K,CAAS,EAAEH,SAAiB,EAAEnD,UAAU,KAAI;IAC3CvB,MAAM,CAACpG,IAAI,CAAC;MAAE8K,SAAS;MAAEnD,UAAU,EAAEA,UAAU,IAAI;IAAI,CAAE,CAAC;IAC1D,OAAOA,UAAU,GAAG,cAAc,GAAG,YAAY;EACnD,CAAC,CACF;EAEL,IAAI/H,IAAI,CAACgI,QAAQ,CAAC,GAAG,CAAC,EAAE;IACtBxB,MAAM,CAACpG,IAAI,CAAC;MAAE8K,SAAS,EAAE;IAAK,EAAC;IAC/BE,YAAY,IACVpL,IAAI,KAAK,GAAG,IAAIA,IAAI,KAAK,IAAI,GACzB,OAAO;IAAA,EACP,mBAAmB,CAAC;GAC3B,MAAM,IAAI4J,GAAG,EAAE;IACd;IACAwB,YAAY,IAAI,OAAO;GACxB,MAAM,IAAIpL,IAAI,KAAK,EAAE,IAAIA,IAAI,KAAK,GAAG,EAAE;IACtC;IACA;IACA;IACA;IACA;IACA;IACA;IACAoL,YAAY,IAAI,eAAe;EAChC,OAAM;EAIP,IAAIP,OAAO,GAAG,IAAIS,MAAM,CAACF,YAAY,EAAErE,aAAa,GAAGzI,SAAS,GAAG,GAAG,CAAC;EAEvE,OAAO,CAACuM,OAAO,EAAErE,MAAM,CAAC;AAC1B;AAEM,SAAUL,UAAUA,CAAC7D,KAAa;EACtC,IAAI;IACF,OAAOA,KAAK,CACTsF,KAAK,CAAC,GAAG,CAAC,CACV3J,GAAG,CAAEsN,CAAC,IAAKC,kBAAkB,CAACD,CAAC,CAAC,CAAC9K,OAAO,CAAC,KAAK,EAAE,KAAK,CAAC,CAAC,CACvD0E,IAAI,CAAC,GAAG,CAAC;GACb,CAAC,OAAOpB,KAAK,EAAE;IACdzE,OAAO,CACL,KAAK,EACL,oBAAiBgD,KAAK,GAC2C,kIAClDyB,KAAK,QAAI,CACzB;IAED,OAAOzB,KAAK;EACb;AACH;AAEA;;AAEG;AACa,SAAAsD,aAAaA,CAC3BvG,QAAgB,EAChBoG,QAAgB;EAEhB,IAAIA,QAAQ,KAAK,GAAG,EAAE,OAAOpG,QAAQ;EAErC,IAAI,CAACA,QAAQ,CAACoM,WAAW,EAAE,CAAChK,UAAU,CAACgE,QAAQ,CAACgG,WAAW,EAAE,CAAC,EAAE;IAC9D,OAAO,IAAI;EACZ;EAED;EACA;EACA,IAAIC,UAAU,GAAGjG,QAAQ,CAACuC,QAAQ,CAAC,GAAG,CAAC,GACnCvC,QAAQ,CAACjH,MAAM,GAAG,CAAC,GACnBiH,QAAQ,CAACjH,MAAM;EACnB,IAAImN,QAAQ,GAAGtM,QAAQ,CAACE,MAAM,CAACmM,UAAU,CAAC;EAC1C,IAAIC,QAAQ,IAAIA,QAAQ,KAAK,GAAG,EAAE;IAChC;IACA,OAAO,IAAI;EACZ;EAED,OAAOtM,QAAQ,CAAC8C,KAAK,CAACuJ,UAAU,CAAC,IAAI,GAAG;AAC1C;AAEA,MAAME,oBAAkB,GAAG,+BAA+B;AACnD,MAAMC,aAAa,GAAI7J,GAAW,IAAK4J,oBAAkB,CAACtC,IAAI,CAACtH,GAAG,CAAC;AAE1E;;;;AAIG;SACa8J,WAAWA,CAAC7M,EAAM,EAAE8M,YAAY,EAAM;EAAA,IAAlBA,YAAY;IAAZA,YAAY,GAAG,GAAG;EAAA;EACpD,IAAI;IACF1M,QAAQ,EAAE2M,UAAU;IACpB9L,MAAM,GAAG,EAAE;IACXC,IAAI,GAAG;GACR,GAAG,OAAOlB,EAAE,KAAK,QAAQ,GAAGgB,SAAS,CAAChB,EAAE,CAAC,GAAGA,EAAE;EAE/C,IAAII,QAAgB;EACpB,IAAI2M,UAAU,EAAE;IACd,IAAIH,aAAa,CAACG,UAAU,CAAC,EAAE;MAC7B3M,QAAQ,GAAG2M,UAAU;IACtB,OAAM;MACL,IAAIA,UAAU,CAACxE,QAAQ,CAAC,IAAI,CAAC,EAAE;QAC7B,IAAIyE,WAAW,GAAGD,UAAU;QAC5BA,UAAU,GAAGA,UAAU,CAACvL,OAAO,CAAC,QAAQ,EAAE,GAAG,CAAC;QAC9CnB,OAAO,CACL,KAAK,EACL,kEACK2M,WAAW,GAAO,SAAAD,UAAU,CAAE,CACpC;MACF;MACD,IAAIA,UAAU,CAACvK,UAAU,CAAC,GAAG,CAAC,EAAE;QAC9BpC,QAAQ,GAAG6M,eAAe,CAACF,UAAU,CAACG,SAAS,CAAC,CAAC,CAAC,EAAE,GAAG,CAAC;MACzD,OAAM;QACL9M,QAAQ,GAAG6M,eAAe,CAACF,UAAU,EAAED,YAAY,CAAC;MACrD;IACF;EACF,OAAM;IACL1M,QAAQ,GAAG0M,YAAY;EACxB;EAED,OAAO;IACL1M,QAAQ;IACRa,MAAM,EAAEkM,eAAe,CAAClM,MAAM,CAAC;IAC/BC,IAAI,EAAEkM,aAAa,CAAClM,IAAI;GACzB;AACH;AAEA,SAAS+L,eAAeA,CAACrF,YAAoB,EAAEkF,YAAoB;EACjE,IAAIpE,QAAQ,GAAGoE,YAAY,CAACtL,OAAO,CAAC,MAAM,EAAE,EAAE,CAAC,CAACmH,KAAK,CAAC,GAAG,CAAC;EAC1D,IAAI0E,gBAAgB,GAAGzF,YAAY,CAACe,KAAK,CAAC,GAAG,CAAC;EAE9C0E,gBAAgB,CAAChF,OAAO,CAAE+B,OAAO,IAAI;IACnC,IAAIA,OAAO,KAAK,IAAI,EAAE;MACpB;MACA,IAAI1B,QAAQ,CAACnJ,MAAM,GAAG,CAAC,EAAEmJ,QAAQ,CAAC4E,GAAG,EAAE;IACxC,OAAM,IAAIlD,OAAO,KAAK,GAAG,EAAE;MAC1B1B,QAAQ,CAACvH,IAAI,CAACiJ,OAAO,CAAC;IACvB;EACH,CAAC,CAAC;EAEF,OAAO1B,QAAQ,CAACnJ,MAAM,GAAG,CAAC,GAAGmJ,QAAQ,CAACxC,IAAI,CAAC,GAAG,CAAC,GAAG,GAAG;AACvD;AAEA,SAASqH,mBAAmBA,CAC1BC,IAAY,EACZC,KAAa,EACbC,IAAY,EACZ3M,IAAmB;EAEnB,OACE,oBAAqB,GAAAyM,IAAI,GACjB,mDAAAC,KAAK,iBAAalN,IAAI,CAACC,SAAS,CACtCO,IAAI,CACL,wCAAoC,IAC7B,SAAA2M,IAAI,8DAA2D,GACJ;AAEvE;AAEA;;;;;;;;;;;;;;;;;;;;;;AAsBG;AACG,SAAUC,0BAA0BA,CAExC5G,OAAY;EACZ,OAAOA,OAAO,CAACmD,MAAM,CACnB,CAAC7C,KAAK,EAAEnI,KAAK,KACXA,KAAK,KAAK,CAAC,IAAKmI,KAAK,CAAC5B,KAAK,CAAC1E,IAAI,IAAIsG,KAAK,CAAC5B,KAAK,CAAC1E,IAAI,CAACxB,MAAM,GAAG,CAAE,CACnE;AACH;AAEA;AACA;AACgB,SAAAqO,mBAAmBA,CAEjC7G,OAAY,EAAE8G,oBAA6B;EAC3C,IAAIC,WAAW,GAAGH,0BAA0B,CAAC5G,OAAO,CAAC;EAErD;EACA;EACA;EACA,IAAI8G,oBAAoB,EAAE;IACxB,OAAOC,WAAW,CAAC9O,GAAG,CAAC,CAACqI,KAAK,EAAErD,GAAG,KAChCA,GAAG,KAAK8J,WAAW,CAACvO,MAAM,GAAG,CAAC,GAAG8H,KAAK,CAACjH,QAAQ,GAAGiH,KAAK,CAAC0D,YAAY,CACrE;EACF;EAED,OAAO+C,WAAW,CAAC9O,GAAG,CAAEqI,KAAK,IAAKA,KAAK,CAAC0D,YAAY,CAAC;AACvD;AAEA;;AAEG;AACG,SAAUgD,SAASA,CACvBC,KAAS,EACTC,cAAwB,EACxBC,gBAAwB,EACxBC,cAAc,EAAQ;EAAA,IAAtBA,cAAc;IAAdA,cAAc,GAAG,KAAK;EAAA;EAEtB,IAAInO,EAAiB;EACrB,IAAI,OAAOgO,KAAK,KAAK,QAAQ,EAAE;IAC7BhO,EAAE,GAAGgB,SAAS,CAACgN,KAAK,CAAC;EACtB,OAAM;IACLhO,EAAE,GAAAkE,QAAA,CAAQ,IAAA8J,KAAK,CAAE;IAEjB5K,SAAS,CACP,CAACpD,EAAE,CAACI,QAAQ,IAAI,CAACJ,EAAE,CAACI,QAAQ,CAACmI,QAAQ,CAAC,GAAG,CAAC,EAC1CgF,mBAAmB,CAAC,GAAG,EAAE,UAAU,EAAE,QAAQ,EAAEvN,EAAE,CAAC,CACnD;IACDoD,SAAS,CACP,CAACpD,EAAE,CAACI,QAAQ,IAAI,CAACJ,EAAE,CAACI,QAAQ,CAACmI,QAAQ,CAAC,GAAG,CAAC,EAC1CgF,mBAAmB,CAAC,GAAG,EAAE,UAAU,EAAE,MAAM,EAAEvN,EAAE,CAAC,CACjD;IACDoD,SAAS,CACP,CAACpD,EAAE,CAACiB,MAAM,IAAI,CAACjB,EAAE,CAACiB,MAAM,CAACsH,QAAQ,CAAC,GAAG,CAAC,EACtCgF,mBAAmB,CAAC,GAAG,EAAE,QAAQ,EAAE,MAAM,EAAEvN,EAAE,CAAC,CAC/C;EACF;EAED,IAAIoO,WAAW,GAAGJ,KAAK,KAAK,EAAE,IAAIhO,EAAE,CAACI,QAAQ,KAAK,EAAE;EACpD,IAAI2M,UAAU,GAAGqB,WAAW,GAAG,GAAG,GAAGpO,EAAE,CAACI,QAAQ;EAEhD,IAAIiO,IAAY;EAEhB;EACA;EACA;EACA;EACA;EACA;EACA;EACA;EACA;EACA,IAAItB,UAAU,IAAI,IAAI,EAAE;IACtBsB,IAAI,GAAGH,gBAAgB;EACxB,OAAM;IACL,IAAII,kBAAkB,GAAGL,cAAc,CAAC1O,MAAM,GAAG,CAAC;IAElD;IACA;IACA;IACA;IACA,IAAI,CAAC4O,cAAc,IAAIpB,UAAU,CAACvK,UAAU,CAAC,IAAI,CAAC,EAAE;MAClD,IAAI+L,UAAU,GAAGxB,UAAU,CAACpE,KAAK,CAAC,GAAG,CAAC;MAEtC,OAAO4F,UAAU,CAAC,CAAC,CAAC,KAAK,IAAI,EAAE;QAC7BA,UAAU,CAACC,KAAK,EAAE;QAClBF,kBAAkB,IAAI,CAAC;MACxB;MAEDtO,EAAE,CAACI,QAAQ,GAAGmO,UAAU,CAACrI,IAAI,CAAC,GAAG,CAAC;IACnC;IAEDmI,IAAI,GAAGC,kBAAkB,IAAI,CAAC,GAAGL,cAAc,CAACK,kBAAkB,CAAC,GAAG,GAAG;EAC1E;EAED,IAAIvN,IAAI,GAAG8L,WAAW,CAAC7M,EAAE,EAAEqO,IAAI,CAAC;EAEhC;EACA,IAAII,wBAAwB,GAC1B1B,UAAU,IAAIA,UAAU,KAAK,GAAG,IAAIA,UAAU,CAAChE,QAAQ,CAAC,GAAG,CAAC;EAC9D;EACA,IAAI2F,uBAAuB,GACzB,CAACN,WAAW,IAAIrB,UAAU,KAAK,GAAG,KAAKmB,gBAAgB,CAACnF,QAAQ,CAAC,GAAG,CAAC;EACvE,IACE,CAAChI,IAAI,CAACX,QAAQ,CAAC2I,QAAQ,CAAC,GAAG,CAAC,KAC3B0F,wBAAwB,IAAIC,uBAAuB,CAAC,EACrD;IACA3N,IAAI,CAACX,QAAQ,IAAI,GAAG;EACrB;EAED,OAAOW,IAAI;AACb;AAEA;;AAEG;AACG,SAAU4N,aAAaA,CAAC3O,EAAM;EAClC;EACA,OAAOA,EAAE,KAAK,EAAE,IAAKA,EAAW,CAACI,QAAQ,KAAK,EAAE,GAC5C,GAAG,GACH,OAAOJ,EAAE,KAAK,QAAQ,GACtBgB,SAAS,CAAChB,EAAE,CAAC,CAACI,QAAQ,GACtBJ,EAAE,CAACI,QAAQ;AACjB;AAEA;;AAEG;MACU4H,SAAS,GAAI4G,KAAe,IACvCA,KAAK,CAAC1I,IAAI,CAAC,GAAG,CAAC,CAAC1E,OAAO,CAAC,QAAQ,EAAE,GAAG;AAEvC;;AAEG;MACUwJ,iBAAiB,GAAI5K,QAAgB,IAChDA,QAAQ,CAACoB,OAAO,CAAC,MAAM,EAAE,EAAE,CAAC,CAACA,OAAO,CAAC,MAAM,EAAE,GAAG;AAElD;;AAEG;AACI,MAAM2L,eAAe,GAAIlM,MAAc,IAC5C,CAACA,MAAM,IAAIA,MAAM,KAAK,GAAG,GACrB,EAAE,GACFA,MAAM,CAACuB,UAAU,CAAC,GAAG,CAAC,GACtBvB,MAAM,GACN,GAAG,GAAGA,MAAM;AAElB;;AAEG;AACI,MAAMmM,aAAa,GAAIlM,IAAY,IACxC,CAACA,IAAI,IAAIA,IAAI,KAAK,GAAG,GAAG,EAAE,GAAGA,IAAI,CAACsB,UAAU,CAAC,GAAG,CAAC,GAAGtB,IAAI,GAAG,GAAG,GAAGA,IAAI;AAOvE;;;;;;AAMG;AACI,MAAM2N,IAAI,GAAiB,SAArBA,IAAIA,CAAkBrH,IAAI,EAAEsH,IAAI,EAAS;EAAA,IAAbA,IAAI;IAAJA,IAAI,GAAG,EAAE;EAAA;EAChD,IAAIC,YAAY,GAAG,OAAOD,IAAI,KAAK,QAAQ,GAAG;IAAEE,MAAM,EAAEF;EAAI,CAAE,GAAGA,IAAI;EAErE,IAAIG,OAAO,GAAG,IAAIC,OAAO,CAACH,YAAY,CAACE,OAAO,CAAC;EAC/C,IAAI,CAACA,OAAO,CAACE,GAAG,CAAC,cAAc,CAAC,EAAE;IAChCF,OAAO,CAACG,GAAG,CAAC,cAAc,EAAE,iCAAiC,CAAC;EAC/D;EAED,OAAO,IAAIC,QAAQ,CAAC9O,IAAI,CAACC,SAAS,CAACgH,IAAI,CAAC,EAAAtD,QAAA,KACnC6K,YAAY;IACfE;EAAO,EACR,CAAC;AACJ;MAEaK,oBAAoB;EAK/BC,WAAYA,CAAA/H,IAAO,EAAEsH,IAAmB;IAJxC,IAAI,CAAAU,IAAA,GAAW,sBAAsB;IAKnC,IAAI,CAAChI,IAAI,GAAGA,IAAI;IAChB,IAAI,CAACsH,IAAI,GAAGA,IAAI,IAAI,IAAI;EAC1B;AACD;AAED;;;AAGG;AACa,SAAAtH,IAAIA,CAAIA,IAAO,EAAEsH,IAA4B;EAC3D,OAAO,IAAIQ,oBAAoB,CAC7B9H,IAAI,EACJ,OAAOsH,IAAI,KAAK,QAAQ,GAAG;IAAEE,MAAM,EAAEF;GAAM,GAAGA,IAAI,CACnD;AACH;AAQM,MAAOW,oBAAqB,SAAQlM,KAAK;MAElCmM,YAAY;EAWvBH,WAAYA,CAAA/H,IAA6B,EAAEuH,YAA2B;IAV9D,KAAAY,cAAc,GAAgB,IAAIpK,GAAG,EAAU;IAI/C,KAAAqK,WAAW,GACjB,IAAIrK,GAAG,EAAE;IAGX,IAAY,CAAAsK,YAAA,GAAa,EAAE;IAGzBzM,SAAS,CACPoE,IAAI,IAAI,OAAOA,IAAI,KAAK,QAAQ,IAAI,CAACsI,KAAK,CAACC,OAAO,CAACvI,IAAI,CAAC,EACxD,oCAAoC,CACrC;IAED;IACA;IACA,IAAIwI,MAAyC;IAC7C,IAAI,CAACC,YAAY,GAAG,IAAIC,OAAO,CAAC,CAAC9D,CAAC,EAAE+D,CAAC,KAAMH,MAAM,GAAGG,CAAE,CAAC;IACvD,IAAI,CAACC,UAAU,GAAG,IAAIC,eAAe,EAAE;IACvC,IAAIC,OAAO,GAAGA,CAAA,KACZN,MAAM,CAAC,IAAIP,oBAAoB,CAAC,uBAAuB,CAAC,CAAC;IAC3D,IAAI,CAACc,mBAAmB,GAAG,MACzB,IAAI,CAACH,UAAU,CAACI,MAAM,CAACpL,mBAAmB,CAAC,OAAO,EAAEkL,OAAO,CAAC;IAC9D,IAAI,CAACF,UAAU,CAACI,MAAM,CAACrL,gBAAgB,CAAC,OAAO,EAAEmL,OAAO,CAAC;IAEzD,IAAI,CAAC9I,IAAI,GAAGsD,MAAM,CAAC/L,OAAO,CAACyI,IAAI,CAAC,CAAC2C,MAAM,CACrC,CAACsG,GAAG,EAAAC,KAAA;MAAA,IAAE,CAACzQ,GAAG,EAAEoD,KAAK,CAAC,GAAAqN,KAAA;MAAA,OAChB5F,MAAM,CAAC7F,MAAM,CAACwL,GAAG,EAAE;QACjB,CAACxQ,GAAG,GAAG,IAAI,CAAC0Q,YAAY,CAAC1Q,GAAG,EAAEoD,KAAK;OACpC,CAAC;KACJ,IAAE,CACH;IAED,IAAI,IAAI,CAACuN,IAAI,EAAE;MACb;MACA,IAAI,CAACL,mBAAmB,EAAE;IAC3B;IAED,IAAI,CAACzB,IAAI,GAAGC,YAAY;EAC1B;EAEQ4B,YAAYA,CAClB1Q,GAAW,EACXoD,KAAiC;IAEjC,IAAI,EAAEA,KAAK,YAAY6M,OAAO,CAAC,EAAE;MAC/B,OAAO7M,KAAK;IACb;IAED,IAAI,CAACwM,YAAY,CAAC1O,IAAI,CAAClB,GAAG,CAAC;IAC3B,IAAI,CAAC0P,cAAc,CAACkB,GAAG,CAAC5Q,GAAG,CAAC;IAE5B;IACA;IACA,IAAI6Q,OAAO,GAAmBZ,OAAO,CAACa,IAAI,CAAC,CAAC1N,KAAK,EAAE,IAAI,CAAC4M,YAAY,CAAC,CAAC,CAACe,IAAI,CACxExJ,IAAI,IAAK,IAAI,CAACyJ,QAAQ,CAACH,OAAO,EAAE7Q,GAAG,EAAEZ,SAAS,EAAEmI,IAAe,CAAC,EAChE1C,KAAK,IAAK,IAAI,CAACmM,QAAQ,CAACH,OAAO,EAAE7Q,GAAG,EAAE6E,KAAgB,CAAC,CACzD;IAED;IACA;IACAgM,OAAO,CAACI,KAAK,CAAC,MAAO,EAAC,CAAC;IAEvBpG,MAAM,CAACqG,cAAc,CAACL,OAAO,EAAE,UAAU,EAAE;MAAEM,GAAG,EAAEA,CAAA,KAAM;IAAI,CAAE,CAAC;IAC/D,OAAON,OAAO;EAChB;EAEQG,QAAQA,CACdH,OAAuB,EACvB7Q,GAAW,EACX6E,KAAc,EACd0C,IAAc;IAEd,IACE,IAAI,CAAC4I,UAAU,CAACI,MAAM,CAACa,OAAO,IAC9BvM,KAAK,YAAY2K,oBAAoB,EACrC;MACA,IAAI,CAACc,mBAAmB,EAAE;MAC1BzF,MAAM,CAACqG,cAAc,CAACL,OAAO,EAAE,QAAQ,EAAE;QAAEM,GAAG,EAAEA,CAAA,KAAMtM;MAAK,CAAE,CAAC;MAC9D,OAAOoL,OAAO,CAACF,MAAM,CAAClL,KAAK,CAAC;IAC7B;IAED,IAAI,CAAC6K,cAAc,CAAC2B,MAAM,CAACrR,GAAG,CAAC;IAE/B,IAAI,IAAI,CAAC2Q,IAAI,EAAE;MACb;MACA,IAAI,CAACL,mBAAmB,EAAE;IAC3B;IAED;IACA;IACA,IAAIzL,KAAK,KAAKzF,SAAS,IAAImI,IAAI,KAAKnI,SAAS,EAAE;MAC7C,IAAIkS,cAAc,GAAG,IAAIhO,KAAK,CAC5B,0BAA0B,GAAAtD,GAAG,gGACwB,CACtD;MACD6K,MAAM,CAACqG,cAAc,CAACL,OAAO,EAAE,QAAQ,EAAE;QAAEM,GAAG,EAAEA,CAAA,KAAMG;MAAc,CAAE,CAAC;MACvE,IAAI,CAACC,IAAI,CAAC,KAAK,EAAEvR,GAAG,CAAC;MACrB,OAAOiQ,OAAO,CAACF,MAAM,CAACuB,cAAc,CAAC;IACtC;IAED,IAAI/J,IAAI,KAAKnI,SAAS,EAAE;MACtByL,MAAM,CAACqG,cAAc,CAACL,OAAO,EAAE,QAAQ,EAAE;QAAEM,GAAG,EAAEA,CAAA,KAAMtM;MAAK,CAAE,CAAC;MAC9D,IAAI,CAAC0M,IAAI,CAAC,KAAK,EAAEvR,GAAG,CAAC;MACrB,OAAOiQ,OAAO,CAACF,MAAM,CAAClL,KAAK,CAAC;IAC7B;IAEDgG,MAAM,CAACqG,cAAc,CAACL,OAAO,EAAE,OAAO,EAAE;MAAEM,GAAG,EAAEA,CAAA,KAAM5J;IAAI,CAAE,CAAC;IAC5D,IAAI,CAACgK,IAAI,CAAC,KAAK,EAAEvR,GAAG,CAAC;IACrB,OAAOuH,IAAI;EACb;EAEQgK,IAAIA,CAACH,OAAgB,EAAEI,UAAmB;IAChD,IAAI,CAAC7B,WAAW,CAACvH,OAAO,CAAEqJ,UAAU,IAAKA,UAAU,CAACL,OAAO,EAAEI,UAAU,CAAC,CAAC;EAC3E;EAEAE,SAASA,CAAC9P,EAAmD;IAC3D,IAAI,CAAC+N,WAAW,CAACiB,GAAG,CAAChP,EAAE,CAAC;IACxB,OAAO,MAAM,IAAI,CAAC+N,WAAW,CAAC0B,MAAM,CAACzP,EAAE,CAAC;EAC1C;EAEA+P,MAAMA,CAAA;IACJ,IAAI,CAACxB,UAAU,CAACyB,KAAK,EAAE;IACvB,IAAI,CAAClC,cAAc,CAACtH,OAAO,CAAC,CAACiE,CAAC,EAAEwF,CAAC,KAAK,IAAI,CAACnC,cAAc,CAAC2B,MAAM,CAACQ,CAAC,CAAC,CAAC;IACpE,IAAI,CAACN,IAAI,CAAC,IAAI,CAAC;EACjB;EAEA,MAAMO,WAAWA,CAACvB,MAAmB;IACnC,IAAIa,OAAO,GAAG,KAAK;IACnB,IAAI,CAAC,IAAI,CAACT,IAAI,EAAE;MACd,IAAIN,OAAO,GAAGA,CAAA,KAAM,IAAI,CAACsB,MAAM,EAAE;MACjCpB,MAAM,CAACrL,gBAAgB,CAAC,OAAO,EAAEmL,OAAO,CAAC;MACzCe,OAAO,GAAG,MAAM,IAAInB,OAAO,CAAE8B,OAAO,IAAI;QACtC,IAAI,CAACL,SAAS,CAAEN,OAAO,IAAI;UACzBb,MAAM,CAACpL,mBAAmB,CAAC,OAAO,EAAEkL,OAAO,CAAC;UAC5C,IAAIe,OAAO,IAAI,IAAI,CAACT,IAAI,EAAE;YACxBoB,OAAO,CAACX,OAAO,CAAC;UACjB;QACH,CAAC,CAAC;MACJ,CAAC,CAAC;IACH;IACD,OAAOA,OAAO;EAChB;EAEA,IAAIT,IAAIA,CAAA;IACN,OAAO,IAAI,CAACjB,cAAc,CAACsC,IAAI,KAAK,CAAC;EACvC;EAEA,IAAIC,aAAaA,CAAA;IACf9O,SAAS,CACP,IAAI,CAACoE,IAAI,KAAK,IAAI,IAAI,IAAI,CAACoJ,IAAI,EAC/B,2DAA2D,CAC5D;IAED,OAAO9F,MAAM,CAAC/L,OAAO,CAAC,IAAI,CAACyI,IAAI,CAAC,CAAC2C,MAAM,CACrC,CAACsG,GAAG,EAAA0B,KAAA;MAAA,IAAE,CAAClS,GAAG,EAAEoD,KAAK,CAAC,GAAA8O,KAAA;MAAA,OAChBrH,MAAM,CAAC7F,MAAM,CAACwL,GAAG,EAAE;QACjB,CAACxQ,GAAG,GAAGmS,oBAAoB,CAAC/O,KAAK;OAClC,CAAC;KACJ,IAAE,CACH;EACH;EAEA,IAAIgP,WAAWA,CAAA;IACb,OAAOvC,KAAK,CAACzB,IAAI,CAAC,IAAI,CAACsB,cAAc,CAAC;EACxC;AACD;AAED,SAAS2C,gBAAgBA,CAACjP,KAAU;EAClC,OACEA,KAAK,YAAY6M,OAAO,IAAK7M,KAAwB,CAACkP,QAAQ,KAAK,IAAI;AAE3E;AAEA,SAASH,oBAAoBA,CAAC/O,KAAU;EACtC,IAAI,CAACiP,gBAAgB,CAACjP,KAAK,CAAC,EAAE;IAC5B,OAAOA,KAAK;EACb;EAED,IAAIA,KAAK,CAACmP,MAAM,EAAE;IAChB,MAAMnP,KAAK,CAACmP,MAAM;EACnB;EACD,OAAOnP,KAAK,CAACoP,KAAK;AACpB;AAOA;;;AAGG;AACI,MAAMC,KAAK,GAAkB,SAAvBA,KAAKA,CAAmBlL,IAAI,EAAEsH,IAAI,EAAS;EAAA,IAAbA,IAAI;IAAJA,IAAI,GAAG,EAAE;EAAA;EAClD,IAAIC,YAAY,GAAG,OAAOD,IAAI,KAAK,QAAQ,GAAG;IAAEE,MAAM,EAAEF;EAAI,CAAE,GAAGA,IAAI;EAErE,OAAO,IAAIY,YAAY,CAAClI,IAAI,EAAEuH,YAAY,CAAC;AAC7C;AAOA;;;AAGG;AACI,MAAM4D,QAAQ,GAAqB,SAA7BA,QAAQA,CAAsB5P,GAAG,EAAE+L,IAAI,EAAU;EAAA,IAAdA,IAAI;IAAJA,IAAI,GAAG,GAAG;EAAA;EACxD,IAAIC,YAAY,GAAGD,IAAI;EACvB,IAAI,OAAOC,YAAY,KAAK,QAAQ,EAAE;IACpCA,YAAY,GAAG;MAAEC,MAAM,EAAED;KAAc;GACxC,MAAM,IAAI,OAAOA,YAAY,CAACC,MAAM,KAAK,WAAW,EAAE;IACrDD,YAAY,CAACC,MAAM,GAAG,GAAG;EAC1B;EAED,IAAIC,OAAO,GAAG,IAAIC,OAAO,CAACH,YAAY,CAACE,OAAO,CAAC;EAC/CA,OAAO,CAACG,GAAG,CAAC,UAAU,EAAErM,GAAG,CAAC;EAE5B,OAAO,IAAIsM,QAAQ,CAAC,IAAI,EAAAnL,QAAA,KACnB6K,YAAY;IACfE;EAAO,EACR,CAAC;AACJ;AAEA;;;;AAIG;MACU2D,gBAAgB,GAAqBA,CAAC7P,GAAG,EAAE+L,IAAI,KAAI;EAC9D,IAAI+D,QAAQ,GAAGF,QAAQ,CAAC5P,GAAG,EAAE+L,IAAI,CAAC;EAClC+D,QAAQ,CAAC5D,OAAO,CAACG,GAAG,CAAC,yBAAyB,EAAE,MAAM,CAAC;EACvD,OAAOyD,QAAQ;AACjB;AAEA;;;;;AAKG;MACUrR,OAAO,GAAqBA,CAACuB,GAAG,EAAE+L,IAAI,KAAI;EACrD,IAAI+D,QAAQ,GAAGF,QAAQ,CAAC5P,GAAG,EAAE+L,IAAI,CAAC;EAClC+D,QAAQ,CAAC5D,OAAO,CAACG,GAAG,CAAC,iBAAiB,EAAE,MAAM,CAAC;EAC/C,OAAOyD,QAAQ;AACjB;AAQA;;;;;;;AAOG;MACUC,iBAAiB;EAO5BvD,WACEA,CAAAP,MAAc,EACd+D,UAA8B,EAC9BvL,IAAS,EACTwL,QAAQ,EAAQ;IAAA,IAAhBA,QAAQ;MAARA,QAAQ,GAAG,KAAK;IAAA;IAEhB,IAAI,CAAChE,MAAM,GAAGA,MAAM;IACpB,IAAI,CAAC+D,UAAU,GAAGA,UAAU,IAAI,EAAE;IAClC,IAAI,CAACC,QAAQ,GAAGA,QAAQ;IACxB,IAAIxL,IAAI,YAAYjE,KAAK,EAAE;MACzB,IAAI,CAACiE,IAAI,GAAGA,IAAI,CAAC1D,QAAQ,EAAE;MAC3B,IAAI,CAACgB,KAAK,GAAG0C,IAAI;IAClB,OAAM;MACL,IAAI,CAACA,IAAI,GAAGA,IAAI;IACjB;EACH;AACD;AAED;;;AAGG;AACG,SAAUyL,oBAAoBA,CAACnO,KAAU;EAC7C,OACEA,KAAK,IAAI,IAAI,IACb,OAAOA,KAAK,CAACkK,MAAM,KAAK,QAAQ,IAChC,OAAOlK,KAAK,CAACiO,UAAU,KAAK,QAAQ,IACpC,OAAOjO,KAAK,CAACkO,QAAQ,KAAK,SAAS,IACnC,MAAM,IAAIlO,KAAK;AAEnB;ACzhCA,MAAMoO,uBAAuB,GAAyB,CACpD,MAAM,EACN,KAAK,EACL,OAAO,EACP,QAAQ,CACT;AACD,MAAMC,oBAAoB,GAAG,IAAI5N,GAAG,CAClC2N,uBAAuB,CACxB;AAED,MAAME,sBAAsB,GAAiB,CAC3C,KAAK,EACL,GAAGF,uBAAuB,CAC3B;AACD,MAAMG,mBAAmB,GAAG,IAAI9N,GAAG,CAAa6N,sBAAsB,CAAC;AAEvE,MAAME,mBAAmB,GAAG,IAAI/N,GAAG,CAAC,CAAC,GAAG,EAAE,GAAG,EAAE,GAAG,EAAE,GAAG,EAAE,GAAG,CAAC,CAAC;AAC9D,MAAMgO,iCAAiC,GAAG,IAAIhO,GAAG,CAAC,CAAC,GAAG,EAAE,GAAG,CAAC,CAAC;AAEtD,MAAMiO,eAAe,GAA6B;EACvDpU,KAAK,EAAE,MAAM;EACbc,QAAQ,EAAEb,SAAS;EACnBoU,UAAU,EAAEpU,SAAS;EACrBqU,UAAU,EAAErU,SAAS;EACrBsU,WAAW,EAAEtU,SAAS;EACtBuU,QAAQ,EAAEvU,SAAS;EACnBwP,IAAI,EAAExP,SAAS;EACfwU,IAAI,EAAExU;;AAGD,MAAMyU,YAAY,GAA0B;EACjD1U,KAAK,EAAE,MAAM;EACboI,IAAI,EAAEnI,SAAS;EACfoU,UAAU,EAAEpU,SAAS;EACrBqU,UAAU,EAAErU,SAAS;EACrBsU,WAAW,EAAEtU,SAAS;EACtBuU,QAAQ,EAAEvU,SAAS;EACnBwP,IAAI,EAAExP,SAAS;EACfwU,IAAI,EAAExU;;AAGD,MAAM0U,YAAY,GAAqB;EAC5C3U,KAAK,EAAE,WAAW;EAClB4U,OAAO,EAAE3U,SAAS;EAClB4U,KAAK,EAAE5U,SAAS;EAChBa,QAAQ,EAAEb;;AAGZ,MAAM6U,kBAAkB,GAAG,+BAA+B;AAE1D,MAAMC,yBAAyB,GAAgC1O,KAAK,KAAM;EACxE2O,gBAAgB,EAAEC,OAAO,CAAC5O,KAAK,CAAC2O,gBAAgB;AACjD,EAAC;AAEF,MAAME,uBAAuB,GAAG,0BAA0B;AAE1D;AAEA;AACA;AACA;AAEA;;AAEG;AACG,SAAUC,YAAYA,CAACzF,IAAgB;EAC3C,MAAM0F,YAAY,GAAG1F,IAAI,CAAC9M,MAAM,GAC5B8M,IAAI,CAAC9M,MAAM,GACX,OAAOA,MAAM,KAAK,WAAW,GAC7BA,MAAM,GACN3C,SAAS;EACb,MAAMoV,SAAS,GACb,OAAOD,YAAY,KAAK,WAAW,IACnC,OAAOA,YAAY,CAAC7R,QAAQ,KAAK,WAAW,IAC5C,OAAO6R,YAAY,CAAC7R,QAAQ,CAAC+R,aAAa,KAAK,WAAW;EAC5D,MAAMC,QAAQ,GAAG,CAACF,SAAS;EAE3BrR,SAAS,CACP0L,IAAI,CAACnJ,MAAM,CAACpG,MAAM,GAAG,CAAC,EACtB,2DAA2D,CAC5D;EAED,IAAIqG,kBAA8C;EAClD,IAAIkJ,IAAI,CAAClJ,kBAAkB,EAAE;IAC3BA,kBAAkB,GAAGkJ,IAAI,CAAClJ,kBAAkB;EAC7C,OAAM,IAAIkJ,IAAI,CAAC8F,mBAAmB,EAAE;IACnC;IACA,IAAIA,mBAAmB,GAAG9F,IAAI,CAAC8F,mBAAmB;IAClDhP,kBAAkB,GAAIH,KAAK,KAAM;MAC/B2O,gBAAgB,EAAEQ,mBAAmB,CAACnP,KAAK;IAC5C,EAAC;EACH,OAAM;IACLG,kBAAkB,GAAGuO,yBAAyB;EAC/C;EAED;EACA,IAAIrO,QAAQ,GAAkB,EAAE;EAChC;EACA,IAAI+O,UAAU,GAAGnP,yBAAyB,CACxCoJ,IAAI,CAACnJ,MAAM,EACXC,kBAAkB,EAClBvG,SAAS,EACTyG,QAAQ,CACT;EACD,IAAIgP,kBAAyD;EAC7D,IAAItO,QAAQ,GAAGsI,IAAI,CAACtI,QAAQ,IAAI,GAAG;EACnC,IAAIuO,gBAAgB,GAAGjG,IAAI,CAACkG,YAAY,IAAIC,mBAAmB;EAC/D,IAAIC,2BAA2B,GAAGpG,IAAI,CAACqG,uBAAuB;EAE9D;EACA,IAAIC,MAAM,GAAAlR,QAAA;IACRmR,iBAAiB,EAAE,KAAK;IACxBC,sBAAsB,EAAE,KAAK;IAC7BC,mBAAmB,EAAE,KAAK;IAC1BC,kBAAkB,EAAE,KAAK;IACzB3H,oBAAoB,EAAE,KAAK;IAC3B4H,8BAA8B,EAAE;GAC7B,EAAA3G,IAAI,CAACsG,MAAM,CACf;EACD;EACA,IAAIM,eAAe,GAAwB,IAAI;EAC/C;EACA,IAAI9F,WAAW,GAAG,IAAIrK,GAAG,EAAoB;EAC7C;EACA,IAAIoQ,oBAAoB,GAAkC,IAAI;EAC9D;EACA,IAAIC,uBAAuB,GAA2C,IAAI;EAC1E;EACA,IAAIC,iBAAiB,GAAqC,IAAI;EAC9D;EACA;EACA;EACA;EACA;EACA;EACA,IAAIC,qBAAqB,GAAGhH,IAAI,CAACiH,aAAa,IAAI,IAAI;EAEtD,IAAIC,cAAc,GAAG1P,WAAW,CAACuO,UAAU,EAAE/F,IAAI,CAACnO,OAAO,CAACT,QAAQ,EAAEsG,QAAQ,CAAC;EAC7E,IAAIyP,mBAAmB,GAAG,KAAK;EAC/B,IAAIC,aAAa,GAAqB,IAAI;EAE1C,IAAIF,cAAc,IAAI,IAAI,IAAI,CAACd,2BAA2B,EAAE;IAC1D;IACA;IACA,IAAIpQ,KAAK,GAAGqR,sBAAsB,CAAC,GAAG,EAAE;MACtC/V,QAAQ,EAAE0O,IAAI,CAACnO,OAAO,CAACT,QAAQ,CAACE;IACjC,EAAC;IACF,IAAI;MAAE2G,OAAO;MAAEtB;IAAK,CAAE,GAAG2Q,sBAAsB,CAACvB,UAAU,CAAC;IAC3DmB,cAAc,GAAGjP,OAAO;IACxBmP,aAAa,GAAG;MAAE,CAACzQ,KAAK,CAACQ,EAAE,GAAGnB;KAAO;EACtC;EAED;EACA;EACA;EACA;EACA;EACA;EACA,IAAIkR,cAAc,IAAI,CAAClH,IAAI,CAACiH,aAAa,EAAE;IACzC,IAAIM,QAAQ,GAAGC,aAAa,CAC1BN,cAAc,EACdnB,UAAU,EACV/F,IAAI,CAACnO,OAAO,CAACT,QAAQ,CAACE,QAAQ,CAC/B;IACD,IAAIiW,QAAQ,CAACE,MAAM,EAAE;MACnBP,cAAc,GAAG,IAAI;IACtB;EACF;EAED,IAAIQ,WAAoB;EACxB,IAAI,CAACR,cAAc,EAAE;IACnBQ,WAAW,GAAG,KAAK;IACnBR,cAAc,GAAG,EAAE;IAEnB;IACA;IACA;IACA,IAAIZ,MAAM,CAACG,mBAAmB,EAAE;MAC9B,IAAIc,QAAQ,GAAGC,aAAa,CAC1B,IAAI,EACJzB,UAAU,EACV/F,IAAI,CAACnO,OAAO,CAACT,QAAQ,CAACE,QAAQ,CAC/B;MACD,IAAIiW,QAAQ,CAACE,MAAM,IAAIF,QAAQ,CAACtP,OAAO,EAAE;QACvCkP,mBAAmB,GAAG,IAAI;QAC1BD,cAAc,GAAGK,QAAQ,CAACtP,OAAO;MAClC;IACF;EACF,OAAM,IAAIiP,cAAc,CAAC/L,IAAI,CAAEwM,CAAC,IAAKA,CAAC,CAAChR,KAAK,CAACiR,IAAI,CAAC,EAAE;IACnD;IACA;IACAF,WAAW,GAAG,KAAK;EACpB,OAAM,IAAI,CAACR,cAAc,CAAC/L,IAAI,CAAEwM,CAAC,IAAKA,CAAC,CAAChR,KAAK,CAACkR,MAAM,CAAC,EAAE;IACtD;IACAH,WAAW,GAAG,IAAI;EACnB,OAAM,IAAIpB,MAAM,CAACG,mBAAmB,EAAE;IACrC;IACA;IACA;IACA,IAAIjO,UAAU,GAAGwH,IAAI,CAACiH,aAAa,GAAGjH,IAAI,CAACiH,aAAa,CAACzO,UAAU,GAAG,IAAI;IAC1E,IAAIsP,MAAM,GAAG9H,IAAI,CAACiH,aAAa,GAAGjH,IAAI,CAACiH,aAAa,CAACa,MAAM,GAAG,IAAI;IAClE;IACA,IAAIA,MAAM,EAAE;MACV,IAAI5S,GAAG,GAAGgS,cAAc,CAACa,SAAS,CAC/BJ,CAAC,IAAKG,MAAO,CAACH,CAAC,CAAChR,KAAK,CAACQ,EAAE,CAAC,KAAK5G,SAAS,CACzC;MACDmX,WAAW,GAAGR,cAAc,CACzB9S,KAAK,CAAC,CAAC,EAAEc,GAAG,GAAG,CAAC,CAAC,CACjBuG,KAAK,CAAEkM,CAAC,IAAK,CAACK,0BAA0B,CAACL,CAAC,CAAChR,KAAK,EAAE6B,UAAU,EAAEsP,MAAM,CAAC,CAAC;IAC1E,OAAM;MACLJ,WAAW,GAAGR,cAAc,CAACzL,KAAK,CAC/BkM,CAAC,IAAK,CAACK,0BAA0B,CAACL,CAAC,CAAChR,KAAK,EAAE6B,UAAU,EAAEsP,MAAM,CAAC,CAChE;IACF;EACF,OAAM;IACL;IACA;IACAJ,WAAW,GAAG1H,IAAI,CAACiH,aAAa,IAAI,IAAI;EACzC;EAED,IAAIgB,MAAc;EAClB,IAAI3X,KAAK,GAAgB;IACvB4X,aAAa,EAAElI,IAAI,CAACnO,OAAO,CAACnB,MAAM;IAClCU,QAAQ,EAAE4O,IAAI,CAACnO,OAAO,CAACT,QAAQ;IAC/B6G,OAAO,EAAEiP,cAAc;IACvBQ,WAAW;IACXS,UAAU,EAAEzD,eAAe;IAC3B;IACA0D,qBAAqB,EAAEpI,IAAI,CAACiH,aAAa,IAAI,IAAI,GAAG,KAAK,GAAG,IAAI;IAChEoB,kBAAkB,EAAE,KAAK;IACzBC,YAAY,EAAE,MAAM;IACpB9P,UAAU,EAAGwH,IAAI,CAACiH,aAAa,IAAIjH,IAAI,CAACiH,aAAa,CAACzO,UAAU,IAAK,EAAE;IACvE+P,UAAU,EAAGvI,IAAI,CAACiH,aAAa,IAAIjH,IAAI,CAACiH,aAAa,CAACsB,UAAU,IAAK,IAAI;IACzET,MAAM,EAAG9H,IAAI,CAACiH,aAAa,IAAIjH,IAAI,CAACiH,aAAa,CAACa,MAAM,IAAKV,aAAa;IAC1EoB,QAAQ,EAAE,IAAIC,GAAG,EAAE;IACnBC,QAAQ,EAAE,IAAID,GAAG;GAClB;EAED;EACA;EACA,IAAIE,aAAa,GAAkBjZ,MAAa,CAACiB,GAAG;EAEpD;EACA;EACA,IAAIiY,yBAAyB,GAAG,KAAK;EAErC;EACA,IAAIC,2BAAmD;EAEvD;EACA,IAAIC,4BAA4B,GAAG,KAAK;EAExC;EACA,IAAIC,sBAAsB,GAA6B,IAAIN,GAAG,EAG3D;EAEH;EACA,IAAIO,2BAA2B,GAAwB,IAAI;EAE3D;EACA;EACA,IAAIC,2BAA2B,GAAG,KAAK;EAEvC;EACA;EACA;EACA;EACA,IAAIC,sBAAsB,GAAG,KAAK;EAElC;EACA;EACA,IAAIC,uBAAuB,GAAa,EAAE;EAE1C;EACA;EACA,IAAIC,qBAAqB,GAAgB,IAAI3S,GAAG,EAAE;EAElD;EACA,IAAI4S,gBAAgB,GAAG,IAAIZ,GAAG,EAA2B;EAEzD;EACA,IAAIa,kBAAkB,GAAG,CAAC;EAE1B;EACA;EACA;EACA,IAAIC,uBAAuB,GAAG,CAAC,CAAC;EAEhC;EACA,IAAIC,cAAc,GAAG,IAAIf,GAAG,EAAkB;EAE9C;EACA,IAAIgB,gBAAgB,GAAG,IAAIhT,GAAG,EAAU;EAExC;EACA,IAAIiT,gBAAgB,GAAG,IAAIjB,GAAG,EAA0B;EAExD;EACA,IAAIkB,cAAc,GAAG,IAAIlB,GAAG,EAAkB;EAE9C;EACA;EACA,IAAImB,eAAe,GAAG,IAAInT,GAAG,EAAU;EAEvC;EACA;EACA;EACA;EACA,IAAIoT,eAAe,GAAG,IAAIpB,GAAG,EAAwB;EAErD;EACA;EACA,IAAIqB,gBAAgB,GAAG,IAAIrB,GAAG,EAA2B;EASzD;EACA;EACA,IAAIsB,2BAA2B,GAA6BxZ,SAAS;EAErE;EACA;EACA;EACA,SAASyZ,UAAUA,CAAA;IACjB;IACA;IACApD,eAAe,GAAG5G,IAAI,CAACnO,OAAO,CAACiB,MAAM,CACnCuC,IAAA,IAA+C;MAAA,IAA9C;QAAE3E,MAAM,EAAEwX,aAAa;QAAE9W,QAAQ;QAAEqB;MAAK,CAAE,GAAA4C,IAAA;MACzC;MACA;MACA,IAAI0U,2BAA2B,EAAE;QAC/BA,2BAA2B,EAAE;QAC7BA,2BAA2B,GAAGxZ,SAAS;QACvC;MACD;MAEDgB,OAAO,CACLuY,gBAAgB,CAAC3G,IAAI,KAAK,CAAC,IAAI1Q,KAAK,IAAI,IAAI,EAC5C,oEAAoE,GAClE,wEAAwE,GACxE,uEAAuE,GACvE,yEAAyE,GACzE,iEAAiE,GACjE,yDAAyD,CAC5D;MAED,IAAIwX,UAAU,GAAGC,qBAAqB,CAAC;QACrCC,eAAe,EAAE7Z,KAAK,CAACc,QAAQ;QAC/BmB,YAAY,EAAEnB,QAAQ;QACtB8W;MACD,EAAC;MAEF,IAAI+B,UAAU,IAAIxX,KAAK,IAAI,IAAI,EAAE;QAC/B;QACA,IAAI2X,wBAAwB,GAAG,IAAIhJ,OAAO,CAAQ8B,OAAO,IAAI;UAC3D6G,2BAA2B,GAAG7G,OAAO;QACvC,CAAC,CAAC;QACFlD,IAAI,CAACnO,OAAO,CAACe,EAAE,CAACH,KAAK,GAAG,CAAC,CAAC,CAAC;QAE3B;QACA4X,aAAa,CAACJ,UAAU,EAAE;UACxB3Z,KAAK,EAAE,SAAS;UAChBc,QAAQ;UACR8T,OAAOA,CAAA;YACLmF,aAAa,CAACJ,UAAW,EAAE;cACzB3Z,KAAK,EAAE,YAAY;cACnB4U,OAAO,EAAE3U,SAAS;cAClB4U,KAAK,EAAE5U,SAAS;cAChBa;YACD,EAAC;YACF;YACA;YACA;YACAgZ,wBAAwB,CAAClI,IAAI,CAAC,MAAMlC,IAAI,CAACnO,OAAO,CAACe,EAAE,CAACH,KAAK,CAAC,CAAC;WAC5D;UACD0S,KAAKA,CAAA;YACH,IAAIuD,QAAQ,GAAG,IAAID,GAAG,CAACnY,KAAK,CAACoY,QAAQ,CAAC;YACtCA,QAAQ,CAACpI,GAAG,CAAC2J,UAAW,EAAEhF,YAAY,CAAC;YACvCqF,WAAW,CAAC;cAAE5B;YAAQ,CAAE,CAAC;UAC3B;QACD,EAAC;QACF;MACD;MAED,OAAO6B,eAAe,CAACrC,aAAa,EAAE9W,QAAQ,CAAC;IACjD,CAAC,CACF;IAED,IAAIuU,SAAS,EAAE;MACb;MACA;MACA6E,yBAAyB,CAAC9E,YAAY,EAAEqD,sBAAsB,CAAC;MAC/D,IAAI0B,uBAAuB,GAAGA,CAAA,KAC5BC,yBAAyB,CAAChF,YAAY,EAAEqD,sBAAsB,CAAC;MACjErD,YAAY,CAACrP,gBAAgB,CAAC,UAAU,EAAEoU,uBAAuB,CAAC;MAClEzB,2BAA2B,GAAGA,CAAA,KAC5BtD,YAAY,CAACpP,mBAAmB,CAAC,UAAU,EAAEmU,uBAAuB,CAAC;IACxE;IAED;IACA;IACA;IACA;IACA;IACA,IAAI,CAACna,KAAK,CAACoX,WAAW,EAAE;MACtB6C,eAAe,CAAC7a,MAAa,CAACiB,GAAG,EAAEL,KAAK,CAACc,QAAQ,EAAE;QACjDuZ,gBAAgB,EAAE;MACnB,EAAC;IACH;IAED,OAAO1C,MAAM;EACf;EAEA;EACA,SAAS2C,OAAOA,CAAA;IACd,IAAIhE,eAAe,EAAE;MACnBA,eAAe,EAAE;IAClB;IACD,IAAIoC,2BAA2B,EAAE;MAC/BA,2BAA2B,EAAE;IAC9B;IACDlI,WAAW,CAAC+J,KAAK,EAAE;IACnBhC,2BAA2B,IAAIA,2BAA2B,CAAC9F,KAAK,EAAE;IAClEzS,KAAK,CAACkY,QAAQ,CAACjP,OAAO,CAAC,CAAC+D,CAAC,EAAEnM,GAAG,KAAK2Z,aAAa,CAAC3Z,GAAG,CAAC,CAAC;IACtDb,KAAK,CAACoY,QAAQ,CAACnP,OAAO,CAAC,CAAC+D,CAAC,EAAEnM,GAAG,KAAK4Z,aAAa,CAAC5Z,GAAG,CAAC,CAAC;EACxD;EAEA;EACA,SAAS0R,SAASA,CAAC9P,EAAoB;IACrC+N,WAAW,CAACiB,GAAG,CAAChP,EAAE,CAAC;IACnB,OAAO,MAAM+N,WAAW,CAAC0B,MAAM,CAACzP,EAAE,CAAC;EACrC;EAEA;EACA,SAASuX,WAAWA,CAClBU,QAA8B,EAC9BC,IAAA,EAGM;IAAA,IAHNA,IAAA;MAAAA,IAAA,GAGI,EAAE;IAAA;IAEN3a,KAAK,GAAA8E,QAAA,KACA9E,KAAK,EACL0a,QAAQ,CACZ;IAED;IACA;IACA,IAAIE,iBAAiB,GAAa,EAAE;IACpC,IAAIC,mBAAmB,GAAa,EAAE;IAEtC,IAAI7E,MAAM,CAACC,iBAAiB,EAAE;MAC5BjW,KAAK,CAACkY,QAAQ,CAACjP,OAAO,CAAC,CAAC6R,OAAO,EAAEja,GAAG,KAAI;QACtC,IAAIia,OAAO,CAAC9a,KAAK,KAAK,MAAM,EAAE;UAC5B,IAAIsZ,eAAe,CAACvJ,GAAG,CAAClP,GAAG,CAAC,EAAE;YAC5B;YACAga,mBAAmB,CAAC9Y,IAAI,CAAClB,GAAG,CAAC;UAC9B,OAAM;YACL;YACA;YACA+Z,iBAAiB,CAAC7Y,IAAI,CAAClB,GAAG,CAAC;UAC5B;QACF;MACH,CAAC,CAAC;IACH;IAED;IACA;IACAyY,eAAe,CAACrQ,OAAO,CAAEpI,GAAG,IAAI;MAC9B,IAAI,CAACb,KAAK,CAACkY,QAAQ,CAACnI,GAAG,CAAClP,GAAG,CAAC,IAAI,CAACkY,gBAAgB,CAAChJ,GAAG,CAAClP,GAAG,CAAC,EAAE;QAC1Dga,mBAAmB,CAAC9Y,IAAI,CAAClB,GAAG,CAAC;MAC9B;IACH,CAAC,CAAC;IAEF;IACA;IACA;IACA,CAAC,GAAG2P,WAAW,CAAC,CAACvH,OAAO,CAAEqJ,UAAU,IAClCA,UAAU,CAACtS,KAAK,EAAE;MAChBsZ,eAAe,EAAEuB,mBAAmB;MACpCE,kBAAkB,EAAEJ,IAAI,CAACI,kBAAkB;MAC3CC,SAAS,EAAEL,IAAI,CAACK,SAAS,KAAK;IAC/B,EAAC,CACH;IAED;IACA,IAAIhF,MAAM,CAACC,iBAAiB,EAAE;MAC5B2E,iBAAiB,CAAC3R,OAAO,CAAEpI,GAAG,IAAKb,KAAK,CAACkY,QAAQ,CAAChG,MAAM,CAACrR,GAAG,CAAC,CAAC;MAC9Dga,mBAAmB,CAAC5R,OAAO,CAAEpI,GAAG,IAAK2Z,aAAa,CAAC3Z,GAAG,CAAC,CAAC;IACzD,OAAM;MACL;MACA;MACAga,mBAAmB,CAAC5R,OAAO,CAAEpI,GAAG,IAAKyY,eAAe,CAACpH,MAAM,CAACrR,GAAG,CAAC,CAAC;IAClE;EACH;EAEA;EACA;EACA;EACA;EACA;EACA,SAASoa,kBAAkBA,CACzBna,QAAkB,EAClB4Z,QAA0E,EAAAQ,KAAA,EAC/B;IAAA,IAAAC,eAAA,EAAAC,gBAAA;IAAA,IAA3C;MAAEJ;IAAS,IAAAE,KAAA,cAA8B,EAAE,GAAAA,KAAA;IAE3C;IACA;IACA;IACA;IACA;IACA,IAAIG,cAAc,GAChBrb,KAAK,CAACiY,UAAU,IAAI,IAAI,IACxBjY,KAAK,CAAC6X,UAAU,CAACxD,UAAU,IAAI,IAAI,IACnCiH,gBAAgB,CAACtb,KAAK,CAAC6X,UAAU,CAACxD,UAAU,CAAC,IAC7CrU,KAAK,CAAC6X,UAAU,CAAC7X,KAAK,KAAK,SAAS,IACpC,EAAAmb,eAAA,GAAAra,QAAQ,CAACd,KAAK,qBAAdmb,eAAA,CAAgBI,WAAW,MAAK,IAAI;IAEtC,IAAItD,UAA4B;IAChC,IAAIyC,QAAQ,CAACzC,UAAU,EAAE;MACvB,IAAIvM,MAAM,CAAC8P,IAAI,CAACd,QAAQ,CAACzC,UAAU,CAAC,CAAC9X,MAAM,GAAG,CAAC,EAAE;QAC/C8X,UAAU,GAAGyC,QAAQ,CAACzC,UAAU;MACjC,OAAM;QACL;QACAA,UAAU,GAAG,IAAI;MAClB;KACF,MAAM,IAAIoD,cAAc,EAAE;MACzB;MACApD,UAAU,GAAGjY,KAAK,CAACiY,UAAU;IAC9B,OAAM;MACL;MACAA,UAAU,GAAG,IAAI;IAClB;IAED;IACA,IAAI/P,UAAU,GAAGwS,QAAQ,CAACxS,UAAU,GAChCuT,eAAe,CACbzb,KAAK,CAACkI,UAAU,EAChBwS,QAAQ,CAACxS,UAAU,EACnBwS,QAAQ,CAAC/S,OAAO,IAAI,EAAE,EACtB+S,QAAQ,CAAClD,MAAM,CAChB,GACDxX,KAAK,CAACkI,UAAU;IAEpB;IACA;IACA,IAAIkQ,QAAQ,GAAGpY,KAAK,CAACoY,QAAQ;IAC7B,IAAIA,QAAQ,CAACvF,IAAI,GAAG,CAAC,EAAE;MACrBuF,QAAQ,GAAG,IAAID,GAAG,CAACC,QAAQ,CAAC;MAC5BA,QAAQ,CAACnP,OAAO,CAAC,CAAC+D,CAAC,EAAE0F,CAAC,KAAK0F,QAAQ,CAACpI,GAAG,CAAC0C,CAAC,EAAEiC,YAAY,CAAC,CAAC;IAC1D;IAED;IACA;IACA,IAAIoD,kBAAkB,GACpBO,yBAAyB,KAAK,IAAI,IACjCtY,KAAK,CAAC6X,UAAU,CAACxD,UAAU,IAAI,IAAI,IAClCiH,gBAAgB,CAACtb,KAAK,CAAC6X,UAAU,CAACxD,UAAU,CAAC,IAC7C,EAAA+G,gBAAA,GAAAta,QAAQ,CAACd,KAAK,KAAd,gBAAAob,gBAAA,CAAgBG,WAAW,MAAK,IAAK;IAEzC;IACA,IAAI7F,kBAAkB,EAAE;MACtBD,UAAU,GAAGC,kBAAkB;MAC/BA,kBAAkB,GAAGzV,SAAS;IAC/B;IAED,IAAI0Y,2BAA2B,EAAE,CAEhC,KAAM,IAAIN,aAAa,KAAKjZ,MAAa,CAACiB,GAAG,EAAE,CAE/C,KAAM,IAAIgY,aAAa,KAAKjZ,MAAa,CAAC4C,IAAI,EAAE;MAC/C0N,IAAI,CAACnO,OAAO,CAACQ,IAAI,CAACjB,QAAQ,EAAEA,QAAQ,CAACd,KAAK,CAAC;IAC5C,OAAM,IAAIqY,aAAa,KAAKjZ,MAAa,CAACiD,OAAO,EAAE;MAClDqN,IAAI,CAACnO,OAAO,CAACa,OAAO,CAACtB,QAAQ,EAAEA,QAAQ,CAACd,KAAK,CAAC;IAC/C;IAED,IAAI+a,kBAAkD;IAEtD;IACA,IAAI1C,aAAa,KAAKjZ,MAAa,CAACiB,GAAG,EAAE;MACvC;MACA,IAAIqb,UAAU,GAAGjD,sBAAsB,CAACzG,GAAG,CAAChS,KAAK,CAACc,QAAQ,CAACE,QAAQ,CAAC;MACpE,IAAI0a,UAAU,IAAIA,UAAU,CAAC3L,GAAG,CAACjP,QAAQ,CAACE,QAAQ,CAAC,EAAE;QACnD+Z,kBAAkB,GAAG;UACnBlB,eAAe,EAAE7Z,KAAK,CAACc,QAAQ;UAC/BmB,YAAY,EAAEnB;SACf;OACF,MAAM,IAAI2X,sBAAsB,CAAC1I,GAAG,CAACjP,QAAQ,CAACE,QAAQ,CAAC,EAAE;QACxD;QACA;QACA+Z,kBAAkB,GAAG;UACnBlB,eAAe,EAAE/Y,QAAQ;UACzBmB,YAAY,EAAEjC,KAAK,CAACc;SACrB;MACF;KACF,MAAM,IAAI0X,4BAA4B,EAAE;MACvC;MACA,IAAImD,OAAO,GAAGlD,sBAAsB,CAACzG,GAAG,CAAChS,KAAK,CAACc,QAAQ,CAACE,QAAQ,CAAC;MACjE,IAAI2a,OAAO,EAAE;QACXA,OAAO,CAAClK,GAAG,CAAC3Q,QAAQ,CAACE,QAAQ,CAAC;MAC/B,OAAM;QACL2a,OAAO,GAAG,IAAIxV,GAAG,CAAS,CAACrF,QAAQ,CAACE,QAAQ,CAAC,CAAC;QAC9CyX,sBAAsB,CAACzI,GAAG,CAAChQ,KAAK,CAACc,QAAQ,CAACE,QAAQ,EAAE2a,OAAO,CAAC;MAC7D;MACDZ,kBAAkB,GAAG;QACnBlB,eAAe,EAAE7Z,KAAK,CAACc,QAAQ;QAC/BmB,YAAY,EAAEnB;OACf;IACF;IAEDkZ,WAAW,CAAAlV,QAAA,KAEJ4V,QAAQ;MACXzC,UAAU;MACV/P,UAAU;MACV0P,aAAa,EAAES,aAAa;MAC5BvX,QAAQ;MACRsW,WAAW,EAAE,IAAI;MACjBS,UAAU,EAAEzD,eAAe;MAC3B4D,YAAY,EAAE,MAAM;MACpBF,qBAAqB,EAAE8D,sBAAsB,CAC3C9a,QAAQ,EACR4Z,QAAQ,CAAC/S,OAAO,IAAI3H,KAAK,CAAC2H,OAAO,CAClC;MACDoQ,kBAAkB;MAClBK;KAEF;MACE2C,kBAAkB;MAClBC,SAAS,EAAEA,SAAS,KAAK;IAC1B,EACF;IAED;IACA3C,aAAa,GAAGjZ,MAAa,CAACiB,GAAG;IACjCiY,yBAAyB,GAAG,KAAK;IACjCE,4BAA4B,GAAG,KAAK;IACpCG,2BAA2B,GAAG,KAAK;IACnCC,sBAAsB,GAAG,KAAK;IAC9BC,uBAAuB,GAAG,EAAE;EAC9B;EAEA;EACA;EACA,eAAegD,QAAQA,CACrBjb,EAAsB,EACtB+Z,IAA4B;IAE5B,IAAI,OAAO/Z,EAAE,KAAK,QAAQ,EAAE;MAC1B8O,IAAI,CAACnO,OAAO,CAACe,EAAE,CAAC1B,EAAE,CAAC;MACnB;IACD;IAED,IAAIkb,cAAc,GAAGC,WAAW,CAC9B/b,KAAK,CAACc,QAAQ,EACdd,KAAK,CAAC2H,OAAO,EACbP,QAAQ,EACR4O,MAAM,CAACI,kBAAkB,EACzBxV,EAAE,EACFoV,MAAM,CAACvH,oBAAoB,EAC3BkM,IAAI,IAAJ,gBAAAA,IAAI,CAAEqB,WAAW,EACjBrB,IAAI,oBAAJA,IAAI,CAAEsB,QAAQ,CACf;IACD,IAAI;MAAEta,IAAI;MAAEua,UAAU;MAAExW;IAAK,CAAE,GAAGyW,wBAAwB,CACxDnG,MAAM,CAACE,sBAAsB,EAC7B,KAAK,EACL4F,cAAc,EACdnB,IAAI,CACL;IAED,IAAId,eAAe,GAAG7Z,KAAK,CAACc,QAAQ;IACpC,IAAImB,YAAY,GAAGlB,cAAc,CAACf,KAAK,CAACc,QAAQ,EAAEa,IAAI,EAAEgZ,IAAI,IAAIA,IAAI,CAAC3a,KAAK,CAAC;IAE3E;IACA;IACA;IACA;IACA;IACAiC,YAAY,GAAA6C,QAAA,CACP,IAAA7C,YAAY,EACZyN,IAAI,CAACnO,OAAO,CAACG,cAAc,CAACO,YAAY,CAAC,CAC7C;IAED,IAAIma,WAAW,GAAGzB,IAAI,IAAIA,IAAI,CAACvY,OAAO,IAAI,IAAI,GAAGuY,IAAI,CAACvY,OAAO,GAAGnC,SAAS;IAEzE,IAAI2X,aAAa,GAAGxY,MAAa,CAAC4C,IAAI;IAEtC,IAAIoa,WAAW,KAAK,IAAI,EAAE;MACxBxE,aAAa,GAAGxY,MAAa,CAACiD,OAAO;IACtC,OAAM,IAAI+Z,WAAW,KAAK,KAAK,EAAE,CAEjC,KAAM,IACLF,UAAU,IAAI,IAAI,IAClBZ,gBAAgB,CAACY,UAAU,CAAC7H,UAAU,CAAC,IACvC6H,UAAU,CAAC5H,UAAU,KAAKtU,KAAK,CAACc,QAAQ,CAACE,QAAQ,GAAGhB,KAAK,CAACc,QAAQ,CAACe,MAAM,EACzE;MACA;MACA;MACA;MACA;MACA+V,aAAa,GAAGxY,MAAa,CAACiD,OAAO;IACtC;IAED,IAAI0V,kBAAkB,GACpB4C,IAAI,IAAI,oBAAoB,IAAIA,IAAI,GAChCA,IAAI,CAAC5C,kBAAkB,KAAK,IAAI,GAChC9X,SAAS;IAEf,IAAI+a,SAAS,GAAG,CAACL,IAAI,IAAIA,IAAI,CAACK,SAAS,MAAM,IAAI;IAEjD,IAAIrB,UAAU,GAAGC,qBAAqB,CAAC;MACrCC,eAAe;MACf5X,YAAY;MACZ2V;IACD,EAAC;IAEF,IAAI+B,UAAU,EAAE;MACd;MACAI,aAAa,CAACJ,UAAU,EAAE;QACxB3Z,KAAK,EAAE,SAAS;QAChBc,QAAQ,EAAEmB,YAAY;QACtB2S,OAAOA,CAAA;UACLmF,aAAa,CAACJ,UAAW,EAAE;YACzB3Z,KAAK,EAAE,YAAY;YACnB4U,OAAO,EAAE3U,SAAS;YAClB4U,KAAK,EAAE5U,SAAS;YAChBa,QAAQ,EAAEmB;UACX,EAAC;UACF;UACA4Z,QAAQ,CAACjb,EAAE,EAAE+Z,IAAI,CAAC;SACnB;QACD9F,KAAKA,CAAA;UACH,IAAIuD,QAAQ,GAAG,IAAID,GAAG,CAACnY,KAAK,CAACoY,QAAQ,CAAC;UACtCA,QAAQ,CAACpI,GAAG,CAAC2J,UAAW,EAAEhF,YAAY,CAAC;UACvCqF,WAAW,CAAC;YAAE5B;UAAQ,CAAE,CAAC;QAC3B;MACD,EAAC;MACF;IACD;IAED,OAAO,MAAM6B,eAAe,CAACrC,aAAa,EAAE3V,YAAY,EAAE;MACxDia,UAAU;MACV;MACA;MACAG,YAAY,EAAE3W,KAAK;MACnBqS,kBAAkB;MAClB3V,OAAO,EAAEuY,IAAI,IAAIA,IAAI,CAACvY,OAAO;MAC7Bka,oBAAoB,EAAE3B,IAAI,IAAIA,IAAI,CAAC4B,cAAc;MACjDvB;IACD,EAAC;EACJ;EAEA;EACA;EACA;EACA,SAASwB,UAAUA,CAAA;IACjBC,oBAAoB,EAAE;IACtBzC,WAAW,CAAC;MAAEhC,YAAY,EAAE;IAAS,CAAE,CAAC;IAExC;IACA;IACA,IAAIhY,KAAK,CAAC6X,UAAU,CAAC7X,KAAK,KAAK,YAAY,EAAE;MAC3C;IACD;IAED;IACA;IACA;IACA,IAAIA,KAAK,CAAC6X,UAAU,CAAC7X,KAAK,KAAK,MAAM,EAAE;MACrCia,eAAe,CAACja,KAAK,CAAC4X,aAAa,EAAE5X,KAAK,CAACc,QAAQ,EAAE;QACnD4b,8BAA8B,EAAE;MACjC,EAAC;MACF;IACD;IAED;IACA;IACA;IACAzC,eAAe,CACb5B,aAAa,IAAIrY,KAAK,CAAC4X,aAAa,EACpC5X,KAAK,CAAC6X,UAAU,CAAC/W,QAAQ,EACzB;MACE6b,kBAAkB,EAAE3c,KAAK,CAAC6X,UAAU;MACpC;MACAyE,oBAAoB,EAAE9D,4BAA4B,KAAK;IACxD,EACF;EACH;EAEA;EACA;EACA;EACA,eAAeyB,eAAeA,CAC5BrC,aAA4B,EAC5B9W,QAAkB,EAClB6Z,IAWC;IAED;IACA;IACA;IACApC,2BAA2B,IAAIA,2BAA2B,CAAC9F,KAAK,EAAE;IAClE8F,2BAA2B,GAAG,IAAI;IAClCF,aAAa,GAAGT,aAAa;IAC7Be,2BAA2B,GACzB,CAACgC,IAAI,IAAIA,IAAI,CAAC+B,8BAA8B,MAAM,IAAI;IAExD;IACA;IACAE,kBAAkB,CAAC5c,KAAK,CAACc,QAAQ,EAAEd,KAAK,CAAC2H,OAAO,CAAC;IACjD2Q,yBAAyB,GAAG,CAACqC,IAAI,IAAIA,IAAI,CAAC5C,kBAAkB,MAAM,IAAI;IAEtES,4BAA4B,GAAG,CAACmC,IAAI,IAAIA,IAAI,CAAC2B,oBAAoB,MAAM,IAAI;IAE3E,IAAIO,WAAW,GAAGnH,kBAAkB,IAAID,UAAU;IAClD,IAAIqH,iBAAiB,GAAGnC,IAAI,IAAIA,IAAI,CAACgC,kBAAkB;IACvD,IAAIhV,OAAO,GACTgT,IAAI,YAAJA,IAAI,CAAEN,gBAAgB,IACtBra,KAAK,CAAC2H,OAAO,IACb3H,KAAK,CAAC2H,OAAO,CAACxH,MAAM,GAAG,CAAC,IACxB,CAAC0W,mBAAmB;IAChB;IACA7W,KAAK,CAAC2H,OAAO,GACbT,WAAW,CAAC2V,WAAW,EAAE/b,QAAQ,EAAEsG,QAAQ,CAAC;IAClD,IAAI4T,SAAS,GAAG,CAACL,IAAI,IAAIA,IAAI,CAACK,SAAS,MAAM,IAAI;IAEjD;IACA;IACA;IACA;IACA;IACA;IACA,IACErT,OAAO,IACP3H,KAAK,CAACoX,WAAW,IACjB,CAACwB,sBAAsB,IACvBmE,gBAAgB,CAAC/c,KAAK,CAACc,QAAQ,EAAEA,QAAQ,CAAC,IAC1C,EAAE6Z,IAAI,IAAIA,IAAI,CAACuB,UAAU,IAAIZ,gBAAgB,CAACX,IAAI,CAACuB,UAAU,CAAC7H,UAAU,CAAC,CAAC,EAC1E;MACA4G,kBAAkB,CAACna,QAAQ,EAAE;QAAE6G;MAAS,GAAE;QAAEqT;MAAW,EAAC;MACxD;IACD;IAED,IAAI/D,QAAQ,GAAGC,aAAa,CAACvP,OAAO,EAAEkV,WAAW,EAAE/b,QAAQ,CAACE,QAAQ,CAAC;IACrE,IAAIiW,QAAQ,CAACE,MAAM,IAAIF,QAAQ,CAACtP,OAAO,EAAE;MACvCA,OAAO,GAAGsP,QAAQ,CAACtP,OAAO;IAC3B;IAED;IACA,IAAI,CAACA,OAAO,EAAE;MACZ,IAAI;QAAEjC,KAAK;QAAEsX,eAAe;QAAE3W;MAAK,CAAE,GAAG4W,qBAAqB,CAC3Dnc,QAAQ,CAACE,QAAQ,CAClB;MACDia,kBAAkB,CAChBna,QAAQ,EACR;QACE6G,OAAO,EAAEqV,eAAe;QACxB9U,UAAU,EAAE,EAAE;QACdsP,MAAM,EAAE;UACN,CAACnR,KAAK,CAACQ,EAAE,GAAGnB;QACb;MACF,GACD;QAAEsV;MAAW,EACd;MACD;IACD;IAED;IACAzC,2BAA2B,GAAG,IAAItH,eAAe,EAAE;IACnD,IAAIiM,OAAO,GAAGC,uBAAuB,CACnCzN,IAAI,CAACnO,OAAO,EACZT,QAAQ,EACRyX,2BAA2B,CAACnH,MAAM,EAClCuJ,IAAI,IAAIA,IAAI,CAACuB,UAAU,CACxB;IACD,IAAIkB,mBAAoD;IAExD,IAAIzC,IAAI,IAAIA,IAAI,CAAC0B,YAAY,EAAE;MAC7B;MACA;MACA;MACA;MACAe,mBAAmB,GAAG,CACpBC,mBAAmB,CAAC1V,OAAO,CAAC,CAACtB,KAAK,CAACQ,EAAE,EACrC;QAAEuJ,IAAI,EAAEnK,UAAU,CAACP,KAAK;QAAEA,KAAK,EAAEiV,IAAI,CAAC0B;MAAc,EACrD;IACF,OAAM,IACL1B,IAAI,IACJA,IAAI,CAACuB,UAAU,IACfZ,gBAAgB,CAACX,IAAI,CAACuB,UAAU,CAAC7H,UAAU,CAAC,EAC5C;MACA;MACA,IAAIiJ,YAAY,GAAG,MAAMC,YAAY,CACnCL,OAAO,EACPpc,QAAQ,EACR6Z,IAAI,CAACuB,UAAU,EACfvU,OAAO,EACPsP,QAAQ,CAACE,MAAM,EACf;QAAE/U,OAAO,EAAEuY,IAAI,CAACvY,OAAO;QAAE4Y;MAAS,CAAE,CACrC;MAED,IAAIsC,YAAY,CAACE,cAAc,EAAE;QAC/B;MACD;MAED;MACA;MACA,IAAIF,YAAY,CAACF,mBAAmB,EAAE;QACpC,IAAI,CAACK,OAAO,EAAE3T,MAAM,CAAC,GAAGwT,YAAY,CAACF,mBAAmB;QACxD,IACEM,aAAa,CAAC5T,MAAM,CAAC,IACrB+J,oBAAoB,CAAC/J,MAAM,CAACpE,KAAK,CAAC,IAClCoE,MAAM,CAACpE,KAAK,CAACkK,MAAM,KAAK,GAAG,EAC3B;UACA2I,2BAA2B,GAAG,IAAI;UAElC0C,kBAAkB,CAACna,QAAQ,EAAE;YAC3B6G,OAAO,EAAE2V,YAAY,CAAC3V,OAAO;YAC7BO,UAAU,EAAE,EAAE;YACdsP,MAAM,EAAE;cACN,CAACiG,OAAO,GAAG3T,MAAM,CAACpE;YACnB;UACF,EAAC;UACF;QACD;MACF;MAEDiC,OAAO,GAAG2V,YAAY,CAAC3V,OAAO,IAAIA,OAAO;MACzCyV,mBAAmB,GAAGE,YAAY,CAACF,mBAAmB;MACtDN,iBAAiB,GAAGa,oBAAoB,CAAC7c,QAAQ,EAAE6Z,IAAI,CAACuB,UAAU,CAAC;MACnElB,SAAS,GAAG,KAAK;MACjB;MACA/D,QAAQ,CAACE,MAAM,GAAG,KAAK;MAEvB;MACA+F,OAAO,GAAGC,uBAAuB,CAC/BzN,IAAI,CAACnO,OAAO,EACZ2b,OAAO,CAACvZ,GAAG,EACXuZ,OAAO,CAAC9L,MAAM,CACf;IACF;IAED;IACA,IAAI;MACFoM,cAAc;MACd7V,OAAO,EAAEiW,cAAc;MACvB1V,UAAU;MACVsP;KACD,GAAG,MAAMqG,aAAa,CACrBX,OAAO,EACPpc,QAAQ,EACR6G,OAAO,EACPsP,QAAQ,CAACE,MAAM,EACf2F,iBAAiB,EACjBnC,IAAI,IAAIA,IAAI,CAACuB,UAAU,EACvBvB,IAAI,IAAIA,IAAI,CAACmD,iBAAiB,EAC9BnD,IAAI,IAAIA,IAAI,CAACvY,OAAO,EACpBuY,IAAI,IAAIA,IAAI,CAACN,gBAAgB,KAAK,IAAI,EACtCW,SAAS,EACToC,mBAAmB,CACpB;IAED,IAAII,cAAc,EAAE;MAClB;IACD;IAED;IACA;IACA;IACAjF,2BAA2B,GAAG,IAAI;IAElC0C,kBAAkB,CAACna,QAAQ,EAAAgE,QAAA;MACzB6C,OAAO,EAAEiW,cAAc,IAAIjW;KACxB,EAAAoW,sBAAsB,CAACX,mBAAmB,CAAC;MAC9ClV,UAAU;MACVsP;IAAM,EACP,CAAC;EACJ;EAEA;EACA;EACA,eAAe+F,YAAYA,CACzBL,OAAgB,EAChBpc,QAAkB,EAClBob,UAAsB,EACtBvU,OAAiC,EACjCqW,UAAmB,EACnBrD,IAAA,EAAqD;IAAA,IAArDA,IAAA;MAAAA,IAAA,GAAmD,EAAE;IAAA;IAErD8B,oBAAoB,EAAE;IAEtB;IACA,IAAI5E,UAAU,GAAGoG,uBAAuB,CAACnd,QAAQ,EAAEob,UAAU,CAAC;IAC9DlC,WAAW,CAAC;MAAEnC;IAAU,CAAE,EAAE;MAAEmD,SAAS,EAAEL,IAAI,CAACK,SAAS,KAAK;IAAI,CAAE,CAAC;IAEnE,IAAIgD,UAAU,EAAE;MACd,IAAIE,cAAc,GAAG,MAAMC,cAAc,CACvCxW,OAAO,EACP7G,QAAQ,CAACE,QAAQ,EACjBkc,OAAO,CAAC9L,MAAM,CACf;MACD,IAAI8M,cAAc,CAAC9N,IAAI,KAAK,SAAS,EAAE;QACrC,OAAO;UAAEoN,cAAc,EAAE;SAAM;MAChC,OAAM,IAAIU,cAAc,CAAC9N,IAAI,KAAK,OAAO,EAAE;QAC1C,IAAIgO,UAAU,GAAGf,mBAAmB,CAACa,cAAc,CAACG,cAAc,CAAC,CAChEhY,KAAK,CAACQ,EAAE;QACX,OAAO;UACLc,OAAO,EAAEuW,cAAc,CAACG,cAAc;UACtCjB,mBAAmB,EAAE,CACnBgB,UAAU,EACV;YACEhO,IAAI,EAAEnK,UAAU,CAACP,KAAK;YACtBA,KAAK,EAAEwY,cAAc,CAACxY;WACvB;SAEJ;MACF,OAAM,IAAI,CAACwY,cAAc,CAACvW,OAAO,EAAE;QAClC,IAAI;UAAEqV,eAAe;UAAEtX,KAAK;UAAEW;QAAK,CAAE,GAAG4W,qBAAqB,CAC3Dnc,QAAQ,CAACE,QAAQ,CAClB;QACD,OAAO;UACL2G,OAAO,EAAEqV,eAAe;UACxBI,mBAAmB,EAAE,CACnB/W,KAAK,CAACQ,EAAE,EACR;YACEuJ,IAAI,EAAEnK,UAAU,CAACP,KAAK;YACtBA;WACD;SAEJ;MACF,OAAM;QACLiC,OAAO,GAAGuW,cAAc,CAACvW,OAAO;MACjC;IACF;IAED;IACA,IAAImC,MAAkB;IACtB,IAAIwU,WAAW,GAAGC,cAAc,CAAC5W,OAAO,EAAE7G,QAAQ,CAAC;IAEnD,IAAI,CAACwd,WAAW,CAACjY,KAAK,CAACjG,MAAM,IAAI,CAACke,WAAW,CAACjY,KAAK,CAACiR,IAAI,EAAE;MACxDxN,MAAM,GAAG;QACPsG,IAAI,EAAEnK,UAAU,CAACP,KAAK;QACtBA,KAAK,EAAEqR,sBAAsB,CAAC,GAAG,EAAE;UACjCyH,MAAM,EAAEtB,OAAO,CAACsB,MAAM;UACtBxd,QAAQ,EAAEF,QAAQ,CAACE,QAAQ;UAC3Byc,OAAO,EAAEa,WAAW,CAACjY,KAAK,CAACQ;SAC5B;OACF;IACF,OAAM;MACL,IAAI4X,OAAO,GAAG,MAAMC,gBAAgB,CAClC,QAAQ,EACR1e,KAAK,EACLkd,OAAO,EACP,CAACoB,WAAW,CAAC,EACb3W,OAAO,EACP,IAAI,CACL;MACDmC,MAAM,GAAG2U,OAAO,CAACH,WAAW,CAACjY,KAAK,CAACQ,EAAE,CAAC;MAEtC,IAAIqW,OAAO,CAAC9L,MAAM,CAACa,OAAO,EAAE;QAC1B,OAAO;UAAEuL,cAAc,EAAE;SAAM;MAChC;IACF;IAED,IAAImB,gBAAgB,CAAC7U,MAAM,CAAC,EAAE;MAC5B,IAAI1H,OAAgB;MACpB,IAAIuY,IAAI,IAAIA,IAAI,CAACvY,OAAO,IAAI,IAAI,EAAE;QAChCA,OAAO,GAAGuY,IAAI,CAACvY,OAAO;MACvB,OAAM;QACL;QACA;QACA;QACA,IAAItB,QAAQ,GAAG8d,yBAAyB,CACtC9U,MAAM,CAAC2J,QAAQ,CAAC5D,OAAO,CAACmC,GAAG,CAAC,UAAU,CAAE,EACxC,IAAIvQ,GAAG,CAACyb,OAAO,CAACvZ,GAAG,CAAC,EACpByD,QAAQ,EACRsI,IAAI,CAACnO,OAAO,CACb;QACDa,OAAO,GAAGtB,QAAQ,KAAKd,KAAK,CAACc,QAAQ,CAACE,QAAQ,GAAGhB,KAAK,CAACc,QAAQ,CAACe,MAAM;MACvE;MACD,MAAMgd,uBAAuB,CAAC3B,OAAO,EAAEpT,MAAM,EAAE,IAAI,EAAE;QACnDoS,UAAU;QACV9Z;MACD,EAAC;MACF,OAAO;QAAEob,cAAc,EAAE;OAAM;IAChC;IAED,IAAIsB,gBAAgB,CAAChV,MAAM,CAAC,EAAE;MAC5B,MAAMiN,sBAAsB,CAAC,GAAG,EAAE;QAAE3G,IAAI,EAAE;MAAgB,EAAC;IAC5D;IAED,IAAIsN,aAAa,CAAC5T,MAAM,CAAC,EAAE;MACzB;MACA;MACA,IAAIiV,aAAa,GAAG1B,mBAAmB,CAAC1V,OAAO,EAAE2W,WAAW,CAACjY,KAAK,CAACQ,EAAE,CAAC;MAEtE;MACA;MACA;MACA;MACA;MACA,IAAI,CAAC8T,IAAI,IAAIA,IAAI,CAACvY,OAAO,MAAM,IAAI,EAAE;QACnCiW,aAAa,GAAGjZ,MAAa,CAAC4C,IAAI;MACnC;MAED,OAAO;QACL2F,OAAO;QACPyV,mBAAmB,EAAE,CAAC2B,aAAa,CAAC1Y,KAAK,CAACQ,EAAE,EAAEiD,MAAM;OACrD;IACF;IAED,OAAO;MACLnC,OAAO;MACPyV,mBAAmB,EAAE,CAACkB,WAAW,CAACjY,KAAK,CAACQ,EAAE,EAAEiD,MAAM;KACnD;EACH;EAEA;EACA;EACA,eAAe+T,aAAaA,CAC1BX,OAAgB,EAChBpc,QAAkB,EAClB6G,OAAiC,EACjCqW,UAAmB,EACnBrB,kBAA+B,EAC/BT,UAAuB,EACvB4B,iBAA8B,EAC9B1b,OAAiB,EACjBiY,gBAA0B,EAC1BW,SAAmB,EACnBoC,mBAAyC;IAEzC;IACA,IAAIN,iBAAiB,GACnBH,kBAAkB,IAAIgB,oBAAoB,CAAC7c,QAAQ,EAAEob,UAAU,CAAC;IAElE;IACA;IACA,IAAI8C,gBAAgB,GAClB9C,UAAU,IACV4B,iBAAiB,IACjBmB,2BAA2B,CAACnC,iBAAiB,CAAC;IAEhD;IACA;IACA;IACA;IACA;IACA;IACA,IAAIoC,2BAA2B,GAC7B,CAACvG,2BAA2B,KAC3B,CAAC3C,MAAM,CAACG,mBAAmB,IAAI,CAACkE,gBAAgB,CAAC;IAEpD;IACA;IACA;IACA;IACA;IACA,IAAI2D,UAAU,EAAE;MACd,IAAIkB,2BAA2B,EAAE;QAC/B,IAAIjH,UAAU,GAAGkH,oBAAoB,CAAC/B,mBAAmB,CAAC;QAC1DpD,WAAW,CAAAlV,QAAA;UAEP+S,UAAU,EAAEiF;SACR,EAAA7E,UAAU,KAAKhY,SAAS,GAAG;UAAEgY;SAAY,GAAG,EAAE,CAEpD;UACE+C;QACD,EACF;MACF;MAED,IAAIkD,cAAc,GAAG,MAAMC,cAAc,CACvCxW,OAAO,EACP7G,QAAQ,CAACE,QAAQ,EACjBkc,OAAO,CAAC9L,MAAM,CACf;MAED,IAAI8M,cAAc,CAAC9N,IAAI,KAAK,SAAS,EAAE;QACrC,OAAO;UAAEoN,cAAc,EAAE;SAAM;MAChC,OAAM,IAAIU,cAAc,CAAC9N,IAAI,KAAK,OAAO,EAAE;QAC1C,IAAIgO,UAAU,GAAGf,mBAAmB,CAACa,cAAc,CAACG,cAAc,CAAC,CAChEhY,KAAK,CAACQ,EAAE;QACX,OAAO;UACLc,OAAO,EAAEuW,cAAc,CAACG,cAAc;UACtCnW,UAAU,EAAE,EAAE;UACdsP,MAAM,EAAE;YACN,CAAC4G,UAAU,GAAGF,cAAc,CAACxY;UAC9B;SACF;MACF,OAAM,IAAI,CAACwY,cAAc,CAACvW,OAAO,EAAE;QAClC,IAAI;UAAEjC,KAAK;UAAEsX,eAAe;UAAE3W;QAAK,CAAE,GAAG4W,qBAAqB,CAC3Dnc,QAAQ,CAACE,QAAQ,CAClB;QACD,OAAO;UACL2G,OAAO,EAAEqV,eAAe;UACxB9U,UAAU,EAAE,EAAE;UACdsP,MAAM,EAAE;YACN,CAACnR,KAAK,CAACQ,EAAE,GAAGnB;UACb;SACF;MACF,OAAM;QACLiC,OAAO,GAAGuW,cAAc,CAACvW,OAAO;MACjC;IACF;IAED,IAAIkV,WAAW,GAAGnH,kBAAkB,IAAID,UAAU;IAClD,IAAI,CAAC2J,aAAa,EAAEC,oBAAoB,CAAC,GAAGC,gBAAgB,CAC1D5P,IAAI,CAACnO,OAAO,EACZvB,KAAK,EACL2H,OAAO,EACPqX,gBAAgB,EAChBle,QAAQ,EACRkV,MAAM,CAACG,mBAAmB,IAAIkE,gBAAgB,KAAK,IAAI,EACvDrE,MAAM,CAACK,8BAA8B,EACrCuC,sBAAsB,EACtBC,uBAAuB,EACvBC,qBAAqB,EACrBQ,eAAe,EACfF,gBAAgB,EAChBD,gBAAgB,EAChB0D,WAAW,EACXzV,QAAQ,EACRgW,mBAAmB,CACpB;IAED;IACA;IACA;IACAmC,qBAAqB,CAClB9B,OAAO,IACN,EAAE9V,OAAO,IAAIA,OAAO,CAACkD,IAAI,CAAEwM,CAAC,IAAKA,CAAC,CAAChR,KAAK,CAACQ,EAAE,KAAK4W,OAAO,CAAC,CAAC,IACxD2B,aAAa,IAAIA,aAAa,CAACvU,IAAI,CAAEwM,CAAC,IAAKA,CAAC,CAAChR,KAAK,CAACQ,EAAE,KAAK4W,OAAO,CAAE,CACvE;IAEDxE,uBAAuB,GAAG,EAAED,kBAAkB;IAE9C;IACA,IAAIoG,aAAa,CAACjf,MAAM,KAAK,CAAC,IAAIkf,oBAAoB,CAAClf,MAAM,KAAK,CAAC,EAAE;MACnE,IAAIqf,eAAe,GAAGC,sBAAsB,EAAE;MAC9CxE,kBAAkB,CAChBna,QAAQ,EAAAgE,QAAA;QAEN6C,OAAO;QACPO,UAAU,EAAE,EAAE;QACd;QACAsP,MAAM,EACJ4F,mBAAmB,IAAIM,aAAa,CAACN,mBAAmB,CAAC,CAAC,CAAC,CAAC,GACxD;UAAE,CAACA,mBAAmB,CAAC,CAAC,CAAC,GAAGA,mBAAmB,CAAC,CAAC,CAAC,CAAC1X;QAAO,IAC1D;MAAI,GACPqY,sBAAsB,CAACX,mBAAmB,CAAC,EAC1CoC,eAAe,GAAG;QAAEtH,QAAQ,EAAE,IAAIC,GAAG,CAACnY,KAAK,CAACkY,QAAQ;OAAG,GAAG,EAAE,CAElE;QAAE8C;MAAW,EACd;MACD,OAAO;QAAEwC,cAAc,EAAE;OAAM;IAChC;IAED,IAAI0B,2BAA2B,EAAE;MAC/B,IAAIQ,OAAO,GAAyB,EAAE;MACtC,IAAI,CAAC1B,UAAU,EAAE;QACf;QACA0B,OAAO,CAAC7H,UAAU,GAAGiF,iBAAiB;QACtC,IAAI7E,UAAU,GAAGkH,oBAAoB,CAAC/B,mBAAmB,CAAC;QAC1D,IAAInF,UAAU,KAAKhY,SAAS,EAAE;UAC5Byf,OAAO,CAACzH,UAAU,GAAGA,UAAU;QAChC;MACF;MACD,IAAIoH,oBAAoB,CAAClf,MAAM,GAAG,CAAC,EAAE;QACnCuf,OAAO,CAACxH,QAAQ,GAAGyH,8BAA8B,CAACN,oBAAoB,CAAC;MACxE;MACDrF,WAAW,CAAC0F,OAAO,EAAE;QAAE1E;MAAS,CAAE,CAAC;IACpC;IAEDqE,oBAAoB,CAACpW,OAAO,CAAE2W,EAAE,IAAI;MAClCC,YAAY,CAACD,EAAE,CAAC/e,GAAG,CAAC;MACpB,IAAI+e,EAAE,CAAC5O,UAAU,EAAE;QACjB;QACA;QACA;QACA+H,gBAAgB,CAAC/I,GAAG,CAAC4P,EAAE,CAAC/e,GAAG,EAAE+e,EAAE,CAAC5O,UAAU,CAAC;MAC5C;IACH,CAAC,CAAC;IAEF;IACA,IAAI8O,8BAA8B,GAAGA,CAAA,KACnCT,oBAAoB,CAACpW,OAAO,CAAE8W,CAAC,IAAKF,YAAY,CAACE,CAAC,CAAClf,GAAG,CAAC,CAAC;IAC1D,IAAI0X,2BAA2B,EAAE;MAC/BA,2BAA2B,CAACnH,MAAM,CAACrL,gBAAgB,CACjD,OAAO,EACP+Z,8BAA8B,CAC/B;IACF;IAED,IAAI;MAAEE,aAAa;MAAEC;IAAgB,IACnC,MAAMC,8BAA8B,CAClClgB,KAAK,EACL2H,OAAO,EACPyX,aAAa,EACbC,oBAAoB,EACpBnC,OAAO,CACR;IAEH,IAAIA,OAAO,CAAC9L,MAAM,CAACa,OAAO,EAAE;MAC1B,OAAO;QAAEuL,cAAc,EAAE;OAAM;IAChC;IAED;IACA;IACA;IACA,IAAIjF,2BAA2B,EAAE;MAC/BA,2BAA2B,CAACnH,MAAM,CAACpL,mBAAmB,CACpD,OAAO,EACP8Z,8BAA8B,CAC/B;IACF;IAEDT,oBAAoB,CAACpW,OAAO,CAAE2W,EAAE,IAAK7G,gBAAgB,CAAC7G,MAAM,CAAC0N,EAAE,CAAC/e,GAAG,CAAC,CAAC;IAErE;IACA,IAAI0S,QAAQ,GAAG4M,YAAY,CAACH,aAAa,CAAC;IAC1C,IAAIzM,QAAQ,EAAE;MACZ,MAAMsL,uBAAuB,CAAC3B,OAAO,EAAE3J,QAAQ,CAACzJ,MAAM,EAAE,IAAI,EAAE;QAC5D1H;MACD,EAAC;MACF,OAAO;QAAEob,cAAc,EAAE;OAAM;IAChC;IAEDjK,QAAQ,GAAG4M,YAAY,CAACF,cAAc,CAAC;IACvC,IAAI1M,QAAQ,EAAE;MACZ;MACA;MACA;MACA4F,gBAAgB,CAAC1H,GAAG,CAAC8B,QAAQ,CAAC1S,GAAG,CAAC;MAClC,MAAMge,uBAAuB,CAAC3B,OAAO,EAAE3J,QAAQ,CAACzJ,MAAM,EAAE,IAAI,EAAE;QAC5D1H;MACD,EAAC;MACF,OAAO;QAAEob,cAAc,EAAE;OAAM;IAChC;IAED;IACA,IAAI;MAAEtV,UAAU;MAAEsP;KAAQ,GAAG4I,iBAAiB,CAC5CpgB,KAAK,EACL2H,OAAO,EACPqY,aAAa,EACb5C,mBAAmB,EACnBiC,oBAAoB,EACpBY,cAAc,EACd1G,eAAe,CAChB;IAED;IACAA,eAAe,CAACtQ,OAAO,CAAC,CAACoX,YAAY,EAAE5C,OAAO,KAAI;MAChD4C,YAAY,CAAC9N,SAAS,CAAEN,OAAO,IAAI;QACjC;QACA;QACA;QACA,IAAIA,OAAO,IAAIoO,YAAY,CAAC7O,IAAI,EAAE;UAChC+H,eAAe,CAACrH,MAAM,CAACuL,OAAO,CAAC;QAChC;MACH,CAAC,CAAC;IACJ,CAAC,CAAC;IAEF;IACA,IAAIzH,MAAM,CAACG,mBAAmB,IAAIkE,gBAAgB,IAAIra,KAAK,CAACwX,MAAM,EAAE;MAClEA,MAAM,GAAA1S,QAAA,CAAQ,IAAA9E,KAAK,CAACwX,MAAM,EAAKA,MAAM,CAAE;IACxC;IAED,IAAIgI,eAAe,GAAGC,sBAAsB,EAAE;IAC9C,IAAIa,kBAAkB,GAAGC,oBAAoB,CAACtH,uBAAuB,CAAC;IACtE,IAAIuH,oBAAoB,GACtBhB,eAAe,IAAIc,kBAAkB,IAAIjB,oBAAoB,CAAClf,MAAM,GAAG,CAAC;IAE1E,OAAA2E,QAAA;MACE6C,OAAO;MACPO,UAAU;MACVsP;IAAM,GACFgJ,oBAAoB,GAAG;MAAEtI,QAAQ,EAAE,IAAIC,GAAG,CAACnY,KAAK,CAACkY,QAAQ;KAAG,GAAG,EAAE;EAEzE;EAEA,SAASiH,oBAAoBA,CAC3B/B,mBAAoD;IAEpD,IAAIA,mBAAmB,IAAI,CAACM,aAAa,CAACN,mBAAmB,CAAC,CAAC,CAAC,CAAC,EAAE;MACjE;MACA;MACA;MACA,OAAO;QACL,CAACA,mBAAmB,CAAC,CAAC,CAAC,GAAGA,mBAAmB,CAAC,CAAC,CAAC,CAAChV;OAClD;IACF,OAAM,IAAIpI,KAAK,CAACiY,UAAU,EAAE;MAC3B,IAAIvM,MAAM,CAAC8P,IAAI,CAACxb,KAAK,CAACiY,UAAU,CAAC,CAAC9X,MAAM,KAAK,CAAC,EAAE;QAC9C,OAAO,IAAI;MACZ,OAAM;QACL,OAAOH,KAAK,CAACiY,UAAU;MACxB;IACF;EACH;EAEA,SAAS0H,8BAA8BA,CACrCN,oBAA2C;IAE3CA,oBAAoB,CAACpW,OAAO,CAAE2W,EAAE,IAAI;MAClC,IAAI9E,OAAO,GAAG9a,KAAK,CAACkY,QAAQ,CAAClG,GAAG,CAAC4N,EAAE,CAAC/e,GAAG,CAAC;MACxC,IAAI4f,mBAAmB,GAAGC,iBAAiB,CACzCzgB,SAAS,EACT6a,OAAO,GAAGA,OAAO,CAAC1S,IAAI,GAAGnI,SAAS,CACnC;MACDD,KAAK,CAACkY,QAAQ,CAAClI,GAAG,CAAC4P,EAAE,CAAC/e,GAAG,EAAE4f,mBAAmB,CAAC;IACjD,CAAC,CAAC;IACF,OAAO,IAAItI,GAAG,CAACnY,KAAK,CAACkY,QAAQ,CAAC;EAChC;EAEA;EACA,SAASyI,KAAKA,CACZ9f,GAAW,EACX4c,OAAe,EACfha,IAAmB,EACnBkX,IAAyB;IAEzB,IAAIpF,QAAQ,EAAE;MACZ,MAAM,IAAIpR,KAAK,CACb,2EAA2E,GACzE,8EAA8E,GAC9E,6CAA6C,CAChD;IACF;IAED0b,YAAY,CAAChf,GAAG,CAAC;IAEjB,IAAIma,SAAS,GAAG,CAACL,IAAI,IAAIA,IAAI,CAACK,SAAS,MAAM,IAAI;IAEjD,IAAI6B,WAAW,GAAGnH,kBAAkB,IAAID,UAAU;IAClD,IAAIqG,cAAc,GAAGC,WAAW,CAC9B/b,KAAK,CAACc,QAAQ,EACdd,KAAK,CAAC2H,OAAO,EACbP,QAAQ,EACR4O,MAAM,CAACI,kBAAkB,EACzB3S,IAAI,EACJuS,MAAM,CAACvH,oBAAoB,EAC3BgP,OAAO,EACP9C,IAAI,oBAAJA,IAAI,CAAEsB,QAAQ,CACf;IACD,IAAItU,OAAO,GAAGT,WAAW,CAAC2V,WAAW,EAAEf,cAAc,EAAE1U,QAAQ,CAAC;IAEhE,IAAI6P,QAAQ,GAAGC,aAAa,CAACvP,OAAO,EAAEkV,WAAW,EAAEf,cAAc,CAAC;IAClE,IAAI7E,QAAQ,CAACE,MAAM,IAAIF,QAAQ,CAACtP,OAAO,EAAE;MACvCA,OAAO,GAAGsP,QAAQ,CAACtP,OAAO;IAC3B;IAED,IAAI,CAACA,OAAO,EAAE;MACZiZ,eAAe,CACb/f,GAAG,EACH4c,OAAO,EACP1G,sBAAsB,CAAC,GAAG,EAAE;QAAE/V,QAAQ,EAAE8a;OAAgB,CAAC,EACzD;QAAEd;MAAS,CAAE,CACd;MACD;IACD;IAED,IAAI;MAAErZ,IAAI;MAAEua,UAAU;MAAExW;IAAK,CAAE,GAAGyW,wBAAwB,CACxDnG,MAAM,CAACE,sBAAsB,EAC7B,IAAI,EACJ4F,cAAc,EACdnB,IAAI,CACL;IAED,IAAIjV,KAAK,EAAE;MACTkb,eAAe,CAAC/f,GAAG,EAAE4c,OAAO,EAAE/X,KAAK,EAAE;QAAEsV;MAAW,EAAC;MACnD;IACD;IAED,IAAI/S,KAAK,GAAGsW,cAAc,CAAC5W,OAAO,EAAEhG,IAAI,CAAC;IAEzC,IAAIoW,kBAAkB,GAAG,CAAC4C,IAAI,IAAIA,IAAI,CAAC5C,kBAAkB,MAAM,IAAI;IAEnE,IAAImE,UAAU,IAAIZ,gBAAgB,CAACY,UAAU,CAAC7H,UAAU,CAAC,EAAE;MACzDwM,mBAAmB,CACjBhgB,GAAG,EACH4c,OAAO,EACP9b,IAAI,EACJsG,KAAK,EACLN,OAAO,EACPsP,QAAQ,CAACE,MAAM,EACf6D,SAAS,EACTjD,kBAAkB,EAClBmE,UAAU,CACX;MACD;IACD;IAED;IACA;IACA9C,gBAAgB,CAACpJ,GAAG,CAACnP,GAAG,EAAE;MAAE4c,OAAO;MAAE9b;IAAM,EAAC;IAC5Cmf,mBAAmB,CACjBjgB,GAAG,EACH4c,OAAO,EACP9b,IAAI,EACJsG,KAAK,EACLN,OAAO,EACPsP,QAAQ,CAACE,MAAM,EACf6D,SAAS,EACTjD,kBAAkB,EAClBmE,UAAU,CACX;EACH;EAEA;EACA;EACA,eAAe2E,mBAAmBA,CAChChgB,GAAW,EACX4c,OAAe,EACf9b,IAAY,EACZsG,KAA6B,EAC7B8Y,cAAwC,EACxC/C,UAAmB,EACnBhD,SAAkB,EAClBjD,kBAA2B,EAC3BmE,UAAsB;IAEtBO,oBAAoB,EAAE;IACtBrD,gBAAgB,CAAClH,MAAM,CAACrR,GAAG,CAAC;IAE5B,SAASmgB,uBAAuBA,CAAC3J,CAAyB;MACxD,IAAI,CAACA,CAAC,CAAChR,KAAK,CAACjG,MAAM,IAAI,CAACiX,CAAC,CAAChR,KAAK,CAACiR,IAAI,EAAE;QACpC,IAAI5R,KAAK,GAAGqR,sBAAsB,CAAC,GAAG,EAAE;UACtCyH,MAAM,EAAEtC,UAAU,CAAC7H,UAAU;UAC7BrT,QAAQ,EAAEW,IAAI;UACd8b,OAAO,EAAEA;QACV,EAAC;QACFmD,eAAe,CAAC/f,GAAG,EAAE4c,OAAO,EAAE/X,KAAK,EAAE;UAAEsV;QAAW,EAAC;QACnD,OAAO,IAAI;MACZ;MACD,OAAO,KAAK;IACd;IAEA,IAAI,CAACgD,UAAU,IAAIgD,uBAAuB,CAAC/Y,KAAK,CAAC,EAAE;MACjD;IACD;IAED;IACA,IAAIgZ,eAAe,GAAGjhB,KAAK,CAACkY,QAAQ,CAAClG,GAAG,CAACnR,GAAG,CAAC;IAC7CqgB,kBAAkB,CAACrgB,GAAG,EAAEsgB,oBAAoB,CAACjF,UAAU,EAAE+E,eAAe,CAAC,EAAE;MACzEjG;IACD,EAAC;IAEF,IAAIoG,eAAe,GAAG,IAAInQ,eAAe,EAAE;IAC3C,IAAIoQ,YAAY,GAAGlE,uBAAuB,CACxCzN,IAAI,CAACnO,OAAO,EACZI,IAAI,EACJyf,eAAe,CAAChQ,MAAM,EACtB8K,UAAU,CACX;IAED,IAAI8B,UAAU,EAAE;MACd,IAAIE,cAAc,GAAG,MAAMC,cAAc,CACvC4C,cAAc,EACd,IAAItf,GAAG,CAAC4f,YAAY,CAAC1d,GAAG,CAAC,CAAC3C,QAAQ,EAClCqgB,YAAY,CAACjQ,MAAM,EACnBvQ,GAAG,CACJ;MAED,IAAIqd,cAAc,CAAC9N,IAAI,KAAK,SAAS,EAAE;QACrC;MACD,OAAM,IAAI8N,cAAc,CAAC9N,IAAI,KAAK,OAAO,EAAE;QAC1CwQ,eAAe,CAAC/f,GAAG,EAAE4c,OAAO,EAAES,cAAc,CAACxY,KAAK,EAAE;UAAEsV;QAAS,CAAE,CAAC;QAClE;MACD,OAAM,IAAI,CAACkD,cAAc,CAACvW,OAAO,EAAE;QAClCiZ,eAAe,CACb/f,GAAG,EACH4c,OAAO,EACP1G,sBAAsB,CAAC,GAAG,EAAE;UAAE/V,QAAQ,EAAEW;SAAM,CAAC,EAC/C;UAAEqZ;QAAS,CAAE,CACd;QACD;MACD,OAAM;QACL+F,cAAc,GAAG7C,cAAc,CAACvW,OAAO;QACvCM,KAAK,GAAGsW,cAAc,CAACwC,cAAc,EAAEpf,IAAI,CAAC;QAE5C,IAAIqf,uBAAuB,CAAC/Y,KAAK,CAAC,EAAE;UAClC;QACD;MACF;IACF;IAED;IACA8Q,gBAAgB,CAAC/I,GAAG,CAACnP,GAAG,EAAEugB,eAAe,CAAC;IAE1C,IAAIE,iBAAiB,GAAGtI,kBAAkB;IAC1C,IAAIuI,aAAa,GAAG,MAAM7C,gBAAgB,CACxC,QAAQ,EACR1e,KAAK,EACLqhB,YAAY,EACZ,CAACpZ,KAAK,CAAC,EACP8Y,cAAc,EACdlgB,GAAG,CACJ;IACD,IAAIyc,YAAY,GAAGiE,aAAa,CAACtZ,KAAK,CAAC5B,KAAK,CAACQ,EAAE,CAAC;IAEhD,IAAIwa,YAAY,CAACjQ,MAAM,CAACa,OAAO,EAAE;MAC/B;MACA;MACA,IAAI8G,gBAAgB,CAAC/G,GAAG,CAACnR,GAAG,CAAC,KAAKugB,eAAe,EAAE;QACjDrI,gBAAgB,CAAC7G,MAAM,CAACrR,GAAG,CAAC;MAC7B;MACD;IACD;IAED;IACA;IACA;IACA,IAAImV,MAAM,CAACC,iBAAiB,IAAIqD,eAAe,CAACvJ,GAAG,CAAClP,GAAG,CAAC,EAAE;MACxD,IAAI8d,gBAAgB,CAACrB,YAAY,CAAC,IAAII,aAAa,CAACJ,YAAY,CAAC,EAAE;QACjE4D,kBAAkB,CAACrgB,GAAG,EAAE2gB,cAAc,CAACvhB,SAAS,CAAC,CAAC;QAClD;MACD;MACD;IACD,OAAM;MACL,IAAI0e,gBAAgB,CAACrB,YAAY,CAAC,EAAE;QAClCvE,gBAAgB,CAAC7G,MAAM,CAACrR,GAAG,CAAC;QAC5B,IAAIoY,uBAAuB,GAAGqI,iBAAiB,EAAE;UAC/C;UACA;UACA;UACA;UACAJ,kBAAkB,CAACrgB,GAAG,EAAE2gB,cAAc,CAACvhB,SAAS,CAAC,CAAC;UAClD;QACD,OAAM;UACLkZ,gBAAgB,CAAC1H,GAAG,CAAC5Q,GAAG,CAAC;UACzBqgB,kBAAkB,CAACrgB,GAAG,EAAE6f,iBAAiB,CAACxE,UAAU,CAAC,CAAC;UACtD,OAAO2C,uBAAuB,CAACwC,YAAY,EAAE/D,YAAY,EAAE,KAAK,EAAE;YAChEQ,iBAAiB,EAAE5B,UAAU;YAC7BnE;UACD,EAAC;QACH;MACF;MAED;MACA,IAAI2F,aAAa,CAACJ,YAAY,CAAC,EAAE;QAC/BsD,eAAe,CAAC/f,GAAG,EAAE4c,OAAO,EAAEH,YAAY,CAAC5X,KAAK,CAAC;QACjD;MACD;IACF;IAED,IAAIoZ,gBAAgB,CAACxB,YAAY,CAAC,EAAE;MAClC,MAAMvG,sBAAsB,CAAC,GAAG,EAAE;QAAE3G,IAAI,EAAE;MAAgB,EAAC;IAC5D;IAED;IACA;IACA,IAAInO,YAAY,GAAGjC,KAAK,CAAC6X,UAAU,CAAC/W,QAAQ,IAAId,KAAK,CAACc,QAAQ;IAC9D,IAAI2gB,mBAAmB,GAAGtE,uBAAuB,CAC/CzN,IAAI,CAACnO,OAAO,EACZU,YAAY,EACZmf,eAAe,CAAChQ,MAAM,CACvB;IACD,IAAIyL,WAAW,GAAGnH,kBAAkB,IAAID,UAAU;IAClD,IAAI9N,OAAO,GACT3H,KAAK,CAAC6X,UAAU,CAAC7X,KAAK,KAAK,MAAM,GAC7BkH,WAAW,CAAC2V,WAAW,EAAE7c,KAAK,CAAC6X,UAAU,CAAC/W,QAAQ,EAAEsG,QAAQ,CAAC,GAC7DpH,KAAK,CAAC2H,OAAO;IAEnB3D,SAAS,CAAC2D,OAAO,EAAE,8CAA8C,CAAC;IAElE,IAAI+Z,MAAM,GAAG,EAAE1I,kBAAkB;IACjCE,cAAc,CAAClJ,GAAG,CAACnP,GAAG,EAAE6gB,MAAM,CAAC;IAE/B,IAAIC,WAAW,GAAGjB,iBAAiB,CAACxE,UAAU,EAAEoB,YAAY,CAAClV,IAAI,CAAC;IAClEpI,KAAK,CAACkY,QAAQ,CAAClI,GAAG,CAACnP,GAAG,EAAE8gB,WAAW,CAAC;IAEpC,IAAI,CAACvC,aAAa,EAAEC,oBAAoB,CAAC,GAAGC,gBAAgB,CAC1D5P,IAAI,CAACnO,OAAO,EACZvB,KAAK,EACL2H,OAAO,EACPuU,UAAU,EACVja,YAAY,EACZ,KAAK,EACL+T,MAAM,CAACK,8BAA8B,EACrCuC,sBAAsB,EACtBC,uBAAuB,EACvBC,qBAAqB,EACrBQ,eAAe,EACfF,gBAAgB,EAChBD,gBAAgB,EAChB0D,WAAW,EACXzV,QAAQ,EACR,CAACa,KAAK,CAAC5B,KAAK,CAACQ,EAAE,EAAEyW,YAAY,CAAC,CAC/B;IAED;IACA;IACA;IACA+B,oBAAoB,CACjBvU,MAAM,CAAE8U,EAAE,IAAKA,EAAE,CAAC/e,GAAG,KAAKA,GAAG,CAAC,CAC9BoI,OAAO,CAAE2W,EAAE,IAAI;MACd,IAAIgC,QAAQ,GAAGhC,EAAE,CAAC/e,GAAG;MACrB,IAAIogB,eAAe,GAAGjhB,KAAK,CAACkY,QAAQ,CAAClG,GAAG,CAAC4P,QAAQ,CAAC;MAClD,IAAInB,mBAAmB,GAAGC,iBAAiB,CACzCzgB,SAAS,EACTghB,eAAe,GAAGA,eAAe,CAAC7Y,IAAI,GAAGnI,SAAS,CACnD;MACDD,KAAK,CAACkY,QAAQ,CAAClI,GAAG,CAAC4R,QAAQ,EAAEnB,mBAAmB,CAAC;MACjDZ,YAAY,CAAC+B,QAAQ,CAAC;MACtB,IAAIhC,EAAE,CAAC5O,UAAU,EAAE;QACjB+H,gBAAgB,CAAC/I,GAAG,CAAC4R,QAAQ,EAAEhC,EAAE,CAAC5O,UAAU,CAAC;MAC9C;IACH,CAAC,CAAC;IAEJgJ,WAAW,CAAC;MAAE9B,QAAQ,EAAE,IAAIC,GAAG,CAACnY,KAAK,CAACkY,QAAQ;IAAC,CAAE,CAAC;IAElD,IAAI4H,8BAA8B,GAAGA,CAAA,KACnCT,oBAAoB,CAACpW,OAAO,CAAE2W,EAAE,IAAKC,YAAY,CAACD,EAAE,CAAC/e,GAAG,CAAC,CAAC;IAE5DugB,eAAe,CAAChQ,MAAM,CAACrL,gBAAgB,CACrC,OAAO,EACP+Z,8BAA8B,CAC/B;IAED,IAAI;MAAEE,aAAa;MAAEC;IAAgB,IACnC,MAAMC,8BAA8B,CAClClgB,KAAK,EACL2H,OAAO,EACPyX,aAAa,EACbC,oBAAoB,EACpBoC,mBAAmB,CACpB;IAEH,IAAIL,eAAe,CAAChQ,MAAM,CAACa,OAAO,EAAE;MAClC;IACD;IAEDmP,eAAe,CAAChQ,MAAM,CAACpL,mBAAmB,CACxC,OAAO,EACP8Z,8BAA8B,CAC/B;IAED5G,cAAc,CAAChH,MAAM,CAACrR,GAAG,CAAC;IAC1BkY,gBAAgB,CAAC7G,MAAM,CAACrR,GAAG,CAAC;IAC5Bwe,oBAAoB,CAACpW,OAAO,CAAE8H,CAAC,IAAKgI,gBAAgB,CAAC7G,MAAM,CAACnB,CAAC,CAAClQ,GAAG,CAAC,CAAC;IAEnE,IAAI0S,QAAQ,GAAG4M,YAAY,CAACH,aAAa,CAAC;IAC1C,IAAIzM,QAAQ,EAAE;MACZ,OAAOsL,uBAAuB,CAC5B4C,mBAAmB,EACnBlO,QAAQ,CAACzJ,MAAM,EACf,KAAK,EACL;QAAEiO;MAAkB,CAAE,CACvB;IACF;IAEDxE,QAAQ,GAAG4M,YAAY,CAACF,cAAc,CAAC;IACvC,IAAI1M,QAAQ,EAAE;MACZ;MACA;MACA;MACA4F,gBAAgB,CAAC1H,GAAG,CAAC8B,QAAQ,CAAC1S,GAAG,CAAC;MAClC,OAAOge,uBAAuB,CAC5B4C,mBAAmB,EACnBlO,QAAQ,CAACzJ,MAAM,EACf,KAAK,EACL;QAAEiO;MAAkB,CAAE,CACvB;IACF;IAED;IACA,IAAI;MAAE7P,UAAU;MAAEsP;KAAQ,GAAG4I,iBAAiB,CAC5CpgB,KAAK,EACL2H,OAAO,EACPqY,aAAa,EACb/f,SAAS,EACTof,oBAAoB,EACpBY,cAAc,EACd1G,eAAe,CAChB;IAED;IACA;IACA,IAAIvZ,KAAK,CAACkY,QAAQ,CAACnI,GAAG,CAAClP,GAAG,CAAC,EAAE;MAC3B,IAAIghB,WAAW,GAAGL,cAAc,CAAClE,YAAY,CAAClV,IAAI,CAAC;MACnDpI,KAAK,CAACkY,QAAQ,CAAClI,GAAG,CAACnP,GAAG,EAAEghB,WAAW,CAAC;IACrC;IAEDtB,oBAAoB,CAACmB,MAAM,CAAC;IAE5B;IACA;IACA;IACA,IACE1hB,KAAK,CAAC6X,UAAU,CAAC7X,KAAK,KAAK,SAAS,IACpC0hB,MAAM,GAAGzI,uBAAuB,EAChC;MACAjV,SAAS,CAACqU,aAAa,EAAE,yBAAyB,CAAC;MACnDE,2BAA2B,IAAIA,2BAA2B,CAAC9F,KAAK,EAAE;MAElEwI,kBAAkB,CAACjb,KAAK,CAAC6X,UAAU,CAAC/W,QAAQ,EAAE;QAC5C6G,OAAO;QACPO,UAAU;QACVsP,MAAM;QACNU,QAAQ,EAAE,IAAIC,GAAG,CAACnY,KAAK,CAACkY,QAAQ;MACjC,EAAC;IACH,OAAM;MACL;MACA;MACA;MACA8B,WAAW,CAAC;QACVxC,MAAM;QACNtP,UAAU,EAAEuT,eAAe,CACzBzb,KAAK,CAACkI,UAAU,EAChBA,UAAU,EACVP,OAAO,EACP6P,MAAM,CACP;QACDU,QAAQ,EAAE,IAAIC,GAAG,CAACnY,KAAK,CAACkY,QAAQ;MACjC,EAAC;MACFU,sBAAsB,GAAG,KAAK;IAC/B;EACH;EAEA;EACA,eAAekI,mBAAmBA,CAChCjgB,GAAW,EACX4c,OAAe,EACf9b,IAAY,EACZsG,KAA6B,EAC7BN,OAAiC,EACjCqW,UAAmB,EACnBhD,SAAkB,EAClBjD,kBAA2B,EAC3BmE,UAAuB;IAEvB,IAAI+E,eAAe,GAAGjhB,KAAK,CAACkY,QAAQ,CAAClG,GAAG,CAACnR,GAAG,CAAC;IAC7CqgB,kBAAkB,CAChBrgB,GAAG,EACH6f,iBAAiB,CACfxE,UAAU,EACV+E,eAAe,GAAGA,eAAe,CAAC7Y,IAAI,GAAGnI,SAAS,CACnD,EACD;MAAE+a;IAAW,EACd;IAED,IAAIoG,eAAe,GAAG,IAAInQ,eAAe,EAAE;IAC3C,IAAIoQ,YAAY,GAAGlE,uBAAuB,CACxCzN,IAAI,CAACnO,OAAO,EACZI,IAAI,EACJyf,eAAe,CAAChQ,MAAM,CACvB;IAED,IAAI4M,UAAU,EAAE;MACd,IAAIE,cAAc,GAAG,MAAMC,cAAc,CACvCxW,OAAO,EACP,IAAIlG,GAAG,CAAC4f,YAAY,CAAC1d,GAAG,CAAC,CAAC3C,QAAQ,EAClCqgB,YAAY,CAACjQ,MAAM,EACnBvQ,GAAG,CACJ;MAED,IAAIqd,cAAc,CAAC9N,IAAI,KAAK,SAAS,EAAE;QACrC;MACD,OAAM,IAAI8N,cAAc,CAAC9N,IAAI,KAAK,OAAO,EAAE;QAC1CwQ,eAAe,CAAC/f,GAAG,EAAE4c,OAAO,EAAES,cAAc,CAACxY,KAAK,EAAE;UAAEsV;QAAS,CAAE,CAAC;QAClE;MACD,OAAM,IAAI,CAACkD,cAAc,CAACvW,OAAO,EAAE;QAClCiZ,eAAe,CACb/f,GAAG,EACH4c,OAAO,EACP1G,sBAAsB,CAAC,GAAG,EAAE;UAAE/V,QAAQ,EAAEW;SAAM,CAAC,EAC/C;UAAEqZ;QAAS,CAAE,CACd;QACD;MACD,OAAM;QACLrT,OAAO,GAAGuW,cAAc,CAACvW,OAAO;QAChCM,KAAK,GAAGsW,cAAc,CAAC5W,OAAO,EAAEhG,IAAI,CAAC;MACtC;IACF;IAED;IACAoX,gBAAgB,CAAC/I,GAAG,CAACnP,GAAG,EAAEugB,eAAe,CAAC;IAE1C,IAAIE,iBAAiB,GAAGtI,kBAAkB;IAC1C,IAAIyF,OAAO,GAAG,MAAMC,gBAAgB,CAClC,QAAQ,EACR1e,KAAK,EACLqhB,YAAY,EACZ,CAACpZ,KAAK,CAAC,EACPN,OAAO,EACP9G,GAAG,CACJ;IACD,IAAIiJ,MAAM,GAAG2U,OAAO,CAACxW,KAAK,CAAC5B,KAAK,CAACQ,EAAE,CAAC;IAEpC;IACA;IACA;IACA;IACA,IAAIiY,gBAAgB,CAAChV,MAAM,CAAC,EAAE;MAC5BA,MAAM,GACJ,CAAC,MAAMgY,mBAAmB,CAAChY,MAAM,EAAEuX,YAAY,CAACjQ,MAAM,EAAE,IAAI,CAAC,KAC7DtH,MAAM;IACT;IAED;IACA;IACA,IAAIiP,gBAAgB,CAAC/G,GAAG,CAACnR,GAAG,CAAC,KAAKugB,eAAe,EAAE;MACjDrI,gBAAgB,CAAC7G,MAAM,CAACrR,GAAG,CAAC;IAC7B;IAED,IAAIwgB,YAAY,CAACjQ,MAAM,CAACa,OAAO,EAAE;MAC/B;IACD;IAED;IACA;IACA,IAAIqH,eAAe,CAACvJ,GAAG,CAAClP,GAAG,CAAC,EAAE;MAC5BqgB,kBAAkB,CAACrgB,GAAG,EAAE2gB,cAAc,CAACvhB,SAAS,CAAC,CAAC;MAClD;IACD;IAED;IACA,IAAI0e,gBAAgB,CAAC7U,MAAM,CAAC,EAAE;MAC5B,IAAImP,uBAAuB,GAAGqI,iBAAiB,EAAE;QAC/C;QACA;QACAJ,kBAAkB,CAACrgB,GAAG,EAAE2gB,cAAc,CAACvhB,SAAS,CAAC,CAAC;QAClD;MACD,OAAM;QACLkZ,gBAAgB,CAAC1H,GAAG,CAAC5Q,GAAG,CAAC;QACzB,MAAMge,uBAAuB,CAACwC,YAAY,EAAEvX,MAAM,EAAE,KAAK,EAAE;UACzDiO;QACD,EAAC;QACF;MACD;IACF;IAED;IACA,IAAI2F,aAAa,CAAC5T,MAAM,CAAC,EAAE;MACzB8W,eAAe,CAAC/f,GAAG,EAAE4c,OAAO,EAAE3T,MAAM,CAACpE,KAAK,CAAC;MAC3C;IACD;IAED1B,SAAS,CAAC,CAAC8a,gBAAgB,CAAChV,MAAM,CAAC,EAAE,iCAAiC,CAAC;IAEvE;IACAoX,kBAAkB,CAACrgB,GAAG,EAAE2gB,cAAc,CAAC1X,MAAM,CAAC1B,IAAI,CAAC,CAAC;EACtD;EAEA;;;;;;;;;;;;;;;;;;AAkBG;EACH,eAAeyW,uBAAuBA,CACpC3B,OAAgB,EAChB3J,QAAwB,EACxBwO,YAAqB,EAAAC,MAAA,EAWf;IAAA,IAVN;MACE9F,UAAU;MACV4B,iBAAiB;MACjB/F,kBAAkB;MAClB3V;4BAME,EAAE,GAAA4f,MAAA;IAEN,IAAIzO,QAAQ,CAACE,QAAQ,CAAC5D,OAAO,CAACE,GAAG,CAAC,oBAAoB,CAAC,EAAE;MACvD6I,sBAAsB,GAAG,IAAI;IAC9B;IAED,IAAI9X,QAAQ,GAAGyS,QAAQ,CAACE,QAAQ,CAAC5D,OAAO,CAACmC,GAAG,CAAC,UAAU,CAAC;IACxDhO,SAAS,CAAClD,QAAQ,EAAE,qDAAqD,CAAC;IAC1EA,QAAQ,GAAG8d,yBAAyB,CAClC9d,QAAQ,EACR,IAAIW,GAAG,CAACyb,OAAO,CAACvZ,GAAG,CAAC,EACpByD,QAAQ,EACRsI,IAAI,CAACnO,OAAO,CACb;IACD,IAAI0gB,gBAAgB,GAAGlhB,cAAc,CAACf,KAAK,CAACc,QAAQ,EAAEA,QAAQ,EAAE;MAC9Dya,WAAW,EAAE;IACd,EAAC;IAEF,IAAIlG,SAAS,EAAE;MACb,IAAI6M,gBAAgB,GAAG,KAAK;MAE5B,IAAI3O,QAAQ,CAACE,QAAQ,CAAC5D,OAAO,CAACE,GAAG,CAAC,yBAAyB,CAAC,EAAE;QAC5D;QACAmS,gBAAgB,GAAG,IAAI;OACxB,MAAM,IAAIpN,kBAAkB,CAAC7J,IAAI,CAACnK,QAAQ,CAAC,EAAE;QAC5C,MAAM6C,GAAG,GAAG+L,IAAI,CAACnO,OAAO,CAACC,SAAS,CAACV,QAAQ,CAAC;QAC5CohB,gBAAgB;QACd;QACAve,GAAG,CAACmC,MAAM,KAAKsP,YAAY,CAACtU,QAAQ,CAACgF,MAAM;QAC3C;QACAyB,aAAa,CAAC5D,GAAG,CAAC3C,QAAQ,EAAEoG,QAAQ,CAAC,IAAI,IAAI;MAChD;MAED,IAAI8a,gBAAgB,EAAE;QACpB,IAAI9f,OAAO,EAAE;UACXgT,YAAY,CAACtU,QAAQ,CAACsB,OAAO,CAACtB,QAAQ,CAAC;QACxC,OAAM;UACLsU,YAAY,CAACtU,QAAQ,CAAC+E,MAAM,CAAC/E,QAAQ,CAAC;QACvC;QACD;MACD;IACF;IAED;IACA;IACAyX,2BAA2B,GAAG,IAAI;IAElC,IAAI4J,qBAAqB,GACvB/f,OAAO,KAAK,IAAI,IAAImR,QAAQ,CAACE,QAAQ,CAAC5D,OAAO,CAACE,GAAG,CAAC,iBAAiB,CAAC,GAChE3Q,MAAa,CAACiD,OAAO,GACrBjD,MAAa,CAAC4C,IAAI;IAExB;IACA;IACA,IAAI;MAAEqS,UAAU;MAAEC,UAAU;MAAEC;KAAa,GAAGvU,KAAK,CAAC6X,UAAU;IAC9D,IACE,CAACqE,UAAU,IACX,CAAC4B,iBAAiB,IAClBzJ,UAAU,IACVC,UAAU,IACVC,WAAW,EACX;MACA2H,UAAU,GAAG+C,2BAA2B,CAACjf,KAAK,CAAC6X,UAAU,CAAC;IAC3D;IAED;IACA;IACA;IACA,IAAImH,gBAAgB,GAAG9C,UAAU,IAAI4B,iBAAiB;IACtD,IACE3J,iCAAiC,CAACpE,GAAG,CAACwD,QAAQ,CAACE,QAAQ,CAAC7D,MAAM,CAAC,IAC/DoP,gBAAgB,IAChB1D,gBAAgB,CAAC0D,gBAAgB,CAAC3K,UAAU,CAAC,EAC7C;MACA,MAAM4F,eAAe,CAACkI,qBAAqB,EAAEF,gBAAgB,EAAE;QAC7D/F,UAAU,EAAApX,QAAA,KACLka,gBAAgB;UACnB1K,UAAU,EAAExT;SACb;QACD;QACAiX,kBAAkB,EAAEA,kBAAkB,IAAIO,yBAAyB;QACnEgE,oBAAoB,EAAEyF,YAAY,GAC9BvJ,4BAA4B,GAC5BvY;MACL,EAAC;IACH,OAAM;MACL;MACA;MACA,IAAI0c,kBAAkB,GAAGgB,oBAAoB,CAC3CsE,gBAAgB,EAChB/F,UAAU,CACX;MACD,MAAMjC,eAAe,CAACkI,qBAAqB,EAAEF,gBAAgB,EAAE;QAC7DtF,kBAAkB;QAClB;QACAmB,iBAAiB;QACjB;QACA/F,kBAAkB,EAAEA,kBAAkB,IAAIO,yBAAyB;QACnEgE,oBAAoB,EAAEyF,YAAY,GAC9BvJ,4BAA4B,GAC5BvY;MACL,EAAC;IACH;EACH;EAEA;EACA;EACA,eAAeye,gBAAgBA,CAC7BtO,IAAyB,EACzBpQ,KAAkB,EAClBkd,OAAgB,EAChBkC,aAAuC,EACvCzX,OAAiC,EACjCya,UAAyB;IAEzB,IAAI3D,OAA2C;IAC/C,IAAI4D,WAAW,GAA+B,EAAE;IAChD,IAAI;MACF5D,OAAO,GAAG,MAAM6D,oBAAoB,CAClC3M,gBAAgB,EAChBvF,IAAI,EACJpQ,KAAK,EACLkd,OAAO,EACPkC,aAAa,EACbzX,OAAO,EACPya,UAAU,EACV1b,QAAQ,EACRF,kBAAkB,CACnB;KACF,CAAC,OAAOjC,CAAC,EAAE;MACV;MACA;MACA6a,aAAa,CAACnW,OAAO,CAAEoO,CAAC,IAAI;QAC1BgL,WAAW,CAAChL,CAAC,CAAChR,KAAK,CAACQ,EAAE,CAAC,GAAG;UACxBuJ,IAAI,EAAEnK,UAAU,CAACP,KAAK;UACtBA,KAAK,EAAEnB;SACR;MACH,CAAC,CAAC;MACF,OAAO8d,WAAW;IACnB;IAED,KAAK,IAAI,CAAC5E,OAAO,EAAE3T,MAAM,CAAC,IAAI4B,MAAM,CAAC/L,OAAO,CAAC8e,OAAO,CAAC,EAAE;MACrD,IAAI8D,kCAAkC,CAACzY,MAAM,CAAC,EAAE;QAC9C,IAAI2J,QAAQ,GAAG3J,MAAM,CAACA,MAAkB;QACxCuY,WAAW,CAAC5E,OAAO,CAAC,GAAG;UACrBrN,IAAI,EAAEnK,UAAU,CAACsN,QAAQ;UACzBE,QAAQ,EAAE+O,wCAAwC,CAChD/O,QAAQ,EACRyJ,OAAO,EACPO,OAAO,EACP9V,OAAO,EACPP,QAAQ,EACR4O,MAAM,CAACvH,oBAAoB;SAE9B;MACF,OAAM;QACL4T,WAAW,CAAC5E,OAAO,CAAC,GAAG,MAAMgF,qCAAqC,CAChE3Y,MAAM,CACP;MACF;IACF;IAED,OAAOuY,WAAW;EACpB;EAEA,eAAenC,8BAA8BA,CAC3ClgB,KAAkB,EAClB2H,OAAiC,EACjCyX,aAAuC,EACvCsD,cAAqC,EACrCxF,OAAgB;IAEhB,IAAIyF,cAAc,GAAG3iB,KAAK,CAAC2H,OAAO;IAElC;IACA,IAAIib,oBAAoB,GAAGlE,gBAAgB,CACzC,QAAQ,EACR1e,KAAK,EACLkd,OAAO,EACPkC,aAAa,EACbzX,OAAO,EACP,IAAI,CACL;IAED,IAAIkb,qBAAqB,GAAG/R,OAAO,CAACgS,GAAG,CACrCJ,cAAc,CAAC9iB,GAAG,CAAC,MAAOmgB,CAAC,IAAI;MAC7B,IAAIA,CAAC,CAACpY,OAAO,IAAIoY,CAAC,CAAC9X,KAAK,IAAI8X,CAAC,CAAC/O,UAAU,EAAE;QACxC,IAAIyN,OAAO,GAAG,MAAMC,gBAAgB,CAClC,QAAQ,EACR1e,KAAK,EACLmd,uBAAuB,CAACzN,IAAI,CAACnO,OAAO,EAAEwe,CAAC,CAACpe,IAAI,EAAEoe,CAAC,CAAC/O,UAAU,CAACI,MAAM,CAAC,EAClE,CAAC2O,CAAC,CAAC9X,KAAK,CAAC,EACT8X,CAAC,CAACpY,OAAO,EACToY,CAAC,CAAClf,GAAG,CACN;QACD,IAAIiJ,MAAM,GAAG2U,OAAO,CAACsB,CAAC,CAAC9X,KAAK,CAAC5B,KAAK,CAACQ,EAAE,CAAC;QACtC;QACA,OAAO;UAAE,CAACkZ,CAAC,CAAClf,GAAG,GAAGiJ;SAAQ;MAC3B,OAAM;QACL,OAAOgH,OAAO,CAAC8B,OAAO,CAAC;UACrB,CAACmN,CAAC,CAAClf,GAAG,GAAG;YACPuP,IAAI,EAAEnK,UAAU,CAACP,KAAK;YACtBA,KAAK,EAAEqR,sBAAsB,CAAC,GAAG,EAAE;cACjC/V,QAAQ,EAAE+e,CAAC,CAACpe;aACb;UACa;QACjB,EAAC;MACH;IACH,CAAC,CAAC,CACH;IAED,IAAIqe,aAAa,GAAG,MAAM4C,oBAAoB;IAC9C,IAAI3C,cAAc,GAAG,CAAC,MAAM4C,qBAAqB,EAAE9X,MAAM,CACvD,CAACsG,GAAG,EAAEN,CAAC,KAAKrF,MAAM,CAAC7F,MAAM,CAACwL,GAAG,EAAEN,CAAC,CAAC,EACjC,EAAE,CACH;IAED,MAAMD,OAAO,CAACgS,GAAG,CAAC,CAChBC,gCAAgC,CAC9Bpb,OAAO,EACPqY,aAAa,EACb9C,OAAO,CAAC9L,MAAM,EACduR,cAAc,EACd3iB,KAAK,CAACkI,UAAU,CACjB,EACD8a,6BAA6B,CAACrb,OAAO,EAAEsY,cAAc,EAAEyC,cAAc,CAAC,CACvE,CAAC;IAEF,OAAO;MACL1C,aAAa;MACbC;KACD;EACH;EAEA,SAASxD,oBAAoBA,CAAA;IAC3B;IACA7D,sBAAsB,GAAG,IAAI;IAE7B;IACA;IACAC,uBAAuB,CAAC9W,IAAI,CAAC,GAAGwd,qBAAqB,EAAE,CAAC;IAExD;IACAnG,gBAAgB,CAACnQ,OAAO,CAAC,CAAC+D,CAAC,EAAEnM,GAAG,KAAI;MAClC,IAAIkY,gBAAgB,CAAChJ,GAAG,CAAClP,GAAG,CAAC,EAAE;QAC7BiY,qBAAqB,CAACrH,GAAG,CAAC5Q,GAAG,CAAC;MAC/B;MACDgf,YAAY,CAAChf,GAAG,CAAC;IACnB,CAAC,CAAC;EACJ;EAEA,SAASqgB,kBAAkBA,CACzBrgB,GAAW,EACXia,OAAgB,EAChBH,IAAA,EAAkC;IAAA,IAAlCA,IAAA;MAAAA,IAAA,GAAgC,EAAE;IAAA;IAElC3a,KAAK,CAACkY,QAAQ,CAAClI,GAAG,CAACnP,GAAG,EAAEia,OAAO,CAAC;IAChCd,WAAW,CACT;MAAE9B,QAAQ,EAAE,IAAIC,GAAG,CAACnY,KAAK,CAACkY,QAAQ;IAAG,GACrC;MAAE8C,SAAS,EAAE,CAACL,IAAI,IAAIA,IAAI,CAACK,SAAS,MAAM;IAAM,EACjD;EACH;EAEA,SAAS4F,eAAeA,CACtB/f,GAAW,EACX4c,OAAe,EACf/X,KAAU,EACViV,IAAA,EAAkC;IAAA,IAAlCA,IAAA;MAAAA,IAAA,GAAgC,EAAE;IAAA;IAElC,IAAIoE,aAAa,GAAG1B,mBAAmB,CAACrd,KAAK,CAAC2H,OAAO,EAAE8V,OAAO,CAAC;IAC/DjD,aAAa,CAAC3Z,GAAG,CAAC;IAClBmZ,WAAW,CACT;MACExC,MAAM,EAAE;QACN,CAACuH,aAAa,CAAC1Y,KAAK,CAACQ,EAAE,GAAGnB;OAC3B;MACDwS,QAAQ,EAAE,IAAIC,GAAG,CAACnY,KAAK,CAACkY,QAAQ;IACjC,GACD;MAAE8C,SAAS,EAAE,CAACL,IAAI,IAAIA,IAAI,CAACK,SAAS,MAAM;IAAI,CAAE,CACjD;EACH;EAEA,SAASiI,UAAUA,CAAcpiB,GAAW;IAC1CwY,cAAc,CAACrJ,GAAG,CAACnP,GAAG,EAAE,CAACwY,cAAc,CAACrH,GAAG,CAACnR,GAAG,CAAC,IAAI,CAAC,IAAI,CAAC,CAAC;IAC3D;IACA;IACA,IAAIyY,eAAe,CAACvJ,GAAG,CAAClP,GAAG,CAAC,EAAE;MAC5ByY,eAAe,CAACpH,MAAM,CAACrR,GAAG,CAAC;IAC5B;IACD,OAAOb,KAAK,CAACkY,QAAQ,CAAClG,GAAG,CAACnR,GAAG,CAAC,IAAI6T,YAAY;EAChD;EAEA,SAAS8F,aAAaA,CAAC3Z,GAAW;IAChC,IAAIia,OAAO,GAAG9a,KAAK,CAACkY,QAAQ,CAAClG,GAAG,CAACnR,GAAG,CAAC;IACrC;IACA;IACA;IACA,IACEkY,gBAAgB,CAAChJ,GAAG,CAAClP,GAAG,CAAC,IACzB,EAAEia,OAAO,IAAIA,OAAO,CAAC9a,KAAK,KAAK,SAAS,IAAIkZ,cAAc,CAACnJ,GAAG,CAAClP,GAAG,CAAC,CAAC,EACpE;MACAgf,YAAY,CAAChf,GAAG,CAAC;IAClB;IACDuY,gBAAgB,CAAClH,MAAM,CAACrR,GAAG,CAAC;IAC5BqY,cAAc,CAAChH,MAAM,CAACrR,GAAG,CAAC;IAC1BsY,gBAAgB,CAACjH,MAAM,CAACrR,GAAG,CAAC;IAE5B;IACA;IACA;IACA;IACA;IACA;IACA,IAAImV,MAAM,CAACC,iBAAiB,EAAE;MAC5BqD,eAAe,CAACpH,MAAM,CAACrR,GAAG,CAAC;IAC5B;IAEDiY,qBAAqB,CAAC5G,MAAM,CAACrR,GAAG,CAAC;IACjCb,KAAK,CAACkY,QAAQ,CAAChG,MAAM,CAACrR,GAAG,CAAC;EAC5B;EAEA,SAASqiB,2BAA2BA,CAACriB,GAAW;IAC9C,IAAIsiB,KAAK,GAAG,CAAC9J,cAAc,CAACrH,GAAG,CAACnR,GAAG,CAAC,IAAI,CAAC,IAAI,CAAC;IAC9C,IAAIsiB,KAAK,IAAI,CAAC,EAAE;MACd9J,cAAc,CAACnH,MAAM,CAACrR,GAAG,CAAC;MAC1ByY,eAAe,CAAC7H,GAAG,CAAC5Q,GAAG,CAAC;MACxB,IAAI,CAACmV,MAAM,CAACC,iBAAiB,EAAE;QAC7BuE,aAAa,CAAC3Z,GAAG,CAAC;MACnB;IACF,OAAM;MACLwY,cAAc,CAACrJ,GAAG,CAACnP,GAAG,EAAEsiB,KAAK,CAAC;IAC/B;IAEDnJ,WAAW,CAAC;MAAE9B,QAAQ,EAAE,IAAIC,GAAG,CAACnY,KAAK,CAACkY,QAAQ;IAAC,CAAE,CAAC;EACpD;EAEA,SAAS2H,YAAYA,CAAChf,GAAW;IAC/B,IAAImQ,UAAU,GAAG+H,gBAAgB,CAAC/G,GAAG,CAACnR,GAAG,CAAC;IAC1C,IAAImQ,UAAU,EAAE;MACdA,UAAU,CAACyB,KAAK,EAAE;MAClBsG,gBAAgB,CAAC7G,MAAM,CAACrR,GAAG,CAAC;IAC7B;EACH;EAEA,SAASuiB,gBAAgBA,CAAC5H,IAAc;IACtC,KAAK,IAAI3a,GAAG,IAAI2a,IAAI,EAAE;MACpB,IAAIV,OAAO,GAAGmI,UAAU,CAACpiB,GAAG,CAAC;MAC7B,IAAIghB,WAAW,GAAGL,cAAc,CAAC1G,OAAO,CAAC1S,IAAI,CAAC;MAC9CpI,KAAK,CAACkY,QAAQ,CAAClI,GAAG,CAACnP,GAAG,EAAEghB,WAAW,CAAC;IACrC;EACH;EAEA,SAASpC,sBAAsBA,CAAA;IAC7B,IAAI4D,QAAQ,GAAG,EAAE;IACjB,IAAI7D,eAAe,GAAG,KAAK;IAC3B,KAAK,IAAI3e,GAAG,IAAIsY,gBAAgB,EAAE;MAChC,IAAI2B,OAAO,GAAG9a,KAAK,CAACkY,QAAQ,CAAClG,GAAG,CAACnR,GAAG,CAAC;MACrCmD,SAAS,CAAC8W,OAAO,EAAuB,uBAAAja,GAAK,CAAC;MAC9C,IAAIia,OAAO,CAAC9a,KAAK,KAAK,SAAS,EAAE;QAC/BmZ,gBAAgB,CAACjH,MAAM,CAACrR,GAAG,CAAC;QAC5BwiB,QAAQ,CAACthB,IAAI,CAAClB,GAAG,CAAC;QAClB2e,eAAe,GAAG,IAAI;MACvB;IACF;IACD4D,gBAAgB,CAACC,QAAQ,CAAC;IAC1B,OAAO7D,eAAe;EACxB;EAEA,SAASe,oBAAoBA,CAAC+C,QAAgB;IAC5C,IAAIC,UAAU,GAAG,EAAE;IACnB,KAAK,IAAI,CAAC1iB,GAAG,EAAEgG,EAAE,CAAC,IAAIqS,cAAc,EAAE;MACpC,IAAIrS,EAAE,GAAGyc,QAAQ,EAAE;QACjB,IAAIxI,OAAO,GAAG9a,KAAK,CAACkY,QAAQ,CAAClG,GAAG,CAACnR,GAAG,CAAC;QACrCmD,SAAS,CAAC8W,OAAO,EAAuB,uBAAAja,GAAK,CAAC;QAC9C,IAAIia,OAAO,CAAC9a,KAAK,KAAK,SAAS,EAAE;UAC/B6f,YAAY,CAAChf,GAAG,CAAC;UACjBqY,cAAc,CAAChH,MAAM,CAACrR,GAAG,CAAC;UAC1B0iB,UAAU,CAACxhB,IAAI,CAAClB,GAAG,CAAC;QACrB;MACF;IACF;IACDuiB,gBAAgB,CAACG,UAAU,CAAC;IAC5B,OAAOA,UAAU,CAACpjB,MAAM,GAAG,CAAC;EAC9B;EAEA,SAASqjB,UAAUA,CAAC3iB,GAAW,EAAE4B,EAAmB;IAClD,IAAIghB,OAAO,GAAYzjB,KAAK,CAACoY,QAAQ,CAACpG,GAAG,CAACnR,GAAG,CAAC,IAAI8T,YAAY;IAE9D,IAAI6E,gBAAgB,CAACxH,GAAG,CAACnR,GAAG,CAAC,KAAK4B,EAAE,EAAE;MACpC+W,gBAAgB,CAACxJ,GAAG,CAACnP,GAAG,EAAE4B,EAAE,CAAC;IAC9B;IAED,OAAOghB,OAAO;EAChB;EAEA,SAAShJ,aAAaA,CAAC5Z,GAAW;IAChCb,KAAK,CAACoY,QAAQ,CAAClG,MAAM,CAACrR,GAAG,CAAC;IAC1B2Y,gBAAgB,CAACtH,MAAM,CAACrR,GAAG,CAAC;EAC9B;EAEA;EACA,SAASkZ,aAAaA,CAAClZ,GAAW,EAAE6iB,UAAmB;IACrD,IAAID,OAAO,GAAGzjB,KAAK,CAACoY,QAAQ,CAACpG,GAAG,CAACnR,GAAG,CAAC,IAAI8T,YAAY;IAErD;IACA;IACA3Q,SAAS,CACNyf,OAAO,CAACzjB,KAAK,KAAK,WAAW,IAAI0jB,UAAU,CAAC1jB,KAAK,KAAK,SAAS,IAC7DyjB,OAAO,CAACzjB,KAAK,KAAK,SAAS,IAAI0jB,UAAU,CAAC1jB,KAAK,KAAK,SAAU,IAC9DyjB,OAAO,CAACzjB,KAAK,KAAK,SAAS,IAAI0jB,UAAU,CAAC1jB,KAAK,KAAK,YAAa,IACjEyjB,OAAO,CAACzjB,KAAK,KAAK,SAAS,IAAI0jB,UAAU,CAAC1jB,KAAK,KAAK,WAAY,IAChEyjB,OAAO,CAACzjB,KAAK,KAAK,YAAY,IAAI0jB,UAAU,CAAC1jB,KAAK,KAAK,WAAY,yCACjCyjB,OAAO,CAACzjB,KAAK,YAAO0jB,UAAU,CAAC1jB,KAAO,CAC5E;IAED,IAAIoY,QAAQ,GAAG,IAAID,GAAG,CAACnY,KAAK,CAACoY,QAAQ,CAAC;IACtCA,QAAQ,CAACpI,GAAG,CAACnP,GAAG,EAAE6iB,UAAU,CAAC;IAC7B1J,WAAW,CAAC;MAAE5B;IAAQ,CAAE,CAAC;EAC3B;EAEA,SAASwB,qBAAqBA,CAAAtI,KAAA,EAQ7B;IAAA,IAR8B;MAC7BuI,eAAe;MACf5X,YAAY;MACZ2V;IAKD,IAAAtG,KAAA;IACC,IAAIkI,gBAAgB,CAAC3G,IAAI,KAAK,CAAC,EAAE;MAC/B;IACD;IAED;IACA;IACA,IAAI2G,gBAAgB,CAAC3G,IAAI,GAAG,CAAC,EAAE;MAC7B5R,OAAO,CAAC,KAAK,EAAE,8CAA8C,CAAC;IAC/D;IAED,IAAItB,OAAO,GAAG+Q,KAAK,CAACzB,IAAI,CAACuK,gBAAgB,CAAC7Z,OAAO,EAAE,CAAC;IACpD,IAAI,CAACga,UAAU,EAAEgK,eAAe,CAAC,GAAGhkB,OAAO,CAACA,OAAO,CAACQ,MAAM,GAAG,CAAC,CAAC;IAC/D,IAAIsjB,OAAO,GAAGzjB,KAAK,CAACoY,QAAQ,CAACpG,GAAG,CAAC2H,UAAU,CAAC;IAE5C,IAAI8J,OAAO,IAAIA,OAAO,CAACzjB,KAAK,KAAK,YAAY,EAAE;MAC7C;MACA;MACA;IACD;IAED;IACA;IACA,IAAI2jB,eAAe,CAAC;MAAE9J,eAAe;MAAE5X,YAAY;MAAE2V;IAAe,EAAC,EAAE;MACrE,OAAO+B,UAAU;IAClB;EACH;EAEA,SAASsD,qBAAqBA,CAACjc,QAAgB;IAC7C,IAAI0E,KAAK,GAAGqR,sBAAsB,CAAC,GAAG,EAAE;MAAE/V;IAAU,EAAC;IACrD,IAAI6b,WAAW,GAAGnH,kBAAkB,IAAID,UAAU;IAClD,IAAI;MAAE9N,OAAO;MAAEtB;IAAK,CAAE,GAAG2Q,sBAAsB,CAAC6F,WAAW,CAAC;IAE5D;IACA0C,qBAAqB,EAAE;IAEvB,OAAO;MAAEvC,eAAe,EAAErV,OAAO;MAAEtB,KAAK;MAAEX;KAAO;EACnD;EAEA,SAAS6Z,qBAAqBA,CAC5BqE,SAAwC;IAExC,IAAIC,iBAAiB,GAAa,EAAE;IACpCtK,eAAe,CAACtQ,OAAO,CAAC,CAAC6a,GAAG,EAAErG,OAAO,KAAI;MACvC,IAAI,CAACmG,SAAS,IAAIA,SAAS,CAACnG,OAAO,CAAC,EAAE;QACpC;QACA;QACA;QACAqG,GAAG,CAACtR,MAAM,EAAE;QACZqR,iBAAiB,CAAC9hB,IAAI,CAAC0b,OAAO,CAAC;QAC/BlE,eAAe,CAACrH,MAAM,CAACuL,OAAO,CAAC;MAChC;IACH,CAAC,CAAC;IACF,OAAOoG,iBAAiB;EAC1B;EAEA;EACA;EACA,SAASE,uBAAuBA,CAC9BC,SAAiC,EACjCC,WAAsC,EACtCC,MAAwC;IAExC3N,oBAAoB,GAAGyN,SAAS;IAChCvN,iBAAiB,GAAGwN,WAAW;IAC/BzN,uBAAuB,GAAG0N,MAAM,IAAI,IAAI;IAExC;IACA;IACA;IACA,IAAI,CAACxN,qBAAqB,IAAI1W,KAAK,CAAC6X,UAAU,KAAKzD,eAAe,EAAE;MAClEsC,qBAAqB,GAAG,IAAI;MAC5B,IAAIyN,CAAC,GAAGvI,sBAAsB,CAAC5b,KAAK,CAACc,QAAQ,EAAEd,KAAK,CAAC2H,OAAO,CAAC;MAC7D,IAAIwc,CAAC,IAAI,IAAI,EAAE;QACbnK,WAAW,CAAC;UAAElC,qBAAqB,EAAEqM;QAAC,CAAE,CAAC;MAC1C;IACF;IAED,OAAO,MAAK;MACV5N,oBAAoB,GAAG,IAAI;MAC3BE,iBAAiB,GAAG,IAAI;MACxBD,uBAAuB,GAAG,IAAI;KAC/B;EACH;EAEA,SAAS4N,YAAYA,CAACtjB,QAAkB,EAAE6G,OAAiC;IACzE,IAAI6O,uBAAuB,EAAE;MAC3B,IAAI3V,GAAG,GAAG2V,uBAAuB,CAC/B1V,QAAQ,EACR6G,OAAO,CAAC/H,GAAG,CAAEyX,CAAC,IAAKrP,0BAA0B,CAACqP,CAAC,EAAErX,KAAK,CAACkI,UAAU,CAAC,CAAC,CACpE;MACD,OAAOrH,GAAG,IAAIC,QAAQ,CAACD,GAAG;IAC3B;IACD,OAAOC,QAAQ,CAACD,GAAG;EACrB;EAEA,SAAS+b,kBAAkBA,CACzB9b,QAAkB,EAClB6G,OAAiC;IAEjC,IAAI4O,oBAAoB,IAAIE,iBAAiB,EAAE;MAC7C,IAAI5V,GAAG,GAAGujB,YAAY,CAACtjB,QAAQ,EAAE6G,OAAO,CAAC;MACzC4O,oBAAoB,CAAC1V,GAAG,CAAC,GAAG4V,iBAAiB,EAAE;IAChD;EACH;EAEA,SAASmF,sBAAsBA,CAC7B9a,QAAkB,EAClB6G,OAAiC;IAEjC,IAAI4O,oBAAoB,EAAE;MACxB,IAAI1V,GAAG,GAAGujB,YAAY,CAACtjB,QAAQ,EAAE6G,OAAO,CAAC;MACzC,IAAIwc,CAAC,GAAG5N,oBAAoB,CAAC1V,GAAG,CAAC;MACjC,IAAI,OAAOsjB,CAAC,KAAK,QAAQ,EAAE;QACzB,OAAOA,CAAC;MACT;IACF;IACD,OAAO,IAAI;EACb;EAEA,SAASjN,aAAaA,CACpBvP,OAAwC,EACxCkV,WAAsC,EACtC7b,QAAgB;IAEhB,IAAI8U,2BAA2B,EAAE;MAC/B,IAAI,CAACnO,OAAO,EAAE;QACZ,IAAI0c,UAAU,GAAGhd,eAAe,CAC9BwV,WAAW,EACX7b,QAAQ,EACRoG,QAAQ,EACR,IAAI,CACL;QAED,OAAO;UAAE+P,MAAM,EAAE,IAAI;UAAExP,OAAO,EAAE0c,UAAU,IAAI;SAAI;MACnD,OAAM;QACL,IAAI3Y,MAAM,CAAC8P,IAAI,CAAC7T,OAAO,CAAC,CAAC,CAAC,CAACQ,MAAM,CAAC,CAAChI,MAAM,GAAG,CAAC,EAAE;UAC7C;UACA;UACA;UACA,IAAIke,cAAc,GAAGhX,eAAe,CAClCwV,WAAW,EACX7b,QAAQ,EACRoG,QAAQ,EACR,IAAI,CACL;UACD,OAAO;YAAE+P,MAAM,EAAE,IAAI;YAAExP,OAAO,EAAE0W;WAAgB;QACjD;MACF;IACF;IAED,OAAO;MAAElH,MAAM,EAAE,KAAK;MAAExP,OAAO,EAAE;KAAM;EACzC;EAiBA,eAAewW,cAAcA,CAC3BxW,OAAiC,EACjC3G,QAAgB,EAChBoQ,MAAmB,EACnBgR,UAAmB;IAEnB,IAAI,CAACtM,2BAA2B,EAAE;MAChC,OAAO;QAAE1F,IAAI,EAAE,SAAS;QAAEzI;OAAS;IACpC;IAED,IAAI0W,cAAc,GAAoC1W,OAAO;IAC7D,OAAO,IAAI,EAAE;MACX,IAAI2c,QAAQ,GAAG5O,kBAAkB,IAAI,IAAI;MACzC,IAAImH,WAAW,GAAGnH,kBAAkB,IAAID,UAAU;MAClD,IAAI8O,aAAa,GAAG7d,QAAQ;MAC5B,IAAI;QACF,MAAMoP,2BAA2B,CAAC;UAChC1E,MAAM;UACNzP,IAAI,EAAEX,QAAQ;UACd2G,OAAO,EAAE0W,cAAc;UACvB+D,UAAU;UACVoC,KAAK,EAAEA,CAAC/G,OAAO,EAAE1W,QAAQ,KAAI;YAC3B,IAAIqK,MAAM,CAACa,OAAO,EAAE;YACpBwS,eAAe,CACbhH,OAAO,EACP1W,QAAQ,EACR8V,WAAW,EACX0H,aAAa,EACb/d,kBAAkB,CACnB;UACH;QACD,EAAC;OACH,CAAC,OAAOjC,CAAC,EAAE;QACV,OAAO;UAAE6L,IAAI,EAAE,OAAO;UAAE1K,KAAK,EAAEnB,CAAC;UAAE8Z;SAAgB;MACnD,UAAS;QACR;QACA;QACA;QACA;QACA;QACA;QACA,IAAIiG,QAAQ,IAAI,CAAClT,MAAM,CAACa,OAAO,EAAE;UAC/BwD,UAAU,GAAG,CAAC,GAAGA,UAAU,CAAC;QAC7B;MACF;MAED,IAAIrE,MAAM,CAACa,OAAO,EAAE;QAClB,OAAO;UAAE7B,IAAI,EAAE;SAAW;MAC3B;MAED,IAAIsU,UAAU,GAAGxd,WAAW,CAAC2V,WAAW,EAAE7b,QAAQ,EAAEoG,QAAQ,CAAC;MAC7D,IAAIsd,UAAU,EAAE;QACd,OAAO;UAAEtU,IAAI,EAAE,SAAS;UAAEzI,OAAO,EAAE+c;SAAY;MAChD;MAED,IAAIC,iBAAiB,GAAGtd,eAAe,CACrCwV,WAAW,EACX7b,QAAQ,EACRoG,QAAQ,EACR,IAAI,CACL;MAED;MACA,IACE,CAACud,iBAAiB,IACjBtG,cAAc,CAACle,MAAM,KAAKwkB,iBAAiB,CAACxkB,MAAM,IACjDke,cAAc,CAAClT,KAAK,CAClB,CAACkM,CAAC,EAAEzP,CAAC,KAAKyP,CAAC,CAAChR,KAAK,CAACQ,EAAE,KAAK8d,iBAAkB,CAAC/c,CAAC,CAAC,CAACvB,KAAK,CAACQ,EAAE,CACvD,EACJ;QACA,OAAO;UAAEuJ,IAAI,EAAE,SAAS;UAAEzI,OAAO,EAAE;SAAM;MAC1C;MAED0W,cAAc,GAAGsG,iBAAiB;IACnC;EACH;EAEA,SAASC,kBAAkBA,CAACC,SAAoC;IAC9Dne,QAAQ,GAAG,EAAE;IACbgP,kBAAkB,GAAGpP,yBAAyB,CAC5Cue,SAAS,EACTre,kBAAkB,EAClBvG,SAAS,EACTyG,QAAQ,CACT;EACH;EAEA,SAASoe,WAAWA,CAClBrH,OAAsB,EACtB1W,QAA+B;IAE/B,IAAIud,QAAQ,GAAG5O,kBAAkB,IAAI,IAAI;IACzC,IAAImH,WAAW,GAAGnH,kBAAkB,IAAID,UAAU;IAClDgP,eAAe,CACbhH,OAAO,EACP1W,QAAQ,EACR8V,WAAW,EACXnW,QAAQ,EACRF,kBAAkB,CACnB;IAED;IACA;IACA;IACA;IACA;IACA,IAAI8d,QAAQ,EAAE;MACZ7O,UAAU,GAAG,CAAC,GAAGA,UAAU,CAAC;MAC5BuE,WAAW,CAAC,EAAE,CAAC;IAChB;EACH;EAEArC,MAAM,GAAG;IACP,IAAIvQ,QAAQA,CAAA;MACV,OAAOA,QAAQ;KAChB;IACD,IAAI4O,MAAMA,CAAA;MACR,OAAOA,MAAM;KACd;IACD,IAAIhW,KAAKA,CAAA;MACP,OAAOA,KAAK;KACb;IACD,IAAIuG,MAAMA,CAAA;MACR,OAAOkP,UAAU;KAClB;IACD,IAAI7S,MAAMA,CAAA;MACR,OAAOwS,YAAY;KACpB;IACDsE,UAAU;IACVnH,SAAS;IACTwR,uBAAuB;IACvBlI,QAAQ;IACR8E,KAAK;IACLnE,UAAU;IACV;IACA;IACAnb,UAAU,EAAGT,EAAM,IAAK8O,IAAI,CAACnO,OAAO,CAACF,UAAU,CAACT,EAAE,CAAC;IACnDc,cAAc,EAAGd,EAAM,IAAK8O,IAAI,CAACnO,OAAO,CAACG,cAAc,CAACd,EAAE,CAAC;IAC3DqiB,UAAU;IACVzI,aAAa,EAAE0I,2BAA2B;IAC1C5I,OAAO;IACPkJ,UAAU;IACV/I,aAAa;IACbqK,WAAW;IACXC,yBAAyB,EAAEhM,gBAAgB;IAC3CiM,wBAAwB,EAAEzL,eAAe;IACzC;IACA;IACAqL;GACD;EAED,OAAOjN,MAAM;AACf;AACA;AAEA;AACA;AACA;MAEasN,sBAAsB,GAAGC,MAAM,CAAC,UAAU;AAoBvC,SAAAC,mBAAmBA,CACjC5e,MAA6B,EAC7BoU,IAAiC;EAEjC3W,SAAS,CACPuC,MAAM,CAACpG,MAAM,GAAG,CAAC,EACjB,kEAAkE,CACnE;EAED,IAAIuG,QAAQ,GAAkB,EAAE;EAChC,IAAIU,QAAQ,GAAG,CAACuT,IAAI,GAAGA,IAAI,CAACvT,QAAQ,GAAG,IAAI,KAAK,GAAG;EACnD,IAAIZ,kBAA8C;EAClD,IAAImU,IAAI,YAAJA,IAAI,CAAEnU,kBAAkB,EAAE;IAC5BA,kBAAkB,GAAGmU,IAAI,CAACnU,kBAAkB;EAC7C,OAAM,IAAImU,IAAI,YAAJA,IAAI,CAAEnF,mBAAmB,EAAE;IACpC;IACA,IAAIA,mBAAmB,GAAGmF,IAAI,CAACnF,mBAAmB;IAClDhP,kBAAkB,GAAIH,KAAK,KAAM;MAC/B2O,gBAAgB,EAAEQ,mBAAmB,CAACnP,KAAK;IAC5C,EAAC;EACH,OAAM;IACLG,kBAAkB,GAAGuO,yBAAyB;EAC/C;EACD;EACA,IAAIiB,MAAM,GAAAlR,QAAA;IACR2J,oBAAoB,EAAE,KAAK;IAC3B2W,mBAAmB,EAAE;EAAK,GACtBzK,IAAI,GAAGA,IAAI,CAAC3E,MAAM,GAAG,IAAI,CAC9B;EAED,IAAIP,UAAU,GAAGnP,yBAAyB,CACxCC,MAAM,EACNC,kBAAkB,EAClBvG,SAAS,EACTyG,QAAQ,CACT;EAED;;;;;;;;;;;;;;;;;;;;;;;;;AAyBG;EACH,eAAe2e,KAAKA,CAClBnI,OAAgB,EAAAoI,MAAA,EASV;IAAA,IARN;MACEC,cAAc;MACdC,uBAAuB;MACvB5P;IAAY,IAAA0P,MAAA,cAKV,EAAE,GAAAA,MAAA;IAEN,IAAI3hB,GAAG,GAAG,IAAIlC,GAAG,CAACyb,OAAO,CAACvZ,GAAG,CAAC;IAC9B,IAAI6a,MAAM,GAAGtB,OAAO,CAACsB,MAAM;IAC3B,IAAI1d,QAAQ,GAAGC,cAAc,CAAC,EAAE,EAAEO,UAAU,CAACqC,GAAG,CAAC,EAAE,IAAI,EAAE,SAAS,CAAC;IACnE,IAAIgE,OAAO,GAAGT,WAAW,CAACuO,UAAU,EAAE3U,QAAQ,EAAEsG,QAAQ,CAAC;IAEzD;IACA,IAAI,CAACqe,aAAa,CAACjH,MAAM,CAAC,IAAIA,MAAM,KAAK,MAAM,EAAE;MAC/C,IAAI9Y,KAAK,GAAGqR,sBAAsB,CAAC,GAAG,EAAE;QAAEyH;MAAQ,EAAC;MACnD,IAAI;QAAE7W,OAAO,EAAE+d,uBAAuB;QAAErf;MAAO,IAC7C2Q,sBAAsB,CAACvB,UAAU,CAAC;MACpC,OAAO;QACLrO,QAAQ;QACRtG,QAAQ;QACR6G,OAAO,EAAE+d,uBAAuB;QAChCxd,UAAU,EAAE,EAAE;QACd+P,UAAU,EAAE,IAAI;QAChBT,MAAM,EAAE;UACN,CAACnR,KAAK,CAACQ,EAAE,GAAGnB;SACb;QACDigB,UAAU,EAAEjgB,KAAK,CAACkK,MAAM;QACxBgW,aAAa,EAAE,EAAE;QACjBC,aAAa,EAAE,EAAE;QACjBtM,eAAe,EAAE;OAClB;IACF,OAAM,IAAI,CAAC5R,OAAO,EAAE;MACnB,IAAIjC,KAAK,GAAGqR,sBAAsB,CAAC,GAAG,EAAE;QAAE/V,QAAQ,EAAEF,QAAQ,CAACE;MAAQ,CAAE,CAAC;MACxE,IAAI;QAAE2G,OAAO,EAAEqV,eAAe;QAAE3W;MAAO,IACrC2Q,sBAAsB,CAACvB,UAAU,CAAC;MACpC,OAAO;QACLrO,QAAQ;QACRtG,QAAQ;QACR6G,OAAO,EAAEqV,eAAe;QACxB9U,UAAU,EAAE,EAAE;QACd+P,UAAU,EAAE,IAAI;QAChBT,MAAM,EAAE;UACN,CAACnR,KAAK,CAACQ,EAAE,GAAGnB;SACb;QACDigB,UAAU,EAAEjgB,KAAK,CAACkK,MAAM;QACxBgW,aAAa,EAAE,EAAE;QACjBC,aAAa,EAAE,EAAE;QACjBtM,eAAe,EAAE;OAClB;IACF;IAED,IAAIzP,MAAM,GAAG,MAAMgc,SAAS,CAC1B5I,OAAO,EACPpc,QAAQ,EACR6G,OAAO,EACP4d,cAAc,EACd3P,YAAY,IAAI,IAAI,EACpB4P,uBAAuB,KAAK,IAAI,EAChC,IAAI,CACL;IACD,IAAIO,UAAU,CAACjc,MAAM,CAAC,EAAE;MACtB,OAAOA,MAAM;IACd;IAED;IACA;IACA;IACA,OAAAhF,QAAA;MAAShE,QAAQ;MAAEsG;IAAQ,GAAK0C,MAAM;EACxC;EAEA;;;;;;;;;;;;;;;;;;;;;;;;;AAyBG;EACH,eAAekc,UAAUA,CACvB9I,OAAgB,EAAA+I,MAAA,EASV;IAAA,IARN;MACExI,OAAO;MACP8H,cAAc;MACd3P;IAAY,IAAAqQ,MAAA,cAKV,EAAE,GAAAA,MAAA;IAEN,IAAItiB,GAAG,GAAG,IAAIlC,GAAG,CAACyb,OAAO,CAACvZ,GAAG,CAAC;IAC9B,IAAI6a,MAAM,GAAGtB,OAAO,CAACsB,MAAM;IAC3B,IAAI1d,QAAQ,GAAGC,cAAc,CAAC,EAAE,EAAEO,UAAU,CAACqC,GAAG,CAAC,EAAE,IAAI,EAAE,SAAS,CAAC;IACnE,IAAIgE,OAAO,GAAGT,WAAW,CAACuO,UAAU,EAAE3U,QAAQ,EAAEsG,QAAQ,CAAC;IAEzD;IACA,IAAI,CAACqe,aAAa,CAACjH,MAAM,CAAC,IAAIA,MAAM,KAAK,MAAM,IAAIA,MAAM,KAAK,SAAS,EAAE;MACvE,MAAMzH,sBAAsB,CAAC,GAAG,EAAE;QAAEyH;MAAM,CAAE,CAAC;IAC9C,OAAM,IAAI,CAAC7W,OAAO,EAAE;MACnB,MAAMoP,sBAAsB,CAAC,GAAG,EAAE;QAAE/V,QAAQ,EAAEF,QAAQ,CAACE;MAAU,EAAC;IACnE;IAED,IAAIiH,KAAK,GAAGwV,OAAO,GACf9V,OAAO,CAACue,IAAI,CAAE7O,CAAC,IAAKA,CAAC,CAAChR,KAAK,CAACQ,EAAE,KAAK4W,OAAO,CAAC,GAC3Cc,cAAc,CAAC5W,OAAO,EAAE7G,QAAQ,CAAC;IAErC,IAAI2c,OAAO,IAAI,CAACxV,KAAK,EAAE;MACrB,MAAM8O,sBAAsB,CAAC,GAAG,EAAE;QAChC/V,QAAQ,EAAEF,QAAQ,CAACE,QAAQ;QAC3Byc;MACD,EAAC;IACH,OAAM,IAAI,CAACxV,KAAK,EAAE;MACjB;MACA,MAAM8O,sBAAsB,CAAC,GAAG,EAAE;QAAE/V,QAAQ,EAAEF,QAAQ,CAACE;MAAU,EAAC;IACnE;IAED,IAAI8I,MAAM,GAAG,MAAMgc,SAAS,CAC1B5I,OAAO,EACPpc,QAAQ,EACR6G,OAAO,EACP4d,cAAc,EACd3P,YAAY,IAAI,IAAI,EACpB,KAAK,EACL3N,KAAK,CACN;IAED,IAAI8d,UAAU,CAACjc,MAAM,CAAC,EAAE;MACtB,OAAOA,MAAM;IACd;IAED,IAAIpE,KAAK,GAAGoE,MAAM,CAAC0N,MAAM,GAAG9L,MAAM,CAACya,MAAM,CAACrc,MAAM,CAAC0N,MAAM,CAAC,CAAC,CAAC,CAAC,GAAGvX,SAAS;IACvE,IAAIyF,KAAK,KAAKzF,SAAS,EAAE;MACvB;MACA;MACA;MACA;MACA,MAAMyF,KAAK;IACZ;IAED;IACA,IAAIoE,MAAM,CAACmO,UAAU,EAAE;MACrB,OAAOvM,MAAM,CAACya,MAAM,CAACrc,MAAM,CAACmO,UAAU,CAAC,CAAC,CAAC,CAAC;IAC3C;IAED,IAAInO,MAAM,CAAC5B,UAAU,EAAE;MAAA,IAAAke,qBAAA;MACrB,IAAIhe,IAAI,GAAGsD,MAAM,CAACya,MAAM,CAACrc,MAAM,CAAC5B,UAAU,CAAC,CAAC,CAAC,CAAC;MAC9C,KAAAke,qBAAA,GAAItc,MAAM,CAACyP,eAAe,KAAtB,QAAA6M,qBAAA,CAAyBne,KAAK,CAAC5B,KAAK,CAACQ,EAAE,CAAC,EAAE;QAC5CuB,IAAI,CAAC6c,sBAAsB,CAAC,GAAGnb,MAAM,CAACyP,eAAe,CAACtR,KAAK,CAAC5B,KAAK,CAACQ,EAAE,CAAC;MACtE;MACD,OAAOuB,IAAI;IACZ;IAED,OAAOnI,SAAS;EAClB;EAEA,eAAe6lB,SAASA,CACtB5I,OAAgB,EAChBpc,QAAkB,EAClB6G,OAAiC,EACjC4d,cAAuB,EACvB3P,YAAyC,EACzC4P,uBAAgC,EAChCa,UAAyC;IAEzCriB,SAAS,CACPkZ,OAAO,CAAC9L,MAAM,EACd,sEAAsE,CACvE;IAED,IAAI;MACF,IAAIkK,gBAAgB,CAAC4B,OAAO,CAACsB,MAAM,CAACpR,WAAW,EAAE,CAAC,EAAE;QAClD,IAAItD,MAAM,GAAG,MAAMwc,MAAM,CACvBpJ,OAAO,EACPvV,OAAO,EACP0e,UAAU,IAAI9H,cAAc,CAAC5W,OAAO,EAAE7G,QAAQ,CAAC,EAC/CykB,cAAc,EACd3P,YAAY,EACZ4P,uBAAuB,EACvBa,UAAU,IAAI,IAAI,CACnB;QACD,OAAOvc,MAAM;MACd;MAED,IAAIA,MAAM,GAAG,MAAMyc,aAAa,CAC9BrJ,OAAO,EACPvV,OAAO,EACP4d,cAAc,EACd3P,YAAY,EACZ4P,uBAAuB,EACvBa,UAAU,CACX;MACD,OAAON,UAAU,CAACjc,MAAM,CAAC,GACrBA,MAAM,GAAAhF,QAAA,KAEDgF,MAAM;QACTmO,UAAU,EAAE,IAAI;QAChB4N,aAAa,EAAE;OAChB;KACN,CAAC,OAAOthB,CAAC,EAAE;MACV;MACA;MACA;MACA,IAAIiiB,oBAAoB,CAACjiB,CAAC,CAAC,IAAIwhB,UAAU,CAACxhB,CAAC,CAACuF,MAAM,CAAC,EAAE;QACnD,IAAIvF,CAAC,CAAC6L,IAAI,KAAKnK,UAAU,CAACP,KAAK,EAAE;UAC/B,MAAMnB,CAAC,CAACuF,MAAM;QACf;QACD,OAAOvF,CAAC,CAACuF,MAAM;MAChB;MACD;MACA;MACA,IAAI2c,kBAAkB,CAACliB,CAAC,CAAC,EAAE;QACzB,OAAOA,CAAC;MACT;MACD,MAAMA,CAAC;IACR;EACH;EAEA,eAAe+hB,MAAMA,CACnBpJ,OAAgB,EAChBvV,OAAiC,EACjC2W,WAAmC,EACnCiH,cAAuB,EACvB3P,YAAyC,EACzC4P,uBAAgC,EAChCkB,cAAuB;IAEvB,IAAI5c,MAAkB;IAEtB,IAAI,CAACwU,WAAW,CAACjY,KAAK,CAACjG,MAAM,IAAI,CAACke,WAAW,CAACjY,KAAK,CAACiR,IAAI,EAAE;MACxD,IAAI5R,KAAK,GAAGqR,sBAAsB,CAAC,GAAG,EAAE;QACtCyH,MAAM,EAAEtB,OAAO,CAACsB,MAAM;QACtBxd,QAAQ,EAAE,IAAIS,GAAG,CAACyb,OAAO,CAACvZ,GAAG,CAAC,CAAC3C,QAAQ;QACvCyc,OAAO,EAAEa,WAAW,CAACjY,KAAK,CAACQ;MAC5B,EAAC;MACF,IAAI6f,cAAc,EAAE;QAClB,MAAMhhB,KAAK;MACZ;MACDoE,MAAM,GAAG;QACPsG,IAAI,EAAEnK,UAAU,CAACP,KAAK;QACtBA;OACD;IACF,OAAM;MACL,IAAI+Y,OAAO,GAAG,MAAMC,gBAAgB,CAClC,QAAQ,EACRxB,OAAO,EACP,CAACoB,WAAW,CAAC,EACb3W,OAAO,EACP+e,cAAc,EACdnB,cAAc,EACd3P,YAAY,CACb;MACD9L,MAAM,GAAG2U,OAAO,CAACH,WAAW,CAACjY,KAAK,CAACQ,EAAE,CAAC;MAEtC,IAAIqW,OAAO,CAAC9L,MAAM,CAACa,OAAO,EAAE;QAC1B0U,8BAA8B,CAACzJ,OAAO,EAAEwJ,cAAc,EAAE1Q,MAAM,CAAC;MAChE;IACF;IAED,IAAI2I,gBAAgB,CAAC7U,MAAM,CAAC,EAAE;MAC5B;MACA;MACA;MACA;MACA,MAAM,IAAImG,QAAQ,CAAC,IAAI,EAAE;QACvBL,MAAM,EAAE9F,MAAM,CAAC2J,QAAQ,CAAC7D,MAAM;QAC9BC,OAAO,EAAE;UACP+W,QAAQ,EAAE9c,MAAM,CAAC2J,QAAQ,CAAC5D,OAAO,CAACmC,GAAG,CAAC,UAAU;QACjD;MACF,EAAC;IACH;IAED,IAAI8M,gBAAgB,CAAChV,MAAM,CAAC,EAAE;MAC5B,IAAIpE,KAAK,GAAGqR,sBAAsB,CAAC,GAAG,EAAE;QAAE3G,IAAI,EAAE;MAAgB,EAAC;MACjE,IAAIsW,cAAc,EAAE;QAClB,MAAMhhB,KAAK;MACZ;MACDoE,MAAM,GAAG;QACPsG,IAAI,EAAEnK,UAAU,CAACP,KAAK;QACtBA;OACD;IACF;IAED,IAAIghB,cAAc,EAAE;MAClB;MACA;MACA,IAAIhJ,aAAa,CAAC5T,MAAM,CAAC,EAAE;QACzB,MAAMA,MAAM,CAACpE,KAAK;MACnB;MAED,OAAO;QACLiC,OAAO,EAAE,CAAC2W,WAAW,CAAC;QACtBpW,UAAU,EAAE,EAAE;QACd+P,UAAU,EAAE;UAAE,CAACqG,WAAW,CAACjY,KAAK,CAACQ,EAAE,GAAGiD,MAAM,CAAC1B;SAAM;QACnDoP,MAAM,EAAE,IAAI;QACZ;QACA;QACAmO,UAAU,EAAE,GAAG;QACfC,aAAa,EAAE,EAAE;QACjBC,aAAa,EAAE,EAAE;QACjBtM,eAAe,EAAE;OAClB;IACF;IAED;IACA,IAAIsN,aAAa,GAAG,IAAIC,OAAO,CAAC5J,OAAO,CAACvZ,GAAG,EAAE;MAC3CkM,OAAO,EAAEqN,OAAO,CAACrN,OAAO;MACxB0D,QAAQ,EAAE2J,OAAO,CAAC3J,QAAQ;MAC1BnC,MAAM,EAAE8L,OAAO,CAAC9L;IACjB,EAAC;IAEF,IAAIsM,aAAa,CAAC5T,MAAM,CAAC,EAAE;MACzB;MACA;MACA,IAAIiV,aAAa,GAAGyG,uBAAuB,GACvClH,WAAW,GACXjB,mBAAmB,CAAC1V,OAAO,EAAE2W,WAAW,CAACjY,KAAK,CAACQ,EAAE,CAAC;MAEtD,IAAIkgB,OAAO,GAAG,MAAMR,aAAa,CAC/BM,aAAa,EACblf,OAAO,EACP4d,cAAc,EACd3P,YAAY,EACZ4P,uBAAuB,EACvB,IAAI,EACJ,CAACzG,aAAa,CAAC1Y,KAAK,CAACQ,EAAE,EAAEiD,MAAM,CAAC,CACjC;MAED;MACA,OAAAhF,QAAA,KACKiiB,OAAO;QACVpB,UAAU,EAAE9R,oBAAoB,CAAC/J,MAAM,CAACpE,KAAK,CAAC,GAC1CoE,MAAM,CAACpE,KAAK,CAACkK,MAAM,GACnB9F,MAAM,CAAC6b,UAAU,IAAI,IAAI,GACzB7b,MAAM,CAAC6b,UAAU,GACjB,GAAG;QACP1N,UAAU,EAAE,IAAI;QAChB4N,aAAa,EAAA/gB,QAAA,KACPgF,MAAM,CAAC+F,OAAO,GAAG;UAAE,CAACyO,WAAW,CAACjY,KAAK,CAACQ,EAAE,GAAGiD,MAAM,CAAC+F;SAAS,GAAG,EAAE;MACrE;IAEJ;IAED,IAAIkX,OAAO,GAAG,MAAMR,aAAa,CAC/BM,aAAa,EACblf,OAAO,EACP4d,cAAc,EACd3P,YAAY,EACZ4P,uBAAuB,EACvB,IAAI,CACL;IAED,OAAA1gB,QAAA,KACKiiB,OAAO;MACV9O,UAAU,EAAE;QACV,CAACqG,WAAW,CAACjY,KAAK,CAACQ,EAAE,GAAGiD,MAAM,CAAC1B;MAChC;KAEG,EAAA0B,MAAM,CAAC6b,UAAU,GAAG;MAAEA,UAAU,EAAE7b,MAAM,CAAC6b;KAAY,GAAG,EAAE;MAC9DE,aAAa,EAAE/b,MAAM,CAAC+F,OAAO,GACzB;QAAE,CAACyO,WAAW,CAACjY,KAAK,CAACQ,EAAE,GAAGiD,MAAM,CAAC+F;MAAS,IAC1C;IAAE;EAEV;EAEA,eAAe0W,aAAaA,CAC1BrJ,OAAgB,EAChBvV,OAAiC,EACjC4d,cAAuB,EACvB3P,YAAyC,EACzC4P,uBAAgC,EAChCa,UAAyC,EACzCjJ,mBAAyC;IAQzC,IAAIsJ,cAAc,GAAGL,UAAU,IAAI,IAAI;IAEvC;IACA,IACEK,cAAc,IACd,EAACL,UAAU,IAAV,QAAAA,UAAU,CAAEhgB,KAAK,CAACkR,MAAM,CACzB,MAAC8O,UAAU,IAAV,QAAAA,UAAU,CAAEhgB,KAAK,CAACiR,IAAI,CACvB;MACA,MAAMP,sBAAsB,CAAC,GAAG,EAAE;QAChCyH,MAAM,EAAEtB,OAAO,CAACsB,MAAM;QACtBxd,QAAQ,EAAE,IAAIS,GAAG,CAACyb,OAAO,CAACvZ,GAAG,CAAC,CAAC3C,QAAQ;QACvCyc,OAAO,EAAE4I,UAAU,oBAAVA,UAAU,CAAEhgB,KAAK,CAACQ;MAC5B,EAAC;IACH;IAED,IAAIka,cAAc,GAAGsF,UAAU,GAC3B,CAACA,UAAU,CAAC,GACZjJ,mBAAmB,IAAIM,aAAa,CAACN,mBAAmB,CAAC,CAAC,CAAC,CAAC,GAC5D4J,6BAA6B,CAACrf,OAAO,EAAEyV,mBAAmB,CAAC,CAAC,CAAC,CAAC,GAC9DzV,OAAO;IACX,IAAIyX,aAAa,GAAG2B,cAAc,CAACjW,MAAM,CACtCuM,CAAC,IAAKA,CAAC,CAAChR,KAAK,CAACkR,MAAM,IAAIF,CAAC,CAAChR,KAAK,CAACiR,IAAI,CACtC;IAED;IACA,IAAI8H,aAAa,CAACjf,MAAM,KAAK,CAAC,EAAE;MAC9B,OAAO;QACLwH,OAAO;QACP;QACAO,UAAU,EAAEP,OAAO,CAACoD,MAAM,CACxB,CAACsG,GAAG,EAAEgG,CAAC,KAAK3L,MAAM,CAAC7F,MAAM,CAACwL,GAAG,EAAE;UAAE,CAACgG,CAAC,CAAChR,KAAK,CAACQ,EAAE,GAAG;QAAI,CAAE,CAAC,EACtD,EAAE,CACH;QACD2Q,MAAM,EACJ4F,mBAAmB,IAAIM,aAAa,CAACN,mBAAmB,CAAC,CAAC,CAAC,CAAC,GACxD;UACE,CAACA,mBAAmB,CAAC,CAAC,CAAC,GAAGA,mBAAmB,CAAC,CAAC,CAAC,CAAC1X;QAClD,IACD,IAAI;QACVigB,UAAU,EAAE,GAAG;QACfC,aAAa,EAAE,EAAE;QACjBrM,eAAe,EAAE;OAClB;IACF;IAED,IAAIkF,OAAO,GAAG,MAAMC,gBAAgB,CAClC,QAAQ,EACRxB,OAAO,EACPkC,aAAa,EACbzX,OAAO,EACP+e,cAAc,EACdnB,cAAc,EACd3P,YAAY,CACb;IAED,IAAIsH,OAAO,CAAC9L,MAAM,CAACa,OAAO,EAAE;MAC1B0U,8BAA8B,CAACzJ,OAAO,EAAEwJ,cAAc,EAAE1Q,MAAM,CAAC;IAChE;IAED;IACA,IAAIuD,eAAe,GAAG,IAAIpB,GAAG,EAAwB;IACrD,IAAI4O,OAAO,GAAGE,sBAAsB,CAClCtf,OAAO,EACP8W,OAAO,EACPrB,mBAAmB,EACnB7D,eAAe,EACfiM,uBAAuB,CACxB;IAED;IACA,IAAI0B,eAAe,GAAG,IAAI/gB,GAAG,CAC3BiZ,aAAa,CAACxf,GAAG,CAAEqI,KAAK,IAAKA,KAAK,CAAC5B,KAAK,CAACQ,EAAE,CAAC,CAC7C;IACDc,OAAO,CAACsB,OAAO,CAAEhB,KAAK,IAAI;MACxB,IAAI,CAACif,eAAe,CAACnX,GAAG,CAAC9H,KAAK,CAAC5B,KAAK,CAACQ,EAAE,CAAC,EAAE;QACxCkgB,OAAO,CAAC7e,UAAU,CAACD,KAAK,CAAC5B,KAAK,CAACQ,EAAE,CAAC,GAAG,IAAI;MAC1C;IACH,CAAC,CAAC;IAEF,OAAA/B,QAAA,KACKiiB,OAAO;MACVpf,OAAO;MACP4R,eAAe,EACbA,eAAe,CAAC1G,IAAI,GAAG,CAAC,GACpBnH,MAAM,CAACyb,WAAW,CAAC5N,eAAe,CAAC5Z,OAAO,EAAE,CAAC,GAC7C;IAAI;EAEd;EAEA;EACA;EACA,eAAe+e,gBAAgBA,CAC7BtO,IAAyB,EACzB8M,OAAgB,EAChBkC,aAAuC,EACvCzX,OAAiC,EACjC+e,cAAuB,EACvBnB,cAAuB,EACvB3P,YAAyC;IAEzC,IAAI6I,OAAO,GAAG,MAAM6D,oBAAoB,CACtC1M,YAAY,IAAIC,mBAAmB,EACnCzF,IAAI,EACJ,IAAI,EACJ8M,OAAO,EACPkC,aAAa,EACbzX,OAAO,EACP,IAAI,EACJjB,QAAQ,EACRF,kBAAkB,EAClB+e,cAAc,CACf;IAED,IAAIlD,WAAW,GAA+B,EAAE;IAChD,MAAMvR,OAAO,CAACgS,GAAG,CACfnb,OAAO,CAAC/H,GAAG,CAAC,MAAOqI,KAAK,IAAI;MAC1B,IAAI,EAAEA,KAAK,CAAC5B,KAAK,CAACQ,EAAE,IAAI4X,OAAO,CAAC,EAAE;QAChC;MACD;MACD,IAAI3U,MAAM,GAAG2U,OAAO,CAACxW,KAAK,CAAC5B,KAAK,CAACQ,EAAE,CAAC;MACpC,IAAI0b,kCAAkC,CAACzY,MAAM,CAAC,EAAE;QAC9C,IAAI2J,QAAQ,GAAG3J,MAAM,CAACA,MAAkB;QACxC;QACA,MAAM0Y,wCAAwC,CAC5C/O,QAAQ,EACRyJ,OAAO,EACPjV,KAAK,CAAC5B,KAAK,CAACQ,EAAE,EACdc,OAAO,EACPP,QAAQ,EACR4O,MAAM,CAACvH,oBAAoB,CAC5B;MACF;MACD,IAAIsX,UAAU,CAACjc,MAAM,CAACA,MAAM,CAAC,IAAI4c,cAAc,EAAE;QAC/C;QACA;QACA,MAAM5c,MAAM;MACb;MAEDuY,WAAW,CAACpa,KAAK,CAAC5B,KAAK,CAACQ,EAAE,CAAC,GACzB,MAAM4b,qCAAqC,CAAC3Y,MAAM,CAAC;IACvD,CAAC,CAAC,CACH;IACD,OAAOuY,WAAW;EACpB;EAEA,OAAO;IACL5M,UAAU;IACV4P,KAAK;IACLW;GACD;AACH;AAEA;AAEA;AACA;AACA;AAEA;;;AAGG;SACaoB,yBAAyBA,CACvC7gB,MAAiC,EACjCwgB,OAA6B,EAC7BrhB,KAAU;EAEV,IAAI2hB,UAAU,GAAAviB,QAAA,KACTiiB,OAAO;IACVpB,UAAU,EAAE9R,oBAAoB,CAACnO,KAAK,CAAC,GAAGA,KAAK,CAACkK,MAAM,GAAG,GAAG;IAC5D4H,MAAM,EAAE;MACN,CAACuP,OAAO,CAACO,0BAA0B,IAAI/gB,MAAM,CAAC,CAAC,CAAC,CAACM,EAAE,GAAGnB;IACvD;GACF;EACD,OAAO2hB,UAAU;AACnB;AAEA,SAASV,8BAA8BA,CACrCzJ,OAAgB,EAChBwJ,cAAuB,EACvB1Q,MAAiC;EAEjC,IAAIA,MAAM,CAACoP,mBAAmB,IAAIlI,OAAO,CAAC9L,MAAM,CAACmW,MAAM,KAAKtnB,SAAS,EAAE;IACrE,MAAMid,OAAO,CAAC9L,MAAM,CAACmW,MAAM;EAC5B;EAED,IAAI/I,MAAM,GAAGkI,cAAc,GAAG,YAAY,GAAG,OAAO;EACpD,MAAM,IAAIviB,KAAK,CAAIqa,MAAM,GAAoB,sBAAAtB,OAAO,CAACsB,MAAM,GAAI,MAAAtB,OAAO,CAACvZ,GAAK,CAAC;AAC/E;AAEA,SAAS6jB,sBAAsBA,CAC7B7M,IAAgC;EAEhC,OACEA,IAAI,IAAI,IAAI,KACV,UAAU,IAAIA,IAAI,IAAIA,IAAI,CAACnG,QAAQ,IAAI,IAAI,IAC1C,MAAM,IAAImG,IAAI,IAAIA,IAAI,CAAC8M,IAAI,KAAKxnB,SAAU,CAAC;AAElD;AAEA,SAAS8b,WAAWA,CAClBjb,QAAc,EACd6G,OAAiC,EACjCP,QAAgB,EAChBsgB,eAAwB,EACxB9mB,EAAa,EACb6N,oBAA6B,EAC7BuN,WAAoB,EACpBC,QAA8B;EAE9B,IAAI0L,iBAA2C;EAC/C,IAAIC,gBAAoD;EACxD,IAAI5L,WAAW,EAAE;IACf;IACA;IACA2L,iBAAiB,GAAG,EAAE;IACtB,KAAK,IAAI1f,KAAK,IAAIN,OAAO,EAAE;MACzBggB,iBAAiB,CAAC5lB,IAAI,CAACkG,KAAK,CAAC;MAC7B,IAAIA,KAAK,CAAC5B,KAAK,CAACQ,EAAE,KAAKmV,WAAW,EAAE;QAClC4L,gBAAgB,GAAG3f,KAAK;QACxB;MACD;IACF;EACF,OAAM;IACL0f,iBAAiB,GAAGhgB,OAAO;IAC3BigB,gBAAgB,GAAGjgB,OAAO,CAACA,OAAO,CAACxH,MAAM,GAAG,CAAC,CAAC;EAC/C;EAED;EACA,IAAIwB,IAAI,GAAGgN,SAAS,CAClB/N,EAAE,GAAGA,EAAE,GAAG,GAAG,EACb4N,mBAAmB,CAACmZ,iBAAiB,EAAElZ,oBAAoB,CAAC,EAC5DlH,aAAa,CAACzG,QAAQ,CAACE,QAAQ,EAAEoG,QAAQ,CAAC,IAAItG,QAAQ,CAACE,QAAQ,EAC/Dib,QAAQ,KAAK,MAAM,CACpB;EAED;EACA;EACA;EACA,IAAIrb,EAAE,IAAI,IAAI,EAAE;IACde,IAAI,CAACE,MAAM,GAAGf,QAAQ,CAACe,MAAM;IAC7BF,IAAI,CAACG,IAAI,GAAGhB,QAAQ,CAACgB,IAAI;EAC1B;EAED;EACA,IAAI,CAAClB,EAAE,IAAI,IAAI,IAAIA,EAAE,KAAK,EAAE,IAAIA,EAAE,KAAK,GAAG,KAAKgnB,gBAAgB,EAAE;IAC/D,IAAIC,UAAU,GAAGC,kBAAkB,CAACnmB,IAAI,CAACE,MAAM,CAAC;IAChD,IAAI+lB,gBAAgB,CAACvhB,KAAK,CAACvG,KAAK,IAAI,CAAC+nB,UAAU,EAAE;MAC/C;MACAlmB,IAAI,CAACE,MAAM,GAAGF,IAAI,CAACE,MAAM,GACrBF,IAAI,CAACE,MAAM,CAACO,OAAO,CAAC,KAAK,EAAE,SAAS,CAAC,GACrC,QAAQ;KACb,MAAM,IAAI,CAACwlB,gBAAgB,CAACvhB,KAAK,CAACvG,KAAK,IAAI+nB,UAAU,EAAE;MACtD;MACA,IAAI1f,MAAM,GAAG,IAAI4f,eAAe,CAACpmB,IAAI,CAACE,MAAM,CAAC;MAC7C,IAAImmB,WAAW,GAAG7f,MAAM,CAAC8f,MAAM,CAAC,OAAO,CAAC;MACxC9f,MAAM,CAAC+J,MAAM,CAAC,OAAO,CAAC;MACtB8V,WAAW,CAACld,MAAM,CAAEoC,CAAC,IAAKA,CAAC,CAAC,CAACjE,OAAO,CAAEiE,CAAC,IAAK/E,MAAM,CAAC+f,MAAM,CAAC,OAAO,EAAEhb,CAAC,CAAC,CAAC;MACtE,IAAIib,EAAE,GAAGhgB,MAAM,CAACzD,QAAQ,EAAE;MAC1B/C,IAAI,CAACE,MAAM,GAAGsmB,EAAE,GAAO,MAAAA,EAAE,GAAK,EAAE;IACjC;EACF;EAED;EACA;EACA;EACA;EACA,IAAIT,eAAe,IAAItgB,QAAQ,KAAK,GAAG,EAAE;IACvCzF,IAAI,CAACX,QAAQ,GACXW,IAAI,CAACX,QAAQ,KAAK,GAAG,GAAGoG,QAAQ,GAAGwB,SAAS,CAAC,CAACxB,QAAQ,EAAEzF,IAAI,CAACX,QAAQ,CAAC,CAAC;EAC1E;EAED,OAAOM,UAAU,CAACK,IAAI,CAAC;AACzB;AAEA;AACA;AACA,SAASwa,wBAAwBA,CAC/BiM,mBAA4B,EAC5BC,SAAkB,EAClB1mB,IAAY,EACZgZ,IAAiC;EAMjC;EACA,IAAI,CAACA,IAAI,IAAI,CAAC6M,sBAAsB,CAAC7M,IAAI,CAAC,EAAE;IAC1C,OAAO;MAAEhZ;KAAM;EAChB;EAED,IAAIgZ,IAAI,CAACtG,UAAU,IAAI,CAACoR,aAAa,CAAC9K,IAAI,CAACtG,UAAU,CAAC,EAAE;IACtD,OAAO;MACL1S,IAAI;MACJ+D,KAAK,EAAEqR,sBAAsB,CAAC,GAAG,EAAE;QAAEyH,MAAM,EAAE7D,IAAI,CAACtG;OAAY;KAC/D;EACF;EAED,IAAIiU,mBAAmB,GAAGA,CAAA,MAAO;IAC/B3mB,IAAI;IACJ+D,KAAK,EAAEqR,sBAAsB,CAAC,GAAG,EAAE;MAAE3G,IAAI,EAAE;KAAgB;EAC5D,EAAC;EAEF;EACA,IAAImY,aAAa,GAAG5N,IAAI,CAACtG,UAAU,IAAI,KAAK;EAC5C,IAAIA,UAAU,GAAG+T,mBAAmB,GAC/BG,aAAa,CAACC,WAAW,EAAoB,GAC7CD,aAAa,CAACnb,WAAW,EAAiB;EAC/C,IAAIkH,UAAU,GAAGmU,iBAAiB,CAAC9mB,IAAI,CAAC;EAExC,IAAIgZ,IAAI,CAAC8M,IAAI,KAAKxnB,SAAS,EAAE;IAC3B,IAAI0a,IAAI,CAACpG,WAAW,KAAK,YAAY,EAAE;MACrC;MACA,IAAI,CAAC+G,gBAAgB,CAACjH,UAAU,CAAC,EAAE;QACjC,OAAOiU,mBAAmB,EAAE;MAC7B;MAED,IAAI7T,IAAI,GACN,OAAOkG,IAAI,CAAC8M,IAAI,KAAK,QAAQ,GACzB9M,IAAI,CAAC8M,IAAI,GACT9M,IAAI,CAAC8M,IAAI,YAAYiB,QAAQ,IAC7B/N,IAAI,CAAC8M,IAAI,YAAYM,eAAe;MACpC;MACArX,KAAK,CAACzB,IAAI,CAAC0L,IAAI,CAAC8M,IAAI,CAAC9nB,OAAO,EAAE,CAAC,CAACoL,MAAM,CACpC,CAACsG,GAAG,EAAA0B,KAAA;QAAA,IAAE,CAACnN,IAAI,EAAE3B,KAAK,CAAC,GAAA8O,KAAA;QAAA,YAAQ1B,GAAG,GAAGzL,IAAI,SAAI3B,KAAK;OAAI,EAClD,EAAE,CACH,GACD2C,MAAM,CAAC+T,IAAI,CAAC8M,IAAI,CAAC;MAEvB,OAAO;QACL9lB,IAAI;QACJua,UAAU,EAAE;UACV7H,UAAU;UACVC,UAAU;UACVC,WAAW,EAAEoG,IAAI,CAACpG,WAAW;UAC7BC,QAAQ,EAAEvU,SAAS;UACnBwP,IAAI,EAAExP,SAAS;UACfwU;QACD;OACF;IACF,OAAM,IAAIkG,IAAI,CAACpG,WAAW,KAAK,kBAAkB,EAAE;MAClD;MACA,IAAI,CAAC+G,gBAAgB,CAACjH,UAAU,CAAC,EAAE;QACjC,OAAOiU,mBAAmB,EAAE;MAC7B;MAED,IAAI;QACF,IAAI7Y,IAAI,GACN,OAAOkL,IAAI,CAAC8M,IAAI,KAAK,QAAQ,GAAGtmB,IAAI,CAACwnB,KAAK,CAAChO,IAAI,CAAC8M,IAAI,CAAC,GAAG9M,IAAI,CAAC8M,IAAI;QAEnE,OAAO;UACL9lB,IAAI;UACJua,UAAU,EAAE;YACV7H,UAAU;YACVC,UAAU;YACVC,WAAW,EAAEoG,IAAI,CAACpG,WAAW;YAC7BC,QAAQ,EAAEvU,SAAS;YACnBwP,IAAI;YACJgF,IAAI,EAAExU;UACP;SACF;OACF,CAAC,OAAOsE,CAAC,EAAE;QACV,OAAO+jB,mBAAmB,EAAE;MAC7B;IACF;EACF;EAEDtkB,SAAS,CACP,OAAO0kB,QAAQ,KAAK,UAAU,EAC9B,+CAA+C,CAChD;EAED,IAAIE,YAA6B;EACjC,IAAIpU,QAAkB;EAEtB,IAAImG,IAAI,CAACnG,QAAQ,EAAE;IACjBoU,YAAY,GAAGC,6BAA6B,CAAClO,IAAI,CAACnG,QAAQ,CAAC;IAC3DA,QAAQ,GAAGmG,IAAI,CAACnG,QAAQ;EACzB,OAAM,IAAImG,IAAI,CAAC8M,IAAI,YAAYiB,QAAQ,EAAE;IACxCE,YAAY,GAAGC,6BAA6B,CAAClO,IAAI,CAAC8M,IAAI,CAAC;IACvDjT,QAAQ,GAAGmG,IAAI,CAAC8M,IAAI;EACrB,OAAM,IAAI9M,IAAI,CAAC8M,IAAI,YAAYM,eAAe,EAAE;IAC/Ca,YAAY,GAAGjO,IAAI,CAAC8M,IAAI;IACxBjT,QAAQ,GAAGsU,6BAA6B,CAACF,YAAY,CAAC;EACvD,OAAM,IAAIjO,IAAI,CAAC8M,IAAI,IAAI,IAAI,EAAE;IAC5BmB,YAAY,GAAG,IAAIb,eAAe,EAAE;IACpCvT,QAAQ,GAAG,IAAIkU,QAAQ,EAAE;EAC1B,OAAM;IACL,IAAI;MACFE,YAAY,GAAG,IAAIb,eAAe,CAACpN,IAAI,CAAC8M,IAAI,CAAC;MAC7CjT,QAAQ,GAAGsU,6BAA6B,CAACF,YAAY,CAAC;KACvD,CAAC,OAAOrkB,CAAC,EAAE;MACV,OAAO+jB,mBAAmB,EAAE;IAC7B;EACF;EAED,IAAIpM,UAAU,GAAe;IAC3B7H,UAAU;IACVC,UAAU;IACVC,WAAW,EACRoG,IAAI,IAAIA,IAAI,CAACpG,WAAW,IAAK,mCAAmC;IACnEC,QAAQ;IACR/E,IAAI,EAAExP,SAAS;IACfwU,IAAI,EAAExU;GACP;EAED,IAAIqb,gBAAgB,CAACY,UAAU,CAAC7H,UAAU,CAAC,EAAE;IAC3C,OAAO;MAAE1S,IAAI;MAAEua;KAAY;EAC5B;EAED;EACA,IAAIlX,UAAU,GAAGpD,SAAS,CAACD,IAAI,CAAC;EAChC;EACA;EACA;EACA,IAAI0mB,SAAS,IAAIrjB,UAAU,CAACnD,MAAM,IAAIimB,kBAAkB,CAAC9iB,UAAU,CAACnD,MAAM,CAAC,EAAE;IAC3E+mB,YAAY,CAACV,MAAM,CAAC,OAAO,EAAE,EAAE,CAAC;EACjC;EACDljB,UAAU,CAACnD,MAAM,SAAO+mB,YAAc;EAEtC,OAAO;IAAEjnB,IAAI,EAAEL,UAAU,CAAC0D,UAAU,CAAC;IAAEkX;GAAY;AACrD;AAEA;AACA;AACA,SAAS8K,6BAA6BA,CACpCrf,OAAiC,EACjCyW,UAAkB,EAClB2K,eAAe,EAAQ;EAAA,IAAvBA,eAAe;IAAfA,eAAe,GAAG,KAAK;EAAA;EAEvB,IAAIjpB,KAAK,GAAG6H,OAAO,CAAC8P,SAAS,CAAEJ,CAAC,IAAKA,CAAC,CAAChR,KAAK,CAACQ,EAAE,KAAKuX,UAAU,CAAC;EAC/D,IAAIte,KAAK,IAAI,CAAC,EAAE;IACd,OAAO6H,OAAO,CAAC7D,KAAK,CAAC,CAAC,EAAEilB,eAAe,GAAGjpB,KAAK,GAAG,CAAC,GAAGA,KAAK,CAAC;EAC7D;EACD,OAAO6H,OAAO;AAChB;AAEA,SAAS2X,gBAAgBA,CACvB/d,OAAgB,EAChBvB,KAAkB,EAClB2H,OAAiC,EACjCuU,UAAkC,EAClCpb,QAAkB,EAClBuZ,gBAAyB,EACzB2O,2BAAoC,EACpCpQ,sBAA+B,EAC/BC,uBAAiC,EACjCC,qBAAkC,EAClCQ,eAA4B,EAC5BF,gBAA6C,EAC7CD,gBAA6B,EAC7B0D,WAAsC,EACtCzV,QAA4B,EAC5BgW,mBAAyC;EAEzC,IAAIE,YAAY,GAAGF,mBAAmB,GAClCM,aAAa,CAACN,mBAAmB,CAAC,CAAC,CAAC,CAAC,GACnCA,mBAAmB,CAAC,CAAC,CAAC,CAAC1X,KAAK,GAC5B0X,mBAAmB,CAAC,CAAC,CAAC,CAAChV,IAAI,GAC7BnI,SAAS;EACb,IAAIgpB,UAAU,GAAG1nB,OAAO,CAACC,SAAS,CAACxB,KAAK,CAACc,QAAQ,CAAC;EAClD,IAAIooB,OAAO,GAAG3nB,OAAO,CAACC,SAAS,CAACV,QAAQ,CAAC;EAEzC;EACA,IAAIqoB,eAAe,GAAGxhB,OAAO;EAC7B,IAAI0S,gBAAgB,IAAIra,KAAK,CAACwX,MAAM,EAAE;IACpC;IACA;IACA;IACA;IACA;IACA2R,eAAe,GAAGnC,6BAA6B,CAC7Crf,OAAO,EACP+D,MAAM,CAAC8P,IAAI,CAACxb,KAAK,CAACwX,MAAM,CAAC,CAAC,CAAC,CAAC,EAC5B,IAAI,CACL;GACF,MAAM,IAAI4F,mBAAmB,IAAIM,aAAa,CAACN,mBAAmB,CAAC,CAAC,CAAC,CAAC,EAAE;IACvE;IACA;IACA+L,eAAe,GAAGnC,6BAA6B,CAC7Crf,OAAO,EACPyV,mBAAmB,CAAC,CAAC,CAAC,CACvB;EACF;EAED;EACA;EACA;EACA,IAAIgM,YAAY,GAAGhM,mBAAmB,GAClCA,mBAAmB,CAAC,CAAC,CAAC,CAACuI,UAAU,GACjC1lB,SAAS;EACb,IAAIopB,sBAAsB,GACxBL,2BAA2B,IAAII,YAAY,IAAIA,YAAY,IAAI,GAAG;EAEpE,IAAIE,iBAAiB,GAAGH,eAAe,CAACre,MAAM,CAAC,CAAC7C,KAAK,EAAEnI,KAAK,KAAI;IAC9D,IAAI;MAAEuG;IAAO,IAAG4B,KAAK;IACrB,IAAI5B,KAAK,CAACiR,IAAI,EAAE;MACd;MACA,OAAO,IAAI;IACZ;IAED,IAAIjR,KAAK,CAACkR,MAAM,IAAI,IAAI,EAAE;MACxB,OAAO,KAAK;IACb;IAED,IAAI8C,gBAAgB,EAAE;MACpB,OAAO3C,0BAA0B,CAACrR,KAAK,EAAErG,KAAK,CAACkI,UAAU,EAAElI,KAAK,CAACwX,MAAM,CAAC;IACzE;IAED;IACA,IACE+R,WAAW,CAACvpB,KAAK,CAACkI,UAAU,EAAElI,KAAK,CAAC2H,OAAO,CAAC7H,KAAK,CAAC,EAAEmI,KAAK,CAAC,IAC1D4Q,uBAAuB,CAAChO,IAAI,CAAEhE,EAAE,IAAKA,EAAE,KAAKoB,KAAK,CAAC5B,KAAK,CAACQ,EAAE,CAAC,EAC3D;MACA,OAAO,IAAI;IACZ;IAED;IACA;IACA;IACA;IACA,IAAI2iB,iBAAiB,GAAGxpB,KAAK,CAAC2H,OAAO,CAAC7H,KAAK,CAAC;IAC5C,IAAI2pB,cAAc,GAAGxhB,KAAK;IAE1B,OAAOyhB,sBAAsB,CAACzhB,KAAK,EAAAnD,QAAA;MACjCmkB,UAAU;MACVU,aAAa,EAAEH,iBAAiB,CAACrhB,MAAM;MACvC+gB,OAAO;MACPU,UAAU,EAAEH,cAAc,CAACthB;IAAM,GAC9B+T,UAAU;MACboB,YAAY;MACZ8L,YAAY;MACZS,uBAAuB,EAAER,sBAAsB,GAC3C,KAAK;MACL;MACAzQ,sBAAsB,IACtBqQ,UAAU,CAACjoB,QAAQ,GAAGioB,UAAU,CAACpnB,MAAM,KACrCqnB,OAAO,CAACloB,QAAQ,GAAGkoB,OAAO,CAACrnB,MAAM;MACnC;MACAonB,UAAU,CAACpnB,MAAM,KAAKqnB,OAAO,CAACrnB,MAAM,IACpCioB,kBAAkB,CAACN,iBAAiB,EAAEC,cAAc;IAAC,EAC1D,CAAC;EACJ,CAAC,CAAC;EAEF;EACA,IAAIpK,oBAAoB,GAA0B,EAAE;EACpDjG,gBAAgB,CAACnQ,OAAO,CAAC,CAAC8W,CAAC,EAAElf,GAAG,KAAI;IAClC;IACA;IACA;IACA;IACA;IACA,IACEwZ,gBAAgB,IAChB,CAAC1S,OAAO,CAACkD,IAAI,CAAEwM,CAAC,IAAKA,CAAC,CAAChR,KAAK,CAACQ,EAAE,KAAKkZ,CAAC,CAACtC,OAAO,CAAC,IAC9CnE,eAAe,CAACvJ,GAAG,CAAClP,GAAG,CAAC,EACxB;MACA;IACD;IAED,IAAIkpB,cAAc,GAAG7iB,WAAW,CAAC2V,WAAW,EAAEkD,CAAC,CAACpe,IAAI,EAAEyF,QAAQ,CAAC;IAE/D;IACA;IACA;IACA;IACA,IAAI,CAAC2iB,cAAc,EAAE;MACnB1K,oBAAoB,CAACtd,IAAI,CAAC;QACxBlB,GAAG;QACH4c,OAAO,EAAEsC,CAAC,CAACtC,OAAO;QAClB9b,IAAI,EAAEoe,CAAC,CAACpe,IAAI;QACZgG,OAAO,EAAE,IAAI;QACbM,KAAK,EAAE,IAAI;QACX+I,UAAU,EAAE;MACb,EAAC;MACF;IACD;IAED;IACA;IACA;IACA,IAAI8J,OAAO,GAAG9a,KAAK,CAACkY,QAAQ,CAAClG,GAAG,CAACnR,GAAG,CAAC;IACrC,IAAImpB,YAAY,GAAGzL,cAAc,CAACwL,cAAc,EAAEhK,CAAC,CAACpe,IAAI,CAAC;IAEzD,IAAIsoB,gBAAgB,GAAG,KAAK;IAC5B,IAAI9Q,gBAAgB,CAACpJ,GAAG,CAAClP,GAAG,CAAC,EAAE;MAC7B;MACAopB,gBAAgB,GAAG,KAAK;KACzB,MAAM,IAAInR,qBAAqB,CAAC/I,GAAG,CAAClP,GAAG,CAAC,EAAE;MACzC;MACAiY,qBAAqB,CAAC5G,MAAM,CAACrR,GAAG,CAAC;MACjCopB,gBAAgB,GAAG,IAAI;IACxB,OAAM,IACLnP,OAAO,IACPA,OAAO,CAAC9a,KAAK,KAAK,MAAM,IACxB8a,OAAO,CAAC1S,IAAI,KAAKnI,SAAS,EAC1B;MACA;MACA;MACA;MACAgqB,gBAAgB,GAAGrR,sBAAsB;IAC1C,OAAM;MACL;MACA;MACAqR,gBAAgB,GAAGP,sBAAsB,CAACM,YAAY,EAAAllB,QAAA;QACpDmkB,UAAU;QACVU,aAAa,EAAE3pB,KAAK,CAAC2H,OAAO,CAAC3H,KAAK,CAAC2H,OAAO,CAACxH,MAAM,GAAG,CAAC,CAAC,CAACgI,MAAM;QAC7D+gB,OAAO;QACPU,UAAU,EAAEjiB,OAAO,CAACA,OAAO,CAACxH,MAAM,GAAG,CAAC,CAAC,CAACgI;MAAM,GAC3C+T,UAAU;QACboB,YAAY;QACZ8L,YAAY;QACZS,uBAAuB,EAAER,sBAAsB,GAC3C,KAAK,GACLzQ;MAAsB,EAC3B,CAAC;IACH;IAED,IAAIqR,gBAAgB,EAAE;MACpB5K,oBAAoB,CAACtd,IAAI,CAAC;QACxBlB,GAAG;QACH4c,OAAO,EAAEsC,CAAC,CAACtC,OAAO;QAClB9b,IAAI,EAAEoe,CAAC,CAACpe,IAAI;QACZgG,OAAO,EAAEoiB,cAAc;QACvB9hB,KAAK,EAAE+hB,YAAY;QACnBhZ,UAAU,EAAE,IAAIC,eAAe;MAChC,EAAC;IACH;EACH,CAAC,CAAC;EAEF,OAAO,CAACqY,iBAAiB,EAAEjK,oBAAoB,CAAC;AAClD;AAEA,SAAS3H,0BAA0BA,CACjCrR,KAA8B,EAC9B6B,UAAwC,EACxCsP,MAAoC;EAEpC;EACA,IAAInR,KAAK,CAACiR,IAAI,EAAE;IACd,OAAO,IAAI;EACZ;EAED;EACA,IAAI,CAACjR,KAAK,CAACkR,MAAM,EAAE;IACjB,OAAO,KAAK;EACb;EAED,IAAI2S,OAAO,GAAGhiB,UAAU,IAAI,IAAI,IAAIA,UAAU,CAAC7B,KAAK,CAACQ,EAAE,CAAC,KAAK5G,SAAS;EACtE,IAAIkqB,QAAQ,GAAG3S,MAAM,IAAI,IAAI,IAAIA,MAAM,CAACnR,KAAK,CAACQ,EAAE,CAAC,KAAK5G,SAAS;EAE/D;EACA,IAAI,CAACiqB,OAAO,IAAIC,QAAQ,EAAE;IACxB,OAAO,KAAK;EACb;EAED;EACA,IAAI,OAAO9jB,KAAK,CAACkR,MAAM,KAAK,UAAU,IAAIlR,KAAK,CAACkR,MAAM,CAAC6S,OAAO,KAAK,IAAI,EAAE;IACvE,OAAO,IAAI;EACZ;EAED;EACA,OAAO,CAACF,OAAO,IAAI,CAACC,QAAQ;AAC9B;AAEA,SAASZ,WAAWA,CAClBc,iBAA4B,EAC5BC,YAAoC,EACpCriB,KAA6B;EAE7B,IAAIsiB,KAAK;EACP;EACA,CAACD,YAAY;EACb;EACAriB,KAAK,CAAC5B,KAAK,CAACQ,EAAE,KAAKyjB,YAAY,CAACjkB,KAAK,CAACQ,EAAE;EAE1C;EACA;EACA,IAAI2jB,aAAa,GAAGH,iBAAiB,CAACpiB,KAAK,CAAC5B,KAAK,CAACQ,EAAE,CAAC,KAAK5G,SAAS;EAEnE;EACA,OAAOsqB,KAAK,IAAIC,aAAa;AAC/B;AAEA,SAASV,kBAAkBA,CACzBQ,YAAoC,EACpCriB,KAA6B;EAE7B,IAAIwiB,WAAW,GAAGH,YAAY,CAACjkB,KAAK,CAAC1E,IAAI;EACzC;IACE;IACA2oB,YAAY,CAACtpB,QAAQ,KAAKiH,KAAK,CAACjH,QAAQ;IACxC;IACA;IACCypB,WAAW,IAAI,IAAI,IAClBA,WAAW,CAAC9gB,QAAQ,CAAC,GAAG,CAAC,IACzB2gB,YAAY,CAACniB,MAAM,CAAC,GAAG,CAAC,KAAKF,KAAK,CAACE,MAAM,CAAC,GAAG;EAAA;AAEnD;AAEA,SAASuhB,sBAAsBA,CAC7BgB,WAAmC,EACnCC,GAAiC;EAEjC,IAAID,WAAW,CAACrkB,KAAK,CAAC4jB,gBAAgB,EAAE;IACtC,IAAIW,WAAW,GAAGF,WAAW,CAACrkB,KAAK,CAAC4jB,gBAAgB,CAACU,GAAG,CAAC;IACzD,IAAI,OAAOC,WAAW,KAAK,SAAS,EAAE;MACpC,OAAOA,WAAW;IACnB;EACF;EAED,OAAOD,GAAG,CAACd,uBAAuB;AACpC;AAEA,SAASpF,eAAeA,CACtBhH,OAAsB,EACtB1W,QAA+B,EAC/B8V,WAAsC,EACtCnW,QAAuB,EACvBF,kBAA8C;EAAA,IAAAqkB,gBAAA;EAE9C,IAAIC,eAA0C;EAC9C,IAAIrN,OAAO,EAAE;IACX,IAAIpX,KAAK,GAAGK,QAAQ,CAAC+W,OAAO,CAAC;IAC7BzZ,SAAS,CACPqC,KAAK,EAC+C,sDAAAoX,OAAS,CAC9D;IACD,IAAI,CAACpX,KAAK,CAACU,QAAQ,EAAE;MACnBV,KAAK,CAACU,QAAQ,GAAG,EAAE;IACpB;IACD+jB,eAAe,GAAGzkB,KAAK,CAACU,QAAQ;EACjC,OAAM;IACL+jB,eAAe,GAAGjO,WAAW;EAC9B;EAED;EACA;EACA;EACA,IAAIkO,cAAc,GAAGhkB,QAAQ,CAAC+D,MAAM,CACjCkgB,QAAQ,IACP,CAACF,eAAe,CAACjgB,IAAI,CAAEogB,aAAa,IAClCC,WAAW,CAACF,QAAQ,EAAEC,aAAa,CAAC,CACrC,CACJ;EAED,IAAIpG,SAAS,GAAGve,yBAAyB,CACvCykB,cAAc,EACdvkB,kBAAkB,EAClB,CAACiX,OAAO,IAAI,GAAG,EAAE,OAAO,EAAE7W,MAAM,CAAC,EAAAikB,gBAAA,GAAAC,eAAe,qBAAfD,gBAAA,CAAiB1qB,MAAM,KAAI,GAAG,CAAC,CAAC,EACjEuG,QAAQ,CACT;EAEDokB,eAAe,CAAC/oB,IAAI,CAAC,GAAG8iB,SAAS,CAAC;AACpC;AAEA,SAASqG,WAAWA,CAClBF,QAA6B,EAC7BC,aAAkC;EAElC;EACA,IACE,IAAI,IAAID,QAAQ,IAChB,IAAI,IAAIC,aAAa,IACrBD,QAAQ,CAACnkB,EAAE,KAAKokB,aAAa,CAACpkB,EAAE,EAChC;IACA,OAAO,IAAI;EACZ;EAED;EACA,IACE,EACEmkB,QAAQ,CAAClrB,KAAK,KAAKmrB,aAAa,CAACnrB,KAAK,IACtCkrB,QAAQ,CAACrpB,IAAI,KAAKspB,aAAa,CAACtpB,IAAI,IACpCqpB,QAAQ,CAACtiB,aAAa,KAAKuiB,aAAa,CAACviB,aAAa,CACvD,EACD;IACA,OAAO,KAAK;EACb;EAED;EACA;EACA,IACE,CAAC,CAACsiB,QAAQ,CAACjkB,QAAQ,IAAIikB,QAAQ,CAACjkB,QAAQ,CAAC5G,MAAM,KAAK,CAAC,MACpD,CAAC8qB,aAAa,CAAClkB,QAAQ,IAAIkkB,aAAa,CAAClkB,QAAQ,CAAC5G,MAAM,KAAK,CAAC,CAAC,EAChE;IACA,OAAO,IAAI;EACZ;EAED;EACA;EACA,OAAO6qB,QAAQ,CAACjkB,QAAS,CAACoE,KAAK,CAAC,CAACggB,MAAM,EAAEvjB,CAAC;IAAA,IAAAwjB,qBAAA;IAAA,QAAAA,qBAAA,GACxCH,aAAa,CAAClkB,QAAQ,qBAAtBqkB,qBAAA,CAAwBvgB,IAAI,CAAEwgB,MAAM,IAAKH,WAAW,CAACC,MAAM,EAAEE,MAAM,CAAC,CAAC;GACtE;AACH;AAEA;;;;AAIG;AACH,eAAeC,mBAAmBA,CAChCjlB,KAA8B,EAC9BG,kBAA8C,EAC9CE,QAAuB;EAEvB,IAAI,CAACL,KAAK,CAACiR,IAAI,EAAE;IACf;EACD;EAED,IAAIiU,SAAS,GAAG,MAAMllB,KAAK,CAACiR,IAAI,EAAE;EAElC;EACA;EACA;EACA,IAAI,CAACjR,KAAK,CAACiR,IAAI,EAAE;IACf;EACD;EAED,IAAIkU,aAAa,GAAG9kB,QAAQ,CAACL,KAAK,CAACQ,EAAE,CAAC;EACtC7C,SAAS,CAACwnB,aAAa,EAAE,4BAA4B,CAAC;EAEtD;EACA;EACA;EACA;EACA;EACA;EACA;EACA;EACA,IAAIC,YAAY,GAAwB,EAAE;EAC1C,KAAK,IAAIC,iBAAiB,IAAIH,SAAS,EAAE;IACvC,IAAII,gBAAgB,GAClBH,aAAa,CAACE,iBAA+C,CAAC;IAEhE,IAAIE,2BAA2B,GAC7BD,gBAAgB,KAAK1rB,SAAS;IAC9B;IACA;IACAyrB,iBAAiB,KAAK,kBAAkB;IAE1CzqB,OAAO,CACL,CAAC2qB,2BAA2B,EAC5B,aAAUJ,aAAa,CAAC3kB,EAAE,mCAA4B6kB,iBAAiB,wFACQ,IACjD,+BAAAA,iBAAiB,yBAAoB,CACpE;IAED,IACE,CAACE,2BAA2B,IAC5B,CAAC1lB,kBAAkB,CAAC6J,GAAG,CAAC2b,iBAAsC,CAAC,EAC/D;MACAD,YAAY,CAACC,iBAAiB,CAAC,GAC7BH,SAAS,CAACG,iBAA2C,CAAC;IACzD;EACF;EAED;EACA;EACAhgB,MAAM,CAAC7F,MAAM,CAAC2lB,aAAa,EAAEC,YAAY,CAAC;EAE1C;EACA;EACA;EACA/f,MAAM,CAAC7F,MAAM,CAAC2lB,aAAa,EAAA1mB,QAAA,CAKtB,IAAA0B,kBAAkB,CAACglB,aAAa,CAAC;IACpClU,IAAI,EAAErX;EAAS,EAChB,CAAC;AACJ;AAEA;AACA,eAAe4V,mBAAmBA,CAAAgW,KAAA,EAEP;EAAA,IAFQ;IACjClkB;EACyB,IAAAkkB,KAAA;EACzB,IAAIzM,aAAa,GAAGzX,OAAO,CAACmD,MAAM,CAAEuM,CAAC,IAAKA,CAAC,CAACyU,UAAU,CAAC;EACvD,IAAIrN,OAAO,GAAG,MAAM3N,OAAO,CAACgS,GAAG,CAAC1D,aAAa,CAACxf,GAAG,CAAEyX,CAAC,IAAKA,CAAC,CAACzE,OAAO,EAAE,CAAC,CAAC;EACtE,OAAO6L,OAAO,CAAC1T,MAAM,CACnB,CAACsG,GAAG,EAAEvH,MAAM,EAAElC,CAAC,KACb8D,MAAM,CAAC7F,MAAM,CAACwL,GAAG,EAAE;IAAE,CAAC+N,aAAa,CAACxX,CAAC,CAAC,CAACvB,KAAK,CAACQ,EAAE,GAAGiD;EAAM,CAAE,CAAC,EAC7D,EAAE,CACH;AACH;AAEA,eAAewY,oBAAoBA,CACjC3M,gBAAsC,EACtCvF,IAAyB,EACzBpQ,KAAyB,EACzBkd,OAAgB,EAChBkC,aAAuC,EACvCzX,OAAiC,EACjCya,UAAyB,EACzB1b,QAAuB,EACvBF,kBAA8C,EAC9C+e,cAAwB;EAExB,IAAIwG,4BAA4B,GAAGpkB,OAAO,CAAC/H,GAAG,CAAEyX,CAAC,IAC/CA,CAAC,CAAChR,KAAK,CAACiR,IAAI,GACRgU,mBAAmB,CAACjU,CAAC,CAAChR,KAAK,EAAEG,kBAAkB,EAAEE,QAAQ,CAAC,GAC1DzG,SAAS,CACd;EAED,IAAI+rB,SAAS,GAAGrkB,OAAO,CAAC/H,GAAG,CAAC,CAACqI,KAAK,EAAEL,CAAC,KAAI;IACvC,IAAIqkB,gBAAgB,GAAGF,4BAA4B,CAACnkB,CAAC,CAAC;IACtD,IAAIkkB,UAAU,GAAG1M,aAAa,CAACvU,IAAI,CAAEwM,CAAC,IAAKA,CAAC,CAAChR,KAAK,CAACQ,EAAE,KAAKoB,KAAK,CAAC5B,KAAK,CAACQ,EAAE,CAAC;IACzE;IACA;IACA;IACA;IACA,IAAI+L,OAAO,GAAiC,MAAOsZ,eAAe,IAAI;MACpE,IACEA,eAAe,IACfhP,OAAO,CAACsB,MAAM,KAAK,KAAK,KACvBvW,KAAK,CAAC5B,KAAK,CAACiR,IAAI,IAAIrP,KAAK,CAAC5B,KAAK,CAACkR,MAAM,CAAC,EACxC;QACAuU,UAAU,GAAG,IAAI;MAClB;MACD,OAAOA,UAAU,GACbK,kBAAkB,CAChB/b,IAAI,EACJ8M,OAAO,EACPjV,KAAK,EACLgkB,gBAAgB,EAChBC,eAAe,EACf3G,cAAc,CACf,GACDzU,OAAO,CAAC8B,OAAO,CAAC;QAAExC,IAAI,EAAEnK,UAAU,CAACmC,IAAI;QAAE0B,MAAM,EAAE7J;MAAS,CAAE,CAAC;KAClE;IAED,OAAA6E,QAAA,KACKmD,KAAK;MACR6jB,UAAU;MACVlZ;IAAO;EAEX,CAAC,CAAC;EAEF;EACA;EACA;EACA,IAAI6L,OAAO,GAAG,MAAM9I,gBAAgB,CAAC;IACnChO,OAAO,EAAEqkB,SAAS;IAClB9O,OAAO;IACP/U,MAAM,EAAER,OAAO,CAAC,CAAC,CAAC,CAACQ,MAAM;IACzBia,UAAU;IACV2E,OAAO,EAAExB;EACV,EAAC;EAEF;EACA;EACA;EACA,IAAI;IACF,MAAMzU,OAAO,CAACgS,GAAG,CAACiJ,4BAA4B,CAAC;GAChD,CAAC,OAAOxnB,CAAC,EAAE;IACV;EAAA;EAGF,OAAOka,OAAO;AAChB;AAEA;AACA,eAAe0N,kBAAkBA,CAC/B/b,IAAyB,EACzB8M,OAAgB,EAChBjV,KAA6B,EAC7BgkB,gBAA2C,EAC3CC,eAA4D,EAC5DE,aAAuB;EAEvB,IAAItiB,MAA0B;EAC9B,IAAIuiB,QAAkC;EAEtC,IAAIC,UAAU,GACZC,OAAsE,IACvC;IAC/B;IACA,IAAI3b,MAAkB;IACtB;IACA;IACA,IAAIC,YAAY,GAAG,IAAIC,OAAO,CAAqB,CAAC9D,CAAC,EAAE+D,CAAC,KAAMH,MAAM,GAAGG,CAAE,CAAC;IAC1Esb,QAAQ,GAAGA,CAAA,KAAMzb,MAAM,EAAE;IACzBsM,OAAO,CAAC9L,MAAM,CAACrL,gBAAgB,CAAC,OAAO,EAAEsmB,QAAQ,CAAC;IAElD,IAAIG,aAAa,GAAIC,GAAa,IAAI;MACpC,IAAI,OAAOF,OAAO,KAAK,UAAU,EAAE;QACjC,OAAOzb,OAAO,CAACF,MAAM,CACnB,IAAIzM,KAAK,CACP,6EACMiM,IAAI,qBAAenI,KAAK,CAAC5B,KAAK,CAACQ,EAAE,OAAG,CAC3C,CACF;MACF;MACD,OAAO0lB,OAAO,CACZ;QACErP,OAAO;QACP/U,MAAM,EAAEF,KAAK,CAACE,MAAM;QACpB4e,OAAO,EAAEqF;MACV,GACD,IAAIK,GAAG,KAAKxsB,SAAS,GAAG,CAACwsB,GAAG,CAAC,GAAG,EAAE,CAAC,CACpC;KACF;IAED,IAAIC,cAAc,GAAgC,CAAC,YAAW;MAC5D,IAAI;QACF,IAAIC,GAAG,GAAG,OAAOT,eAAe,GAC5BA,eAAe,CAAEO,GAAY,IAAKD,aAAa,CAACC,GAAG,CAAC,CAAC,GACrDD,aAAa,EAAE,CAAC;QACpB,OAAO;UAAEpc,IAAI,EAAE,MAAM;UAAEtG,MAAM,EAAE6iB;SAAK;OACrC,CAAC,OAAOpoB,CAAC,EAAE;QACV,OAAO;UAAE6L,IAAI,EAAE,OAAO;UAAEtG,MAAM,EAAEvF;SAAG;MACpC;IACH,CAAC,GAAG;IAEJ,OAAOuM,OAAO,CAACa,IAAI,CAAC,CAAC+a,cAAc,EAAE7b,YAAY,CAAC,CAAC;GACpD;EAED,IAAI;IACF,IAAI0b,OAAO,GAAGtkB,KAAK,CAAC5B,KAAK,CAAC+J,IAAI,CAAC;IAE/B;IACA,IAAI6b,gBAAgB,EAAE;MACpB,IAAIM,OAAO,EAAE;QACX;QACA,IAAIK,YAAY;QAChB,IAAI,CAAC3oB,KAAK,CAAC,GAAG,MAAM6M,OAAO,CAACgS,GAAG,CAAC;QAC9B;QACA;QACA;QACAwJ,UAAU,CAACC,OAAO,CAAC,CAACza,KAAK,CAAEvN,CAAC,IAAI;UAC9BqoB,YAAY,GAAGroB,CAAC;QAClB,CAAC,CAAC,EACF0nB,gBAAgB,CACjB,CAAC;QACF,IAAIW,YAAY,KAAK3sB,SAAS,EAAE;UAC9B,MAAM2sB,YAAY;QACnB;QACD9iB,MAAM,GAAG7F,KAAM;MAChB,OAAM;QACL;QACA,MAAMgoB,gBAAgB;QAEtBM,OAAO,GAAGtkB,KAAK,CAAC5B,KAAK,CAAC+J,IAAI,CAAC;QAC3B,IAAImc,OAAO,EAAE;UACX;UACA;UACA;UACAziB,MAAM,GAAG,MAAMwiB,UAAU,CAACC,OAAO,CAAC;QACnC,OAAM,IAAInc,IAAI,KAAK,QAAQ,EAAE;UAC5B,IAAIzM,GAAG,GAAG,IAAIlC,GAAG,CAACyb,OAAO,CAACvZ,GAAG,CAAC;UAC9B,IAAI3C,QAAQ,GAAG2C,GAAG,CAAC3C,QAAQ,GAAG2C,GAAG,CAAC9B,MAAM;UACxC,MAAMkV,sBAAsB,CAAC,GAAG,EAAE;YAChCyH,MAAM,EAAEtB,OAAO,CAACsB,MAAM;YACtBxd,QAAQ;YACRyc,OAAO,EAAExV,KAAK,CAAC5B,KAAK,CAACQ;UACtB,EAAC;QACH,OAAM;UACL;UACA;UACA,OAAO;YAAEuJ,IAAI,EAAEnK,UAAU,CAACmC,IAAI;YAAE0B,MAAM,EAAE7J;WAAW;QACpD;MACF;IACF,OAAM,IAAI,CAACssB,OAAO,EAAE;MACnB,IAAI5oB,GAAG,GAAG,IAAIlC,GAAG,CAACyb,OAAO,CAACvZ,GAAG,CAAC;MAC9B,IAAI3C,QAAQ,GAAG2C,GAAG,CAAC3C,QAAQ,GAAG2C,GAAG,CAAC9B,MAAM;MACxC,MAAMkV,sBAAsB,CAAC,GAAG,EAAE;QAChC/V;MACD,EAAC;IACH,OAAM;MACL8I,MAAM,GAAG,MAAMwiB,UAAU,CAACC,OAAO,CAAC;IACnC;IAEDvoB,SAAS,CACP8F,MAAM,CAACA,MAAM,KAAK7J,SAAS,EAC3B,kBAAemQ,IAAI,KAAK,QAAQ,GAAG,WAAW,GAAG,UAAU,CACrD,2BAAAnI,KAAK,CAAC5B,KAAK,CAACQ,EAAE,GAA4C,8CAAAuJ,IAAI,GAAK,oDACzB,CACjD;GACF,CAAC,OAAO7L,CAAC,EAAE;IACV;IACA;IACA;IACA,OAAO;MAAE6L,IAAI,EAAEnK,UAAU,CAACP,KAAK;MAAEoE,MAAM,EAAEvF;KAAG;EAC7C,UAAS;IACR,IAAI8nB,QAAQ,EAAE;MACZnP,OAAO,CAAC9L,MAAM,CAACpL,mBAAmB,CAAC,OAAO,EAAEqmB,QAAQ,CAAC;IACtD;EACF;EAED,OAAOviB,MAAM;AACf;AAEA,eAAe2Y,qCAAqCA,CAClDoK,kBAAsC;EAEtC,IAAI;IAAE/iB,MAAM;IAAEsG;EAAM,IAAGyc,kBAAkB;EAEzC,IAAI9G,UAAU,CAACjc,MAAM,CAAC,EAAE;IACtB,IAAI1B,IAAS;IAEb,IAAI;MACF,IAAI0kB,WAAW,GAAGhjB,MAAM,CAAC+F,OAAO,CAACmC,GAAG,CAAC,cAAc,CAAC;MACpD;MACA;MACA,IAAI8a,WAAW,IAAI,uBAAuB,CAAC7hB,IAAI,CAAC6hB,WAAW,CAAC,EAAE;QAC5D,IAAIhjB,MAAM,CAAC2d,IAAI,IAAI,IAAI,EAAE;UACvBrf,IAAI,GAAG,IAAI;QACZ,OAAM;UACLA,IAAI,GAAG,MAAM0B,MAAM,CAAC2F,IAAI,EAAE;QAC3B;MACF,OAAM;QACLrH,IAAI,GAAG,MAAM0B,MAAM,CAAC2K,IAAI,EAAE;MAC3B;KACF,CAAC,OAAOlQ,CAAC,EAAE;MACV,OAAO;QAAE6L,IAAI,EAAEnK,UAAU,CAACP,KAAK;QAAEA,KAAK,EAAEnB;OAAG;IAC5C;IAED,IAAI6L,IAAI,KAAKnK,UAAU,CAACP,KAAK,EAAE;MAC7B,OAAO;QACL0K,IAAI,EAAEnK,UAAU,CAACP,KAAK;QACtBA,KAAK,EAAE,IAAIgO,iBAAiB,CAAC5J,MAAM,CAAC8F,MAAM,EAAE9F,MAAM,CAAC6J,UAAU,EAAEvL,IAAI,CAAC;QACpEud,UAAU,EAAE7b,MAAM,CAAC8F,MAAM;QACzBC,OAAO,EAAE/F,MAAM,CAAC+F;OACjB;IACF;IAED,OAAO;MACLO,IAAI,EAAEnK,UAAU,CAACmC,IAAI;MACrBA,IAAI;MACJud,UAAU,EAAE7b,MAAM,CAAC8F,MAAM;MACzBC,OAAO,EAAE/F,MAAM,CAAC+F;KACjB;EACF;EAED,IAAIO,IAAI,KAAKnK,UAAU,CAACP,KAAK,EAAE;IAC7B,IAAIqnB,sBAAsB,CAACjjB,MAAM,CAAC,EAAE;MAAA,IAAAkjB,aAAA,EAAAC,aAAA;MAClC,IAAInjB,MAAM,CAAC1B,IAAI,YAAYjE,KAAK,EAAE;QAAA,IAAA+oB,YAAA,EAAAC,aAAA;QAChC,OAAO;UACL/c,IAAI,EAAEnK,UAAU,CAACP,KAAK;UACtBA,KAAK,EAAEoE,MAAM,CAAC1B,IAAI;UAClBud,UAAU,GAAAuH,YAAA,GAAEpjB,MAAM,CAAC4F,IAAI,qBAAXwd,YAAA,CAAatd,MAAM;UAC/BC,OAAO,EAAE,CAAAsd,aAAA,GAAArjB,MAAM,CAAC4F,IAAI,aAAXyd,aAAA,CAAatd,OAAO,GACzB,IAAIC,OAAO,CAAChG,MAAM,CAAC4F,IAAI,CAACG,OAAO,CAAC,GAChC5P;SACL;MACF;MAED;MACA,OAAO;QACLmQ,IAAI,EAAEnK,UAAU,CAACP,KAAK;QACtBA,KAAK,EAAE,IAAIgO,iBAAiB,CAC1B,EAAAsZ,aAAA,GAAAljB,MAAM,CAAC4F,IAAI,qBAAXsd,aAAA,CAAapd,MAAM,KAAI,GAAG,EAC1B3P,SAAS,EACT6J,MAAM,CAAC1B,IAAI,CACZ;QACDud,UAAU,EAAE9R,oBAAoB,CAAC/J,MAAM,CAAC,GAAGA,MAAM,CAAC8F,MAAM,GAAG3P,SAAS;QACpE4P,OAAO,EAAE,CAAAod,aAAA,GAAAnjB,MAAM,CAAC4F,IAAI,aAAXud,aAAA,CAAapd,OAAO,GACzB,IAAIC,OAAO,CAAChG,MAAM,CAAC4F,IAAI,CAACG,OAAO,CAAC,GAChC5P;OACL;IACF;IACD,OAAO;MACLmQ,IAAI,EAAEnK,UAAU,CAACP,KAAK;MACtBA,KAAK,EAAEoE,MAAM;MACb6b,UAAU,EAAE9R,oBAAoB,CAAC/J,MAAM,CAAC,GAAGA,MAAM,CAAC8F,MAAM,GAAG3P;KAC5D;EACF;EAED,IAAImtB,cAAc,CAACtjB,MAAM,CAAC,EAAE;IAAA,IAAAujB,aAAA,EAAAC,aAAA;IAC1B,OAAO;MACLld,IAAI,EAAEnK,UAAU,CAACsnB,QAAQ;MACzBlN,YAAY,EAAEvW,MAAM;MACpB6b,UAAU,GAAA0H,aAAA,GAAEvjB,MAAM,CAAC4F,IAAI,qBAAX2d,aAAA,CAAazd,MAAM;MAC/BC,OAAO,EAAE,EAAAyd,aAAA,GAAAxjB,MAAM,CAAC4F,IAAI,KAAX,gBAAA4d,aAAA,CAAazd,OAAO,KAAI,IAAIC,OAAO,CAAChG,MAAM,CAAC4F,IAAI,CAACG,OAAO;KACjE;EACF;EAED,IAAIkd,sBAAsB,CAACjjB,MAAM,CAAC,EAAE;IAAA,IAAA0jB,aAAA,EAAAC,aAAA;IAClC,OAAO;MACLrd,IAAI,EAAEnK,UAAU,CAACmC,IAAI;MACrBA,IAAI,EAAE0B,MAAM,CAAC1B,IAAI;MACjBud,UAAU,GAAA6H,aAAA,GAAE1jB,MAAM,CAAC4F,IAAI,qBAAX8d,aAAA,CAAa5d,MAAM;MAC/BC,OAAO,EAAE,CAAA4d,aAAA,GAAA3jB,MAAM,CAAC4F,IAAI,aAAX+d,aAAA,CAAa5d,OAAO,GACzB,IAAIC,OAAO,CAAChG,MAAM,CAAC4F,IAAI,CAACG,OAAO,CAAC,GAChC5P;KACL;EACF;EAED,OAAO;IAAEmQ,IAAI,EAAEnK,UAAU,CAACmC,IAAI;IAAEA,IAAI,EAAE0B;GAAQ;AAChD;AAEA;AACA,SAAS0Y,wCAAwCA,CAC/C/O,QAAkB,EAClByJ,OAAgB,EAChBO,OAAe,EACf9V,OAAiC,EACjCP,QAAgB,EAChBqH,oBAA6B;EAE7B,IAAI3N,QAAQ,GAAG2S,QAAQ,CAAC5D,OAAO,CAACmC,GAAG,CAAC,UAAU,CAAC;EAC/ChO,SAAS,CACPlD,QAAQ,EACR,4EAA4E,CAC7E;EAED,IAAI,CAACgU,kBAAkB,CAAC7J,IAAI,CAACnK,QAAQ,CAAC,EAAE;IACtC,IAAI4sB,cAAc,GAAG/lB,OAAO,CAAC7D,KAAK,CAChC,CAAC,EACD6D,OAAO,CAAC8P,SAAS,CAAEJ,CAAC,IAAKA,CAAC,CAAChR,KAAK,CAACQ,EAAE,KAAK4W,OAAO,CAAC,GAAG,CAAC,CACrD;IACD3c,QAAQ,GAAGib,WAAW,CACpB,IAAIta,GAAG,CAACyb,OAAO,CAACvZ,GAAG,CAAC,EACpB+pB,cAAc,EACdtmB,QAAQ,EACR,IAAI,EACJtG,QAAQ,EACR2N,oBAAoB,CACrB;IACDgF,QAAQ,CAAC5D,OAAO,CAACG,GAAG,CAAC,UAAU,EAAElP,QAAQ,CAAC;EAC3C;EAED,OAAO2S,QAAQ;AACjB;AAEA,SAASmL,yBAAyBA,CAChC9d,QAAgB,EAChBmoB,UAAe,EACf7hB,QAAgB,EAChBumB,eAAwB;EAExB;EACA;EACA,IAAIC,gBAAgB,GAAG,CACrB,QAAQ,EACR,OAAO,EACP,SAAS,EACT,mBAAmB,EACnB,UAAU,EACV,OAAO,EACP,WAAW,EACX,OAAO,EACP,aAAa;EACb;EACA,aAAa,CACd;EAED,IAAI9Y,kBAAkB,CAAC7J,IAAI,CAACnK,QAAQ,CAAC,EAAE;IACrC;IACA,IAAI+sB,kBAAkB,GAAG/sB,QAAQ;IACjC,IAAI6C,GAAG,GAAGkqB,kBAAkB,CAACzqB,UAAU,CAAC,IAAI,CAAC,GACzC,IAAI3B,GAAG,CAACwnB,UAAU,CAAC6E,QAAQ,GAAGD,kBAAkB,CAAC,GACjD,IAAIpsB,GAAG,CAACosB,kBAAkB,CAAC;IAC/B,IAAID,gBAAgB,CAACzkB,QAAQ,CAACxF,GAAG,CAACmqB,QAAQ,CAAC,EAAE;MAC3C,MAAM,IAAI3pB,KAAK,CAAC,2BAA2B,CAAC;IAC7C;IACD,IAAI4pB,cAAc,GAAGxmB,aAAa,CAAC5D,GAAG,CAAC3C,QAAQ,EAAEoG,QAAQ,CAAC,IAAI,IAAI;IAClE,IAAIzD,GAAG,CAACmC,MAAM,KAAKmjB,UAAU,CAACnjB,MAAM,IAAIioB,cAAc,EAAE;MACtD,OAAOpqB,GAAG,CAAC3C,QAAQ,GAAG2C,GAAG,CAAC9B,MAAM,GAAG8B,GAAG,CAAC7B,IAAI;IAC5C;EACF;EAED,IAAI;IACF,IAAI6B,GAAG,GAAGgqB,eAAe,CAACnsB,SAAS,CAACV,QAAQ,CAAC;IAC7C,IAAI8sB,gBAAgB,CAACzkB,QAAQ,CAACxF,GAAG,CAACmqB,QAAQ,CAAC,EAAE;MAC3C,MAAM,IAAI3pB,KAAK,CAAC,2BAA2B,CAAC;IAC7C;EACF,EAAC,OAAOI,CAAC,EAAE;EAEZ,OAAOzD,QAAQ;AACjB;AAEA;AACA;AACA;AACA,SAASqc,uBAAuBA,CAC9B5b,OAAgB,EAChBT,QAA2B,EAC3BsQ,MAAmB,EACnB8K,UAAuB;EAEvB,IAAIvY,GAAG,GAAGpC,OAAO,CAACC,SAAS,CAACinB,iBAAiB,CAAC3nB,QAAQ,CAAC,CAAC,CAAC4D,QAAQ,EAAE;EACnE,IAAIgL,IAAI,GAAgB;IAAE0B;GAAQ;EAElC,IAAI8K,UAAU,IAAIZ,gBAAgB,CAACY,UAAU,CAAC7H,UAAU,CAAC,EAAE;IACzD,IAAI;MAAEA,UAAU;MAAEE;IAAa,IAAG2H,UAAU;IAC5C;IACA;IACA;IACAxM,IAAI,CAAC8O,MAAM,GAAGnK,UAAU,CAACmU,WAAW,EAAE;IAEtC,IAAIjU,WAAW,KAAK,kBAAkB,EAAE;MACtC7E,IAAI,CAACG,OAAO,GAAG,IAAIC,OAAO,CAAC;QAAE,cAAc,EAAEyE;MAAa,EAAC;MAC3D7E,IAAI,CAAC+X,IAAI,GAAGtmB,IAAI,CAACC,SAAS,CAAC8a,UAAU,CAACzM,IAAI,CAAC;IAC5C,OAAM,IAAI8E,WAAW,KAAK,YAAY,EAAE;MACvC;MACA7E,IAAI,CAAC+X,IAAI,GAAGvL,UAAU,CAACzH,IAAI;KAC5B,MAAM,IACLF,WAAW,KAAK,mCAAmC,IACnD2H,UAAU,CAAC1H,QAAQ,EACnB;MACA;MACA9E,IAAI,CAAC+X,IAAI,GAAGoB,6BAA6B,CAAC3M,UAAU,CAAC1H,QAAQ,CAAC;IAC/D,OAAM;MACL;MACA9E,IAAI,CAAC+X,IAAI,GAAGvL,UAAU,CAAC1H,QAAQ;IAChC;EACF;EAED,OAAO,IAAIsS,OAAO,CAACnjB,GAAG,EAAE+L,IAAI,CAAC;AAC/B;AAEA,SAASmZ,6BAA6BA,CAACrU,QAAkB;EACvD,IAAIoU,YAAY,GAAG,IAAIb,eAAe,EAAE;EAExC,KAAK,IAAI,CAAClnB,GAAG,EAAEoD,KAAK,CAAC,IAAIuQ,QAAQ,CAAC7U,OAAO,EAAE,EAAE;IAC3C;IACAipB,YAAY,CAACV,MAAM,CAACrnB,GAAG,EAAE,OAAOoD,KAAK,KAAK,QAAQ,GAAGA,KAAK,GAAGA,KAAK,CAAC2B,IAAI,CAAC;EACzE;EAED,OAAOgjB,YAAY;AACrB;AAEA,SAASE,6BAA6BA,CACpCF,YAA6B;EAE7B,IAAIpU,QAAQ,GAAG,IAAIkU,QAAQ,EAAE;EAC7B,KAAK,IAAI,CAAC7nB,GAAG,EAAEoD,KAAK,CAAC,IAAI2kB,YAAY,CAACjpB,OAAO,EAAE,EAAE;IAC/C6U,QAAQ,CAAC0T,MAAM,CAACrnB,GAAG,EAAEoD,KAAK,CAAC;EAC5B;EACD,OAAOuQ,QAAQ;AACjB;AAEA,SAASyS,sBAAsBA,CAC7Btf,OAAiC,EACjC8W,OAAmC,EACnCrB,mBAAoD,EACpD7D,eAA0C,EAC1CiM,uBAAgC;EAOhC;EACA,IAAItd,UAAU,GAA8B,EAAE;EAC9C,IAAIsP,MAAM,GAAiC,IAAI;EAC/C,IAAImO,UAA8B;EAClC,IAAIqI,UAAU,GAAG,KAAK;EACtB,IAAIpI,aAAa,GAA4B,EAAE;EAC/C,IAAIvJ,YAAY,GACde,mBAAmB,IAAIM,aAAa,CAACN,mBAAmB,CAAC,CAAC,CAAC,CAAC,GACxDA,mBAAmB,CAAC,CAAC,CAAC,CAAC1X,KAAK,GAC5BzF,SAAS;EAEf;EACA0H,OAAO,CAACsB,OAAO,CAAEhB,KAAK,IAAI;IACxB,IAAI,EAAEA,KAAK,CAAC5B,KAAK,CAACQ,EAAE,IAAI4X,OAAO,CAAC,EAAE;MAChC;IACD;IACD,IAAI5X,EAAE,GAAGoB,KAAK,CAAC5B,KAAK,CAACQ,EAAE;IACvB,IAAIiD,MAAM,GAAG2U,OAAO,CAAC5X,EAAE,CAAC;IACxB7C,SAAS,CACP,CAAC2a,gBAAgB,CAAC7U,MAAM,CAAC,EACzB,qDAAqD,CACtD;IACD,IAAI4T,aAAa,CAAC5T,MAAM,CAAC,EAAE;MACzB,IAAIpE,KAAK,GAAGoE,MAAM,CAACpE,KAAK;MACxB;MACA;MACA;MACA,IAAI2W,YAAY,KAAKpc,SAAS,EAAE;QAC9ByF,KAAK,GAAG2W,YAAY;QACpBA,YAAY,GAAGpc,SAAS;MACzB;MAEDuX,MAAM,GAAGA,MAAM,IAAI,EAAE;MAErB,IAAIgO,uBAAuB,EAAE;QAC3BhO,MAAM,CAAC3Q,EAAE,CAAC,GAAGnB,KAAK;MACnB,OAAM;QACL;QACA;QACA;QACA,IAAIqZ,aAAa,GAAG1B,mBAAmB,CAAC1V,OAAO,EAAEd,EAAE,CAAC;QACpD,IAAI2Q,MAAM,CAACuH,aAAa,CAAC1Y,KAAK,CAACQ,EAAE,CAAC,IAAI,IAAI,EAAE;UAC1C2Q,MAAM,CAACuH,aAAa,CAAC1Y,KAAK,CAACQ,EAAE,CAAC,GAAGnB,KAAK;QACvC;MACF;MAED;MACAwC,UAAU,CAACrB,EAAE,CAAC,GAAG5G,SAAS;MAE1B;MACA;MACA,IAAI,CAAC+tB,UAAU,EAAE;QACfA,UAAU,GAAG,IAAI;QACjBrI,UAAU,GAAG9R,oBAAoB,CAAC/J,MAAM,CAACpE,KAAK,CAAC,GAC3CoE,MAAM,CAACpE,KAAK,CAACkK,MAAM,GACnB,GAAG;MACR;MACD,IAAI9F,MAAM,CAAC+F,OAAO,EAAE;QAClB+V,aAAa,CAAC/e,EAAE,CAAC,GAAGiD,MAAM,CAAC+F,OAAO;MACnC;IACF,OAAM;MACL,IAAIiP,gBAAgB,CAAChV,MAAM,CAAC,EAAE;QAC5ByP,eAAe,CAACvJ,GAAG,CAACnJ,EAAE,EAAEiD,MAAM,CAACuW,YAAY,CAAC;QAC5CnY,UAAU,CAACrB,EAAE,CAAC,GAAGiD,MAAM,CAACuW,YAAY,CAACjY,IAAI;QACzC;QACA;QACA,IACE0B,MAAM,CAAC6b,UAAU,IAAI,IAAI,IACzB7b,MAAM,CAAC6b,UAAU,KAAK,GAAG,IACzB,CAACqI,UAAU,EACX;UACArI,UAAU,GAAG7b,MAAM,CAAC6b,UAAU;QAC/B;QACD,IAAI7b,MAAM,CAAC+F,OAAO,EAAE;UAClB+V,aAAa,CAAC/e,EAAE,CAAC,GAAGiD,MAAM,CAAC+F,OAAO;QACnC;MACF,OAAM;QACL3H,UAAU,CAACrB,EAAE,CAAC,GAAGiD,MAAM,CAAC1B,IAAI;QAC5B;QACA;QACA,IAAI0B,MAAM,CAAC6b,UAAU,IAAI7b,MAAM,CAAC6b,UAAU,KAAK,GAAG,IAAI,CAACqI,UAAU,EAAE;UACjErI,UAAU,GAAG7b,MAAM,CAAC6b,UAAU;QAC/B;QACD,IAAI7b,MAAM,CAAC+F,OAAO,EAAE;UAClB+V,aAAa,CAAC/e,EAAE,CAAC,GAAGiD,MAAM,CAAC+F,OAAO;QACnC;MACF;IACF;EACH,CAAC,CAAC;EAEF;EACA;EACA;EACA,IAAIwM,YAAY,KAAKpc,SAAS,IAAImd,mBAAmB,EAAE;IACrD5F,MAAM,GAAG;MAAE,CAAC4F,mBAAmB,CAAC,CAAC,CAAC,GAAGf;KAAc;IACnDnU,UAAU,CAACkV,mBAAmB,CAAC,CAAC,CAAC,CAAC,GAAGnd,SAAS;EAC/C;EAED,OAAO;IACLiI,UAAU;IACVsP,MAAM;IACNmO,UAAU,EAAEA,UAAU,IAAI,GAAG;IAC7BC;GACD;AACH;AAEA,SAASxF,iBAAiBA,CACxBpgB,KAAkB,EAClB2H,OAAiC,EACjC8W,OAAmC,EACnCrB,mBAAoD,EACpDiC,oBAA2C,EAC3CY,cAA0C,EAC1C1G,eAA0C;EAK1C,IAAI;IAAErR,UAAU;IAAEsP;EAAQ,IAAGyP,sBAAsB,CACjDtf,OAAO,EACP8W,OAAO,EACPrB,mBAAmB,EACnB7D,eAAe,EACf,KAAK;GACN;EAED;EACA8F,oBAAoB,CAACpW,OAAO,CAAE2W,EAAE,IAAI;IAClC,IAAI;MAAE/e,GAAG;MAAEoH,KAAK;MAAE+I;IAAU,CAAE,GAAG4O,EAAE;IACnC,IAAI9V,MAAM,GAAGmW,cAAc,CAACpf,GAAG,CAAC;IAChCmD,SAAS,CAAC8F,MAAM,EAAE,2CAA2C,CAAC;IAE9D;IACA,IAAIkH,UAAU,IAAIA,UAAU,CAACI,MAAM,CAACa,OAAO,EAAE;MAC3C;MACA;IACD,OAAM,IAAIyL,aAAa,CAAC5T,MAAM,CAAC,EAAE;MAChC,IAAIiV,aAAa,GAAG1B,mBAAmB,CAACrd,KAAK,CAAC2H,OAAO,EAAEM,KAAK,oBAALA,KAAK,CAAE5B,KAAK,CAACQ,EAAE,CAAC;MACvE,IAAI,EAAE2Q,MAAM,IAAIA,MAAM,CAACuH,aAAa,CAAC1Y,KAAK,CAACQ,EAAE,CAAC,CAAC,EAAE;QAC/C2Q,MAAM,GAAA1S,QAAA,KACD0S,MAAM;UACT,CAACuH,aAAa,CAAC1Y,KAAK,CAACQ,EAAE,GAAGiD,MAAM,CAACpE;SAClC;MACF;MACD1F,KAAK,CAACkY,QAAQ,CAAChG,MAAM,CAACrR,GAAG,CAAC;IAC3B,OAAM,IAAI8d,gBAAgB,CAAC7U,MAAM,CAAC,EAAE;MACnC;MACA;MACA9F,SAAS,CAAC,KAAK,EAAE,yCAAyC,CAAC;IAC5D,OAAM,IAAI8a,gBAAgB,CAAChV,MAAM,CAAC,EAAE;MACnC;MACA;MACA9F,SAAS,CAAC,KAAK,EAAE,iCAAiC,CAAC;IACpD,OAAM;MACL,IAAI6d,WAAW,GAAGL,cAAc,CAAC1X,MAAM,CAAC1B,IAAI,CAAC;MAC7CpI,KAAK,CAACkY,QAAQ,CAAClI,GAAG,CAACnP,GAAG,EAAEghB,WAAW,CAAC;IACrC;EACH,CAAC,CAAC;EAEF,OAAO;IAAE3Z,UAAU;IAAEsP;GAAQ;AAC/B;AAEA,SAASiE,eAAeA,CACtBvT,UAAqB,EACrB+lB,aAAwB,EACxBtmB,OAAiC,EACjC6P,MAAoC;EAEpC,IAAI0W,gBAAgB,GAAAppB,QAAA,KAAQmpB,aAAa,CAAE;EAC3C,KAAK,IAAIhmB,KAAK,IAAIN,OAAO,EAAE;IACzB,IAAId,EAAE,GAAGoB,KAAK,CAAC5B,KAAK,CAACQ,EAAE;IACvB,IAAIonB,aAAa,CAACE,cAAc,CAACtnB,EAAE,CAAC,EAAE;MACpC,IAAIonB,aAAa,CAACpnB,EAAE,CAAC,KAAK5G,SAAS,EAAE;QACnCiuB,gBAAgB,CAACrnB,EAAE,CAAC,GAAGonB,aAAa,CAACpnB,EAAE,CAAC;MACzC;IAKF,OAAM,IAAIqB,UAAU,CAACrB,EAAE,CAAC,KAAK5G,SAAS,IAAIgI,KAAK,CAAC5B,KAAK,CAACkR,MAAM,EAAE;MAC7D;MACA;MACA2W,gBAAgB,CAACrnB,EAAE,CAAC,GAAGqB,UAAU,CAACrB,EAAE,CAAC;IACtC;IAED,IAAI2Q,MAAM,IAAIA,MAAM,CAAC2W,cAAc,CAACtnB,EAAE,CAAC,EAAE;MACvC;MACA;IACD;EACF;EACD,OAAOqnB,gBAAgB;AACzB;AAEA,SAASnQ,sBAAsBA,CAC7BX,mBAAoD;EAEpD,IAAI,CAACA,mBAAmB,EAAE;IACxB,OAAO,EAAE;EACV;EACD,OAAOM,aAAa,CAACN,mBAAmB,CAAC,CAAC,CAAC,CAAC,GACxC;IACE;IACAnF,UAAU,EAAE;EACb,IACD;IACEA,UAAU,EAAE;MACV,CAACmF,mBAAmB,CAAC,CAAC,CAAC,GAAGA,mBAAmB,CAAC,CAAC,CAAC,CAAChV;IAClD;GACF;AACP;AAEA;AACA;AACA;AACA,SAASiV,mBAAmBA,CAC1B1V,OAAiC,EACjC8V,OAAgB;EAEhB,IAAI2Q,eAAe,GAAG3Q,OAAO,GACzB9V,OAAO,CAAC7D,KAAK,CAAC,CAAC,EAAE6D,OAAO,CAAC8P,SAAS,CAAEJ,CAAC,IAAKA,CAAC,CAAChR,KAAK,CAACQ,EAAE,KAAK4W,OAAO,CAAC,GAAG,CAAC,CAAC,GACtE,CAAC,GAAG9V,OAAO,CAAC;EAChB,OACEymB,eAAe,CAACC,OAAO,EAAE,CAACnI,IAAI,CAAE7O,CAAC,IAAKA,CAAC,CAAChR,KAAK,CAAC2O,gBAAgB,KAAK,IAAI,CAAC,IACxErN,OAAO,CAAC,CAAC,CAAC;AAEd;AAEA,SAASqP,sBAAsBA,CAACzQ,MAAiC;EAI/D;EACA,IAAIF,KAAK,GACPE,MAAM,CAACpG,MAAM,KAAK,CAAC,GACfoG,MAAM,CAAC,CAAC,CAAC,GACTA,MAAM,CAAC2f,IAAI,CAAEnV,CAAC,IAAKA,CAAC,CAACjR,KAAK,IAAI,CAACiR,CAAC,CAACpP,IAAI,IAAIoP,CAAC,CAACpP,IAAI,KAAK,GAAG,CAAC,IAAI;IAC1DkF,EAAE;GACH;EAEP,OAAO;IACLc,OAAO,EAAE,CACP;MACEQ,MAAM,EAAE,EAAE;MACVnH,QAAQ,EAAE,EAAE;MACZ2K,YAAY,EAAE,EAAE;MAChBtF;IACD,EACF;IACDA;GACD;AACH;AAEA,SAAS0Q,sBAAsBA,CAC7BnH,MAAc,EAAA0e,MAAA,EAaR;EAAA,IAZN;IACEttB,QAAQ;IACRyc,OAAO;IACPe,MAAM;IACNpO,IAAI;IACJlM;0BAOE,EAAE,GAAAoqB,MAAA;EAEN,IAAI3a,UAAU,GAAG,sBAAsB;EACvC,IAAI4a,YAAY,GAAG,iCAAiC;EAEpD,IAAI3e,MAAM,KAAK,GAAG,EAAE;IAClB+D,UAAU,GAAG,aAAa;IAC1B,IAAI6K,MAAM,IAAIxd,QAAQ,IAAIyc,OAAO,EAAE;MACjC8Q,YAAY,GACV,gBAAc/P,MAAM,sBAAgBxd,QAAQ,GACD,yDAAAyc,OAAO,UAAK,GACZ;IAC9C,OAAM,IAAIrN,IAAI,KAAK,cAAc,EAAE;MAClCme,YAAY,GAAG,qCAAqC;IACrD,OAAM,IAAIne,IAAI,KAAK,cAAc,EAAE;MAClCme,YAAY,GAAG,kCAAkC;IAClD;EACF,OAAM,IAAI3e,MAAM,KAAK,GAAG,EAAE;IACzB+D,UAAU,GAAG,WAAW;IACxB4a,YAAY,GAAa,aAAA9Q,OAAO,GAAyB,6BAAAzc,QAAQ,GAAG;EACrE,OAAM,IAAI4O,MAAM,KAAK,GAAG,EAAE;IACzB+D,UAAU,GAAG,WAAW;IACxB4a,YAAY,+BAA4BvtB,QAAQ,GAAG;EACpD,OAAM,IAAI4O,MAAM,KAAK,GAAG,EAAE;IACzB+D,UAAU,GAAG,oBAAoB;IACjC,IAAI6K,MAAM,IAAIxd,QAAQ,IAAIyc,OAAO,EAAE;MACjC8Q,YAAY,GACV,gBAAc/P,MAAM,CAACgK,WAAW,EAAE,sBAAgBxnB,QAAQ,6DACdyc,OAAO,UAAK,GACb;KAC9C,MAAM,IAAIe,MAAM,EAAE;MACjB+P,YAAY,iCAA8B/P,MAAM,CAACgK,WAAW,EAAE,GAAG;IAClE;EACF;EAED,OAAO,IAAI9U,iBAAiB,CAC1B9D,MAAM,IAAI,GAAG,EACb+D,UAAU,EACV,IAAIxP,KAAK,CAACoqB,YAAY,CAAC,EACvB,IAAI,CACL;AACH;AAEA;AACA,SAASpO,YAAYA,CACnB1B,OAAmC;EAEnC,IAAI9e,OAAO,GAAG+L,MAAM,CAAC/L,OAAO,CAAC8e,OAAO,CAAC;EACrC,KAAK,IAAI7W,CAAC,GAAGjI,OAAO,CAACQ,MAAM,GAAG,CAAC,EAAEyH,CAAC,IAAI,CAAC,EAAEA,CAAC,EAAE,EAAE;IAC5C,IAAI,CAAC/G,GAAG,EAAEiJ,MAAM,CAAC,GAAGnK,OAAO,CAACiI,CAAC,CAAC;IAC9B,IAAI+W,gBAAgB,CAAC7U,MAAM,CAAC,EAAE;MAC5B,OAAO;QAAEjJ,GAAG;QAAEiJ;OAAQ;IACvB;EACF;AACH;AAEA,SAAS2e,iBAAiBA,CAAC9mB,IAAQ;EACjC,IAAIqD,UAAU,GAAG,OAAOrD,IAAI,KAAK,QAAQ,GAAGC,SAAS,CAACD,IAAI,CAAC,GAAGA,IAAI;EAClE,OAAOL,UAAU,CAAAwD,QAAA,KAAME,UAAU;IAAElD,IAAI,EAAE;EAAE,EAAE,CAAC;AAChD;AAEA,SAASib,gBAAgBA,CAAC9S,CAAW,EAAEC,CAAW;EAChD,IAAID,CAAC,CAACjJ,QAAQ,KAAKkJ,CAAC,CAAClJ,QAAQ,IAAIiJ,CAAC,CAACpI,MAAM,KAAKqI,CAAC,CAACrI,MAAM,EAAE;IACtD,OAAO,KAAK;EACb;EAED,IAAIoI,CAAC,CAACnI,IAAI,KAAK,EAAE,EAAE;IACjB;IACA,OAAOoI,CAAC,CAACpI,IAAI,KAAK,EAAE;GACrB,MAAM,IAAImI,CAAC,CAACnI,IAAI,KAAKoI,CAAC,CAACpI,IAAI,EAAE;IAC5B;IACA,OAAO,IAAI;EACZ,OAAM,IAAIoI,CAAC,CAACpI,IAAI,KAAK,EAAE,EAAE;IACxB;IACA,OAAO,IAAI;EACZ;EAED;EACA;EACA,OAAO,KAAK;AACd;AAMA,SAAS0kB,oBAAoBA,CAAC1c,MAAe;EAC3C,OACEA,MAAM,IAAI,IAAI,IACd,OAAOA,MAAM,KAAK,QAAQ,IAC1B,MAAM,IAAIA,MAAM,IAChB,QAAQ,IAAIA,MAAM,KACjBA,MAAM,CAACsG,IAAI,KAAKnK,UAAU,CAACmC,IAAI,IAAI0B,MAAM,CAACsG,IAAI,KAAKnK,UAAU,CAACP,KAAK,CAAC;AAEzE;AAEA,SAAS6c,kCAAkCA,CAACzY,MAA0B;EACpE,OACEic,UAAU,CAACjc,MAAM,CAACA,MAAM,CAAC,IAAIoK,mBAAmB,CAACnE,GAAG,CAACjG,MAAM,CAACA,MAAM,CAAC8F,MAAM,CAAC;AAE9E;AAEA,SAASkP,gBAAgBA,CAAChV,MAAkB;EAC1C,OAAOA,MAAM,CAACsG,IAAI,KAAKnK,UAAU,CAACsnB,QAAQ;AAC5C;AAEA,SAAS7P,aAAaA,CAAC5T,MAAkB;EACvC,OAAOA,MAAM,CAACsG,IAAI,KAAKnK,UAAU,CAACP,KAAK;AACzC;AAEA,SAASiZ,gBAAgBA,CAAC7U,MAAmB;EAC3C,OAAO,CAACA,MAAM,IAAIA,MAAM,CAACsG,IAAI,MAAMnK,UAAU,CAACsN,QAAQ;AACxD;AAEM,SAAUwZ,sBAAsBA,CACpC9oB,KAAU;EAEV,OACE,OAAOA,KAAK,KAAK,QAAQ,IACzBA,KAAK,IAAI,IAAI,IACb,MAAM,IAAIA,KAAK,IACf,MAAM,IAAIA,KAAK,IACf,MAAM,IAAIA,KAAK,IACfA,KAAK,CAACmM,IAAI,KAAK,sBAAsB;AAEzC;AAEM,SAAUgd,cAAcA,CAACnpB,KAAU;EACvC,IAAIspB,QAAQ,GAAiBtpB,KAAK;EAClC,OACEspB,QAAQ,IACR,OAAOA,QAAQ,KAAK,QAAQ,IAC5B,OAAOA,QAAQ,CAACnlB,IAAI,KAAK,QAAQ,IACjC,OAAOmlB,QAAQ,CAAChb,SAAS,KAAK,UAAU,IACxC,OAAOgb,QAAQ,CAAC/a,MAAM,KAAK,UAAU,IACrC,OAAO+a,QAAQ,CAAC5a,WAAW,KAAK,UAAU;AAE9C;AAEA,SAASoT,UAAUA,CAAC9hB,KAAU;EAC5B,OACEA,KAAK,IAAI,IAAI,IACb,OAAOA,KAAK,CAAC2L,MAAM,KAAK,QAAQ,IAChC,OAAO3L,KAAK,CAAC0P,UAAU,KAAK,QAAQ,IACpC,OAAO1P,KAAK,CAAC4L,OAAO,KAAK,QAAQ,IACjC,OAAO5L,KAAK,CAACwjB,IAAI,KAAK,WAAW;AAErC;AAEA,SAAShB,kBAAkBA,CAAC3c,MAAW;EACrC,IAAI,CAACic,UAAU,CAACjc,MAAM,CAAC,EAAE;IACvB,OAAO,KAAK;EACb;EAED,IAAI8F,MAAM,GAAG9F,MAAM,CAAC8F,MAAM;EAC1B,IAAI9O,QAAQ,GAAGgJ,MAAM,CAAC+F,OAAO,CAACmC,GAAG,CAAC,UAAU,CAAC;EAC7C,OAAOpC,MAAM,IAAI,GAAG,IAAIA,MAAM,IAAI,GAAG,IAAI9O,QAAQ,IAAI,IAAI;AAC3D;AAEA,SAAS2kB,aAAaA,CAACjH,MAAc;EACnC,OAAOvK,mBAAmB,CAAClE,GAAG,CAACyO,MAAM,CAACpR,WAAW,EAAgB,CAAC;AACpE;AAEA,SAASkO,gBAAgBA,CACvBkD,MAAc;EAEd,OAAOzK,oBAAoB,CAAChE,GAAG,CAACyO,MAAM,CAACpR,WAAW,EAAwB,CAAC;AAC7E;AAEA,eAAe2V,gCAAgCA,CAC7Cpb,OAA0C,EAC1C8W,OAAmC,EACnCrN,MAAmB,EACnBuR,cAAwC,EACxC0H,iBAA4B;EAE5B,IAAI1qB,OAAO,GAAG+L,MAAM,CAAC/L,OAAO,CAAC8e,OAAO,CAAC;EACrC,KAAK,IAAI3e,KAAK,GAAG,CAAC,EAAEA,KAAK,GAAGH,OAAO,CAACQ,MAAM,EAAEL,KAAK,EAAE,EAAE;IACnD,IAAI,CAAC2d,OAAO,EAAE3T,MAAM,CAAC,GAAGnK,OAAO,CAACG,KAAK,CAAC;IACtC,IAAImI,KAAK,GAAGN,OAAO,CAACue,IAAI,CAAE7O,CAAC,IAAK,CAAAA,CAAC,oBAADA,CAAC,CAAEhR,KAAK,CAACQ,EAAE,MAAK4W,OAAO,CAAC;IACxD;IACA;IACA;IACA,IAAI,CAACxV,KAAK,EAAE;MACV;IACD;IAED,IAAIqiB,YAAY,GAAG3H,cAAc,CAACuD,IAAI,CACnC7O,CAAC,IAAKA,CAAC,CAAChR,KAAK,CAACQ,EAAE,KAAKoB,KAAM,CAAC5B,KAAK,CAACQ,EAAE,CACtC;IACD,IAAI2nB,oBAAoB,GACtBlE,YAAY,IAAI,IAAI,IACpB,CAACR,kBAAkB,CAACQ,YAAY,EAAEriB,KAAK,CAAC,IACxC,CAACoiB,iBAAiB,IAAIA,iBAAiB,CAACpiB,KAAK,CAAC5B,KAAK,CAACQ,EAAE,CAAC,MAAM5G,SAAS;IAExE,IAAI6e,gBAAgB,CAAChV,MAAM,CAAC,IAAI0kB,oBAAoB,EAAE;MACpD;MACA;MACA;MACA,MAAM1M,mBAAmB,CAAChY,MAAM,EAAEsH,MAAM,EAAE,KAAK,CAAC,CAACQ,IAAI,CAAE9H,MAAM,IAAI;QAC/D,IAAIA,MAAM,EAAE;UACV2U,OAAO,CAAChB,OAAO,CAAC,GAAG3T,MAAM;QAC1B;MACH,CAAC,CAAC;IACH;EACF;AACH;AAEA,eAAekZ,6BAA6BA,CAC1Crb,OAA0C,EAC1C8W,OAAmC,EACnCY,oBAA2C;EAE3C,KAAK,IAAIvf,KAAK,GAAG,CAAC,EAAEA,KAAK,GAAGuf,oBAAoB,CAAClf,MAAM,EAAEL,KAAK,EAAE,EAAE;IAChE,IAAI;MAAEe,GAAG;MAAE4c,OAAO;MAAEzM;IAAY,IAAGqO,oBAAoB,CAACvf,KAAK,CAAC;IAC9D,IAAIgK,MAAM,GAAG2U,OAAO,CAAC5d,GAAG,CAAC;IACzB,IAAIoH,KAAK,GAAGN,OAAO,CAACue,IAAI,CAAE7O,CAAC,IAAK,CAAAA,CAAC,oBAADA,CAAC,CAAEhR,KAAK,CAACQ,EAAE,MAAK4W,OAAO,CAAC;IACxD;IACA;IACA;IACA,IAAI,CAACxV,KAAK,EAAE;MACV;IACD;IAED,IAAI6W,gBAAgB,CAAChV,MAAM,CAAC,EAAE;MAC5B;MACA;MACA;MACA9F,SAAS,CACPgN,UAAU,EACV,sEAAsE,CACvE;MACD,MAAM8Q,mBAAmB,CAAChY,MAAM,EAAEkH,UAAU,CAACI,MAAM,EAAE,IAAI,CAAC,CAACQ,IAAI,CAC5D9H,MAAM,IAAI;QACT,IAAIA,MAAM,EAAE;UACV2U,OAAO,CAAC5d,GAAG,CAAC,GAAGiJ,MAAM;QACtB;MACH,CAAC,CACF;IACF;EACF;AACH;AAEA,eAAegY,mBAAmBA,CAChChY,MAAsB,EACtBsH,MAAmB,EACnBqd,MAAM,EAAQ;EAAA,IAAdA,MAAM;IAANA,MAAM,GAAG,KAAK;EAAA;EAEd,IAAIxc,OAAO,GAAG,MAAMnI,MAAM,CAACuW,YAAY,CAAC1N,WAAW,CAACvB,MAAM,CAAC;EAC3D,IAAIa,OAAO,EAAE;IACX;EACD;EAED,IAAIwc,MAAM,EAAE;IACV,IAAI;MACF,OAAO;QACLre,IAAI,EAAEnK,UAAU,CAACmC,IAAI;QACrBA,IAAI,EAAE0B,MAAM,CAACuW,YAAY,CAACvN;OAC3B;KACF,CAAC,OAAOvO,CAAC,EAAE;MACV;MACA,OAAO;QACL6L,IAAI,EAAEnK,UAAU,CAACP,KAAK;QACtBA,KAAK,EAAEnB;OACR;IACF;EACF;EAED,OAAO;IACL6L,IAAI,EAAEnK,UAAU,CAACmC,IAAI;IACrBA,IAAI,EAAE0B,MAAM,CAACuW,YAAY,CAACjY;GAC3B;AACH;AAEA,SAAS0f,kBAAkBA,CAACjmB,MAAc;EACxC,OAAO,IAAIkmB,eAAe,CAAClmB,MAAM,CAAC,CAAComB,MAAM,CAAC,OAAO,CAAC,CAACpd,IAAI,CAAEqC,CAAC,IAAKA,CAAC,KAAK,EAAE,CAAC;AAC1E;AAEA,SAASqR,cAAcA,CACrB5W,OAAiC,EACjC7G,QAA2B;EAE3B,IAAIe,MAAM,GACR,OAAOf,QAAQ,KAAK,QAAQ,GAAGc,SAAS,CAACd,QAAQ,CAAC,CAACe,MAAM,GAAGf,QAAQ,CAACe,MAAM;EAC7E,IACE8F,OAAO,CAACA,OAAO,CAACxH,MAAM,GAAG,CAAC,CAAC,CAACkG,KAAK,CAACvG,KAAK,IACvCgoB,kBAAkB,CAACjmB,MAAM,IAAI,EAAE,CAAC,EAChC;IACA;IACA,OAAO8F,OAAO,CAACA,OAAO,CAACxH,MAAM,GAAG,CAAC,CAAC;EACnC;EACD;EACA;EACA,IAAIuO,WAAW,GAAGH,0BAA0B,CAAC5G,OAAO,CAAC;EACrD,OAAO+G,WAAW,CAACA,WAAW,CAACvO,MAAM,GAAG,CAAC,CAAC;AAC5C;AAEA,SAAS8e,2BAA2BA,CAClCpH,UAAsB;EAEtB,IAAI;IAAExD,UAAU;IAAEC,UAAU;IAAEC,WAAW;IAAEE,IAAI;IAAED,QAAQ;IAAE/E;EAAM,IAC/DoI,UAAU;EACZ,IAAI,CAACxD,UAAU,IAAI,CAACC,UAAU,IAAI,CAACC,WAAW,EAAE;IAC9C;EACD;EAED,IAAIE,IAAI,IAAI,IAAI,EAAE;IAChB,OAAO;MACLJ,UAAU;MACVC,UAAU;MACVC,WAAW;MACXC,QAAQ,EAAEvU,SAAS;MACnBwP,IAAI,EAAExP,SAAS;MACfwU;KACD;EACF,OAAM,IAAID,QAAQ,IAAI,IAAI,EAAE;IAC3B,OAAO;MACLH,UAAU;MACVC,UAAU;MACVC,WAAW;MACXC,QAAQ;MACR/E,IAAI,EAAExP,SAAS;MACfwU,IAAI,EAAExU;KACP;EACF,OAAM,IAAIwP,IAAI,KAAKxP,SAAS,EAAE;IAC7B,OAAO;MACLoU,UAAU;MACVC,UAAU;MACVC,WAAW;MACXC,QAAQ,EAAEvU,SAAS;MACnBwP,IAAI;MACJgF,IAAI,EAAExU;KACP;EACF;AACH;AAEA,SAAS0d,oBAAoBA,CAC3B7c,QAAkB,EAClBob,UAAuB;EAEvB,IAAIA,UAAU,EAAE;IACd,IAAIrE,UAAU,GAAgC;MAC5C7X,KAAK,EAAE,SAAS;MAChBc,QAAQ;MACRuT,UAAU,EAAE6H,UAAU,CAAC7H,UAAU;MACjCC,UAAU,EAAE4H,UAAU,CAAC5H,UAAU;MACjCC,WAAW,EAAE2H,UAAU,CAAC3H,WAAW;MACnCC,QAAQ,EAAE0H,UAAU,CAAC1H,QAAQ;MAC7B/E,IAAI,EAAEyM,UAAU,CAACzM,IAAI;MACrBgF,IAAI,EAAEyH,UAAU,CAACzH;KAClB;IACD,OAAOoD,UAAU;EAClB,OAAM;IACL,IAAIA,UAAU,GAAgC;MAC5C7X,KAAK,EAAE,SAAS;MAChBc,QAAQ;MACRuT,UAAU,EAAEpU,SAAS;MACrBqU,UAAU,EAAErU,SAAS;MACrBsU,WAAW,EAAEtU,SAAS;MACtBuU,QAAQ,EAAEvU,SAAS;MACnBwP,IAAI,EAAExP,SAAS;MACfwU,IAAI,EAAExU;KACP;IACD,OAAO4X,UAAU;EAClB;AACH;AAEA,SAASoG,uBAAuBA,CAC9Bnd,QAAkB,EAClBob,UAAsB;EAEtB,IAAIrE,UAAU,GAAmC;IAC/C7X,KAAK,EAAE,YAAY;IACnBc,QAAQ;IACRuT,UAAU,EAAE6H,UAAU,CAAC7H,UAAU;IACjCC,UAAU,EAAE4H,UAAU,CAAC5H,UAAU;IACjCC,WAAW,EAAE2H,UAAU,CAAC3H,WAAW;IACnCC,QAAQ,EAAE0H,UAAU,CAAC1H,QAAQ;IAC7B/E,IAAI,EAAEyM,UAAU,CAACzM,IAAI;IACrBgF,IAAI,EAAEyH,UAAU,CAACzH;GAClB;EACD,OAAOoD,UAAU;AACnB;AAEA,SAAS6I,iBAAiBA,CACxBxE,UAAuB,EACvB9T,IAAsB;EAEtB,IAAI8T,UAAU,EAAE;IACd,IAAIpB,OAAO,GAA6B;MACtC9a,KAAK,EAAE,SAAS;MAChBqU,UAAU,EAAE6H,UAAU,CAAC7H,UAAU;MACjCC,UAAU,EAAE4H,UAAU,CAAC5H,UAAU;MACjCC,WAAW,EAAE2H,UAAU,CAAC3H,WAAW;MACnCC,QAAQ,EAAE0H,UAAU,CAAC1H,QAAQ;MAC7B/E,IAAI,EAAEyM,UAAU,CAACzM,IAAI;MACrBgF,IAAI,EAAEyH,UAAU,CAACzH,IAAI;MACrBrM;KACD;IACD,OAAO0S,OAAO;EACf,OAAM;IACL,IAAIA,OAAO,GAA6B;MACtC9a,KAAK,EAAE,SAAS;MAChBqU,UAAU,EAAEpU,SAAS;MACrBqU,UAAU,EAAErU,SAAS;MACrBsU,WAAW,EAAEtU,SAAS;MACtBuU,QAAQ,EAAEvU,SAAS;MACnBwP,IAAI,EAAExP,SAAS;MACfwU,IAAI,EAAExU,SAAS;MACfmI;KACD;IACD,OAAO0S,OAAO;EACf;AACH;AAEA,SAASqG,oBAAoBA,CAC3BjF,UAAsB,EACtB+E,eAAyB;EAEzB,IAAInG,OAAO,GAAgC;IACzC9a,KAAK,EAAE,YAAY;IACnBqU,UAAU,EAAE6H,UAAU,CAAC7H,UAAU;IACjCC,UAAU,EAAE4H,UAAU,CAAC5H,UAAU;IACjCC,WAAW,EAAE2H,UAAU,CAAC3H,WAAW;IACnCC,QAAQ,EAAE0H,UAAU,CAAC1H,QAAQ;IAC7B/E,IAAI,EAAEyM,UAAU,CAACzM,IAAI;IACrBgF,IAAI,EAAEyH,UAAU,CAACzH,IAAI;IACrBrM,IAAI,EAAE6Y,eAAe,GAAGA,eAAe,CAAC7Y,IAAI,GAAGnI;GAChD;EACD,OAAO6a,OAAO;AAChB;AAEA,SAAS0G,cAAcA,CAACpZ,IAAqB;EAC3C,IAAI0S,OAAO,GAA0B;IACnC9a,KAAK,EAAE,MAAM;IACbqU,UAAU,EAAEpU,SAAS;IACrBqU,UAAU,EAAErU,SAAS;IACrBsU,WAAW,EAAEtU,SAAS;IACtBuU,QAAQ,EAAEvU,SAAS;IACnBwP,IAAI,EAAExP,SAAS;IACfwU,IAAI,EAAExU,SAAS;IACfmI;GACD;EACD,OAAO0S,OAAO;AAChB;AAEA,SAASZ,yBAAyBA,CAChCwU,OAAe,EACfC,WAAqC;EAErC,IAAI;IACF,IAAIC,gBAAgB,GAAGF,OAAO,CAACG,cAAc,CAACC,OAAO,CACnD5Z,uBAAuB,CACxB;IACD,IAAI0Z,gBAAgB,EAAE;MACpB,IAAInf,IAAI,GAAGtO,IAAI,CAACwnB,KAAK,CAACiG,gBAAgB,CAAC;MACvC,KAAK,IAAI,CAAClc,CAAC,EAAExF,CAAC,CAAC,IAAIxB,MAAM,CAAC/L,OAAO,CAAC8P,IAAI,IAAI,EAAE,CAAC,EAAE;QAC7C,IAAIvC,CAAC,IAAIwD,KAAK,CAACC,OAAO,CAACzD,CAAC,CAAC,EAAE;UACzByhB,WAAW,CAAC3e,GAAG,CAAC0C,CAAC,EAAE,IAAIvM,GAAG,CAAC+G,CAAC,IAAI,EAAE,CAAC,CAAC;QACrC;MACF;IACF;GACF,CAAC,OAAO3I,CAAC,EAAE;IACV;EAAA;AAEJ;AAEA,SAAS6V,yBAAyBA,CAChCsU,OAAe,EACfC,WAAqC;EAErC,IAAIA,WAAW,CAAC9b,IAAI,GAAG,CAAC,EAAE;IACxB,IAAIpD,IAAI,GAA6B,EAAE;IACvC,KAAK,IAAI,CAACiD,CAAC,EAAExF,CAAC,CAAC,IAAIyhB,WAAW,EAAE;MAC9Blf,IAAI,CAACiD,CAAC,CAAC,GAAG,CAAC,GAAGxF,CAAC,CAAC;IACjB;IACD,IAAI;MACFwhB,OAAO,CAACG,cAAc,CAACE,OAAO,CAC5B7Z,uBAAuB,EACvB/T,IAAI,CAACC,SAAS,CAACqO,IAAI,CAAC,CACrB;KACF,CAAC,OAAO/J,KAAK,EAAE;MACdzE,OAAO,CACL,KAAK,EACyD,gEAAAyE,KAAK,OAAI,CACxE;IACF;EACF;AACH;AACA","ignoreList":[]},"metadata":{},"sourceType":"module","externalDependencies":[]} |