Legend:
- Unmodified
- Added
- Removed
-
imaps-frontend/node_modules/.vite/deps/react-router-dom.js.map
rd565449 r0c6b92a 1 1 { 2 2 "version": 3, 3 "sources": ["../../@remix-run/router/history.ts", "../../@remix-run/router/utils.ts", "../../@remix-run/router/router.ts", "../../react-router/lib/context.ts", "../../react-router/lib/hooks.tsx", "../../react-router/lib/ components.tsx", "../../react-router/index.ts", "../../react-router-dom/dom.ts", "../../react-router-dom/index.tsx"],4 "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\n /**\n * Result from a loader or action called via dataStrategy\n */\nexport interface HandlerResult {\n type: \"data\" | \"error\";\n result: unknown; // data, Error, Response, DeferredData, DataWithResponseInit\n}\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 ) => Promise<HandlerResult>\n ) => Promise<HandlerResult>;\n}\n\nexport interface DataStrategyFunctionArgs<Context = any>\n extends DataFunctionArgs<Context> {\n matches: DataStrategyMatch[];\n}\n\nexport interface DataStrategyFunction {\n (args: DataStrategyFunctionArgs): Promise<HandlerResult[]>;\n}\n\nexport interface AgnosticPatchRoutesOnMissFunction<\n M extends AgnosticRouteMatch = AgnosticRouteMatch\n> {\n (opts: {\n path: string;\n matches: M[];\n patch: (routeId: string | null, children: AgnosticRouteObject[]) => void;\n }): void | Promise<void>;\n}\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/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/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/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\n/**\n * Returns a resolved path object relative to the given pathname.\n *\n * @see https://reactrouter.com/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 = toPathname\n ? toPathname.startsWith(\"/\")\n ? toPathname\n : resolvePathname(toPathname, fromPathname)\n : fromPathname;\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 */\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\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 HandlerResult,\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 AgnosticPatchRoutesOnMissFunction,\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 unstable_patchRoutesOnMiss?: AgnosticPatchRoutesOnMissFunction;\n unstable_dataStrategy?: DataStrategyFunction;\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 unstable_dataStrategy?: DataStrategyFunction;\n }\n ): Promise<StaticHandlerContext | Response>;\n queryRoute(\n request: Request,\n opts?: {\n routeId?: string;\n requestContext?: unknown;\n unstable_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 unstable_viewTransitionOpts?: ViewTransitionOpts;\n unstable_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 unstable_flushSync?: boolean;\n};\n\n// Only allowed for navigations\ntype BaseNavigateOptions = BaseNavigateOrFetchOptions & {\n replace?: boolean;\n state?: any;\n fromRouteId?: string;\n unstable_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.unstable_dataStrategy || defaultDataStrategy;\n let patchRoutesOnMissImpl = init.unstable_patchRoutesOnMiss;\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 initialErrors: RouteData | null = null;\n\n if (initialMatches == null && !patchRoutesOnMissImpl) {\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 patchRoutesOnMiss 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 // `patchRoutesOnMiss` 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 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 let isRouteInitialized = (m: AgnosticDataRouteMatch) => {\n // No loader, nothing to initialize\n if (!m.route.loader) {\n return true;\n }\n // Explicitly opting-in to running on hydration\n if (\n typeof m.route.loader === \"function\" &&\n m.route.loader.hydrate === true\n ) {\n return false;\n }\n // Otherwise, initialized if hydrated with data or an error\n return (\n (loaderData && loaderData[m.route.id] !== undefined) ||\n (errors && errors[m.route.id] !== undefined)\n );\n };\n\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.slice(0, idx + 1).every(isRouteInitialized);\n } else {\n initialized = initialMatches.every(isRouteInitialized);\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 patchRoutesOnMiss() 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<AgnosticPatchRoutesOnMissFunction>\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 ignoreNextHistoryUpdate = false;\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 (ignoreNextHistoryUpdate) {\n ignoreNextHistoryUpdate = false;\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 ignoreNextHistoryUpdate = true;\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\n 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 // 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 unstable_viewTransitionOpts: opts.viewTransitionOpts,\n unstable_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 }\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.unstable_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.unstable_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 { overrideNavigation: state.navigation }\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 = matchRoutes(routesToUse, location, basename);\n let flushSync = (opts && opts.flushSync) === true;\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 // Short circuit if it's only a hash change and not a revalidation or\n // mutation submission.\n //\n // Ignore on initial page loads because since the initial load will always\n // be \"same hash\". For example, on /page#hash and submit a <Form method=\"post\">\n // which will default to a navigation to /page\n if (\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 // 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, error } = handleDiscoverRouteError(\n location.pathname,\n discoverResult\n );\n return {\n matches: discoverResult.partialMatches,\n pendingActionResult: [\n boundaryId,\n {\n type: ResultType.error,\n 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 request,\n [actionMatch],\n matches\n );\n result = results[0];\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 );\n replace = location === state.location.pathname + state.location.search;\n }\n await startRedirectNavigation(request, result, {\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, error } = handleDiscoverRouteError(\n location.pathname,\n discoverResult\n );\n return {\n matches: discoverResult.partialMatches,\n loaderData: {},\n errors: {\n [boundaryId]: 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 if (fetchControllers.has(rf.key)) {\n abortFetcher(rf.key);\n }\n if (rf.controller) {\n // Fetchers use an independent AbortController so that aborting a fetcher\n // (via deleteFetcher) does not abort the triggering navigation that\n // triggered the revalidation\n fetchControllers.set(rf.key, rf.controller);\n }\n });\n\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.matches,\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 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, ...fetcherResults]);\n if (redirect) {\n if (redirect.idx >= matchesToLoad.length) {\n // If this redirect came from a fetcher make sure we mark it in\n // fetchRedirectIds so it doesn't get revalidated on the next set of\n // loader executions\n let fetcherKey =\n revalidatingFetchers[redirect.idx - matchesToLoad.length].key;\n fetchRedirectIds.add(fetcherKey);\n }\n await startRedirectNavigation(request, redirect.result, {\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 matchesToLoad,\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 // During partial hydration, preserve SSR errors for routes that don't re-run\n if (future.v7_partialHydration && initialHydration && state.errors) {\n Object.entries(state.errors)\n .filter(([id]) => !matchesToLoad.some((m) => m.route.id === id))\n .forEach(([routeId, error]) => {\n errors = Object.assign(errors || {}, { [routeId]: error });\n });\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 if (fetchControllers.has(key)) abortFetcher(key);\n let flushSync = (opts && opts.unstable_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 pendingPreventScrollReset = (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 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 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 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 path,\n fetchRequest.signal\n );\n\n if (discoverResult.type === \"aborted\") {\n return;\n } else if (discoverResult.type === \"error\") {\n let { error } = handleDiscoverRouteError(path, discoverResult);\n setFetcherError(key, routeId, 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 fetchRequest,\n [match],\n requestMatches\n );\n let actionResult = actionResults[0];\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, {\n fetcherSubmission: submission,\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 if (fetchControllers.has(staleKey)) {\n abortFetcher(staleKey);\n }\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.matches,\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, ...fetcherResults]);\n if (redirect) {\n if (redirect.idx >= matchesToLoad.length) {\n // If this redirect came from a fetcher make sure we mark it in\n // fetchRedirectIds so it doesn't get revalidated on the next set of\n // loader executions\n let fetcherKey =\n revalidatingFetchers[redirect.idx - matchesToLoad.length].key;\n fetchRedirectIds.add(fetcherKey);\n }\n return startRedirectNavigation(revalidationRequest, redirect.result);\n }\n\n // Process and commit output from loaders\n let { loaderData, errors } = processLoaderData(\n state,\n state.matches,\n matchesToLoad,\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 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 path,\n fetchRequest.signal\n );\n\n if (discoverResult.type === \"aborted\") {\n return;\n } else if (discoverResult.type === \"error\") {\n let { error } = handleDiscoverRouteError(path, discoverResult);\n setFetcherError(key, routeId, 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 fetchRequest,\n [match],\n matches\n );\n let result = results[0];\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);\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 {\n submission,\n fetcherSubmission,\n replace,\n }: {\n submission?: Submission;\n fetcherSubmission?: Submission;\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 );\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 this flag across redirects\n preventScrollReset: pendingPreventScrollReset,\n });\n } else {\n // If we have a navigation submission, we will preserve it through the\n // redirect navigation\n let overrideNavigation = getLoadingNavigation(\n redirectLocation,\n submission\n );\n await startNavigation(redirectHistoryAction, redirectLocation, {\n overrideNavigation,\n // Send fetcher submissions through for shouldRevalidate\n fetcherSubmission,\n // Preserve this flag across redirects\n preventScrollReset: pendingPreventScrollReset,\n });\n }\n }\n\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 request: Request,\n matchesToLoad: AgnosticDataRouteMatch[],\n matches: AgnosticDataRouteMatch[]\n ): Promise<DataResult[]> {\n try {\n let results = await callDataStrategyImpl(\n dataStrategyImpl,\n type,\n request,\n matchesToLoad,\n matches,\n manifest,\n mapRouteProperties\n );\n\n return await Promise.all(\n results.map((result, i) => {\n if (isRedirectHandlerResult(result)) {\n let response = result.result as Response;\n return {\n type: ResultType.redirect,\n response: normalizeRelativeRoutingRedirectResponse(\n response,\n request,\n matchesToLoad[i].route.id,\n matches,\n basename,\n future.v7_relativeSplatPath\n ),\n };\n }\n\n return convertHandlerResultToDataResult(result);\n })\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 return matchesToLoad.map(() => ({\n type: ResultType.error,\n error: e,\n }));\n }\n }\n\n async function callLoadersAndMaybeResolveData(\n currentMatches: AgnosticDataRouteMatch[],\n matches: AgnosticDataRouteMatch[],\n matchesToLoad: AgnosticDataRouteMatch[],\n fetchersToLoad: RevalidatingFetcher[],\n request: Request\n ) {\n let [loaderResults, ...fetcherResults] = await Promise.all([\n matchesToLoad.length\n ? callDataStrategy(\"loader\", request, matchesToLoad, matches)\n : [],\n ...fetchersToLoad.map((f) => {\n if (f.matches && f.match && f.controller) {\n let fetcherRequest = createClientSideRequest(\n init.history,\n f.path,\n f.controller.signal\n );\n return callDataStrategy(\n \"loader\",\n fetcherRequest,\n [f.match],\n f.matches\n ).then((r) => r[0]);\n } else {\n return Promise.resolve<DataResult>({\n type: ResultType.error,\n error: getInternalRouterError(404, {\n pathname: f.path,\n }),\n });\n }\n }),\n ]);\n\n await Promise.all([\n resolveDeferredResults(\n currentMatches,\n matchesToLoad,\n loaderResults,\n loaderResults.map(() => request.signal),\n false,\n state.loaderData\n ),\n resolveDeferredResults(\n currentMatches,\n fetchersToLoad.map((f) => f.match),\n fetcherResults,\n fetchersToLoad.map((f) => (f.controller ? f.controller.signal : null)),\n true\n ),\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 abortFetcher(key);\n }\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 if (future.v7_fetcherPersist) {\n activeFetchers.set(key, (activeFetchers.get(key) || 0) + 1);\n // If this fetcher was previously marked for deletion, unmark it since we\n // have a new instance\n if (deletedFetchers.has(key)) {\n deletedFetchers.delete(key);\n }\n }\n return state.fetchers.get(key) || IDLE_FETCHER;\n }\n\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 deletedFetchers.delete(key);\n cancelledFetcherLoads.delete(key);\n state.fetchers.delete(key);\n }\n\n function deleteFetcherAndUpdateState(key: string): void {\n if (future.v7_fetcherPersist) {\n let count = (activeFetchers.get(key) || 0) - 1;\n if (count <= 0) {\n activeFetchers.delete(key);\n deletedFetchers.add(key);\n } else {\n activeFetchers.set(key, count);\n }\n } else {\n deleteFetcher(key);\n }\n updateState({ fetchers: new Map(state.fetchers) });\n }\n\n function abortFetcher(key: string) {\n let controller = fetchControllers.get(key);\n invariant(controller, `Expected fetch controller: ${key}`);\n controller.abort();\n fetchControllers.delete(key);\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 handleDiscoverRouteError(\n pathname: string,\n discoverResult: DiscoverRoutesErrorResult\n ) {\n return {\n boundaryId: findNearestBoundary(discoverResult.partialMatches).route.id,\n error: getInternalRouterError(400, {\n type: \"route-discovery\",\n pathname,\n message:\n discoverResult.error != null && \"message\" in discoverResult.error\n ? discoverResult.error\n : String(discoverResult.error),\n }),\n };\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 (patchRoutesOnMissImpl) {\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 let leafRoute = matches[matches.length - 1].route;\n if (\n leafRoute.path &&\n (leafRoute.path === \"*\" || leafRoute.path.endsWith(\"/*\"))\n ) {\n // If we matched a splat, it might only be because we haven't yet fetched\n // the children that would match with a higher score, so let's fetch\n // around and find out\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 ): Promise<DiscoverRoutesResult> {\n let partialMatches: AgnosticDataRouteMatch[] | null = matches;\n let route =\n partialMatches.length > 0\n ? partialMatches[partialMatches.length - 1].route\n : null;\n while (true) {\n let isNonHMR = inFlightDataRoutes == null;\n let routesToUse = inFlightDataRoutes || dataRoutes;\n try {\n await loadLazyRouteChildren(\n patchRoutesOnMissImpl!,\n pathname,\n partialMatches,\n routesToUse,\n manifest,\n mapRouteProperties,\n pendingPatchRoutes,\n signal\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) {\n dataRoutes = [...dataRoutes];\n }\n }\n\n if (signal.aborted) {\n return { type: \"aborted\" };\n }\n\n let newMatches = matchRoutes(routesToUse, pathname, basename);\n let matchedSplat = false;\n if (newMatches) {\n let leafRoute = newMatches[newMatches.length - 1].route;\n\n if (leafRoute.index) {\n // If we found an index route, we can stop\n return { type: \"success\", matches: newMatches };\n }\n\n if (leafRoute.path && leafRoute.path.length > 0) {\n if (leafRoute.path === \"*\") {\n // If we found a splat route, we can't be sure there's not a\n // higher-scoring route down some partial matches trail so we need\n // to check that out\n matchedSplat = true;\n } else {\n // If we found a non-splat route, we can stop\n return { type: \"success\", matches: newMatches };\n }\n }\n }\n\n let newPartialMatches = matchRoutesImpl<AgnosticDataRouteObject>(\n routesToUse,\n pathname,\n basename,\n true\n );\n\n // If we are no longer partially matching anything, this was either a\n // legit splat match above, or it's a 404. Also avoid loops if the\n // second pass results in the same partial matches\n if (\n !newPartialMatches ||\n partialMatches.map((m) => m.route.id).join(\"-\") ===\n newPartialMatches.map((m) => m.route.id).join(\"-\")\n ) {\n return { type: \"success\", matches: matchedSplat ? newMatches : null };\n }\n\n partialMatches = newPartialMatches;\n route = partialMatches[partialMatches.length - 1].route;\n if (route.path === \"*\") {\n // The splat is still our most accurate partial, so run with it\n return { type: \"success\", matches: partialMatches };\n }\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 unstable_dataStrategy,\n }: {\n requestContext?: unknown;\n skipLoaderErrorBubbling?: boolean;\n unstable_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 unstable_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 unstable_dataStrategy,\n }: {\n requestContext?: unknown;\n routeId?: string;\n unstable_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 unstable_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 unstable_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 unstable_dataStrategy,\n skipLoaderErrorBubbling,\n routeMatch != null\n );\n return result;\n }\n\n let result = await loadRouteData(\n request,\n matches,\n requestContext,\n unstable_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 `HandlerResult` to bail out early\n // and then return or throw the raw Response here accordingly\n if (isHandlerResult(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 unstable_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 unstable_dataStrategy\n );\n result = results[0];\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 unstable_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 unstable_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 unstable_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 unstable_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 matchesToLoad,\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 unstable_dataStrategy: DataStrategyFunction | null\n ): Promise<DataResult[]> {\n let results = await callDataStrategyImpl(\n unstable_dataStrategy || defaultDataStrategy,\n type,\n request,\n matchesToLoad,\n matches,\n manifest,\n mapRouteProperties,\n requestContext\n );\n\n return await Promise.all(\n results.map((result, i) => {\n if (isRedirectHandlerResult(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 matchesToLoad[i].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 return convertHandlerResultToDataResult(result);\n })\n );\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 // Add an ?index param for matched index routes if we don't already have one\n if (\n (to == null || to === \"\" || to === \".\") &&\n activeRouteMatch &&\n activeRouteMatch.route.index &&\n !hasNakedIndexQuery(path.search)\n ) {\n path.search = path.search\n ? path.search.replace(/^\\?/, \"?index&\")\n : \"?index\";\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 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) {\n let boundaryMatches = matches;\n if (boundaryId) {\n let index = matches.findIndex((m) => m.route.id === boundaryId);\n if (index >= 0) {\n boundaryMatches = matches.slice(0, index);\n }\n }\n return boundaryMatches;\n}\n\nfunction getMatchesToLoad(\n history: History,\n state: RouterState,\n matches: AgnosticDataRouteMatch[],\n submission: Submission | undefined,\n location: Location,\n isInitialLoad: 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 boundaryId =\n pendingActionResult && isErrorResult(pendingActionResult[1])\n ? pendingActionResult[0]\n : undefined;\n let boundaryMatches = boundaryId\n ? getLoaderMatchesUntilBoundary(matches, boundaryId)\n : matches;\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 (isInitialLoad) {\n if (typeof route.loader !== \"function\" || route.loader.hydrate) {\n return true;\n }\n return (\n state.loaderData[route.id] === undefined &&\n // Don't re-run if the loader ran and threw an error\n (!state.errors || state.errors[route.id] === undefined)\n );\n }\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 load (shouldn't be any fetchers then anyway)\n // - if fetcher won't be present in the subsequent render\n // - no longer matches the URL (v7_fetcherPersist=false)\n // - was unmounted but persisted due to v7_fetcherPersist=true\n if (\n isInitialLoad ||\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 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\n/**\n * Idempotent utility to execute patchRoutesOnMiss() to lazily load route\n * definitions and update the routes/routeManifest\n */\nasync function loadLazyRouteChildren(\n patchRoutesOnMissImpl: AgnosticPatchRoutesOnMissFunction,\n path: string,\n matches: AgnosticDataRouteMatch[],\n routes: AgnosticDataRouteObject[],\n manifest: RouteManifest,\n mapRouteProperties: MapRoutePropertiesFunction,\n pendingRouteChildren: Map<string, ReturnType<typeof patchRoutesOnMissImpl>>,\n signal: AbortSignal\n) {\n let key = [path, ...matches.map((m) => m.route.id)].join(\"-\");\n try {\n let pending = pendingRouteChildren.get(key);\n if (!pending) {\n pending = patchRoutesOnMissImpl({\n path,\n matches,\n patch: (routeId, children) => {\n if (!signal.aborted) {\n patchRoutesImpl(\n routeId,\n children,\n routes,\n manifest,\n mapRouteProperties\n );\n }\n },\n });\n pendingRouteChildren.set(key, pending);\n }\n\n if (pending && isPromise<AgnosticRouteObject[]>(pending)) {\n await pending;\n }\n } finally {\n pendingRouteChildren.delete(key);\n }\n}\n\nfunction patchRoutesImpl(\n routeId: string | null,\n children: AgnosticRouteObject[],\n routesToUse: AgnosticDataRouteObject[],\n manifest: RouteManifest,\n mapRouteProperties: MapRoutePropertiesFunction\n) {\n if (routeId) {\n let route = manifest[routeId];\n invariant(\n route,\n `No route found to patch children into: routeId = ${routeId}`\n );\n let dataChildren = convertRoutesToDataRoutes(\n children,\n mapRouteProperties,\n [routeId, \"patch\", String(route.children?.length || \"0\")],\n manifest\n );\n if (route.children) {\n route.children.push(...dataChildren);\n } else {\n route.children = dataChildren;\n }\n } else {\n let dataChildren = convertRoutesToDataRoutes(\n children,\n mapRouteProperties,\n [\"patch\", String(routesToUse.length || \"0\")],\n manifest\n );\n routesToUse.push(...dataChildren);\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\nfunction defaultDataStrategy(\n opts: DataStrategyFunctionArgs\n): ReturnType<DataStrategyFunction> {\n return Promise.all(opts.matches.map((m) => m.resolve()));\n}\n\nasync function callDataStrategyImpl(\n dataStrategyImpl: DataStrategyFunction,\n type: \"loader\" | \"action\",\n request: Request,\n matchesToLoad: AgnosticDataRouteMatch[],\n matches: AgnosticDataRouteMatch[],\n manifest: RouteManifest,\n mapRouteProperties: MapRoutePropertiesFunction,\n requestContext?: unknown\n): Promise<HandlerResult[]> {\n let routeIdsToLoad = matchesToLoad.reduce(\n (acc, m) => acc.add(m.route.id),\n new Set<string>()\n );\n let loadedMatches = new Set<string>();\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: matches.map((match) => {\n let shouldLoad = routeIdsToLoad.has(match.route.id);\n // `resolve` encapsulates the route.lazy, executing the\n // loader/action, and mapping return values/thrown errors to a\n // HandlerResult. Users can pass a callback to take fine-grained control\n // over the execution of the loader/action\n let resolve: DataStrategyMatch[\"resolve\"] = (handlerOverride) => {\n loadedMatches.add(match.route.id);\n return shouldLoad\n ? callLoaderOrAction(\n type,\n request,\n match,\n manifest,\n mapRouteProperties,\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 request,\n params: matches[0].params,\n context: requestContext,\n });\n\n // Throw if any loadRoute implementations not called since they are what\n // ensures a route is fully loaded\n matches.forEach((m) =>\n invariant(\n loadedMatches.has(m.route.id),\n `\\`match.resolve()\\` was not called for route id \"${m.route.id}\". ` +\n \"You must call `match.resolve()` on every match passed to \" +\n \"`dataStrategy` to ensure all routes are properly loaded.\"\n )\n );\n\n // Filter out any middleware-only matches for which we didn't need to run handlers\n return results.filter((_, i) => routeIdsToLoad.has(matches[i].route.id));\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 manifest: RouteManifest,\n mapRouteProperties: MapRoutePropertiesFunction,\n handlerOverride: Parameters<DataStrategyMatch[\"resolve\"]>[0],\n staticContext?: unknown\n): Promise<HandlerResult> {\n let result: HandlerResult;\n let onReject: (() => void) | undefined;\n\n let runHandler = (\n handler: AgnosticRouteObject[\"loader\"] | AgnosticRouteObject[\"action\"]\n ): Promise<HandlerResult> => {\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<HandlerResult> to\n // satisfy the function return value\n let abortPromise = new Promise<HandlerResult>((_, 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<HandlerResult>;\n if (handlerOverride) {\n handlerPromise = handlerOverride((ctx: unknown) => actualHandler(ctx));\n } else {\n handlerPromise = (async () => {\n try {\n let val = await actualHandler();\n return { type: \"data\", result: val };\n } catch (e) {\n return { type: \"error\", result: e };\n }\n })();\n }\n\n return Promise.race([handlerPromise, abortPromise]);\n };\n\n try {\n let handler = match.route[type];\n\n if (match.route.lazy) {\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 loadLazyRouteModule(match.route, mapRouteProperties, manifest),\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 loadLazyRouteModule(match.route, mapRouteProperties, manifest);\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 // HandlerResults 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 convertHandlerResultToDataResult(\n handlerResult: HandlerResult\n): Promise<DataResult> {\n let { result, type } = handlerResult;\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 };\n }\n\n // Convert thrown unstable_data() to ErrorResponse instances\n result = new ErrorResponseImpl(\n result.init?.status || 500,\n undefined,\n result.data\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): string {\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 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 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 matchesToLoad: AgnosticDataRouteMatch[],\n results: 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 results.forEach((result, index) => {\n let id = matchesToLoad[index].route.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 matchesToLoad: AgnosticDataRouteMatch[],\n results: DataResult[],\n pendingActionResult: PendingActionResult | undefined,\n revalidatingFetchers: RevalidatingFetcher[],\n fetcherResults: DataResult[],\n activeDeferreds: Map<string, DeferredData>\n): {\n loaderData: RouterState[\"loaderData\"];\n errors?: RouterState[\"errors\"];\n} {\n let { loaderData, errors } = processRouteLoaderData(\n matches,\n matchesToLoad,\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 for (let index = 0; index < revalidatingFetchers.length; index++) {\n let { key, match, controller } = revalidatingFetchers[index];\n invariant(\n fetcherResults !== undefined && fetcherResults[index] !== undefined,\n \"Did not find corresponding fetcher result\"\n );\n let result = fetcherResults[index];\n\n // Process fetcher non-redirect errors\n if (controller && controller.signal.aborted) {\n // Nothing to do for aborted fetchers\n continue;\n } else if (isErrorResult(result)) {\n let boundaryMatch = findNearestBoundary(state.matches, match?.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\" | \"route-discovery\";\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 (type === \"route-discovery\") {\n errorMessage =\n `Unable to match URL \"${pathname}\" - the \\`unstable_patchRoutesOnMiss()\\` ` +\n `function threw the following error:\\n${message}`;\n } else 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: DataResult[]\n): { result: RedirectResult; idx: number } | undefined {\n for (let i = results.length - 1; i >= 0; i--) {\n let result = results[i];\n if (isRedirectResult(result)) {\n return { result, idx: i };\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 isHandlerResult(result: unknown): result is HandlerResult {\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 isRedirectHandlerResult(result: HandlerResult) {\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 resolveDeferredResults(\n currentMatches: AgnosticDataRouteMatch[],\n matchesToLoad: (AgnosticDataRouteMatch | null)[],\n results: DataResult[],\n signals: (AbortSignal | null)[],\n isFetcher: boolean,\n currentLoaderData?: RouteData\n) {\n for (let index = 0; index < results.length; index++) {\n let result = results[index];\n let match = matchesToLoad[index];\n // If we don't have a match, then we can have a deferred result to do\n // anything with. This is for revalidating fetchers where the route was\n // removed during HMR\n if (!match) {\n continue;\n }\n\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) && (isFetcher || isRevalidatingLoader)) {\n // Note: we do not have to touch activeDeferreds here since we race them\n // against the signal in resolveDeferredData and they'll get aborted\n // there if needed\n let signal = signals[index];\n invariant(\n signal,\n \"Expected an AbortSignal for revalidating fetcher deferred result\"\n );\n await resolveDeferredData(result, signal, isFetcher).then((result) => {\n if (result) {\n results[index] = result || results[index];\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", "import * as React from \"react\";\nimport type {\n AgnosticIndexRouteObject,\n AgnosticNonIndexRouteObject,\n AgnosticRouteMatch,\n History,\n LazyRouteFunction,\n Location,\n Action as NavigationType,\n RelativeRoutingType,\n Router,\n StaticHandlerContext,\n To,\n TrackedPromise,\n} from \"@remix-run/router\";\n\n// Create react-specific types from the agnostic types in @remix-run/router to\n// export from react-router\nexport interface IndexRouteObject {\n caseSensitive?: AgnosticIndexRouteObject[\"caseSensitive\"];\n path?: AgnosticIndexRouteObject[\"path\"];\n id?: AgnosticIndexRouteObject[\"id\"];\n loader?: AgnosticIndexRouteObject[\"loader\"];\n action?: AgnosticIndexRouteObject[\"action\"];\n hasErrorBoundary?: AgnosticIndexRouteObject[\"hasErrorBoundary\"];\n shouldRevalidate?: AgnosticIndexRouteObject[\"shouldRevalidate\"];\n handle?: AgnosticIndexRouteObject[\"handle\"];\n index: true;\n children?: undefined;\n element?: React.ReactNode | null;\n hydrateFallbackElement?: React.ReactNode | null;\n errorElement?: React.ReactNode | null;\n Component?: React.ComponentType | null;\n HydrateFallback?: React.ComponentType | null;\n ErrorBoundary?: React.ComponentType | null;\n lazy?: LazyRouteFunction<RouteObject>;\n}\n\nexport interface NonIndexRouteObject {\n caseSensitive?: AgnosticNonIndexRouteObject[\"caseSensitive\"];\n path?: AgnosticNonIndexRouteObject[\"path\"];\n id?: AgnosticNonIndexRouteObject[\"id\"];\n loader?: AgnosticNonIndexRouteObject[\"loader\"];\n action?: AgnosticNonIndexRouteObject[\"action\"];\n hasErrorBoundary?: AgnosticNonIndexRouteObject[\"hasErrorBoundary\"];\n shouldRevalidate?: AgnosticNonIndexRouteObject[\"shouldRevalidate\"];\n handle?: AgnosticNonIndexRouteObject[\"handle\"];\n index?: false;\n children?: RouteObject[];\n element?: React.ReactNode | null;\n hydrateFallbackElement?: React.ReactNode | null;\n errorElement?: React.ReactNode | null;\n Component?: React.ComponentType | null;\n HydrateFallback?: React.ComponentType | null;\n ErrorBoundary?: React.ComponentType | null;\n lazy?: LazyRouteFunction<RouteObject>;\n}\n\nexport type RouteObject = IndexRouteObject | NonIndexRouteObject;\n\nexport type DataRouteObject = RouteObject & {\n children?: DataRouteObject[];\n id: string;\n};\n\nexport interface RouteMatch<\n ParamKey extends string = string,\n RouteObjectType extends RouteObject = RouteObject\n> extends AgnosticRouteMatch<ParamKey, RouteObjectType> {}\n\nexport interface DataRouteMatch extends RouteMatch<string, DataRouteObject> {}\n\nexport interface DataRouterContextObject\n // Omit `future` since those can be pulled from the `router`\n // `NavigationContext` needs future since it doesn't have a `router` in all cases\n extends Omit<NavigationContextObject, \"future\"> {\n router: Router;\n staticContext?: StaticHandlerContext;\n}\n\nexport const DataRouterContext =\n React.createContext<DataRouterContextObject | null>(null);\nif (__DEV__) {\n DataRouterContext.displayName = \"DataRouter\";\n}\n\nexport const DataRouterStateContext = React.createContext<\n Router[\"state\"] | null\n>(null);\nif (__DEV__) {\n DataRouterStateContext.displayName = \"DataRouterState\";\n}\n\nexport const AwaitContext = React.createContext<TrackedPromise | null>(null);\nif (__DEV__) {\n AwaitContext.displayName = \"Await\";\n}\n\nexport interface NavigateOptions {\n replace?: boolean;\n state?: any;\n preventScrollReset?: boolean;\n relative?: RelativeRoutingType;\n unstable_flushSync?: boolean;\n unstable_viewTransition?: boolean;\n}\n\n/**\n * A Navigator is a \"location changer\"; it's how you get to different locations.\n *\n * Every history instance conforms to the Navigator interface, but the\n * distinction is useful primarily when it comes to the low-level `<Router>` API\n * where both the location and a navigator must be provided separately in order\n * to avoid \"tearing\" that may occur in a suspense-enabled app if the action\n * and/or location were to be read directly from the history instance.\n */\nexport interface Navigator {\n createHref: History[\"createHref\"];\n // Optional for backwards-compat with Router/HistoryRouter usage (edge case)\n encodeLocation?: History[\"encodeLocation\"];\n go: History[\"go\"];\n push(to: To, state?: any, opts?: NavigateOptions): void;\n replace(to: To, state?: any, opts?: NavigateOptions): void;\n}\n\ninterface NavigationContextObject {\n basename: string;\n navigator: Navigator;\n static: boolean;\n future: {\n v7_relativeSplatPath: boolean;\n };\n}\n\nexport const NavigationContext = React.createContext<NavigationContextObject>(\n null!\n);\n\nif (__DEV__) {\n NavigationContext.displayName = \"Navigation\";\n}\n\ninterface LocationContextObject {\n location: Location;\n navigationType: NavigationType;\n}\n\nexport const LocationContext = React.createContext<LocationContextObject>(\n null!\n);\n\nif (__DEV__) {\n LocationContext.displayName = \"Location\";\n}\n\nexport interface RouteContextObject {\n outlet: React.ReactElement | null;\n matches: RouteMatch[];\n isDataRoute: boolean;\n}\n\nexport const RouteContext = React.createContext<RouteContextObject>({\n outlet: null,\n matches: [],\n isDataRoute: false,\n});\n\nif (__DEV__) {\n RouteContext.displayName = \"Route\";\n}\n\nexport const RouteErrorContext = React.createContext<any>(null);\n\nif (__DEV__) {\n RouteErrorContext.displayName = \"RouteError\";\n}\n", "import * as React from \"react\";\nimport type {\n Blocker,\n BlockerFunction,\n Location,\n ParamParseKey,\n Params,\n Path,\n PathMatch,\n PathPattern,\n RelativeRoutingType,\n Router as RemixRouter,\n RevalidationState,\n To,\n UIMatch,\n} from \"@remix-run/router\";\nimport {\n IDLE_BLOCKER,\n Action as NavigationType,\n UNSAFE_convertRouteMatchToUiMatch as convertRouteMatchToUiMatch,\n UNSAFE_decodePath as decodePath,\n UNSAFE_getResolveToMatches as getResolveToMatches,\n UNSAFE_invariant as invariant,\n isRouteErrorResponse,\n joinPaths,\n matchPath,\n matchRoutes,\n parsePath,\n resolveTo,\n stripBasename,\n UNSAFE_warning as warning,\n} from \"@remix-run/router\";\n\nimport type {\n DataRouteMatch,\n NavigateOptions,\n RouteContextObject,\n RouteMatch,\n RouteObject,\n} from \"./context\";\nimport {\n AwaitContext,\n DataRouterContext,\n DataRouterStateContext,\n LocationContext,\n NavigationContext,\n RouteContext,\n RouteErrorContext,\n} from \"./context\";\n\n/**\n * Returns the full href for the given \"to\" value. This is useful for building\n * custom links that are also accessible and preserve right-click behavior.\n *\n * @see https://reactrouter.com/hooks/use-href\n */\nexport function useHref(\n to: To,\n { relative }: { relative?: RelativeRoutingType } = {}\n): string {\n invariant(\n useInRouterContext(),\n // TODO: This error is probably because they somehow have 2 versions of the\n // router loaded. We can help them understand how to avoid that.\n `useHref() may be used only in the context of a <Router> component.`\n );\n\n let { basename, navigator } = React.useContext(NavigationContext);\n let { hash, pathname, search } = useResolvedPath(to, { relative });\n\n let joinedPathname = pathname;\n\n // If we're operating within a basename, prepend it to the pathname prior\n // to creating the href. If this is a root navigation, then just use the raw\n // basename which allows the basename to have full control over the presence\n // of a trailing slash on root links\n if (basename !== \"/\") {\n joinedPathname =\n pathname === \"/\" ? basename : joinPaths([basename, pathname]);\n }\n\n return navigator.createHref({ pathname: joinedPathname, search, hash });\n}\n\n/**\n * Returns true if this component is a descendant of a `<Router>`.\n *\n * @see https://reactrouter.com/hooks/use-in-router-context\n */\nexport function useInRouterContext(): boolean {\n return React.useContext(LocationContext) != null;\n}\n\n/**\n * Returns the current location object, which represents the current URL in web\n * browsers.\n *\n * Note: If you're using this it may mean you're doing some of your own\n * \"routing\" in your app, and we'd like to know what your use case is. We may\n * be able to provide something higher-level to better suit your needs.\n *\n * @see https://reactrouter.com/hooks/use-location\n */\nexport function useLocation(): Location {\n invariant(\n useInRouterContext(),\n // TODO: This error is probably because they somehow have 2 versions of the\n // router loaded. We can help them understand how to avoid that.\n `useLocation() may be used only in the context of a <Router> component.`\n );\n\n return React.useContext(LocationContext).location;\n}\n\n/**\n * Returns the current navigation action which describes how the router came to\n * the current location, either by a pop, push, or replace on the history stack.\n *\n * @see https://reactrouter.com/hooks/use-navigation-type\n */\nexport function useNavigationType(): NavigationType {\n return React.useContext(LocationContext).navigationType;\n}\n\n/**\n * Returns a PathMatch object if the given pattern matches the current URL.\n * This is useful for components that need to know \"active\" state, e.g.\n * `<NavLink>`.\n *\n * @see https://reactrouter.com/hooks/use-match\n */\nexport function useMatch<\n ParamKey extends ParamParseKey<Path>,\n Path extends string\n>(pattern: PathPattern<Path> | Path): PathMatch<ParamKey> | null {\n invariant(\n useInRouterContext(),\n // TODO: This error is probably because they somehow have 2 versions of the\n // router loaded. We can help them understand how to avoid that.\n `useMatch() may be used only in the context of a <Router> component.`\n );\n\n let { pathname } = useLocation();\n return React.useMemo(\n () => matchPath<ParamKey, Path>(pattern, decodePath(pathname)),\n [pathname, pattern]\n );\n}\n\n/**\n * The interface for the navigate() function returned from useNavigate().\n */\nexport interface NavigateFunction {\n (to: To, options?: NavigateOptions): void;\n (delta: number): void;\n}\n\nconst navigateEffectWarning =\n `You should call navigate() in a React.useEffect(), not when ` +\n `your component is first rendered.`;\n\n// Mute warnings for calls to useNavigate in SSR environments\nfunction useIsomorphicLayoutEffect(\n cb: Parameters<typeof React.useLayoutEffect>[0]\n) {\n let isStatic = React.useContext(NavigationContext).static;\n if (!isStatic) {\n // We should be able to get rid of this once react 18.3 is released\n // See: https://github.com/facebook/react/pull/26395\n // eslint-disable-next-line react-hooks/rules-of-hooks\n React.useLayoutEffect(cb);\n }\n}\n\n/**\n * Returns an imperative method for changing the location. Used by `<Link>`s, but\n * may also be used by other elements to change the location.\n *\n * @see https://reactrouter.com/hooks/use-navigate\n */\nexport function useNavigate(): NavigateFunction {\n let { isDataRoute } = React.useContext(RouteContext);\n // Conditional usage is OK here because the usage of a data router is static\n // eslint-disable-next-line react-hooks/rules-of-hooks\n return isDataRoute ? useNavigateStable() : useNavigateUnstable();\n}\n\nfunction useNavigateUnstable(): NavigateFunction {\n invariant(\n useInRouterContext(),\n // TODO: This error is probably because they somehow have 2 versions of the\n // router loaded. We can help them understand how to avoid that.\n `useNavigate() may be used only in the context of a <Router> component.`\n );\n\n let dataRouterContext = React.useContext(DataRouterContext);\n let { basename, future, navigator } = React.useContext(NavigationContext);\n let { matches } = React.useContext(RouteContext);\n let { pathname: locationPathname } = useLocation();\n\n let routePathnamesJson = JSON.stringify(\n getResolveToMatches(matches, future.v7_relativeSplatPath)\n );\n\n let activeRef = React.useRef(false);\n useIsomorphicLayoutEffect(() => {\n activeRef.current = true;\n });\n\n let navigate: NavigateFunction = React.useCallback(\n (to: To | number, options: NavigateOptions = {}) => {\n warning(activeRef.current, navigateEffectWarning);\n\n // Short circuit here since if this happens on first render the navigate\n // is useless because we haven't wired up our history listener yet\n if (!activeRef.current) return;\n\n if (typeof to === \"number\") {\n navigator.go(to);\n return;\n }\n\n let path = resolveTo(\n to,\n JSON.parse(routePathnamesJson),\n locationPathname,\n options.relative === \"path\"\n );\n\n // If we're operating within a basename, prepend it to the pathname prior\n // to handing off to history (but only if we're not in a data router,\n // otherwise it'll prepend the basename inside of the router).\n // If this is a root navigation, then we navigate to the raw basename\n // which allows the basename to have full control over the presence of a\n // trailing slash on root links\n if (dataRouterContext == null && basename !== \"/\") {\n path.pathname =\n path.pathname === \"/\"\n ? basename\n : joinPaths([basename, path.pathname]);\n }\n\n (!!options.replace ? navigator.replace : navigator.push)(\n path,\n options.state,\n options\n );\n },\n [\n basename,\n navigator,\n routePathnamesJson,\n locationPathname,\n dataRouterContext,\n ]\n );\n\n return navigate;\n}\n\nconst OutletContext = React.createContext<unknown>(null);\n\n/**\n * Returns the context (if provided) for the child route at this level of the route\n * hierarchy.\n * @see https://reactrouter.com/hooks/use-outlet-context\n */\nexport function useOutletContext<Context = unknown>(): Context {\n return React.useContext(OutletContext) as Context;\n}\n\n/**\n * Returns the element for the child route at this level of the route\n * hierarchy. Used internally by `<Outlet>` to render child routes.\n *\n * @see https://reactrouter.com/hooks/use-outlet\n */\nexport function useOutlet(context?: unknown): React.ReactElement | null {\n let outlet = React.useContext(RouteContext).outlet;\n if (outlet) {\n return (\n <OutletContext.Provider value={context}>{outlet}</OutletContext.Provider>\n );\n }\n return outlet;\n}\n\n/**\n * Returns an object of key/value pairs of the dynamic params from the current\n * URL that were matched by the route path.\n *\n * @see https://reactrouter.com/hooks/use-params\n */\nexport function useParams<\n ParamsOrKey extends string | Record<string, string | undefined> = string\n>(): Readonly<\n [ParamsOrKey] extends [string] ? Params<ParamsOrKey> : Partial<ParamsOrKey>\n> {\n let { matches } = React.useContext(RouteContext);\n let routeMatch = matches[matches.length - 1];\n return routeMatch ? (routeMatch.params as any) : {};\n}\n\n/**\n * Resolves the pathname of the given `to` value against the current location.\n *\n * @see https://reactrouter.com/hooks/use-resolved-path\n */\nexport function useResolvedPath(\n to: To,\n { relative }: { relative?: RelativeRoutingType } = {}\n): Path {\n let { future } = React.useContext(NavigationContext);\n let { matches } = React.useContext(RouteContext);\n let { pathname: locationPathname } = useLocation();\n let routePathnamesJson = JSON.stringify(\n getResolveToMatches(matches, future.v7_relativeSplatPath)\n );\n\n return React.useMemo(\n () =>\n resolveTo(\n to,\n JSON.parse(routePathnamesJson),\n locationPathname,\n relative === \"path\"\n ),\n [to, routePathnamesJson, locationPathname, relative]\n );\n}\n\n/**\n * Returns the element of the route that matched the current location, prepared\n * with the correct context to render the remainder of the route tree. Route\n * elements in the tree must render an `<Outlet>` to render their child route's\n * element.\n *\n * @see https://reactrouter.com/hooks/use-routes\n */\nexport function useRoutes(\n routes: RouteObject[],\n locationArg?: Partial<Location> | string\n): React.ReactElement | null {\n return useRoutesImpl(routes, locationArg);\n}\n\n// Internal implementation with accept optional param for RouterProvider usage\nexport function useRoutesImpl(\n routes: RouteObject[],\n locationArg?: Partial<Location> | string,\n dataRouterState?: RemixRouter[\"state\"],\n future?: RemixRouter[\"future\"]\n): React.ReactElement | null {\n invariant(\n useInRouterContext(),\n // TODO: This error is probably because they somehow have 2 versions of the\n // router loaded. We can help them understand how to avoid that.\n `useRoutes() may be used only in the context of a <Router> component.`\n );\n\n let { navigator } = React.useContext(NavigationContext);\n let { matches: parentMatches } = React.useContext(RouteContext);\n let routeMatch = parentMatches[parentMatches.length - 1];\n let parentParams = routeMatch ? routeMatch.params : {};\n let parentPathname = routeMatch ? routeMatch.pathname : \"/\";\n let parentPathnameBase = routeMatch ? routeMatch.pathnameBase : \"/\";\n let parentRoute = routeMatch && routeMatch.route;\n\n if (__DEV__) {\n // You won't get a warning about 2 different <Routes> under a <Route>\n // without a trailing *, but this is a best-effort warning anyway since we\n // cannot even give the warning unless they land at the parent route.\n //\n // Example:\n //\n // <Routes>\n // {/* This route path MUST end with /* because otherwise\n // it will never match /blog/post/123 */}\n // <Route path=\"blog\" element={<Blog />} />\n // <Route path=\"blog/feed\" element={<BlogFeed />} />\n // </Routes>\n //\n // function Blog() {\n // return (\n // <Routes>\n // <Route path=\"post/:id\" element={<Post />} />\n // </Routes>\n // );\n // }\n let parentPath = (parentRoute && parentRoute.path) || \"\";\n warningOnce(\n parentPathname,\n !parentRoute || parentPath.endsWith(\"*\"),\n `You rendered descendant <Routes> (or called \\`useRoutes()\\`) at ` +\n `\"${parentPathname}\" (under <Route path=\"${parentPath}\">) but the ` +\n `parent route path has no trailing \"*\". This means if you navigate ` +\n `deeper, the parent won't match anymore and therefore the child ` +\n `routes will never render.\\n\\n` +\n `Please change the parent <Route path=\"${parentPath}\"> to <Route ` +\n `path=\"${parentPath === \"/\" ? \"*\" : `${parentPath}/*`}\">.`\n );\n }\n\n let locationFromContext = useLocation();\n\n let location;\n if (locationArg) {\n let parsedLocationArg =\n typeof locationArg === \"string\" ? parsePath(locationArg) : locationArg;\n\n invariant(\n parentPathnameBase === \"/\" ||\n parsedLocationArg.pathname?.startsWith(parentPathnameBase),\n `When overriding the location using \\`<Routes location>\\` or \\`useRoutes(routes, location)\\`, ` +\n `the location pathname must begin with the portion of the URL pathname that was ` +\n `matched by all parent routes. The current pathname base is \"${parentPathnameBase}\" ` +\n `but pathname \"${parsedLocationArg.pathname}\" was given in the \\`location\\` prop.`\n );\n\n location = parsedLocationArg;\n } else {\n location = locationFromContext;\n }\n\n let pathname = location.pathname || \"/\";\n\n let remainingPathname = pathname;\n if (parentPathnameBase !== \"/\") {\n // Determine the remaining pathname by removing the # of URL segments the\n // parentPathnameBase has, instead of removing based on character count.\n // This is because we can't guarantee that incoming/outgoing encodings/\n // decodings will match exactly.\n // We decode paths before matching on a per-segment basis with\n // decodeURIComponent(), but we re-encode pathnames via `new URL()` so they\n // match what `window.location.pathname` would reflect. Those don't 100%\n // align when it comes to encoded URI characters such as % and &.\n //\n // So we may end up with:\n // pathname: \"/descendant/a%25b/match\"\n // parentPathnameBase: \"/descendant/a%b\"\n //\n // And the direct substring removal approach won't work :/\n let parentSegments = parentPathnameBase.replace(/^\\//, \"\").split(\"/\");\n let segments = pathname.replace(/^\\//, \"\").split(\"/\");\n remainingPathname = \"/\" + segments.slice(parentSegments.length).join(\"/\");\n }\n\n let matches = matchRoutes(routes, { pathname: remainingPathname });\n\n if (__DEV__) {\n warning(\n parentRoute || matches != null,\n `No routes matched location \"${location.pathname}${location.search}${location.hash}\" `\n );\n\n warning(\n matches == null ||\n matches[matches.length - 1].route.element !== undefined ||\n matches[matches.length - 1].route.Component !== undefined ||\n matches[matches.length - 1].route.lazy !== undefined,\n `Matched leaf route at location \"${location.pathname}${location.search}${location.hash}\" ` +\n `does not have an element or Component. This means it will render an <Outlet /> with a ` +\n `null value by default resulting in an \"empty\" page.`\n );\n }\n\n let renderedMatches = _renderMatches(\n matches &&\n matches.map((match) =>\n Object.assign({}, match, {\n params: Object.assign({}, parentParams, match.params),\n pathname: joinPaths([\n parentPathnameBase,\n // Re-encode pathnames that were decoded inside matchRoutes\n navigator.encodeLocation\n ? navigator.encodeLocation(match.pathname).pathname\n : match.pathname,\n ]),\n pathnameBase:\n match.pathnameBase === \"/\"\n ? parentPathnameBase\n : joinPaths([\n parentPathnameBase,\n // Re-encode pathnames that were decoded inside matchRoutes\n navigator.encodeLocation\n ? navigator.encodeLocation(match.pathnameBase).pathname\n : match.pathnameBase,\n ]),\n })\n ),\n parentMatches,\n dataRouterState,\n future\n );\n\n // When a user passes in a `locationArg`, the associated routes need to\n // be wrapped in a new `LocationContext.Provider` in order for `useLocation`\n // to use the scoped location instead of the global location.\n if (locationArg && renderedMatches) {\n return (\n <LocationContext.Provider\n value={{\n location: {\n pathname: \"/\",\n search: \"\",\n hash: \"\",\n state: null,\n key: \"default\",\n ...location,\n },\n navigationType: NavigationType.Pop,\n }}\n >\n {renderedMatches}\n </LocationContext.Provider>\n );\n }\n\n return renderedMatches;\n}\n\nfunction DefaultErrorComponent() {\n let error = useRouteError();\n let message = isRouteErrorResponse(error)\n ? `${error.status} ${error.statusText}`\n : error instanceof Error\n ? error.message\n : JSON.stringify(error);\n let stack = error instanceof Error ? error.stack : null;\n let lightgrey = \"rgba(200,200,200, 0.5)\";\n let preStyles = { padding: \"0.5rem\", backgroundColor: lightgrey };\n let codeStyles = { padding: \"2px 4px\", backgroundColor: lightgrey };\n\n let devInfo = null;\n if (__DEV__) {\n console.error(\n \"Error handled by React Router default ErrorBoundary:\",\n error\n );\n\n devInfo = (\n <>\n <p>💿 Hey developer 👋</p>\n <p>\n You can provide a way better UX than this when your app throws errors\n by providing your own <code style={codeStyles}>ErrorBoundary</code> or{\" \"}\n <code style={codeStyles}>errorElement</code> prop on your route.\n </p>\n </>\n );\n }\n\n return (\n <>\n <h2>Unexpected Application Error!</h2>\n <h3 style={{ fontStyle: \"italic\" }}>{message}</h3>\n {stack ? <pre style={preStyles}>{stack}</pre> : null}\n {devInfo}\n </>\n );\n}\n\nconst defaultErrorElement = <DefaultErrorComponent />;\n\ntype RenderErrorBoundaryProps = React.PropsWithChildren<{\n location: Location;\n revalidation: RevalidationState;\n error: any;\n component: React.ReactNode;\n routeContext: RouteContextObject;\n}>;\n\ntype RenderErrorBoundaryState = {\n location: Location;\n revalidation: RevalidationState;\n error: any;\n};\n\nexport class RenderErrorBoundary extends React.Component<\n RenderErrorBoundaryProps,\n RenderErrorBoundaryState\n> {\n constructor(props: RenderErrorBoundaryProps) {\n super(props);\n this.state = {\n location: props.location,\n revalidation: props.revalidation,\n error: props.error,\n };\n }\n\n static getDerivedStateFromError(error: any) {\n return { error: error };\n }\n\n static getDerivedStateFromProps(\n props: RenderErrorBoundaryProps,\n state: RenderErrorBoundaryState\n ) {\n // When we get into an error state, the user will likely click \"back\" to the\n // previous page that didn't have an error. Because this wraps the entire\n // application, that will have no effect--the error page continues to display.\n // This gives us a mechanism to recover from the error when the location changes.\n //\n // Whether we're in an error state or not, we update the location in state\n // so that when we are in an error state, it gets reset when a new location\n // comes in and the user recovers from the error.\n if (\n state.location !== props.location ||\n (state.revalidation !== \"idle\" && props.revalidation === \"idle\")\n ) {\n return {\n error: props.error,\n location: props.location,\n revalidation: props.revalidation,\n };\n }\n\n // If we're not changing locations, preserve the location but still surface\n // any new errors that may come through. We retain the existing error, we do\n // this because the error provided from the app state may be cleared without\n // the location changing.\n return {\n error: props.error !== undefined ? props.error : state.error,\n location: state.location,\n revalidation: props.revalidation || state.revalidation,\n };\n }\n\n componentDidCatch(error: any, errorInfo: any) {\n console.error(\n \"React Router caught the following error during render\",\n error,\n errorInfo\n );\n }\n\n render() {\n return this.state.error !== undefined ? (\n <RouteContext.Provider value={this.props.routeContext}>\n <RouteErrorContext.Provider\n value={this.state.error}\n children={this.props.component}\n />\n </RouteContext.Provider>\n ) : (\n this.props.children\n );\n }\n}\n\ninterface RenderedRouteProps {\n routeContext: RouteContextObject;\n match: RouteMatch<string, RouteObject>;\n children: React.ReactNode | null;\n}\n\nfunction RenderedRoute({ routeContext, match, children }: RenderedRouteProps) {\n let dataRouterContext = React.useContext(DataRouterContext);\n\n // Track how deep we got in our render pass to emulate SSR componentDidCatch\n // in a DataStaticRouter\n if (\n dataRouterContext &&\n dataRouterContext.static &&\n dataRouterContext.staticContext &&\n (match.route.errorElement || match.route.ErrorBoundary)\n ) {\n dataRouterContext.staticContext._deepestRenderedBoundaryId = match.route.id;\n }\n\n return (\n <RouteContext.Provider value={routeContext}>\n {children}\n </RouteContext.Provider>\n );\n}\n\nexport function _renderMatches(\n matches: RouteMatch[] | null,\n parentMatches: RouteMatch[] = [],\n dataRouterState: RemixRouter[\"state\"] | null = null,\n future: RemixRouter[\"future\"] | null = null\n): React.ReactElement | null {\n if (matches == null) {\n if (!dataRouterState) {\n return null;\n }\n\n if (dataRouterState.errors) {\n // Don't bail if we have data router errors so we can render them in the\n // boundary. Use the pre-matched (or shimmed) matches\n matches = dataRouterState.matches as DataRouteMatch[];\n } else if (\n future?.v7_partialHydration &&\n parentMatches.length === 0 &&\n !dataRouterState.initialized &&\n dataRouterState.matches.length > 0\n ) {\n // Don't bail if we're initializing with partial hydration and we have\n // router matches. That means we're actively running `patchRoutesOnMiss`\n // so we should render down the partial matches to the appropriate\n // `HydrateFallback`. We only do this if `parentMatches` is empty so it\n // only impacts the root matches for `RouterProvider` and no descendant\n // `<Routes>`\n matches = dataRouterState.matches as DataRouteMatch[];\n } else {\n return null;\n }\n }\n\n let renderedMatches = matches;\n\n // If we have data errors, trim matches to the highest error boundary\n let errors = dataRouterState?.errors;\n if (errors != null) {\n let errorIndex = renderedMatches.findIndex(\n (m) => m.route.id && errors?.[m.route.id] !== undefined\n );\n invariant(\n errorIndex >= 0,\n `Could not find a matching route for errors on route IDs: ${Object.keys(\n errors\n ).join(\",\")}`\n );\n renderedMatches = renderedMatches.slice(\n 0,\n Math.min(renderedMatches.length, errorIndex + 1)\n );\n }\n\n // If we're in a partial hydration mode, detect if we need to render down to\n // a given HydrateFallback while we load the rest of the hydration data\n let renderFallback = false;\n let fallbackIndex = -1;\n if (dataRouterState && future && future.v7_partialHydration) {\n for (let i = 0; i < renderedMatches.length; i++) {\n let match = renderedMatches[i];\n // Track the deepest fallback up until the first route without data\n if (match.route.HydrateFallback || match.route.hydrateFallbackElement) {\n fallbackIndex = i;\n }\n\n if (match.route.id) {\n let { loaderData, errors } = dataRouterState;\n let needsToRunLoader =\n match.route.loader &&\n loaderData[match.route.id] === undefined &&\n (!errors || errors[match.route.id] === undefined);\n if (match.route.lazy || needsToRunLoader) {\n // We found the first route that's not ready to render (waiting on\n // lazy, or has a loader that hasn't run yet). Flag that we need to\n // render a fallback and render up until the appropriate fallback\n renderFallback = true;\n if (fallbackIndex >= 0) {\n renderedMatches = renderedMatches.slice(0, fallbackIndex + 1);\n } else {\n renderedMatches = [renderedMatches[0]];\n }\n break;\n }\n }\n }\n }\n\n return renderedMatches.reduceRight((outlet, match, index) => {\n // Only data routers handle errors/fallbacks\n let error: any;\n let shouldRenderHydrateFallback = false;\n let errorElement: React.ReactNode | null = null;\n let hydrateFallbackElement: React.ReactNode | null = null;\n if (dataRouterState) {\n error = errors && match.route.id ? errors[match.route.id] : undefined;\n errorElement = match.route.errorElement || defaultErrorElement;\n\n if (renderFallback) {\n if (fallbackIndex < 0 && index === 0) {\n warningOnce(\n \"route-fallback\",\n false,\n \"No `HydrateFallback` element provided to render during initial hydration\"\n );\n shouldRenderHydrateFallback = true;\n hydrateFallbackElement = null;\n } else if (fallbackIndex === index) {\n shouldRenderHydrateFallback = true;\n hydrateFallbackElement = match.route.hydrateFallbackElement || null;\n }\n }\n }\n\n let matches = parentMatches.concat(renderedMatches.slice(0, index + 1));\n let getChildren = () => {\n let children: React.ReactNode;\n if (error) {\n children = errorElement;\n } else if (shouldRenderHydrateFallback) {\n children = hydrateFallbackElement;\n } else if (match.route.Component) {\n // Note: This is a de-optimized path since React won't re-use the\n // ReactElement since it's identity changes with each new\n // React.createElement call. We keep this so folks can use\n // `<Route Component={...}>` in `<Routes>` but generally `Component`\n // usage is only advised in `RouterProvider` when we can convert it to\n // `element` ahead of time.\n children = <match.route.Component />;\n } else if (match.route.element) {\n children = match.route.element;\n } else {\n children = outlet;\n }\n return (\n <RenderedRoute\n match={match}\n routeContext={{\n outlet,\n matches,\n isDataRoute: dataRouterState != null,\n }}\n children={children}\n />\n );\n };\n // Only wrap in an error boundary within data router usages when we have an\n // ErrorBoundary/errorElement on this route. Otherwise let it bubble up to\n // an ancestor ErrorBoundary/errorElement\n return dataRouterState &&\n (match.route.ErrorBoundary || match.route.errorElement || index === 0) ? (\n <RenderErrorBoundary\n location={dataRouterState.location}\n revalidation={dataRouterState.revalidation}\n component={errorElement}\n error={error}\n children={getChildren()}\n routeContext={{ outlet: null, matches, isDataRoute: true }}\n />\n ) : (\n getChildren()\n );\n }, null as React.ReactElement | null);\n}\n\nenum DataRouterHook {\n UseBlocker = \"useBlocker\",\n UseRevalidator = \"useRevalidator\",\n UseNavigateStable = \"useNavigate\",\n}\n\nenum DataRouterStateHook {\n UseBlocker = \"useBlocker\",\n UseLoaderData = \"useLoaderData\",\n UseActionData = \"useActionData\",\n UseRouteError = \"useRouteError\",\n UseNavigation = \"useNavigation\",\n UseRouteLoaderData = \"useRouteLoaderData\",\n UseMatches = \"useMatches\",\n UseRevalidator = \"useRevalidator\",\n UseNavigateStable = \"useNavigate\",\n UseRouteId = \"useRouteId\",\n}\n\nfunction getDataRouterConsoleError(\n hookName: DataRouterHook | DataRouterStateHook\n) {\n return `${hookName} must be used within a data router. See https://reactrouter.com/routers/picking-a-router.`;\n}\n\nfunction useDataRouterContext(hookName: DataRouterHook) {\n let ctx = React.useContext(DataRouterContext);\n invariant(ctx, getDataRouterConsoleError(hookName));\n return ctx;\n}\n\nfunction useDataRouterState(hookName: DataRouterStateHook) {\n let state = React.useContext(DataRouterStateContext);\n invariant(state, getDataRouterConsoleError(hookName));\n return state;\n}\n\nfunction useRouteContext(hookName: DataRouterStateHook) {\n let route = React.useContext(RouteContext);\n invariant(route, getDataRouterConsoleError(hookName));\n return route;\n}\n\n// Internal version with hookName-aware debugging\nfunction useCurrentRouteId(hookName: DataRouterStateHook) {\n let route = useRouteContext(hookName);\n let thisRoute = route.matches[route.matches.length - 1];\n invariant(\n thisRoute.route.id,\n `${hookName} can only be used on routes that contain a unique \"id\"`\n );\n return thisRoute.route.id;\n}\n\n/**\n * Returns the ID for the nearest contextual route\n */\nexport function useRouteId() {\n return useCurrentRouteId(DataRouterStateHook.UseRouteId);\n}\n\n/**\n * Returns the current navigation, defaulting to an \"idle\" navigation when\n * no navigation is in progress\n */\nexport function useNavigation() {\n let state = useDataRouterState(DataRouterStateHook.UseNavigation);\n return state.navigation;\n}\n\n/**\n * Returns a revalidate function for manually triggering revalidation, as well\n * as the current state of any manual revalidations\n */\nexport function useRevalidator() {\n let dataRouterContext = useDataRouterContext(DataRouterHook.UseRevalidator);\n let state = useDataRouterState(DataRouterStateHook.UseRevalidator);\n return React.useMemo(\n () => ({\n revalidate: dataRouterContext.router.revalidate,\n state: state.revalidation,\n }),\n [dataRouterContext.router.revalidate, state.revalidation]\n );\n}\n\n/**\n * Returns the active route matches, useful for accessing loaderData for\n * parent/child routes or the route \"handle\" property\n */\nexport function useMatches(): UIMatch[] {\n let { matches, loaderData } = useDataRouterState(\n DataRouterStateHook.UseMatches\n );\n return React.useMemo(\n () => matches.map((m) => convertRouteMatchToUiMatch(m, loaderData)),\n [matches, loaderData]\n );\n}\n\n/**\n * Returns the loader data for the nearest ancestor Route loader\n */\nexport function useLoaderData(): unknown {\n let state = useDataRouterState(DataRouterStateHook.UseLoaderData);\n let routeId = useCurrentRouteId(DataRouterStateHook.UseLoaderData);\n\n if (state.errors && state.errors[routeId] != null) {\n console.error(\n `You cannot \\`useLoaderData\\` in an errorElement (routeId: ${routeId})`\n );\n return undefined;\n }\n return state.loaderData[routeId];\n}\n\n/**\n * Returns the loaderData for the given routeId\n */\nexport function useRouteLoaderData(routeId: string): unknown {\n let state = useDataRouterState(DataRouterStateHook.UseRouteLoaderData);\n return state.loaderData[routeId];\n}\n\n/**\n * Returns the action data for the nearest ancestor Route action\n */\nexport function useActionData(): unknown {\n let state = useDataRouterState(DataRouterStateHook.UseActionData);\n let routeId = useCurrentRouteId(DataRouterStateHook.UseLoaderData);\n return state.actionData ? state.actionData[routeId] : undefined;\n}\n\n/**\n * Returns the nearest ancestor Route error, which could be a loader/action\n * error or a render error. This is intended to be called from your\n * ErrorBoundary/errorElement to display a proper error message.\n */\nexport function useRouteError(): unknown {\n let error = React.useContext(RouteErrorContext);\n let state = useDataRouterState(DataRouterStateHook.UseRouteError);\n let routeId = useCurrentRouteId(DataRouterStateHook.UseRouteError);\n\n // If this was a render error, we put it in a RouteError context inside\n // of RenderErrorBoundary\n if (error !== undefined) {\n return error;\n }\n\n // Otherwise look for errors from our data router state\n return state.errors?.[routeId];\n}\n\n/**\n * Returns the happy-path data from the nearest ancestor `<Await />` value\n */\nexport function useAsyncValue(): unknown {\n let value = React.useContext(AwaitContext);\n return value?._data;\n}\n\n/**\n * Returns the error from the nearest ancestor `<Await />` value\n */\nexport function useAsyncError(): unknown {\n let value = React.useContext(AwaitContext);\n return value?._error;\n}\n\nlet blockerId = 0;\n\n/**\n * Allow the application to block navigations within the SPA and present the\n * user a confirmation dialog to confirm the navigation. Mostly used to avoid\n * using half-filled form data. This does not handle hard-reloads or\n * cross-origin navigations.\n */\nexport function useBlocker(shouldBlock: boolean | BlockerFunction): Blocker {\n let { router, basename } = useDataRouterContext(DataRouterHook.UseBlocker);\n let state = useDataRouterState(DataRouterStateHook.UseBlocker);\n\n let [blockerKey, setBlockerKey] = React.useState(\"\");\n let blockerFunction = React.useCallback<BlockerFunction>(\n (arg) => {\n if (typeof shouldBlock !== \"function\") {\n return !!shouldBlock;\n }\n if (basename === \"/\") {\n return shouldBlock(arg);\n }\n\n // If they provided us a function and we've got an active basename, strip\n // it from the locations we expose to the user to match the behavior of\n // useLocation\n let { currentLocation, nextLocation, historyAction } = arg;\n return shouldBlock({\n currentLocation: {\n ...currentLocation,\n pathname:\n stripBasename(currentLocation.pathname, basename) ||\n currentLocation.pathname,\n },\n nextLocation: {\n ...nextLocation,\n pathname:\n stripBasename(nextLocation.pathname, basename) ||\n nextLocation.pathname,\n },\n historyAction,\n });\n },\n [basename, shouldBlock]\n );\n\n // This effect is in charge of blocker key assignment and deletion (which is\n // tightly coupled to the key)\n React.useEffect(() => {\n let key = String(++blockerId);\n setBlockerKey(key);\n return () => router.deleteBlocker(key);\n }, [router]);\n\n // This effect handles assigning the blockerFunction. This is to handle\n // unstable blocker function identities, and happens only after the prior\n // effect so we don't get an orphaned blockerFunction in the router with a\n // key of \"\". Until then we just have the IDLE_BLOCKER.\n React.useEffect(() => {\n if (blockerKey !== \"\") {\n router.getBlocker(blockerKey, blockerFunction);\n }\n }, [router, blockerKey, blockerFunction]);\n\n // Prefer the blocker from `state` not `router.state` since DataRouterContext\n // is memoized so this ensures we update on blocker state updates\n return blockerKey && state.blockers.has(blockerKey)\n ? state.blockers.get(blockerKey)!\n : IDLE_BLOCKER;\n}\n\n/**\n * Stable version of useNavigate that is used when we are in the context of\n * a RouterProvider.\n */\nfunction useNavigateStable(): NavigateFunction {\n let { router } = useDataRouterContext(DataRouterHook.UseNavigateStable);\n let id = useCurrentRouteId(DataRouterStateHook.UseNavigateStable);\n\n let activeRef = React.useRef(false);\n useIsomorphicLayoutEffect(() => {\n activeRef.current = true;\n });\n\n let navigate: NavigateFunction = React.useCallback(\n (to: To | number, options: NavigateOptions = {}) => {\n warning(activeRef.current, navigateEffectWarning);\n\n // Short circuit here since if this happens on first render the navigate\n // is useless because we haven't wired up our router subscriber yet\n if (!activeRef.current) return;\n\n if (typeof to === \"number\") {\n router.navigate(to);\n } else {\n router.navigate(to, { fromRouteId: id, ...options });\n }\n },\n [router, id]\n );\n\n return navigate;\n}\n\nconst alreadyWarned: Record<string, boolean> = {};\n\nfunction warningOnce(key: string, cond: boolean, message: string) {\n if (!cond && !alreadyWarned[key]) {\n alreadyWarned[key] = true;\n warning(false, message);\n }\n}\n", "import type {\n InitialEntry,\n LazyRouteFunction,\n Location,\n MemoryHistory,\n RelativeRoutingType,\n Router as RemixRouter,\n RouterState,\n RouterSubscriber,\n To,\n TrackedPromise,\n} from \"@remix-run/router\";\nimport {\n AbortedDeferredError,\n Action as NavigationType,\n createMemoryHistory,\n UNSAFE_getResolveToMatches as getResolveToMatches,\n UNSAFE_invariant as invariant,\n parsePath,\n resolveTo,\n stripBasename,\n UNSAFE_warning as warning,\n} from \"@remix-run/router\";\nimport * as React from \"react\";\n\nimport type {\n DataRouteObject,\n IndexRouteObject,\n Navigator,\n NonIndexRouteObject,\n RouteMatch,\n RouteObject,\n} from \"./context\";\nimport {\n AwaitContext,\n DataRouterContext,\n DataRouterStateContext,\n LocationContext,\n NavigationContext,\n RouteContext,\n} from \"./context\";\nimport {\n _renderMatches,\n useAsyncValue,\n useInRouterContext,\n useLocation,\n useNavigate,\n useOutlet,\n useRoutes,\n useRoutesImpl,\n} from \"./hooks\";\n\nexport interface FutureConfig {\n v7_relativeSplatPath: boolean;\n v7_startTransition: boolean;\n}\n\nexport interface RouterProviderProps {\n fallbackElement?: React.ReactNode;\n router: RemixRouter;\n // Only accept future flags relevant to rendering behavior\n // routing flags should be accessed via router.future\n future?: Partial<Pick<FutureConfig, \"v7_startTransition\">>;\n}\n\n/**\n Webpack + React 17 fails to compile on any of the following because webpack\n complains that `startTransition` doesn't exist in `React`:\n * import { startTransition } from \"react\"\n * import * as React from from \"react\";\n \"startTransition\" in React ? React.startTransition(() => setState()) : setState()\n * import * as React from from \"react\";\n \"startTransition\" in React ? React[\"startTransition\"](() => setState()) : setState()\n\n Moving it to a constant such as the following solves the Webpack/React 17 issue:\n * import * as React from from \"react\";\n const START_TRANSITION = \"startTransition\";\n START_TRANSITION in React ? React[START_TRANSITION](() => setState()) : setState()\n\n However, that introduces webpack/terser minification issues in production builds\n in React 18 where minification/obfuscation ends up removing the call of\n React.startTransition entirely from the first half of the ternary. Grabbing\n this exported reference once up front resolves that issue.\n\n See https://github.com/remix-run/react-router/issues/10579\n*/\nconst START_TRANSITION = \"startTransition\";\nconst startTransitionImpl = React[START_TRANSITION];\n\n/**\n * Given a Remix Router instance, render the appropriate UI\n */\nexport function RouterProvider({\n fallbackElement,\n router,\n future,\n}: RouterProviderProps): React.ReactElement {\n let [state, setStateImpl] = React.useState(router.state);\n let { v7_startTransition } = future || {};\n\n let setState = React.useCallback<RouterSubscriber>(\n (newState: RouterState) => {\n if (v7_startTransition && startTransitionImpl) {\n startTransitionImpl(() => setStateImpl(newState));\n } else {\n setStateImpl(newState);\n }\n },\n [setStateImpl, v7_startTransition]\n );\n\n // Need to use a layout effect here so we are subscribed early enough to\n // pick up on any render-driven redirects/navigations (useEffect/<Navigate>)\n React.useLayoutEffect(() => router.subscribe(setState), [router, setState]);\n\n React.useEffect(() => {\n warning(\n fallbackElement == null || !router.future.v7_partialHydration,\n \"`<RouterProvider fallbackElement>` is deprecated when using \" +\n \"`v7_partialHydration`, use a `HydrateFallback` component instead\"\n );\n // Only log this once on initial mount\n // eslint-disable-next-line react-hooks/exhaustive-deps\n }, []);\n\n let navigator = React.useMemo((): Navigator => {\n return {\n createHref: router.createHref,\n encodeLocation: router.encodeLocation,\n go: (n) => router.navigate(n),\n push: (to, state, opts) =>\n router.navigate(to, {\n state,\n preventScrollReset: opts?.preventScrollReset,\n }),\n replace: (to, state, opts) =>\n router.navigate(to, {\n replace: true,\n state,\n preventScrollReset: opts?.preventScrollReset,\n }),\n };\n }, [router]);\n\n let basename = router.basename || \"/\";\n\n let dataRouterContext = React.useMemo(\n () => ({\n router,\n navigator,\n static: false,\n basename,\n }),\n [router, navigator, basename]\n );\n\n // The fragment and {null} here are important! We need them to keep React 18's\n // useId happy when we are server-rendering since we may have a <script> here\n // containing the hydrated server-side staticContext (from StaticRouterProvider).\n // useId relies on the component tree structure to generate deterministic id's\n // so we need to ensure it remains the same on the client even though\n // we don't need the <script> tag\n return (\n <>\n <DataRouterContext.Provider value={dataRouterContext}>\n <DataRouterStateContext.Provider value={state}>\n <Router\n basename={basename}\n location={state.location}\n navigationType={state.historyAction}\n navigator={navigator}\n future={{\n v7_relativeSplatPath: router.future.v7_relativeSplatPath,\n }}\n >\n {state.initialized || router.future.v7_partialHydration ? (\n <DataRoutes\n routes={router.routes}\n future={router.future}\n state={state}\n />\n ) : (\n fallbackElement\n )}\n </Router>\n </DataRouterStateContext.Provider>\n </DataRouterContext.Provider>\n {null}\n </>\n );\n}\n\nfunction DataRoutes({\n routes,\n future,\n state,\n}: {\n routes: DataRouteObject[];\n future: RemixRouter[\"future\"];\n state: RouterState;\n}): React.ReactElement | null {\n return useRoutesImpl(routes, undefined, state, future);\n}\n\nexport interface MemoryRouterProps {\n basename?: string;\n children?: React.ReactNode;\n initialEntries?: InitialEntry[];\n initialIndex?: number;\n future?: Partial<FutureConfig>;\n}\n\n/**\n * A `<Router>` that stores all entries in memory.\n *\n * @see https://reactrouter.com/router-components/memory-router\n */\nexport function MemoryRouter({\n basename,\n children,\n initialEntries,\n initialIndex,\n future,\n}: MemoryRouterProps): React.ReactElement {\n let historyRef = React.useRef<MemoryHistory>();\n if (historyRef.current == null) {\n historyRef.current = createMemoryHistory({\n initialEntries,\n initialIndex,\n v5Compat: true,\n });\n }\n\n let history = historyRef.current;\n let [state, setStateImpl] = React.useState({\n action: history.action,\n location: history.location,\n });\n let { v7_startTransition } = future || {};\n let setState = React.useCallback(\n (newState: { action: NavigationType; location: Location }) => {\n v7_startTransition && startTransitionImpl\n ? startTransitionImpl(() => setStateImpl(newState))\n : setStateImpl(newState);\n },\n [setStateImpl, v7_startTransition]\n );\n\n React.useLayoutEffect(() => history.listen(setState), [history, setState]);\n\n return (\n <Router\n basename={basename}\n children={children}\n location={state.location}\n navigationType={state.action}\n navigator={history}\n future={future}\n />\n );\n}\n\nexport interface NavigateProps {\n to: To;\n replace?: boolean;\n state?: any;\n relative?: RelativeRoutingType;\n}\n\n/**\n * Changes the current location.\n *\n * Note: This API is mostly useful in React.Component subclasses that are not\n * able to use hooks. In functional components, we recommend you use the\n * `useNavigate` hook instead.\n *\n * @see https://reactrouter.com/components/navigate\n */\nexport function Navigate({\n to,\n replace,\n state,\n relative,\n}: NavigateProps): null {\n invariant(\n useInRouterContext(),\n // TODO: This error is probably because they somehow have 2 versions of\n // the router loaded. We can help them understand how to avoid that.\n `<Navigate> may be used only in the context of a <Router> component.`\n );\n\n let { future, static: isStatic } = React.useContext(NavigationContext);\n\n warning(\n !isStatic,\n `<Navigate> must not be used on the initial render in a <StaticRouter>. ` +\n `This is a no-op, but you should modify your code so the <Navigate> is ` +\n `only ever rendered in response to some user interaction or state change.`\n );\n\n let { matches } = React.useContext(RouteContext);\n let { pathname: locationPathname } = useLocation();\n let navigate = useNavigate();\n\n // Resolve the path outside of the effect so that when effects run twice in\n // StrictMode they navigate to the same place\n let path = resolveTo(\n to,\n getResolveToMatches(matches, future.v7_relativeSplatPath),\n locationPathname,\n relative === \"path\"\n );\n let jsonPath = JSON.stringify(path);\n\n React.useEffect(\n () => navigate(JSON.parse(jsonPath), { replace, state, relative }),\n [navigate, jsonPath, relative, replace, state]\n );\n\n return null;\n}\n\nexport interface OutletProps {\n context?: unknown;\n}\n\n/**\n * Renders the child route's element, if there is one.\n *\n * @see https://reactrouter.com/components/outlet\n */\nexport function Outlet(props: OutletProps): React.ReactElement | null {\n return useOutlet(props.context);\n}\n\nexport interface PathRouteProps {\n caseSensitive?: NonIndexRouteObject[\"caseSensitive\"];\n path?: NonIndexRouteObject[\"path\"];\n id?: NonIndexRouteObject[\"id\"];\n lazy?: LazyRouteFunction<NonIndexRouteObject>;\n loader?: NonIndexRouteObject[\"loader\"];\n action?: NonIndexRouteObject[\"action\"];\n hasErrorBoundary?: NonIndexRouteObject[\"hasErrorBoundary\"];\n shouldRevalidate?: NonIndexRouteObject[\"shouldRevalidate\"];\n handle?: NonIndexRouteObject[\"handle\"];\n index?: false;\n children?: React.ReactNode;\n element?: React.ReactNode | null;\n hydrateFallbackElement?: React.ReactNode | null;\n errorElement?: React.ReactNode | null;\n Component?: React.ComponentType | null;\n HydrateFallback?: React.ComponentType | null;\n ErrorBoundary?: React.ComponentType | null;\n}\n\nexport interface LayoutRouteProps extends PathRouteProps {}\n\nexport interface IndexRouteProps {\n caseSensitive?: IndexRouteObject[\"caseSensitive\"];\n path?: IndexRouteObject[\"path\"];\n id?: IndexRouteObject[\"id\"];\n lazy?: LazyRouteFunction<IndexRouteObject>;\n loader?: IndexRouteObject[\"loader\"];\n action?: IndexRouteObject[\"action\"];\n hasErrorBoundary?: IndexRouteObject[\"hasErrorBoundary\"];\n shouldRevalidate?: IndexRouteObject[\"shouldRevalidate\"];\n handle?: IndexRouteObject[\"handle\"];\n index: true;\n children?: undefined;\n element?: React.ReactNode | null;\n hydrateFallbackElement?: React.ReactNode | null;\n errorElement?: React.ReactNode | null;\n Component?: React.ComponentType | null;\n HydrateFallback?: React.ComponentType | null;\n ErrorBoundary?: React.ComponentType | null;\n}\n\nexport type RouteProps = PathRouteProps | LayoutRouteProps | IndexRouteProps;\n\n/**\n * Declares an element that should be rendered at a certain URL path.\n *\n * @see https://reactrouter.com/components/route\n */\nexport function Route(_props: RouteProps): React.ReactElement | null {\n invariant(\n false,\n `A <Route> is only ever to be used as the child of <Routes> element, ` +\n `never rendered directly. Please wrap your <Route> in a <Routes>.`\n );\n}\n\nexport interface RouterProps {\n basename?: string;\n children?: React.ReactNode;\n location: Partial<Location> | string;\n navigationType?: NavigationType;\n navigator: Navigator;\n static?: boolean;\n future?: Partial<Pick<FutureConfig, \"v7_relativeSplatPath\">>;\n}\n\n/**\n * Provides location context for the rest of the app.\n *\n * Note: You usually won't render a `<Router>` directly. Instead, you'll render a\n * router that is more specific to your environment such as a `<BrowserRouter>`\n * in web browsers or a `<StaticRouter>` for server rendering.\n *\n * @see https://reactrouter.com/router-components/router\n */\nexport function Router({\n basename: basenameProp = \"/\",\n children = null,\n location: locationProp,\n navigationType = NavigationType.Pop,\n navigator,\n static: staticProp = false,\n future,\n}: RouterProps): React.ReactElement | null {\n invariant(\n !useInRouterContext(),\n `You cannot render a <Router> inside another <Router>.` +\n ` You should never have more than one in your app.`\n );\n\n // Preserve trailing slashes on basename, so we can let the user control\n // the enforcement of trailing slashes throughout the app\n let basename = basenameProp.replace(/^\\/*/, \"/\");\n let navigationContext = React.useMemo(\n () => ({\n basename,\n navigator,\n static: staticProp,\n future: {\n v7_relativeSplatPath: false,\n ...future,\n },\n }),\n [basename, future, navigator, staticProp]\n );\n\n if (typeof locationProp === \"string\") {\n locationProp = parsePath(locationProp);\n }\n\n let {\n pathname = \"/\",\n search = \"\",\n hash = \"\",\n state = null,\n key = \"default\",\n } = locationProp;\n\n let locationContext = React.useMemo(() => {\n let trailingPathname = stripBasename(pathname, basename);\n\n if (trailingPathname == null) {\n return null;\n }\n\n return {\n location: {\n pathname: trailingPathname,\n search,\n hash,\n state,\n key,\n },\n navigationType,\n };\n }, [basename, pathname, search, hash, state, key, navigationType]);\n\n warning(\n locationContext != null,\n `<Router basename=\"${basename}\"> is not able to match the URL ` +\n `\"${pathname}${search}${hash}\" because it does not start with the ` +\n `basename, so the <Router> won't render anything.`\n );\n\n if (locationContext == null) {\n return null;\n }\n\n return (\n <NavigationContext.Provider value={navigationContext}>\n <LocationContext.Provider children={children} value={locationContext} />\n </NavigationContext.Provider>\n );\n}\n\nexport interface RoutesProps {\n children?: React.ReactNode;\n location?: Partial<Location> | string;\n}\n\n/**\n * A container for a nested tree of `<Route>` elements that renders the branch\n * that best matches the current location.\n *\n * @see https://reactrouter.com/components/routes\n */\nexport function Routes({\n children,\n location,\n}: RoutesProps): React.ReactElement | null {\n return useRoutes(createRoutesFromChildren(children), location);\n}\n\nexport interface AwaitResolveRenderFunction {\n (data: Awaited<any>): React.ReactNode;\n}\n\nexport interface AwaitProps {\n children: React.ReactNode | AwaitResolveRenderFunction;\n errorElement?: React.ReactNode;\n resolve: TrackedPromise | any;\n}\n\n/**\n * Component to use for rendering lazily loaded data from returning defer()\n * in a loader function\n */\nexport function Await({ children, errorElement, resolve }: AwaitProps) {\n return (\n <AwaitErrorBoundary resolve={resolve} errorElement={errorElement}>\n <ResolveAwait>{children}</ResolveAwait>\n </AwaitErrorBoundary>\n );\n}\n\ntype AwaitErrorBoundaryProps = React.PropsWithChildren<{\n errorElement?: React.ReactNode;\n resolve: TrackedPromise | any;\n}>;\n\ntype AwaitErrorBoundaryState = {\n error: any;\n};\n\nenum AwaitRenderStatus {\n pending,\n success,\n error,\n}\n\nconst neverSettledPromise = new Promise(() => {});\n\nclass AwaitErrorBoundary extends React.Component<\n AwaitErrorBoundaryProps,\n AwaitErrorBoundaryState\n> {\n constructor(props: AwaitErrorBoundaryProps) {\n super(props);\n this.state = { error: null };\n }\n\n static getDerivedStateFromError(error: any) {\n return { error };\n }\n\n componentDidCatch(error: any, errorInfo: any) {\n console.error(\n \"<Await> caught the following error during render\",\n error,\n errorInfo\n );\n }\n\n render() {\n let { children, errorElement, resolve } = this.props;\n\n let promise: TrackedPromise | null = null;\n let status: AwaitRenderStatus = AwaitRenderStatus.pending;\n\n if (!(resolve instanceof Promise)) {\n // Didn't get a promise - provide as a resolved promise\n status = AwaitRenderStatus.success;\n promise = Promise.resolve();\n Object.defineProperty(promise, \"_tracked\", { get: () => true });\n Object.defineProperty(promise, \"_data\", { get: () => resolve });\n } else if (this.state.error) {\n // Caught a render error, provide it as a rejected promise\n status = AwaitRenderStatus.error;\n let renderError = this.state.error;\n promise = Promise.reject().catch(() => {}); // Avoid unhandled rejection warnings\n Object.defineProperty(promise, \"_tracked\", { get: () => true });\n Object.defineProperty(promise, \"_error\", { get: () => renderError });\n } else if ((resolve as TrackedPromise)._tracked) {\n // Already tracked promise - check contents\n promise = resolve;\n status =\n \"_error\" in promise\n ? AwaitRenderStatus.error\n : \"_data\" in promise\n ? AwaitRenderStatus.success\n : AwaitRenderStatus.pending;\n } else {\n // Raw (untracked) promise - track it\n status = AwaitRenderStatus.pending;\n Object.defineProperty(resolve, \"_tracked\", { get: () => true });\n promise = resolve.then(\n (data: any) =>\n Object.defineProperty(resolve, \"_data\", { get: () => data }),\n (error: any) =>\n Object.defineProperty(resolve, \"_error\", { get: () => error })\n );\n }\n\n if (\n status === AwaitRenderStatus.error &&\n promise._error instanceof AbortedDeferredError\n ) {\n // Freeze the UI by throwing a never resolved promise\n throw neverSettledPromise;\n }\n\n if (status === AwaitRenderStatus.error && !errorElement) {\n // No errorElement, throw to the nearest route-level error boundary\n throw promise._error;\n }\n\n if (status === AwaitRenderStatus.error) {\n // Render via our errorElement\n return <AwaitContext.Provider value={promise} children={errorElement} />;\n }\n\n if (status === AwaitRenderStatus.success) {\n // Render children with resolved value\n return <AwaitContext.Provider value={promise} children={children} />;\n }\n\n // Throw to the suspense boundary\n throw promise;\n }\n}\n\n/**\n * @private\n * Indirection to leverage useAsyncValue for a render-prop API on `<Await>`\n */\nfunction ResolveAwait({\n children,\n}: {\n children: React.ReactNode | AwaitResolveRenderFunction;\n}) {\n let data = useAsyncValue();\n let toRender = typeof children === \"function\" ? children(data) : children;\n return <>{toRender}</>;\n}\n\n///////////////////////////////////////////////////////////////////////////////\n// UTILS\n///////////////////////////////////////////////////////////////////////////////\n\n/**\n * Creates a route config from a React \"children\" object, which is usually\n * either a `<Route>` element or an array of them. Used internally by\n * `<Routes>` to create a route config from its children.\n *\n * @see https://reactrouter.com/utils/create-routes-from-children\n */\nexport function createRoutesFromChildren(\n children: React.ReactNode,\n parentPath: number[] = []\n): RouteObject[] {\n let routes: RouteObject[] = [];\n\n React.Children.forEach(children, (element, index) => {\n if (!React.isValidElement(element)) {\n // Ignore non-elements. This allows people to more easily inline\n // conditionals in their route config.\n return;\n }\n\n let treePath = [...parentPath, index];\n\n if (element.type === React.Fragment) {\n // Transparently support React.Fragment and its children.\n routes.push.apply(\n routes,\n createRoutesFromChildren(element.props.children, treePath)\n );\n return;\n }\n\n invariant(\n element.type === Route,\n `[${\n typeof element.type === \"string\" ? element.type : element.type.name\n }] is not a <Route> component. All component children of <Routes> must be a <Route> or <React.Fragment>`\n );\n\n invariant(\n !element.props.index || !element.props.children,\n \"An index route cannot have child routes.\"\n );\n\n let route: RouteObject = {\n id: element.props.id || treePath.join(\"-\"),\n caseSensitive: element.props.caseSensitive,\n element: element.props.element,\n Component: element.props.Component,\n index: element.props.index,\n path: element.props.path,\n loader: element.props.loader,\n action: element.props.action,\n errorElement: element.props.errorElement,\n ErrorBoundary: element.props.ErrorBoundary,\n hasErrorBoundary:\n element.props.ErrorBoundary != null ||\n element.props.errorElement != null,\n shouldRevalidate: element.props.shouldRevalidate,\n handle: element.props.handle,\n lazy: element.props.lazy,\n };\n\n if (element.props.children) {\n route.children = createRoutesFromChildren(\n element.props.children,\n treePath\n );\n }\n\n routes.push(route);\n });\n\n return routes;\n}\n\n/**\n * Renders the result of `matchRoutes()` into a React element.\n */\nexport function renderMatches(\n matches: RouteMatch[] | null\n): React.ReactElement | null {\n return _renderMatches(matches);\n}\n", "import * as React from \"react\";\nimport type {\n ActionFunction,\n ActionFunctionArgs,\n Blocker,\n BlockerFunction,\n unstable_DataStrategyFunction,\n unstable_DataStrategyFunctionArgs,\n unstable_DataStrategyMatch,\n ErrorResponse,\n Fetcher,\n HydrationState,\n InitialEntry,\n JsonFunction,\n LazyRouteFunction,\n LoaderFunction,\n LoaderFunctionArgs,\n Location,\n Navigation,\n ParamParseKey,\n Params,\n Path,\n PathMatch,\n PathParam,\n PathPattern,\n RedirectFunction,\n RelativeRoutingType,\n Router as RemixRouter,\n FutureConfig as RouterFutureConfig,\n ShouldRevalidateFunction,\n ShouldRevalidateFunctionArgs,\n To,\n UIMatch,\n unstable_HandlerResult,\n unstable_AgnosticPatchRoutesOnMissFunction,\n} from \"@remix-run/router\";\nimport {\n AbortedDeferredError,\n Action as NavigationType,\n createMemoryHistory,\n createPath,\n createRouter,\n defer,\n generatePath,\n isRouteErrorResponse,\n json,\n matchPath,\n matchRoutes,\n parsePath,\n redirect,\n redirectDocument,\n replace,\n resolvePath,\n UNSAFE_warning as warning,\n} from \"@remix-run/router\";\n\nimport type {\n AwaitProps,\n FutureConfig,\n IndexRouteProps,\n LayoutRouteProps,\n MemoryRouterProps,\n NavigateProps,\n OutletProps,\n PathRouteProps,\n RouteProps,\n RouterProps,\n RouterProviderProps,\n RoutesProps,\n} from \"./lib/components\";\nimport {\n Await,\n MemoryRouter,\n Navigate,\n Outlet,\n Route,\n Router,\n RouterProvider,\n Routes,\n createRoutesFromChildren,\n renderMatches,\n} from \"./lib/components\";\nimport type {\n DataRouteMatch,\n DataRouteObject,\n IndexRouteObject,\n NavigateOptions,\n Navigator,\n NonIndexRouteObject,\n RouteMatch,\n RouteObject,\n} from \"./lib/context\";\nimport {\n DataRouterContext,\n DataRouterStateContext,\n LocationContext,\n NavigationContext,\n RouteContext,\n} from \"./lib/context\";\nimport type { NavigateFunction } from \"./lib/hooks\";\nimport {\n useActionData,\n useAsyncError,\n useAsyncValue,\n useBlocker,\n useHref,\n useInRouterContext,\n useLoaderData,\n useLocation,\n useMatch,\n useMatches,\n useNavigate,\n useNavigation,\n useNavigationType,\n useOutlet,\n useOutletContext,\n useParams,\n useResolvedPath,\n useRevalidator,\n useRouteError,\n useRouteId,\n useRouteLoaderData,\n useRoutes,\n useRoutesImpl,\n} from \"./lib/hooks\";\n\n// Exported for backwards compatibility, but not being used internally anymore\ntype Hash = string;\ntype Pathname = string;\ntype Search = string;\n\n// Expose react-router public API\nexport type {\n ActionFunction,\n ActionFunctionArgs,\n AwaitProps,\n DataRouteMatch,\n DataRouteObject,\n unstable_DataStrategyFunction,\n unstable_DataStrategyFunctionArgs,\n unstable_DataStrategyMatch,\n ErrorResponse,\n Fetcher,\n FutureConfig,\n Hash,\n IndexRouteObject,\n IndexRouteProps,\n JsonFunction,\n LayoutRouteProps,\n LazyRouteFunction,\n LoaderFunction,\n LoaderFunctionArgs,\n Location,\n MemoryRouterProps,\n NavigateFunction,\n NavigateOptions,\n NavigateProps,\n Navigation,\n Navigator,\n NonIndexRouteObject,\n OutletProps,\n ParamParseKey,\n Params,\n Path,\n PathMatch,\n PathParam,\n PathPattern,\n PathRouteProps,\n Pathname,\n RedirectFunction,\n RelativeRoutingType,\n RouteMatch,\n RouteObject,\n RouteProps,\n RouterProps,\n RouterProviderProps,\n RoutesProps,\n Search,\n ShouldRevalidateFunction,\n ShouldRevalidateFunctionArgs,\n To,\n UIMatch,\n Blocker,\n BlockerFunction,\n unstable_HandlerResult,\n};\nexport {\n AbortedDeferredError,\n Await,\n MemoryRouter,\n Navigate,\n NavigationType,\n Outlet,\n Route,\n Router,\n RouterProvider,\n Routes,\n createPath,\n createRoutesFromChildren,\n createRoutesFromChildren as createRoutesFromElements,\n defer,\n generatePath,\n isRouteErrorResponse,\n json,\n matchPath,\n matchRoutes,\n parsePath,\n redirect,\n redirectDocument,\n replace,\n renderMatches,\n resolvePath,\n useBlocker,\n useActionData,\n useAsyncError,\n useAsyncValue,\n useHref,\n useInRouterContext,\n useLoaderData,\n useLocation,\n useMatch,\n useMatches,\n useNavigate,\n useNavigation,\n useNavigationType,\n useOutlet,\n useOutletContext,\n useParams,\n useResolvedPath,\n useRevalidator,\n useRouteError,\n useRouteLoaderData,\n useRoutes,\n};\n\nfunction mapRouteProperties(route: RouteObject) {\n let updates: Partial<RouteObject> & { hasErrorBoundary: boolean } = {\n // Note: this check also occurs in createRoutesFromChildren so update\n // there if you change this -- please and thank you!\n hasErrorBoundary: route.ErrorBoundary != null || route.errorElement != null,\n };\n\n if (route.Component) {\n if (__DEV__) {\n if (route.element) {\n warning(\n false,\n \"You should not include both `Component` and `element` on your route - \" +\n \"`Component` will be used.\"\n );\n }\n }\n Object.assign(updates, {\n element: React.createElement(route.Component),\n Component: undefined,\n });\n }\n\n if (route.HydrateFallback) {\n if (__DEV__) {\n if (route.hydrateFallbackElement) {\n warning(\n false,\n \"You should not include both `HydrateFallback` and `hydrateFallbackElement` on your route - \" +\n \"`HydrateFallback` will be used.\"\n );\n }\n }\n Object.assign(updates, {\n hydrateFallbackElement: React.createElement(route.HydrateFallback),\n HydrateFallback: undefined,\n });\n }\n\n if (route.ErrorBoundary) {\n if (__DEV__) {\n if (route.errorElement) {\n warning(\n false,\n \"You should not include both `ErrorBoundary` and `errorElement` on your route - \" +\n \"`ErrorBoundary` will be used.\"\n );\n }\n }\n Object.assign(updates, {\n errorElement: React.createElement(route.ErrorBoundary),\n ErrorBoundary: undefined,\n });\n }\n\n return updates;\n}\n\nexport interface unstable_PatchRoutesOnMissFunction\n extends unstable_AgnosticPatchRoutesOnMissFunction<RouteMatch> {}\n\nexport function createMemoryRouter(\n routes: RouteObject[],\n opts?: {\n basename?: string;\n future?: Partial<Omit<RouterFutureConfig, \"v7_prependBasename\">>;\n hydrationData?: HydrationState;\n initialEntries?: InitialEntry[];\n initialIndex?: number;\n unstable_dataStrategy?: unstable_DataStrategyFunction;\n unstable_patchRoutesOnMiss?: unstable_PatchRoutesOnMissFunction;\n }\n): RemixRouter {\n return createRouter({\n basename: opts?.basename,\n future: {\n ...opts?.future,\n v7_prependBasename: true,\n },\n history: createMemoryHistory({\n initialEntries: opts?.initialEntries,\n initialIndex: opts?.initialIndex,\n }),\n hydrationData: opts?.hydrationData,\n routes,\n mapRouteProperties,\n unstable_dataStrategy: opts?.unstable_dataStrategy,\n unstable_patchRoutesOnMiss: opts?.unstable_patchRoutesOnMiss,\n }).initialize();\n}\n\n///////////////////////////////////////////////////////////////////////////////\n// DANGER! PLEASE READ ME!\n// We provide these exports as an escape hatch in the event that you need any\n// routing data that we don't provide an explicit API for. With that said, we\n// want to cover your use case if we can, so if you feel the need to use these\n// we want to hear from you. Let us know what you're building and we'll do our\n// best to make sure we can support you!\n//\n// We consider these exports an implementation detail and do not guarantee\n// against any breaking changes, regardless of the semver release. Use with\n// extreme caution and only if you understand the consequences. Godspeed.\n///////////////////////////////////////////////////////////////////////////////\n\n/** @internal */\nexport {\n DataRouterContext as UNSAFE_DataRouterContext,\n DataRouterStateContext as UNSAFE_DataRouterStateContext,\n LocationContext as UNSAFE_LocationContext,\n NavigationContext as UNSAFE_NavigationContext,\n RouteContext as UNSAFE_RouteContext,\n mapRouteProperties as UNSAFE_mapRouteProperties,\n useRouteId as UNSAFE_useRouteId,\n useRoutesImpl as UNSAFE_useRoutesImpl,\n};\n", "import type {\n FormEncType,\n HTMLFormMethod,\n RelativeRoutingType,\n} from \"@remix-run/router\";\nimport { stripBasename, UNSAFE_warning as warning } from \"@remix-run/router\";\n\nexport const defaultMethod: HTMLFormMethod = \"get\";\nconst defaultEncType: FormEncType = \"application/x-www-form-urlencoded\";\n\nexport function isHtmlElement(object: any): object is HTMLElement {\n return object != null && typeof object.tagName === \"string\";\n}\n\nexport function isButtonElement(object: any): object is HTMLButtonElement {\n return isHtmlElement(object) && object.tagName.toLowerCase() === \"button\";\n}\n\nexport function isFormElement(object: any): object is HTMLFormElement {\n return isHtmlElement(object) && object.tagName.toLowerCase() === \"form\";\n}\n\nexport function isInputElement(object: any): object is HTMLInputElement {\n return isHtmlElement(object) && object.tagName.toLowerCase() === \"input\";\n}\n\ntype LimitedMouseEvent = Pick<\n MouseEvent,\n \"button\" | \"metaKey\" | \"altKey\" | \"ctrlKey\" | \"shiftKey\"\n>;\n\nfunction isModifiedEvent(event: LimitedMouseEvent) {\n return !!(event.metaKey || event.altKey || event.ctrlKey || event.shiftKey);\n}\n\nexport function shouldProcessLinkClick(\n event: LimitedMouseEvent,\n target?: string\n) {\n return (\n event.button === 0 && // Ignore everything but left clicks\n (!target || target === \"_self\") && // Let browser handle \"target=_blank\" etc.\n !isModifiedEvent(event) // Ignore clicks with modifier keys\n );\n}\n\nexport type ParamKeyValuePair = [string, string];\n\nexport type URLSearchParamsInit =\n | string\n | ParamKeyValuePair[]\n | Record<string, string | string[]>\n | URLSearchParams;\n\n/**\n * Creates a URLSearchParams object using the given initializer.\n *\n * This is identical to `new URLSearchParams(init)` except it also\n * supports arrays as values in the object form of the initializer\n * instead of just strings. This is convenient when you need multiple\n * values for a given key, but don't want to use an array initializer.\n *\n * For example, instead of:\n *\n * let searchParams = new URLSearchParams([\n * ['sort', 'name'],\n * ['sort', 'price']\n * ]);\n *\n * you can do:\n *\n * let searchParams = createSearchParams({\n * sort: ['name', 'price']\n * });\n */\nexport function createSearchParams(\n init: URLSearchParamsInit = \"\"\n): URLSearchParams {\n return new URLSearchParams(\n typeof init === \"string\" ||\n Array.isArray(init) ||\n init instanceof URLSearchParams\n ? init\n : Object.keys(init).reduce((memo, key) => {\n let value = init[key];\n return memo.concat(\n Array.isArray(value) ? value.map((v) => [key, v]) : [[key, value]]\n );\n }, [] as ParamKeyValuePair[])\n );\n}\n\nexport function getSearchParamsForLocation(\n locationSearch: string,\n defaultSearchParams: URLSearchParams | null\n) {\n let searchParams = createSearchParams(locationSearch);\n\n if (defaultSearchParams) {\n // Use `defaultSearchParams.forEach(...)` here instead of iterating of\n // `defaultSearchParams.keys()` to work-around a bug in Firefox related to\n // web extensions. Relevant Bugzilla tickets:\n // https://bugzilla.mozilla.org/show_bug.cgi?id=1414602\n // https://bugzilla.mozilla.org/show_bug.cgi?id=1023984\n defaultSearchParams.forEach((_, key) => {\n if (!searchParams.has(key)) {\n defaultSearchParams.getAll(key).forEach((value) => {\n searchParams.append(key, value);\n });\n }\n });\n }\n\n return searchParams;\n}\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\nexport type SubmitTarget =\n | HTMLFormElement\n | HTMLButtonElement\n | HTMLInputElement\n | FormData\n | URLSearchParams\n | JsonValue\n | null;\n\n// One-time check for submitter support\nlet _formDataSupportsSubmitter: boolean | null = null;\n\nfunction isFormDataSubmitterSupported() {\n if (_formDataSupportsSubmitter === null) {\n try {\n new FormData(\n document.createElement(\"form\"),\n // @ts-expect-error if FormData supports the submitter parameter, this will throw\n 0\n );\n _formDataSupportsSubmitter = false;\n } catch (e) {\n _formDataSupportsSubmitter = true;\n }\n }\n return _formDataSupportsSubmitter;\n}\n\n/**\n * Submit options shared by both navigations and fetchers\n */\ninterface SharedSubmitOptions {\n /**\n * The HTTP method used to submit the form. Overrides `<form method>`.\n * Defaults to \"GET\".\n */\n method?: HTMLFormMethod;\n\n /**\n * The action URL path used to submit the form. Overrides `<form action>`.\n * Defaults to the path of the current route.\n */\n action?: string;\n\n /**\n * The encoding used to submit the form. Overrides `<form encType>`.\n * Defaults to \"application/x-www-form-urlencoded\".\n */\n encType?: FormEncType;\n\n /**\n * Determines whether the form action is relative to the route hierarchy or\n * the pathname. Use this if you want to opt out of navigating the route\n * hierarchy and want to instead route based on /-delimited URL segments\n */\n relative?: RelativeRoutingType;\n\n /**\n * In browser-based environments, prevent resetting scroll after this\n * navigation when using the <ScrollRestoration> component\n */\n preventScrollReset?: boolean;\n\n /**\n * Enable flushSync for this submission's state updates\n */\n unstable_flushSync?: boolean;\n}\n\n/**\n * Submit options available to fetchers\n */\nexport interface FetcherSubmitOptions extends SharedSubmitOptions {}\n\n/**\n * Submit options available to navigations\n */\nexport interface SubmitOptions extends FetcherSubmitOptions {\n /**\n * Set `true` to replace the current entry in the browser's history stack\n * instead of creating a new one (i.e. stay on \"the same page\"). Defaults\n * to `false`.\n */\n replace?: boolean;\n\n /**\n * State object to add to the history stack entry for this navigation\n */\n state?: any;\n\n /**\n * Indicate a specific fetcherKey to use when using navigate=false\n */\n fetcherKey?: string;\n\n /**\n * navigate=false will use a fetcher instead of a navigation\n */\n navigate?: boolean;\n\n /**\n * Enable view transitions on this submission navigation\n */\n unstable_viewTransition?: boolean;\n}\n\nconst supportedFormEncTypes: Set<FormEncType> = new Set([\n \"application/x-www-form-urlencoded\",\n \"multipart/form-data\",\n \"text/plain\",\n]);\n\nfunction getFormEncType(encType: string | null) {\n if (encType != null && !supportedFormEncTypes.has(encType as FormEncType)) {\n warning(\n false,\n `\"${encType}\" is not a valid \\`encType\\` for \\`<Form>\\`/\\`<fetcher.Form>\\` ` +\n `and will default to \"${defaultEncType}\"`\n );\n\n return null;\n }\n return encType;\n}\n\nexport function getFormSubmissionInfo(\n target: SubmitTarget,\n basename: string\n): {\n action: string | null;\n method: string;\n encType: string;\n formData: FormData | undefined;\n body: any;\n} {\n let method: string;\n let action: string | null;\n let encType: string;\n let formData: FormData | undefined;\n let body: any;\n\n if (isFormElement(target)) {\n // When grabbing the action from the element, it will have had the basename\n // prefixed to ensure non-JS scenarios work, so strip it since we'll\n // re-prefix in the router\n let attr = target.getAttribute(\"action\");\n action = attr ? stripBasename(attr, basename) : null;\n method = target.getAttribute(\"method\") || defaultMethod;\n encType = getFormEncType(target.getAttribute(\"enctype\")) || defaultEncType;\n\n formData = new FormData(target);\n } else if (\n isButtonElement(target) ||\n (isInputElement(target) &&\n (target.type === \"submit\" || target.type === \"image\"))\n ) {\n let form = target.form;\n\n if (form == null) {\n throw new Error(\n `Cannot submit a <button> or <input type=\"submit\"> without a <form>`\n );\n }\n\n // <button>/<input type=\"submit\"> may override attributes of <form>\n\n // When grabbing the action from the element, it will have had the basename\n // prefixed to ensure non-JS scenarios work, so strip it since we'll\n // re-prefix in the router\n let attr = target.getAttribute(\"formaction\") || form.getAttribute(\"action\");\n action = attr ? stripBasename(attr, basename) : null;\n\n method =\n target.getAttribute(\"formmethod\") ||\n form.getAttribute(\"method\") ||\n defaultMethod;\n encType =\n getFormEncType(target.getAttribute(\"formenctype\")) ||\n getFormEncType(form.getAttribute(\"enctype\")) ||\n defaultEncType;\n\n // Build a FormData object populated from a form and submitter\n formData = new FormData(form, target);\n\n // If this browser doesn't support the `FormData(el, submitter)` format,\n // then tack on the submitter value at the end. This is a lightweight\n // solution that is not 100% spec compliant. For complete support in older\n // browsers, consider using the `formdata-submitter-polyfill` package\n if (!isFormDataSubmitterSupported()) {\n let { name, type, value } = target;\n if (type === \"image\") {\n let prefix = name ? `${name}.` : \"\";\n formData.append(`${prefix}x`, \"0\");\n formData.append(`${prefix}y`, \"0\");\n } else if (name) {\n formData.append(name, value);\n }\n }\n } else if (isHtmlElement(target)) {\n throw new Error(\n `Cannot submit element that is not <form>, <button>, or ` +\n `<input type=\"submit|image\">`\n );\n } else {\n method = defaultMethod;\n action = null;\n encType = defaultEncType;\n body = target;\n }\n\n // Send body for <Form encType=\"text/plain\" so we encode it into text\n if (formData && encType === \"text/plain\") {\n body = formData;\n formData = undefined;\n }\n\n return { action, method: method.toLowerCase(), encType, formData, body };\n}\n", "/**\n * NOTE: If you refactor this to split up the modules into separate files,\n * you'll need to update the rollup config for react-router-dom-v5-compat.\n */\nimport * as React from \"react\";\nimport * as ReactDOM from \"react-dom\";\nimport type {\n DataRouteObject,\n FutureConfig,\n Location,\n NavigateOptions,\n NavigationType,\n Navigator,\n RelativeRoutingType,\n RouteObject,\n RouterProps,\n RouterProviderProps,\n To,\n unstable_PatchRoutesOnMissFunction,\n} from \"react-router\";\nimport {\n Router,\n createPath,\n useHref,\n useLocation,\n useMatches,\n useNavigate,\n useNavigation,\n useResolvedPath,\n useBlocker,\n UNSAFE_DataRouterContext as DataRouterContext,\n UNSAFE_DataRouterStateContext as DataRouterStateContext,\n UNSAFE_NavigationContext as NavigationContext,\n UNSAFE_RouteContext as RouteContext,\n UNSAFE_mapRouteProperties as mapRouteProperties,\n UNSAFE_useRouteId as useRouteId,\n UNSAFE_useRoutesImpl as useRoutesImpl,\n} from \"react-router\";\nimport type {\n BrowserHistory,\n unstable_DataStrategyFunction,\n unstable_DataStrategyFunctionArgs,\n unstable_DataStrategyMatch,\n Fetcher,\n FormEncType,\n FormMethod,\n FutureConfig as RouterFutureConfig,\n GetScrollRestorationKeyFunction,\n HashHistory,\n History,\n HTMLFormMethod,\n HydrationState,\n Router as RemixRouter,\n V7_FormMethod,\n RouterState,\n RouterSubscriber,\n BlockerFunction,\n} from \"@remix-run/router\";\nimport {\n createRouter,\n createBrowserHistory,\n createHashHistory,\n joinPaths,\n stripBasename,\n UNSAFE_ErrorResponseImpl as ErrorResponseImpl,\n UNSAFE_invariant as invariant,\n UNSAFE_warning as warning,\n matchPath,\n IDLE_FETCHER,\n} from \"@remix-run/router\";\n\nimport type {\n SubmitOptions,\n ParamKeyValuePair,\n URLSearchParamsInit,\n SubmitTarget,\n FetcherSubmitOptions,\n} from \"./dom\";\nimport {\n createSearchParams,\n defaultMethod,\n getFormSubmissionInfo,\n getSearchParamsForLocation,\n shouldProcessLinkClick,\n} from \"./dom\";\n\n////////////////////////////////////////////////////////////////////////////////\n//#region Re-exports\n////////////////////////////////////////////////////////////////////////////////\n\nexport type {\n unstable_DataStrategyFunction,\n unstable_DataStrategyFunctionArgs,\n unstable_DataStrategyMatch,\n FormEncType,\n FormMethod,\n GetScrollRestorationKeyFunction,\n ParamKeyValuePair,\n SubmitOptions,\n URLSearchParamsInit,\n V7_FormMethod,\n};\nexport { createSearchParams, ErrorResponseImpl as UNSAFE_ErrorResponseImpl };\n\n// Note: Keep in sync with react-router exports!\nexport type {\n ActionFunction,\n ActionFunctionArgs,\n AwaitProps,\n Blocker,\n BlockerFunction,\n DataRouteMatch,\n DataRouteObject,\n ErrorResponse,\n Fetcher,\n FutureConfig,\n Hash,\n IndexRouteObject,\n IndexRouteProps,\n JsonFunction,\n LazyRouteFunction,\n LayoutRouteProps,\n LoaderFunction,\n LoaderFunctionArgs,\n Location,\n MemoryRouterProps,\n NavigateFunction,\n NavigateOptions,\n NavigateProps,\n Navigation,\n Navigator,\n NonIndexRouteObject,\n OutletProps,\n Params,\n ParamParseKey,\n Path,\n PathMatch,\n Pathname,\n PathParam,\n PathPattern,\n PathRouteProps,\n RedirectFunction,\n RelativeRoutingType,\n RouteMatch,\n RouteObject,\n RouteProps,\n RouterProps,\n RouterProviderProps,\n RoutesProps,\n Search,\n ShouldRevalidateFunction,\n ShouldRevalidateFunctionArgs,\n To,\n UIMatch,\n unstable_HandlerResult,\n unstable_PatchRoutesOnMissFunction,\n} from \"react-router\";\nexport {\n AbortedDeferredError,\n Await,\n MemoryRouter,\n Navigate,\n NavigationType,\n Outlet,\n Route,\n Router,\n Routes,\n createMemoryRouter,\n createPath,\n createRoutesFromChildren,\n createRoutesFromElements,\n defer,\n isRouteErrorResponse,\n generatePath,\n json,\n matchPath,\n matchRoutes,\n parsePath,\n redirect,\n redirectDocument,\n replace,\n renderMatches,\n resolvePath,\n useActionData,\n useAsyncError,\n useAsyncValue,\n useBlocker,\n useHref,\n useInRouterContext,\n useLoaderData,\n useLocation,\n useMatch,\n useMatches,\n useNavigate,\n useNavigation,\n useNavigationType,\n useOutlet,\n useOutletContext,\n useParams,\n useResolvedPath,\n useRevalidator,\n useRouteError,\n useRouteLoaderData,\n useRoutes,\n} from \"react-router\";\n\n///////////////////////////////////////////////////////////////////////////////\n// DANGER! PLEASE READ ME!\n// We provide these exports as an escape hatch in the event that you need any\n// routing data that we don't provide an explicit API for. With that said, we\n// want to cover your use case if we can, so if you feel the need to use these\n// we want to hear from you. Let us know what you're building and we'll do our\n// best to make sure we can support you!\n//\n// We consider these exports an implementation detail and do not guarantee\n// against any breaking changes, regardless of the semver release. Use with\n// extreme caution and only if you understand the consequences. Godspeed.\n///////////////////////////////////////////////////////////////////////////////\n\n/** @internal */\nexport {\n UNSAFE_DataRouterContext,\n UNSAFE_DataRouterStateContext,\n UNSAFE_NavigationContext,\n UNSAFE_LocationContext,\n UNSAFE_RouteContext,\n UNSAFE_useRouteId,\n} from \"react-router\";\n//#endregion\n\ndeclare global {\n var __staticRouterHydrationData: HydrationState | undefined;\n var __reactRouterVersion: string;\n interface Document {\n startViewTransition(cb: () => Promise<void> | void): ViewTransition;\n }\n}\n\n// HEY YOU! DON'T TOUCH THIS VARIABLE!\n//\n// It is replaced with the proper version at build time via a babel plugin in\n// the rollup config.\n//\n// Export a global property onto the window for React Router detection by the\n// Core Web Vitals Technology Report. This way they can configure the `wappalyzer`\n// to detect and properly classify live websites as being built with React Router:\n// https://github.com/HTTPArchive/wappalyzer/blob/main/src/technologies/r.json\nconst REACT_ROUTER_VERSION = \"0\";\ntry {\n window.__reactRouterVersion = REACT_ROUTER_VERSION;\n} catch (e) {\n // no-op\n}\n\n////////////////////////////////////////////////////////////////////////////////\n//#region Routers\n////////////////////////////////////////////////////////////////////////////////\n\ninterface DOMRouterOpts {\n basename?: string;\n future?: Partial<Omit<RouterFutureConfig, \"v7_prependBasename\">>;\n hydrationData?: HydrationState;\n unstable_dataStrategy?: unstable_DataStrategyFunction;\n unstable_patchRoutesOnMiss?: unstable_PatchRoutesOnMissFunction;\n window?: Window;\n}\n\nexport function createBrowserRouter(\n routes: RouteObject[],\n opts?: DOMRouterOpts\n): RemixRouter {\n return createRouter({\n basename: opts?.basename,\n future: {\n ...opts?.future,\n v7_prependBasename: true,\n },\n history: createBrowserHistory({ window: opts?.window }),\n hydrationData: opts?.hydrationData || parseHydrationData(),\n routes,\n mapRouteProperties,\n unstable_dataStrategy: opts?.unstable_dataStrategy,\n unstable_patchRoutesOnMiss: opts?.unstable_patchRoutesOnMiss,\n window: opts?.window,\n }).initialize();\n}\n\nexport function createHashRouter(\n routes: RouteObject[],\n opts?: DOMRouterOpts\n): RemixRouter {\n return createRouter({\n basename: opts?.basename,\n future: {\n ...opts?.future,\n v7_prependBasename: true,\n },\n history: createHashHistory({ window: opts?.window }),\n hydrationData: opts?.hydrationData || parseHydrationData(),\n routes,\n mapRouteProperties,\n unstable_dataStrategy: opts?.unstable_dataStrategy,\n unstable_patchRoutesOnMiss: opts?.unstable_patchRoutesOnMiss,\n window: opts?.window,\n }).initialize();\n}\n\nfunction parseHydrationData(): HydrationState | undefined {\n let state = window?.__staticRouterHydrationData;\n if (state && state.errors) {\n state = {\n ...state,\n errors: deserializeErrors(state.errors),\n };\n }\n return state;\n}\n\nfunction deserializeErrors(\n errors: RemixRouter[\"state\"][\"errors\"]\n): RemixRouter[\"state\"][\"errors\"] {\n if (!errors) return null;\n let entries = Object.entries(errors);\n let serialized: RemixRouter[\"state\"][\"errors\"] = {};\n for (let [key, val] of entries) {\n // Hey you! If you change this, please change the corresponding logic in\n // serializeErrors in react-router-dom/server.tsx :)\n if (val && val.__type === \"RouteErrorResponse\") {\n serialized[key] = new ErrorResponseImpl(\n val.status,\n val.statusText,\n val.data,\n val.internal === true\n );\n } else if (val && val.__type === \"Error\") {\n // Attempt to reconstruct the right type of Error (i.e., ReferenceError)\n if (val.__subType) {\n let ErrorConstructor = window[val.__subType];\n if (typeof ErrorConstructor === \"function\") {\n try {\n // @ts-expect-error\n let error = new ErrorConstructor(val.message);\n // Wipe away the client-side stack trace. Nothing to fill it in with\n // because we don't serialize SSR stack traces for security reasons\n error.stack = \"\";\n serialized[key] = error;\n } catch (e) {\n // no-op - fall through and create a normal Error\n }\n }\n }\n\n if (serialized[key] == null) {\n let error = new Error(val.message);\n // Wipe away the client-side stack trace. Nothing to fill it in with\n // because we don't serialize SSR stack traces for security reasons\n error.stack = \"\";\n serialized[key] = error;\n }\n } else {\n serialized[key] = val;\n }\n }\n return serialized;\n}\n\n//#endregion\n\n////////////////////////////////////////////////////////////////////////////////\n//#region Contexts\n////////////////////////////////////////////////////////////////////////////////\n\ntype ViewTransitionContextObject =\n | {\n isTransitioning: false;\n }\n | {\n isTransitioning: true;\n flushSync: boolean;\n currentLocation: Location;\n nextLocation: Location;\n };\n\nconst ViewTransitionContext = React.createContext<ViewTransitionContextObject>({\n isTransitioning: false,\n});\nif (__DEV__) {\n ViewTransitionContext.displayName = \"ViewTransition\";\n}\n\nexport { ViewTransitionContext as UNSAFE_ViewTransitionContext };\n\n// TODO: (v7) Change the useFetcher data from `any` to `unknown`\ntype FetchersContextObject = Map<string, any>;\n\nconst FetchersContext = React.createContext<FetchersContextObject>(new Map());\nif (__DEV__) {\n FetchersContext.displayName = \"Fetchers\";\n}\n\nexport { FetchersContext as UNSAFE_FetchersContext };\n\n//#endregion\n\n////////////////////////////////////////////////////////////////////////////////\n//#region Components\n////////////////////////////////////////////////////////////////////////////////\n\n/**\n Webpack + React 17 fails to compile on any of the following because webpack\n complains that `startTransition` doesn't exist in `React`:\n * import { startTransition } from \"react\"\n * import * as React from from \"react\";\n \"startTransition\" in React ? React.startTransition(() => setState()) : setState()\n * import * as React from from \"react\";\n \"startTransition\" in React ? React[\"startTransition\"](() => setState()) : setState()\n\n Moving it to a constant such as the following solves the Webpack/React 17 issue:\n * import * as React from from \"react\";\n const START_TRANSITION = \"startTransition\";\n START_TRANSITION in React ? React[START_TRANSITION](() => setState()) : setState()\n\n However, that introduces webpack/terser minification issues in production builds\n in React 18 where minification/obfuscation ends up removing the call of\n React.startTransition entirely from the first half of the ternary. Grabbing\n this exported reference once up front resolves that issue.\n\n See https://github.com/remix-run/react-router/issues/10579\n*/\nconst START_TRANSITION = \"startTransition\";\nconst startTransitionImpl = React[START_TRANSITION];\nconst FLUSH_SYNC = \"flushSync\";\nconst flushSyncImpl = ReactDOM[FLUSH_SYNC];\nconst USE_ID = \"useId\";\nconst useIdImpl = React[USE_ID];\n\nfunction startTransitionSafe(cb: () => void) {\n if (startTransitionImpl) {\n startTransitionImpl(cb);\n } else {\n cb();\n }\n}\n\nfunction flushSyncSafe(cb: () => void) {\n if (flushSyncImpl) {\n flushSyncImpl(cb);\n } else {\n cb();\n }\n}\n\ninterface ViewTransition {\n finished: Promise<void>;\n ready: Promise<void>;\n updateCallbackDone: Promise<void>;\n skipTransition(): void;\n}\n\nclass Deferred<T> {\n status: \"pending\" | \"resolved\" | \"rejected\" = \"pending\";\n promise: Promise<T>;\n // @ts-expect-error - no initializer\n resolve: (value: T) => void;\n // @ts-expect-error - no initializer\n reject: (reason?: unknown) => void;\n constructor() {\n this.promise = new Promise((resolve, reject) => {\n this.resolve = (value) => {\n if (this.status === \"pending\") {\n this.status = \"resolved\";\n resolve(value);\n }\n };\n this.reject = (reason) => {\n if (this.status === \"pending\") {\n this.status = \"rejected\";\n reject(reason);\n }\n };\n });\n }\n}\n\n/**\n * Given a Remix Router instance, render the appropriate UI\n */\nexport function RouterProvider({\n fallbackElement,\n router,\n future,\n}: RouterProviderProps): React.ReactElement {\n let [state, setStateImpl] = React.useState(router.state);\n let [pendingState, setPendingState] = React.useState<RouterState>();\n let [vtContext, setVtContext] = React.useState<ViewTransitionContextObject>({\n isTransitioning: false,\n });\n let [renderDfd, setRenderDfd] = React.useState<Deferred<void>>();\n let [transition, setTransition] = React.useState<ViewTransition>();\n let [interruption, setInterruption] = React.useState<{\n state: RouterState;\n currentLocation: Location;\n nextLocation: Location;\n }>();\n let fetcherData = React.useRef<Map<string, any>>(new Map());\n let { v7_startTransition } = future || {};\n\n let optInStartTransition = React.useCallback(\n (cb: () => void) => {\n if (v7_startTransition) {\n startTransitionSafe(cb);\n } else {\n cb();\n }\n },\n [v7_startTransition]\n );\n\n let setState = React.useCallback<RouterSubscriber>(\n (\n newState: RouterState,\n {\n deletedFetchers,\n unstable_flushSync: flushSync,\n unstable_viewTransitionOpts: viewTransitionOpts,\n }\n ) => {\n deletedFetchers.forEach((key) => fetcherData.current.delete(key));\n newState.fetchers.forEach((fetcher, key) => {\n if (fetcher.data !== undefined) {\n fetcherData.current.set(key, fetcher.data);\n }\n });\n\n let isViewTransitionUnavailable =\n router.window == null ||\n router.window.document == null ||\n typeof router.window.document.startViewTransition !== \"function\";\n\n // If this isn't a view transition or it's not available in this browser,\n // just update and be done with it\n if (!viewTransitionOpts || isViewTransitionUnavailable) {\n if (flushSync) {\n flushSyncSafe(() => setStateImpl(newState));\n } else {\n optInStartTransition(() => setStateImpl(newState));\n }\n return;\n }\n\n // flushSync + startViewTransition\n if (flushSync) {\n // Flush through the context to mark DOM elements as transition=ing\n flushSyncSafe(() => {\n // Cancel any pending transitions\n if (transition) {\n renderDfd && renderDfd.resolve();\n transition.skipTransition();\n }\n setVtContext({\n isTransitioning: true,\n flushSync: true,\n currentLocation: viewTransitionOpts.currentLocation,\n nextLocation: viewTransitionOpts.nextLocation,\n });\n });\n\n // Update the DOM\n let t = router.window!.document.startViewTransition(() => {\n flushSyncSafe(() => setStateImpl(newState));\n });\n\n // Clean up after the animation completes\n t.finished.finally(() => {\n flushSyncSafe(() => {\n setRenderDfd(undefined);\n setTransition(undefined);\n setPendingState(undefined);\n setVtContext({ isTransitioning: false });\n });\n });\n\n flushSyncSafe(() => setTransition(t));\n return;\n }\n\n // startTransition + startViewTransition\n if (transition) {\n // Interrupting an in-progress transition, cancel and let everything flush\n // out, and then kick off a new transition from the interruption state\n renderDfd && renderDfd.resolve();\n transition.skipTransition();\n setInterruption({\n state: newState,\n currentLocation: viewTransitionOpts.currentLocation,\n nextLocation: viewTransitionOpts.nextLocation,\n });\n } else {\n // Completed navigation update with opted-in view transitions, let 'er rip\n setPendingState(newState);\n setVtContext({\n isTransitioning: true,\n flushSync: false,\n currentLocation: viewTransitionOpts.currentLocation,\n nextLocation: viewTransitionOpts.nextLocation,\n });\n }\n },\n [router.window, transition, renderDfd, fetcherData, optInStartTransition]\n );\n\n // Need to use a layout effect here so we are subscribed early enough to\n // pick up on any render-driven redirects/navigations (useEffect/<Navigate>)\n React.useLayoutEffect(() => router.subscribe(setState), [router, setState]);\n\n // When we start a view transition, create a Deferred we can use for the\n // eventual \"completed\" render\n React.useEffect(() => {\n if (vtContext.isTransitioning && !vtContext.flushSync) {\n setRenderDfd(new Deferred<void>());\n }\n }, [vtContext]);\n\n // Once the deferred is created, kick off startViewTransition() to update the\n // DOM and then wait on the Deferred to resolve (indicating the DOM update has\n // happened)\n React.useEffect(() => {\n if (renderDfd && pendingState && router.window) {\n let newState = pendingState;\n let renderPromise = renderDfd.promise;\n let transition = router.window.document.startViewTransition(async () => {\n optInStartTransition(() => setStateImpl(newState));\n await renderPromise;\n });\n transition.finished.finally(() => {\n setRenderDfd(undefined);\n setTransition(undefined);\n setPendingState(undefined);\n setVtContext({ isTransitioning: false });\n });\n setTransition(transition);\n }\n }, [optInStartTransition, pendingState, renderDfd, router.window]);\n\n // When the new location finally renders and is committed to the DOM, this\n // effect will run to resolve the transition\n React.useEffect(() => {\n if (\n renderDfd &&\n pendingState &&\n state.location.key === pendingState.location.key\n ) {\n renderDfd.resolve();\n }\n }, [renderDfd, transition, state.location, pendingState]);\n\n // If we get interrupted with a new navigation during a transition, we skip\n // the active transition, let it cleanup, then kick it off again here\n React.useEffect(() => {\n if (!vtContext.isTransitioning && interruption) {\n setPendingState(interruption.state);\n setVtContext({\n isTransitioning: true,\n flushSync: false,\n currentLocation: interruption.currentLocation,\n nextLocation: interruption.nextLocation,\n });\n setInterruption(undefined);\n }\n }, [vtContext.isTransitioning, interruption]);\n\n React.useEffect(() => {\n warning(\n fallbackElement == null || !router.future.v7_partialHydration,\n \"`<RouterProvider fallbackElement>` is deprecated when using \" +\n \"`v7_partialHydration`, use a `HydrateFallback` component instead\"\n );\n // Only log this once on initial mount\n // eslint-disable-next-line react-hooks/exhaustive-deps\n }, []);\n\n let navigator = React.useMemo((): Navigator => {\n return {\n createHref: router.createHref,\n encodeLocation: router.encodeLocation,\n go: (n) => router.navigate(n),\n push: (to, state, opts) =>\n router.navigate(to, {\n state,\n preventScrollReset: opts?.preventScrollReset,\n }),\n replace: (to, state, opts) =>\n router.navigate(to, {\n replace: true,\n state,\n preventScrollReset: opts?.preventScrollReset,\n }),\n };\n }, [router]);\n\n let basename = router.basename || \"/\";\n\n let dataRouterContext = React.useMemo(\n () => ({\n router,\n navigator,\n static: false,\n basename,\n }),\n [router, navigator, basename]\n );\n\n let routerFuture = React.useMemo<RouterProps[\"future\"]>(\n () => ({\n v7_relativeSplatPath: router.future.v7_relativeSplatPath,\n }),\n [router.future.v7_relativeSplatPath]\n );\n\n // The fragment and {null} here are important! We need them to keep React 18's\n // useId happy when we are server-rendering since we may have a <script> here\n // containing the hydrated server-side staticContext (from StaticRouterProvider).\n // useId relies on the component tree structure to generate deterministic id's\n // so we need to ensure it remains the same on the client even though\n // we don't need the <script> tag\n return (\n <>\n <DataRouterContext.Provider value={dataRouterContext}>\n <DataRouterStateContext.Provider value={state}>\n <FetchersContext.Provider value={fetcherData.current}>\n <ViewTransitionContext.Provider value={vtContext}>\n <Router\n basename={basename}\n location={state.location}\n navigationType={state.historyAction}\n navigator={navigator}\n future={routerFuture}\n >\n {state.initialized || router.future.v7_partialHydration ? (\n <MemoizedDataRoutes\n routes={router.routes}\n future={router.future}\n state={state}\n />\n ) : (\n fallbackElement\n )}\n </Router>\n </ViewTransitionContext.Provider>\n </FetchersContext.Provider>\n </DataRouterStateContext.Provider>\n </DataRouterContext.Provider>\n {null}\n </>\n );\n}\n\n// Memoize to avoid re-renders when updating `ViewTransitionContext`\nconst MemoizedDataRoutes = React.memo(DataRoutes);\n\nfunction DataRoutes({\n routes,\n future,\n state,\n}: {\n routes: DataRouteObject[];\n future: RemixRouter[\"future\"];\n state: RouterState;\n}): React.ReactElement | null {\n return useRoutesImpl(routes, undefined, state, future);\n}\n\nexport interface BrowserRouterProps {\n basename?: string;\n children?: React.ReactNode;\n future?: Partial<FutureConfig>;\n window?: Window;\n}\n\n/**\n * A `<Router>` for use in web browsers. Provides the cleanest URLs.\n */\nexport function BrowserRouter({\n basename,\n children,\n future,\n window,\n}: BrowserRouterProps) {\n let historyRef = React.useRef<BrowserHistory>();\n if (historyRef.current == null) {\n historyRef.current = createBrowserHistory({ window, v5Compat: true });\n }\n\n let history = historyRef.current;\n let [state, setStateImpl] = React.useState({\n action: history.action,\n location: history.location,\n });\n let { v7_startTransition } = future || {};\n let setState = React.useCallback(\n (newState: { action: NavigationType; location: Location }) => {\n v7_startTransition && startTransitionImpl\n ? startTransitionImpl(() => setStateImpl(newState))\n : setStateImpl(newState);\n },\n [setStateImpl, v7_startTransition]\n );\n\n React.useLayoutEffect(() => history.listen(setState), [history, setState]);\n\n return (\n <Router\n basename={basename}\n children={children}\n location={state.location}\n navigationType={state.action}\n navigator={history}\n future={future}\n />\n );\n}\n\nexport interface HashRouterProps {\n basename?: string;\n children?: React.ReactNode;\n future?: Partial<FutureConfig>;\n window?: Window;\n}\n\n/**\n * A `<Router>` for use in web browsers. Stores the location in the hash\n * portion of the URL so it is not sent to the server.\n */\nexport function HashRouter({\n basename,\n children,\n future,\n window,\n}: HashRouterProps) {\n let historyRef = React.useRef<HashHistory>();\n if (historyRef.current == null) {\n historyRef.current = createHashHistory({ window, v5Compat: true });\n }\n\n let history = historyRef.current;\n let [state, setStateImpl] = React.useState({\n action: history.action,\n location: history.location,\n });\n let { v7_startTransition } = future || {};\n let setState = React.useCallback(\n (newState: { action: NavigationType; location: Location }) => {\n v7_startTransition && startTransitionImpl\n ? startTransitionImpl(() => setStateImpl(newState))\n : setStateImpl(newState);\n },\n [setStateImpl, v7_startTransition]\n );\n\n React.useLayoutEffect(() => history.listen(setState), [history, setState]);\n\n return (\n <Router\n basename={basename}\n children={children}\n location={state.location}\n navigationType={state.action}\n navigator={history}\n future={future}\n />\n );\n}\n\nexport interface HistoryRouterProps {\n basename?: string;\n children?: React.ReactNode;\n future?: FutureConfig;\n history: History;\n}\n\n/**\n * A `<Router>` that accepts a pre-instantiated history object. It's important\n * to note that using your own history object is highly discouraged and may add\n * two versions of the history library to your bundles unless you use the same\n * version of the history library that React Router uses internally.\n */\nfunction HistoryRouter({\n basename,\n children,\n future,\n history,\n}: HistoryRouterProps) {\n let [state, setStateImpl] = React.useState({\n action: history.action,\n location: history.location,\n });\n let { v7_startTransition } = future || {};\n let setState = React.useCallback(\n (newState: { action: NavigationType; location: Location }) => {\n v7_startTransition && startTransitionImpl\n ? startTransitionImpl(() => setStateImpl(newState))\n : setStateImpl(newState);\n },\n [setStateImpl, v7_startTransition]\n );\n\n React.useLayoutEffect(() => history.listen(setState), [history, setState]);\n\n return (\n <Router\n basename={basename}\n children={children}\n location={state.location}\n navigationType={state.action}\n navigator={history}\n future={future}\n />\n );\n}\n\nif (__DEV__) {\n HistoryRouter.displayName = \"unstable_HistoryRouter\";\n}\n\nexport { HistoryRouter as unstable_HistoryRouter };\n\nexport interface LinkProps\n extends Omit<React.AnchorHTMLAttributes<HTMLAnchorElement>, \"href\"> {\n reloadDocument?: boolean;\n replace?: boolean;\n state?: any;\n preventScrollReset?: boolean;\n relative?: RelativeRoutingType;\n to: To;\n unstable_viewTransition?: boolean;\n}\n\nconst isBrowser =\n typeof window !== \"undefined\" &&\n typeof window.document !== \"undefined\" &&\n typeof window.document.createElement !== \"undefined\";\n\nconst ABSOLUTE_URL_REGEX = /^(?:[a-z][a-z0-9+.-]*:|\\/\\/)/i;\n\n/**\n * The public API for rendering a history-aware `<a>`.\n */\nexport const Link = React.forwardRef<HTMLAnchorElement, LinkProps>(\n function LinkWithRef(\n {\n onClick,\n relative,\n reloadDocument,\n replace,\n state,\n target,\n to,\n preventScrollReset,\n unstable_viewTransition,\n ...rest\n },\n ref\n ) {\n let { basename } = React.useContext(NavigationContext);\n\n // Rendered into <a href> for absolute URLs\n let absoluteHref;\n let isExternal = false;\n\n if (typeof to === \"string\" && ABSOLUTE_URL_REGEX.test(to)) {\n // Render the absolute href server- and client-side\n absoluteHref = to;\n\n // Only check for external origins client-side\n if (isBrowser) {\n try {\n let currentUrl = new URL(window.location.href);\n let targetUrl = to.startsWith(\"//\")\n ? new URL(currentUrl.protocol + to)\n : new URL(to);\n let path = stripBasename(targetUrl.pathname, basename);\n\n if (targetUrl.origin === currentUrl.origin && path != null) {\n // Strip the protocol/origin/basename for same-origin absolute URLs\n to = path + targetUrl.search + targetUrl.hash;\n } else {\n isExternal = true;\n }\n } catch (e) {\n // We can't do external URL detection without a valid URL\n warning(\n false,\n `<Link to=\"${to}\"> contains an invalid URL which will probably break ` +\n `when clicked - please update to a valid URL path.`\n );\n }\n }\n }\n\n // Rendered into <a href> for relative URLs\n let href = useHref(to, { relative });\n\n let internalOnClick = useLinkClickHandler(to, {\n replace,\n state,\n target,\n preventScrollReset,\n relative,\n unstable_viewTransition,\n });\n function handleClick(\n event: React.MouseEvent<HTMLAnchorElement, MouseEvent>\n ) {\n if (onClick) onClick(event);\n if (!event.defaultPrevented) {\n internalOnClick(event);\n }\n }\n\n return (\n // eslint-disable-next-line jsx-a11y/anchor-has-content\n <a\n {...rest}\n href={absoluteHref || href}\n onClick={isExternal || reloadDocument ? onClick : handleClick}\n ref={ref}\n target={target}\n />\n );\n }\n);\n\nif (__DEV__) {\n Link.displayName = \"Link\";\n}\n\nexport type NavLinkRenderProps = {\n isActive: boolean;\n isPending: boolean;\n isTransitioning: boolean;\n};\n\nexport interface NavLinkProps\n extends Omit<LinkProps, \"className\" | \"style\" | \"children\"> {\n children?: React.ReactNode | ((props: NavLinkRenderProps) => React.ReactNode);\n caseSensitive?: boolean;\n className?: string | ((props: NavLinkRenderProps) => string | undefined);\n end?: boolean;\n style?:\n | React.CSSProperties\n | ((props: NavLinkRenderProps) => React.CSSProperties | undefined);\n}\n\n/**\n * A `<Link>` wrapper that knows if it's \"active\" or not.\n */\nexport const NavLink = React.forwardRef<HTMLAnchorElement, NavLinkProps>(\n function NavLinkWithRef(\n {\n \"aria-current\": ariaCurrentProp = \"page\",\n caseSensitive = false,\n className: classNameProp = \"\",\n end = false,\n style: styleProp,\n to,\n unstable_viewTransition,\n children,\n ...rest\n },\n ref\n ) {\n let path = useResolvedPath(to, { relative: rest.relative });\n let location = useLocation();\n let routerState = React.useContext(DataRouterStateContext);\n let { navigator, basename } = React.useContext(NavigationContext);\n let isTransitioning =\n routerState != null &&\n // Conditional usage is OK here because the usage of a data router is static\n // eslint-disable-next-line react-hooks/rules-of-hooks\n useViewTransitionState(path) &&\n unstable_viewTransition === true;\n\n let toPathname = navigator.encodeLocation\n ? navigator.encodeLocation(path).pathname\n : path.pathname;\n let locationPathname = location.pathname;\n let nextLocationPathname =\n routerState && routerState.navigation && routerState.navigation.location\n ? routerState.navigation.location.pathname\n : null;\n\n if (!caseSensitive) {\n locationPathname = locationPathname.toLowerCase();\n nextLocationPathname = nextLocationPathname\n ? nextLocationPathname.toLowerCase()\n : null;\n toPathname = toPathname.toLowerCase();\n }\n\n if (nextLocationPathname && basename) {\n nextLocationPathname =\n stripBasename(nextLocationPathname, basename) || nextLocationPathname;\n }\n\n // If the `to` has a trailing slash, look at that exact spot. Otherwise,\n // we're looking for a slash _after_ what's in `to`. For example:\n //\n // <NavLink to=\"/users\"> and <NavLink to=\"/users/\">\n // both want to look for a / at index 6 to match URL `/users/matt`\n const endSlashPosition =\n toPathname !== \"/\" && toPathname.endsWith(\"/\")\n ? toPathname.length - 1\n : toPathname.length;\n let isActive =\n locationPathname === toPathname ||\n (!end &&\n locationPathname.startsWith(toPathname) &&\n locationPathname.charAt(endSlashPosition) === \"/\");\n\n let isPending =\n nextLocationPathname != null &&\n (nextLocationPathname === toPathname ||\n (!end &&\n nextLocationPathname.startsWith(toPathname) &&\n nextLocationPathname.charAt(toPathname.length) === \"/\"));\n\n let renderProps = {\n isActive,\n isPending,\n isTransitioning,\n };\n\n let ariaCurrent = isActive ? ariaCurrentProp : undefined;\n\n let className: string | undefined;\n if (typeof classNameProp === \"function\") {\n className = classNameProp(renderProps);\n } else {\n // If the className prop is not a function, we use a default `active`\n // class for <NavLink />s that are active. In v5 `active` was the default\n // value for `activeClassName`, but we are removing that API and can still\n // use the old default behavior for a cleaner upgrade path and keep the\n // simple styling rules working as they currently do.\n className = [\n classNameProp,\n isActive ? \"active\" : null,\n isPending ? \"pending\" : null,\n isTransitioning ? \"transitioning\" : null,\n ]\n .filter(Boolean)\n .join(\" \");\n }\n\n let style =\n typeof styleProp === \"function\" ? styleProp(renderProps) : styleProp;\n\n return (\n <Link\n {...rest}\n aria-current={ariaCurrent}\n className={className}\n ref={ref}\n style={style}\n to={to}\n unstable_viewTransition={unstable_viewTransition}\n >\n {typeof children === \"function\" ? children(renderProps) : children}\n </Link>\n );\n }\n);\n\nif (__DEV__) {\n NavLink.displayName = \"NavLink\";\n}\n\n/**\n * Form props shared by navigations and fetchers\n */\ninterface SharedFormProps extends React.FormHTMLAttributes<HTMLFormElement> {\n /**\n * The HTTP verb to use when the form is submit. Supports \"get\", \"post\",\n * \"put\", \"delete\", \"patch\".\n */\n method?: HTMLFormMethod;\n\n /**\n * `<form encType>` - enhancing beyond the normal string type and limiting\n * to the built-in browser supported values\n */\n encType?:\n | \"application/x-www-form-urlencoded\"\n | \"multipart/form-data\"\n | \"text/plain\";\n\n /**\n * Normal `<form action>` but supports React Router's relative paths.\n */\n action?: string;\n\n /**\n * Determines whether the form action is relative to the route hierarchy or\n * the pathname. Use this if you want to opt out of navigating the route\n * hierarchy and want to instead route based on /-delimited URL segments\n */\n relative?: RelativeRoutingType;\n\n /**\n * Prevent the scroll position from resetting to the top of the viewport on\n * completion of the navigation when using the <ScrollRestoration> component\n */\n preventScrollReset?: boolean;\n\n /**\n * A function to call when the form is submitted. If you call\n * `event.preventDefault()` then this form will not do anything.\n */\n onSubmit?: React.FormEventHandler<HTMLFormElement>;\n}\n\n/**\n * Form props available to fetchers\n */\nexport interface FetcherFormProps extends SharedFormProps {}\n\n/**\n * Form props available to navigations\n */\nexport interface FormProps extends SharedFormProps {\n /**\n * Indicate a specific fetcherKey to use when using navigate=false\n */\n fetcherKey?: string;\n\n /**\n * navigate=false will use a fetcher instead of a navigation\n */\n navigate?: boolean;\n\n /**\n * Forces a full document navigation instead of a fetch.\n */\n reloadDocument?: boolean;\n\n /**\n * Replaces the current entry in the browser history stack when the form\n * navigates. Use this if you don't want the user to be able to click \"back\"\n * to the page with the form on it.\n */\n replace?: boolean;\n\n /**\n * State object to add to the history stack entry for this navigation\n */\n state?: any;\n\n /**\n * Enable view transitions on this Form navigation\n */\n unstable_viewTransition?: boolean;\n}\n\ntype HTMLSubmitEvent = React.BaseSyntheticEvent<\n SubmitEvent,\n Event,\n HTMLFormElement\n>;\n\ntype HTMLFormSubmitter = HTMLButtonElement | HTMLInputElement;\n\n/**\n * A `@remix-run/router`-aware `<form>`. It behaves like a normal form except\n * that the interaction with the server is with `fetch` instead of new document\n * requests, allowing components to add nicer UX to the page as the form is\n * submitted and returns with data.\n */\nexport const Form = React.forwardRef<HTMLFormElement, FormProps>(\n (\n {\n fetcherKey,\n navigate,\n reloadDocument,\n replace,\n state,\n method = defaultMethod,\n action,\n onSubmit,\n relative,\n preventScrollReset,\n unstable_viewTransition,\n ...props\n },\n forwardedRef\n ) => {\n let submit = useSubmit();\n let formAction = useFormAction(action, { relative });\n let formMethod: HTMLFormMethod =\n method.toLowerCase() === \"get\" ? \"get\" : \"post\";\n\n let submitHandler: React.FormEventHandler<HTMLFormElement> = (event) => {\n onSubmit && onSubmit(event);\n if (event.defaultPrevented) return;\n event.preventDefault();\n\n let submitter = (event as unknown as HTMLSubmitEvent).nativeEvent\n .submitter as HTMLFormSubmitter | null;\n\n let submitMethod =\n (submitter?.getAttribute(\"formmethod\") as HTMLFormMethod | undefined) ||\n method;\n\n submit(submitter || event.currentTarget, {\n fetcherKey,\n method: submitMethod,\n navigate,\n replace,\n state,\n relative,\n preventScrollReset,\n unstable_viewTransition,\n });\n };\n\n return (\n <form\n ref={forwardedRef}\n method={formMethod}\n action={formAction}\n onSubmit={reloadDocument ? onSubmit : submitHandler}\n {...props}\n />\n );\n }\n);\n\nif (__DEV__) {\n Form.displayName = \"Form\";\n}\n\nexport interface ScrollRestorationProps {\n getKey?: GetScrollRestorationKeyFunction;\n storageKey?: string;\n}\n\n/**\n * This component will emulate the browser's scroll restoration on location\n * changes.\n */\nexport function ScrollRestoration({\n getKey,\n storageKey,\n}: ScrollRestorationProps) {\n useScrollRestoration({ getKey, storageKey });\n return null;\n}\n\nif (__DEV__) {\n ScrollRestoration.displayName = \"ScrollRestoration\";\n}\n//#endregion\n\n////////////////////////////////////////////////////////////////////////////////\n//#region Hooks\n////////////////////////////////////////////////////////////////////////////////\n\nenum DataRouterHook {\n UseScrollRestoration = \"useScrollRestoration\",\n UseSubmit = \"useSubmit\",\n UseSubmitFetcher = \"useSubmitFetcher\",\n UseFetcher = \"useFetcher\",\n useViewTransitionState = \"useViewTransitionState\",\n}\n\nenum DataRouterStateHook {\n UseFetcher = \"useFetcher\",\n UseFetchers = \"useFetchers\",\n UseScrollRestoration = \"useScrollRestoration\",\n}\n\n// Internal hooks\n\nfunction getDataRouterConsoleError(\n hookName: DataRouterHook | DataRouterStateHook\n) {\n return `${hookName} must be used within a data router. See https://reactrouter.com/routers/picking-a-router.`;\n}\n\nfunction useDataRouterContext(hookName: DataRouterHook) {\n let ctx = React.useContext(DataRouterContext);\n invariant(ctx, getDataRouterConsoleError(hookName));\n return ctx;\n}\n\nfunction useDataRouterState(hookName: DataRouterStateHook) {\n let state = React.useContext(DataRouterStateContext);\n invariant(state, getDataRouterConsoleError(hookName));\n return state;\n}\n\n// External hooks\n\n/**\n * Handles the click behavior for router `<Link>` components. This is useful if\n * you need to create custom `<Link>` components with the same click behavior we\n * use in our exported `<Link>`.\n */\nexport function useLinkClickHandler<E extends Element = HTMLAnchorElement>(\n to: To,\n {\n target,\n replace: replaceProp,\n state,\n preventScrollReset,\n relative,\n unstable_viewTransition,\n }: {\n target?: React.HTMLAttributeAnchorTarget;\n replace?: boolean;\n state?: any;\n preventScrollReset?: boolean;\n relative?: RelativeRoutingType;\n unstable_viewTransition?: boolean;\n } = {}\n): (event: React.MouseEvent<E, MouseEvent>) => void {\n let navigate = useNavigate();\n let location = useLocation();\n let path = useResolvedPath(to, { relative });\n\n return React.useCallback(\n (event: React.MouseEvent<E, MouseEvent>) => {\n if (shouldProcessLinkClick(event, target)) {\n event.preventDefault();\n\n // If the URL hasn't changed, a regular <a> will do a replace instead of\n // a push, so do the same here unless the replace prop is explicitly set\n let replace =\n replaceProp !== undefined\n ? replaceProp\n : createPath(location) === createPath(path);\n\n navigate(to, {\n replace,\n state,\n preventScrollReset,\n relative,\n unstable_viewTransition,\n });\n }\n },\n [\n location,\n navigate,\n path,\n replaceProp,\n state,\n target,\n to,\n preventScrollReset,\n relative,\n unstable_viewTransition,\n ]\n );\n}\n\n/**\n * A convenient wrapper for reading and writing search parameters via the\n * URLSearchParams interface.\n */\nexport function useSearchParams(\n defaultInit?: URLSearchParamsInit\n): [URLSearchParams, SetURLSearchParams] {\n warning(\n typeof URLSearchParams !== \"undefined\",\n `You cannot use the \\`useSearchParams\\` hook in a browser that does not ` +\n `support the URLSearchParams API. If you need to support Internet ` +\n `Explorer 11, we recommend you load a polyfill such as ` +\n `https://github.com/ungap/url-search-params.`\n );\n\n let defaultSearchParamsRef = React.useRef(createSearchParams(defaultInit));\n let hasSetSearchParamsRef = React.useRef(false);\n\n let location = useLocation();\n let searchParams = React.useMemo(\n () =>\n // Only merge in the defaults if we haven't yet called setSearchParams.\n // Once we call that we want those to take precedence, otherwise you can't\n // remove a param with setSearchParams({}) if it has an initial value\n getSearchParamsForLocation(\n location.search,\n hasSetSearchParamsRef.current ? null : defaultSearchParamsRef.current\n ),\n [location.search]\n );\n\n let navigate = useNavigate();\n let setSearchParams = React.useCallback<SetURLSearchParams>(\n (nextInit, navigateOptions) => {\n const newSearchParams = createSearchParams(\n typeof nextInit === \"function\" ? nextInit(searchParams) : nextInit\n );\n hasSetSearchParamsRef.current = true;\n navigate(\"?\" + newSearchParams, navigateOptions);\n },\n [navigate, searchParams]\n );\n\n return [searchParams, setSearchParams];\n}\n\nexport type SetURLSearchParams = (\n nextInit?:\n | URLSearchParamsInit\n | ((prev: URLSearchParams) => URLSearchParamsInit),\n navigateOpts?: NavigateOptions\n) => void;\n\n/**\n * Submits a HTML `<form>` to the server without reloading the page.\n */\nexport interface SubmitFunction {\n (\n /**\n * Specifies the `<form>` to be submitted to the server, a specific\n * `<button>` or `<input type=\"submit\">` to use to submit the form, or some\n * arbitrary data to submit.\n *\n * Note: When using a `<button>` its `name` and `value` will also be\n * included in the form data that is submitted.\n */\n target: SubmitTarget,\n\n /**\n * Options that override the `<form>`'s own attributes. Required when\n * submitting arbitrary data without a backing `<form>`.\n */\n options?: SubmitOptions\n ): void;\n}\n\n/**\n * Submits a fetcher `<form>` to the server without reloading the page.\n */\nexport interface FetcherSubmitFunction {\n (\n target: SubmitTarget,\n // Fetchers cannot replace or set state because they are not navigation events\n options?: FetcherSubmitOptions\n ): void;\n}\n\nfunction validateClientSideSubmission() {\n if (typeof document === \"undefined\") {\n throw new Error(\n \"You are calling submit during the server render. \" +\n \"Try calling submit within a `useEffect` or callback instead.\"\n );\n }\n}\n\nlet fetcherId = 0;\nlet getUniqueFetcherId = () => `__${String(++fetcherId)}__`;\n\n/**\n * Returns a function that may be used to programmatically submit a form (or\n * some arbitrary data) to the server.\n */\nexport function useSubmit(): SubmitFunction {\n let { router } = useDataRouterContext(DataRouterHook.UseSubmit);\n let { basename } = React.useContext(NavigationContext);\n let currentRouteId = useRouteId();\n\n return React.useCallback<SubmitFunction>(\n (target, options = {}) => {\n validateClientSideSubmission();\n\n let { action, method, encType, formData, body } = getFormSubmissionInfo(\n target,\n basename\n );\n\n if (options.navigate === false) {\n let key = options.fetcherKey || getUniqueFetcherId();\n router.fetch(key, currentRouteId, options.action || action, {\n preventScrollReset: options.preventScrollReset,\n formData,\n body,\n formMethod: options.method || (method as HTMLFormMethod),\n formEncType: options.encType || (encType as FormEncType),\n unstable_flushSync: options.unstable_flushSync,\n });\n } else {\n router.navigate(options.action || action, {\n preventScrollReset: options.preventScrollReset,\n formData,\n body,\n formMethod: options.method || (method as HTMLFormMethod),\n formEncType: options.encType || (encType as FormEncType),\n replace: options.replace,\n state: options.state,\n fromRouteId: currentRouteId,\n unstable_flushSync: options.unstable_flushSync,\n unstable_viewTransition: options.unstable_viewTransition,\n });\n }\n },\n [router, basename, currentRouteId]\n );\n}\n\n// v7: Eventually we should deprecate this entirely in favor of using the\n// router method directly?\nexport function useFormAction(\n action?: string,\n { relative }: { relative?: RelativeRoutingType } = {}\n): string {\n let { basename } = React.useContext(NavigationContext);\n let routeContext = React.useContext(RouteContext);\n invariant(routeContext, \"useFormAction must be used inside a RouteContext\");\n\n let [match] = routeContext.matches.slice(-1);\n // Shallow clone path so we can modify it below, otherwise we modify the\n // object referenced by useMemo inside useResolvedPath\n let path = { ...useResolvedPath(action ? action : \".\", { relative }) };\n\n // If no action was specified, browsers will persist current search params\n // when determining the path, so match that behavior\n // https://github.com/remix-run/remix/issues/927\n let location = useLocation();\n if (action == null) {\n // Safe to write to this directly here since if action was undefined, we\n // would have called useResolvedPath(\".\") which will never include a search\n path.search = location.search;\n\n // When grabbing search params from the URL, remove any included ?index param\n // since it might not apply to our contextual route. We add it back based\n // on match.route.index below\n let params = new URLSearchParams(path.search);\n if (params.has(\"index\") && params.get(\"index\") === \"\") {\n params.delete(\"index\");\n path.search = params.toString() ? `?${params.toString()}` : \"\";\n }\n }\n\n if ((!action || action === \".\") && match.route.index) {\n path.search = path.search\n ? path.search.replace(/^\\?/, \"?index&\")\n : \"?index\";\n }\n\n // If we're operating within a basename, prepend it to the pathname prior\n // to creating the form action. If this is a root navigation, then just use\n // the raw basename which allows the basename to have full control over the\n // presence of a trailing slash on root actions\n if (basename !== \"/\") {\n path.pathname =\n path.pathname === \"/\" ? basename : joinPaths([basename, path.pathname]);\n }\n\n return createPath(path);\n}\n\nexport type FetcherWithComponents<TData> = Fetcher<TData> & {\n Form: React.ForwardRefExoticComponent<\n FetcherFormProps & React.RefAttributes<HTMLFormElement>\n >;\n submit: FetcherSubmitFunction;\n load: (href: string, opts?: { unstable_flushSync?: boolean }) => void;\n};\n\n// TODO: (v7) Change the useFetcher generic default from `any` to `unknown`\n\n/**\n * Interacts with route loaders and actions without causing a navigation. Great\n * for any interaction that stays on the same page.\n */\nexport function useFetcher<TData = any>({\n key,\n}: { key?: string } = {}): FetcherWithComponents<TData> {\n let { router } = useDataRouterContext(DataRouterHook.UseFetcher);\n let state = useDataRouterState(DataRouterStateHook.UseFetcher);\n let fetcherData = React.useContext(FetchersContext);\n let route = React.useContext(RouteContext);\n let routeId = route.matches[route.matches.length - 1]?.route.id;\n\n invariant(fetcherData, `useFetcher must be used inside a FetchersContext`);\n invariant(route, `useFetcher must be used inside a RouteContext`);\n invariant(\n routeId != null,\n `useFetcher can only be used on routes that contain a unique \"id\"`\n );\n\n // Fetcher key handling\n // OK to call conditionally to feature detect `useId`\n // eslint-disable-next-line react-hooks/rules-of-hooks\n let defaultKey = useIdImpl ? useIdImpl() : \"\";\n let [fetcherKey, setFetcherKey] = React.useState<string>(key || defaultKey);\n if (key && key !== fetcherKey) {\n setFetcherKey(key);\n } else if (!fetcherKey) {\n // We will only fall through here when `useId` is not available\n setFetcherKey(getUniqueFetcherId());\n }\n\n // Registration/cleanup\n React.useEffect(() => {\n router.getFetcher(fetcherKey);\n return () => {\n // Tell the router we've unmounted - if v7_fetcherPersist is enabled this\n // will not delete immediately but instead queue up a delete after the\n // fetcher returns to an `idle` state\n router.deleteFetcher(fetcherKey);\n };\n }, [router, fetcherKey]);\n\n // Fetcher additions\n let load = React.useCallback(\n (href: string, opts?: { unstable_flushSync?: boolean }) => {\n invariant(routeId, \"No routeId available for fetcher.load()\");\n router.fetch(fetcherKey, routeId, href, opts);\n },\n [fetcherKey, routeId, router]\n );\n\n let submitImpl = useSubmit();\n let submit = React.useCallback<FetcherSubmitFunction>(\n (target, opts) => {\n submitImpl(target, {\n ...opts,\n navigate: false,\n fetcherKey,\n });\n },\n [fetcherKey, submitImpl]\n );\n\n let FetcherForm = React.useMemo(() => {\n let FetcherForm = React.forwardRef<HTMLFormElement, FetcherFormProps>(\n (props, ref) => {\n return (\n <Form {...props} navigate={false} fetcherKey={fetcherKey} ref={ref} />\n );\n }\n );\n if (__DEV__) {\n FetcherForm.displayName = \"fetcher.Form\";\n }\n return FetcherForm;\n }, [fetcherKey]);\n\n // Exposed FetcherWithComponents\n let fetcher = state.fetchers.get(fetcherKey) || IDLE_FETCHER;\n let data = fetcherData.get(fetcherKey);\n let fetcherWithComponents = React.useMemo(\n () => ({\n Form: FetcherForm,\n submit,\n load,\n ...fetcher,\n data,\n }),\n [FetcherForm, submit, load, fetcher, data]\n );\n\n return fetcherWithComponents;\n}\n\n/**\n * Provides all fetchers currently on the page. Useful for layouts and parent\n * routes that need to provide pending/optimistic UI regarding the fetch.\n */\nexport function useFetchers(): (Fetcher & { key: string })[] {\n let state = useDataRouterState(DataRouterStateHook.UseFetchers);\n return Array.from(state.fetchers.entries()).map(([key, fetcher]) => ({\n ...fetcher,\n key,\n }));\n}\n\nconst SCROLL_RESTORATION_STORAGE_KEY = \"react-router-scroll-positions\";\nlet savedScrollPositions: Record<string, number> = {};\n\n/**\n * When rendered inside a RouterProvider, will restore scroll positions on navigations\n */\nfunction useScrollRestoration({\n getKey,\n storageKey,\n}: {\n getKey?: GetScrollRestorationKeyFunction;\n storageKey?: string;\n} = {}) {\n let { router } = useDataRouterContext(DataRouterHook.UseScrollRestoration);\n let { restoreScrollPosition, preventScrollReset } = useDataRouterState(\n DataRouterStateHook.UseScrollRestoration\n );\n let { basename } = React.useContext(NavigationContext);\n let location = useLocation();\n let matches = useMatches();\n let navigation = useNavigation();\n\n // Trigger manual scroll restoration while we're active\n React.useEffect(() => {\n window.history.scrollRestoration = \"manual\";\n return () => {\n window.history.scrollRestoration = \"auto\";\n };\n }, []);\n\n // Save positions on pagehide\n usePageHide(\n React.useCallback(() => {\n if (navigation.state === \"idle\") {\n let key = (getKey ? getKey(location, matches) : null) || location.key;\n savedScrollPositions[key] = window.scrollY;\n }\n try {\n sessionStorage.setItem(\n storageKey || SCROLL_RESTORATION_STORAGE_KEY,\n JSON.stringify(savedScrollPositions)\n );\n } catch (error) {\n warning(\n false,\n `Failed to save scroll positions in sessionStorage, <ScrollRestoration /> will not work properly (${error}).`\n );\n }\n window.history.scrollRestoration = \"auto\";\n }, [storageKey, getKey, navigation.state, location, matches])\n );\n\n // Read in any saved scroll locations\n if (typeof document !== \"undefined\") {\n // eslint-disable-next-line react-hooks/rules-of-hooks\n React.useLayoutEffect(() => {\n try {\n let sessionPositions = sessionStorage.getItem(\n storageKey || SCROLL_RESTORATION_STORAGE_KEY\n );\n if (sessionPositions) {\n savedScrollPositions = JSON.parse(sessionPositions);\n }\n } catch (e) {\n // no-op, use default empty object\n }\n }, [storageKey]);\n\n // Enable scroll restoration in the router\n // eslint-disable-next-line react-hooks/rules-of-hooks\n React.useLayoutEffect(() => {\n let getKeyWithoutBasename: GetScrollRestorationKeyFunction | undefined =\n getKey && basename !== \"/\"\n ? (location, matches) =>\n getKey(\n // Strip the basename to match useLocation()\n {\n ...location,\n pathname:\n stripBasename(location.pathname, basename) ||\n location.pathname,\n },\n matches\n )\n : getKey;\n let disableScrollRestoration = router?.enableScrollRestoration(\n savedScrollPositions,\n () => window.scrollY,\n getKeyWithoutBasename\n );\n return () => disableScrollRestoration && disableScrollRestoration();\n }, [router, basename, getKey]);\n\n // Restore scrolling when state.restoreScrollPosition changes\n // eslint-disable-next-line react-hooks/rules-of-hooks\n React.useLayoutEffect(() => {\n // Explicit false means don't do anything (used for submissions)\n if (restoreScrollPosition === false) {\n return;\n }\n\n // been here before, scroll to it\n if (typeof restoreScrollPosition === \"number\") {\n window.scrollTo(0, restoreScrollPosition);\n return;\n }\n\n // try to scroll to the hash\n if (location.hash) {\n let el = document.getElementById(\n decodeURIComponent(location.hash.slice(1))\n );\n if (el) {\n el.scrollIntoView();\n return;\n }\n }\n\n // Don't reset if this navigation opted out\n if (preventScrollReset === true) {\n return;\n }\n\n // otherwise go to the top on new locations\n window.scrollTo(0, 0);\n }, [location, restoreScrollPosition, preventScrollReset]);\n }\n}\n\nexport { useScrollRestoration as UNSAFE_useScrollRestoration };\n\n/**\n * Setup a callback to be fired on the window's `beforeunload` event. This is\n * useful for saving some data to `window.localStorage` just before the page\n * refreshes.\n *\n * Note: The `callback` argument should be a function created with\n * `React.useCallback()`.\n */\nexport function useBeforeUnload(\n callback: (event: BeforeUnloadEvent) => any,\n options?: { capture?: boolean }\n): void {\n let { capture } = options || {};\n React.useEffect(() => {\n let opts = capture != null ? { capture } : undefined;\n window.addEventListener(\"beforeunload\", callback, opts);\n return () => {\n window.removeEventListener(\"beforeunload\", callback, opts);\n };\n }, [callback, capture]);\n}\n\n/**\n * Setup a callback to be fired on the window's `pagehide` event. This is\n * useful for saving some data to `window.localStorage` just before the page\n * refreshes. This event is better supported than beforeunload across browsers.\n *\n * Note: The `callback` argument should be a function created with\n * `React.useCallback()`.\n */\nfunction usePageHide(\n callback: (event: PageTransitionEvent) => any,\n options?: { capture?: boolean }\n): void {\n let { capture } = options || {};\n React.useEffect(() => {\n let opts = capture != null ? { capture } : undefined;\n window.addEventListener(\"pagehide\", callback, opts);\n return () => {\n window.removeEventListener(\"pagehide\", callback, opts);\n };\n }, [callback, capture]);\n}\n\n/**\n * Wrapper around useBlocker to show a window.confirm prompt to users instead\n * of building a custom UI with useBlocker.\n *\n * Warning: This has *a lot of rough edges* and behaves very differently (and\n * very incorrectly in some cases) across browsers if user click addition\n * back/forward navigations while the confirm is open. Use at your own risk.\n */\nfunction usePrompt({\n when,\n message,\n}: {\n when: boolean | BlockerFunction;\n message: string;\n}) {\n let blocker = useBlocker(when);\n\n React.useEffect(() => {\n if (blocker.state === \"blocked\") {\n let proceed = window.confirm(message);\n if (proceed) {\n // This timeout is needed to avoid a weird \"race\" on POP navigations\n // between the `window.history` revert navigation and the result of\n // `window.confirm`\n setTimeout(blocker.proceed, 0);\n } else {\n blocker.reset();\n }\n }\n }, [blocker, message]);\n\n React.useEffect(() => {\n if (blocker.state === \"blocked\" && !when) {\n blocker.reset();\n }\n }, [blocker, when]);\n}\n\nexport { usePrompt as unstable_usePrompt };\n\n/**\n * Return a boolean indicating if there is an active view transition to the\n * given href. You can use this value to render CSS classes or viewTransitionName\n * styles onto your elements\n *\n * @param href The destination href\n * @param [opts.relative] Relative routing type (\"route\" | \"path\")\n */\nfunction useViewTransitionState(\n to: To,\n opts: { relative?: RelativeRoutingType } = {}\n) {\n let vtContext = React.useContext(ViewTransitionContext);\n\n invariant(\n vtContext != null,\n \"`unstable_useViewTransitionState` must be used within `react-router-dom`'s `RouterProvider`. \" +\n \"Did you accidentally import `RouterProvider` from `react-router`?\"\n );\n\n let { basename } = useDataRouterContext(\n DataRouterHook.useViewTransitionState\n );\n let path = useResolvedPath(to, { relative: opts.relative });\n if (!vtContext.isTransitioning) {\n return false;\n }\n\n let currentPath =\n stripBasename(vtContext.currentLocation.pathname, basename) ||\n vtContext.currentLocation.pathname;\n let nextPath =\n stripBasename(vtContext.nextLocation.pathname, basename) ||\n vtContext.nextLocation.pathname;\n\n // Transition is active if we're going to or coming from the indicated\n // destination. This ensures that other PUSH navigations that reverse\n // an indicated transition apply. I.e., on the list view you have:\n //\n // <NavLink to=\"/details/1\" unstable_viewTransition>\n //\n // If you click the breadcrumb back to the list view:\n //\n // <NavLink to=\"/list\" unstable_viewTransition>\n //\n // We should apply the transition because it's indicated as active going\n // from /list -> /details/1 and therefore should be active on the reverse\n // (even though this isn't strictly a POP reverse)\n return (\n matchPath(path.pathname, nextPath) != null ||\n matchPath(path.pathname, currentPath) != null\n );\n}\n\nexport { useViewTransitionState as unstable_useViewTransitionState };\n\n//#endregion\n"],5 "mappings": ";;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;IAOYA;CAAZ,SAAYA,SAAM;AAQhBA,EAAAA,QAAA,KAAA,IAAA;AAOAA,EAAAA,QAAA,MAAA,IAAA;AAMAA,EAAAA,QAAA,SAAA,IAAA;AACF,GAtBYA,WAAAA,SAsBX,CAAA,EAAA;AAqKD,IAAMC,oBAAoB;AAmCV,SAAAC,oBACdC,SAAkC;AAAA,MAAlCA,YAAA,QAAA;AAAAA,cAAgC,CAAA;EAAE;AAElC,MAAI;IAAEC,iBAAiB,CAAC,GAAG;IAAGC;IAAcC,WAAW;EAAO,IAAGH;AACjE,MAAII;AACJA,YAAUH,eAAeI,IAAI,CAACC,OAAOC,WACnCC,qBACEF,OACA,OAAOA,UAAU,WAAW,OAAOA,MAAMG,OACzCF,WAAU,IAAI,YAAYG,MAAS,CACpC;AAEH,MAAIH,QAAQI,WACVT,gBAAgB,OAAOE,QAAQQ,SAAS,IAAIV,YAAY;AAE1D,MAAIW,SAAShB,OAAOiB;AACpB,MAAIC,WAA4B;AAEhC,WAASJ,WAAWK,GAAS;AAC3B,WAAOC,KAAKC,IAAID,KAAKE,IAAIH,GAAG,CAAC,GAAGZ,QAAQQ,SAAS,CAAC;EACpD;AACA,WAASQ,qBAAkB;AACzB,WAAOhB,QAAQG,KAAK;EACtB;AACA,WAASC,qBACPa,IACAZ,OACAa,KAAY;AAAA,QADZb,UAAa,QAAA;AAAbA,cAAa;IAAI;AAGjB,QAAIc,WAAWC,eACbpB,UAAUgB,mBAAkB,EAAGK,WAAW,KAC1CJ,IACAZ,OACAa,GAAG;AAELI,YACEH,SAASE,SAASE,OAAO,CAAC,MAAM,KAAG,6DACwBC,KAAKC,UAC9DR,EAAE,CACD;AAEL,WAAOE;EACT;AAEA,WAASO,WAAWT,IAAM;AACxB,WAAO,OAAOA,OAAO,WAAWA,KAAKU,WAAWV,EAAE;EACpD;AAEA,MAAIW,UAAyB;IAC3B,IAAIzB,QAAK;AACP,aAAOA;;IAET,IAAIM,SAAM;AACR,aAAOA;;IAET,IAAIU,WAAQ;AACV,aAAOH,mBAAkB;;IAE3BU;IACAG,UAAUZ,IAAE;AACV,aAAO,IAAIa,IAAIJ,WAAWT,EAAE,GAAG,kBAAkB;;IAEnDc,eAAed,IAAM;AACnB,UAAIe,OAAO,OAAOf,OAAO,WAAWgB,UAAUhB,EAAE,IAAIA;AACpD,aAAO;QACLI,UAAUW,KAAKX,YAAY;QAC3Ba,QAAQF,KAAKE,UAAU;QACvBC,MAAMH,KAAKG,QAAQ;;;IAGvBC,KAAKnB,IAAIZ,OAAK;AACZI,eAAShB,OAAO4C;AAChB,UAAIC,eAAelC,qBAAqBa,IAAIZ,KAAK;AACjDF,eAAS;AACTH,cAAQuC,OAAOpC,OAAOH,QAAQQ,QAAQ8B,YAAY;AAClD,UAAIvC,YAAYY,UAAU;AACxBA,iBAAS;UAAEF;UAAQU,UAAUmB;UAAcE,OAAO;QAAC,CAAE;MACtD;;IAEHC,QAAQxB,IAAIZ,OAAK;AACfI,eAAShB,OAAOiD;AAChB,UAAIJ,eAAelC,qBAAqBa,IAAIZ,KAAK;AACjDL,cAAQG,KAAK,IAAImC;AACjB,UAAIvC,YAAYY,UAAU;AACxBA,iBAAS;UAAEF;UAAQU,UAAUmB;UAAcE,OAAO;QAAC,CAAE;MACtD;;IAEHG,GAAGH,OAAK;AACN/B,eAAShB,OAAOiB;AAChB,UAAIkC,YAAYrC,WAAWJ,QAAQqC,KAAK;AACxC,UAAIF,eAAetC,QAAQ4C,SAAS;AACpCzC,cAAQyC;AACR,UAAIjC,UAAU;AACZA,iBAAS;UAAEF;UAAQU,UAAUmB;UAAcE;QAAO,CAAA;MACnD;;IAEHK,OAAOC,IAAY;AACjBnC,iBAAWmC;AACX,aAAO,MAAK;AACVnC,mBAAW;;IAEf;;AAGF,SAAOiB;AACT;AAyBgB,SAAAmB,qBACdnD,SAAmC;AAAA,MAAnCA,YAAA,QAAA;AAAAA,cAAiC,CAAA;EAAE;AAEnC,WAASoD,sBACPC,SACAC,eAAgC;AAEhC,QAAI;MAAE7B;MAAUa;MAAQC;QAASc,QAAO9B;AACxC,WAAOC;MACL;MACA;QAAEC;QAAUa;QAAQC;;;MAEnBe,cAAc7C,SAAS6C,cAAc7C,MAAM8C,OAAQ;MACnDD,cAAc7C,SAAS6C,cAAc7C,MAAMa,OAAQ;IAAS;EAEjE;AAEA,WAASkC,kBAAkBH,SAAgBhC,IAAM;AAC/C,WAAO,OAAOA,OAAO,WAAWA,KAAKU,WAAWV,EAAE;EACpD;AAEA,SAAOoC,mBACLL,uBACAI,mBACA,MACAxD,OAAO;AAEX;AA8BgB,SAAA0D,kBACd1D,SAAgC;AAAA,MAAhCA,YAAA,QAAA;AAAAA,cAA8B,CAAA;EAAE;AAEhC,WAAS2D,mBACPN,SACAC,eAAgC;AAEhC,QAAI;MACF7B,WAAW;MACXa,SAAS;MACTC,OAAO;IAAE,IACPF,UAAUgB,QAAO9B,SAASgB,KAAKqB,OAAO,CAAC,CAAC;AAQ5C,QAAI,CAACnC,SAASoC,WAAW,GAAG,KAAK,CAACpC,SAASoC,WAAW,GAAG,GAAG;AAC1DpC,iBAAW,MAAMA;IAClB;AAED,WAAOD;MACL;MACA;QAAEC;QAAUa;QAAQC;;;MAEnBe,cAAc7C,SAAS6C,cAAc7C,MAAM8C,OAAQ;MACnDD,cAAc7C,SAAS6C,cAAc7C,MAAMa,OAAQ;IAAS;EAEjE;AAEA,WAASwC,eAAeT,SAAgBhC,IAAM;AAC5C,QAAI0C,OAAOV,QAAOW,SAASC,cAAc,MAAM;AAC/C,QAAIC,OAAO;AAEX,QAAIH,QAAQA,KAAKI,aAAa,MAAM,GAAG;AACrC,UAAIC,MAAMf,QAAO9B,SAAS2C;AAC1B,UAAIG,YAAYD,IAAIE,QAAQ,GAAG;AAC/BJ,aAAOG,cAAc,KAAKD,MAAMA,IAAIG,MAAM,GAAGF,SAAS;IACvD;AAED,WAAOH,OAAO,OAAO,OAAO7C,OAAO,WAAWA,KAAKU,WAAWV,EAAE;EAClE;AAEA,WAASmD,qBAAqBjD,UAAoBF,IAAM;AACtDK,YACEH,SAASE,SAASE,OAAO,CAAC,MAAM,KAAG,+DAC0BC,KAAKC,UAChER,EAAE,IACH,GAAG;EAER;AAEA,SAAOoC,mBACLE,oBACAG,gBACAU,sBACAxE,OAAO;AAEX;AAegB,SAAAyE,UAAUC,OAAYC,SAAgB;AACpD,MAAID,UAAU,SAASA,UAAU,QAAQ,OAAOA,UAAU,aAAa;AACrE,UAAM,IAAIE,MAAMD,OAAO;EACxB;AACH;AAEgB,SAAAjD,QAAQmD,MAAWF,SAAe;AAChD,MAAI,CAACE,MAAM;AAET,QAAI,OAAOC,YAAY,YAAaA,SAAQC,KAAKJ,OAAO;AAExD,QAAI;AAMF,YAAM,IAAIC,MAAMD,OAAO;IAExB,SAAQK,GAAG;IAAA;EACb;AACH;AAEA,SAASC,YAAS;AAChB,SAAOhE,KAAKiE,OAAM,EAAGC,SAAS,EAAE,EAAEvB,OAAO,GAAG,CAAC;AAC/C;AAKA,SAASwB,gBAAgB7D,UAAoBhB,OAAa;AACxD,SAAO;IACLgD,KAAKhC,SAASd;IACda,KAAKC,SAASD;IACd+D,KAAK9E;;AAET;AAKM,SAAUiB,eACd8D,SACAjE,IACAZ,OACAa,KAAY;AAAA,MADZb,UAAA,QAAA;AAAAA,YAAa;EAAI;AAGjB,MAAIc,WAAQgE,SAAA;IACV9D,UAAU,OAAO6D,YAAY,WAAWA,UAAUA,QAAQ7D;IAC1Da,QAAQ;IACRC,MAAM;KACF,OAAOlB,OAAO,WAAWgB,UAAUhB,EAAE,IAAIA,IAAE;IAC/CZ;;;;;IAKAa,KAAMD,MAAOA,GAAgBC,OAAQA,OAAO2D,UAAS;GACtD;AACD,SAAO1D;AACT;AAKgB,SAAAQ,WAAUyD,MAIV;AAAA,MAJW;IACzB/D,WAAW;IACXa,SAAS;IACTC,OAAO;EACO,IAAAiD;AACd,MAAIlD,UAAUA,WAAW,IACvBb,aAAYa,OAAOX,OAAO,CAAC,MAAM,MAAMW,SAAS,MAAMA;AACxD,MAAIC,QAAQA,SAAS,IACnBd,aAAYc,KAAKZ,OAAO,CAAC,MAAM,MAAMY,OAAO,MAAMA;AACpD,SAAOd;AACT;AAKM,SAAUY,UAAUD,MAAY;AACpC,MAAIqD,aAA4B,CAAA;AAEhC,MAAIrD,MAAM;AACR,QAAIiC,YAAYjC,KAAKkC,QAAQ,GAAG;AAChC,QAAID,aAAa,GAAG;AAClBoB,iBAAWlD,OAAOH,KAAKwB,OAAOS,SAAS;AACvCjC,aAAOA,KAAKwB,OAAO,GAAGS,SAAS;IAChC;AAED,QAAIqB,cAActD,KAAKkC,QAAQ,GAAG;AAClC,QAAIoB,eAAe,GAAG;AACpBD,iBAAWnD,SAASF,KAAKwB,OAAO8B,WAAW;AAC3CtD,aAAOA,KAAKwB,OAAO,GAAG8B,WAAW;IAClC;AAED,QAAItD,MAAM;AACRqD,iBAAWhE,WAAWW;IACvB;EACF;AAED,SAAOqD;AACT;AASA,SAAShC,mBACPkC,aACA7D,YACA8D,kBACA5F,SAA+B;AAAA,MAA/BA,YAAA,QAAA;AAAAA,cAA6B,CAAA;EAAE;AAE/B,MAAI;IAAEqD,QAAAA,UAASW,SAAS6B;IAAc1F,WAAW;EAAO,IAAGH;AAC3D,MAAIsD,gBAAgBD,QAAOrB;AAC3B,MAAInB,SAAShB,OAAOiB;AACpB,MAAIC,WAA4B;AAEhC,MAAIR,QAAQuF,SAAQ;AAIpB,MAAIvF,SAAS,MAAM;AACjBA,YAAQ;AACR+C,kBAAcyC,aAAYR,SAAMjC,CAAAA,GAAAA,cAAc7C,OAAK;MAAE4E,KAAK9E;IAAK,CAAA,GAAI,EAAE;EACtE;AAED,WAASuF,WAAQ;AACf,QAAIrF,QAAQ6C,cAAc7C,SAAS;MAAE4E,KAAK;;AAC1C,WAAO5E,MAAM4E;EACf;AAEA,WAASW,YAAS;AAChBnF,aAAShB,OAAOiB;AAChB,QAAIkC,YAAY8C,SAAQ;AACxB,QAAIlD,QAAQI,aAAa,OAAO,OAAOA,YAAYzC;AACnDA,YAAQyC;AACR,QAAIjC,UAAU;AACZA,eAAS;QAAEF;QAAQU,UAAUS,QAAQT;QAAUqB;MAAK,CAAE;IACvD;EACH;AAEA,WAASJ,KAAKnB,IAAQZ,OAAW;AAC/BI,aAAShB,OAAO4C;AAChB,QAAIlB,WAAWC,eAAeQ,QAAQT,UAAUF,IAAIZ,KAAK;AACzD,QAAImF,iBAAkBA,kBAAiBrE,UAAUF,EAAE;AAEnDd,YAAQuF,SAAQ,IAAK;AACrB,QAAIG,eAAeb,gBAAgB7D,UAAUhB,KAAK;AAClD,QAAI6D,MAAMpC,QAAQF,WAAWP,QAAQ;AAGrC,QAAI;AACF+B,oBAAc4C,UAAUD,cAAc,IAAI7B,GAAG;aACtC+B,OAAO;AAKd,UAAIA,iBAAiBC,gBAAgBD,MAAME,SAAS,kBAAkB;AACpE,cAAMF;MACP;AAGD9C,MAAAA,QAAO9B,SAAS+E,OAAOlC,GAAG;IAC3B;AAED,QAAIjE,YAAYY,UAAU;AACxBA,eAAS;QAAEF;QAAQU,UAAUS,QAAQT;QAAUqB,OAAO;MAAC,CAAE;IAC1D;EACH;AAEA,WAASC,SAAQxB,IAAQZ,OAAW;AAClCI,aAAShB,OAAOiD;AAChB,QAAIvB,WAAWC,eAAeQ,QAAQT,UAAUF,IAAIZ,KAAK;AACzD,QAAImF,iBAAkBA,kBAAiBrE,UAAUF,EAAE;AAEnDd,YAAQuF,SAAQ;AAChB,QAAIG,eAAeb,gBAAgB7D,UAAUhB,KAAK;AAClD,QAAI6D,MAAMpC,QAAQF,WAAWP,QAAQ;AACrC+B,kBAAcyC,aAAaE,cAAc,IAAI7B,GAAG;AAEhD,QAAIjE,YAAYY,UAAU;AACxBA,eAAS;QAAEF;QAAQU,UAAUS,QAAQT;QAAUqB,OAAO;MAAC,CAAE;IAC1D;EACH;AAEA,WAASX,UAAUZ,IAAM;AAIvB,QAAI0C,OACFV,QAAO9B,SAASgF,WAAW,SACvBlD,QAAO9B,SAASgF,SAChBlD,QAAO9B,SAAS2C;AAEtB,QAAIA,OAAO,OAAO7C,OAAO,WAAWA,KAAKU,WAAWV,EAAE;AAItD6C,WAAOA,KAAKrB,QAAQ,MAAM,KAAK;AAC/B4B,cACEV,MACsEG,wEAAAA,IAAM;AAE9E,WAAO,IAAIhC,IAAIgC,MAAMH,IAAI;EAC3B;AAEA,MAAI/B,UAAmB;IACrB,IAAInB,SAAM;AACR,aAAOA;;IAET,IAAIU,WAAQ;AACV,aAAOoE,YAAYtC,SAAQC,aAAa;;IAE1CL,OAAOC,IAAY;AACjB,UAAInC,UAAU;AACZ,cAAM,IAAI6D,MAAM,4CAA4C;MAC7D;AACDvB,MAAAA,QAAOmD,iBAAiB1G,mBAAmBkG,SAAS;AACpDjF,iBAAWmC;AAEX,aAAO,MAAK;AACVG,QAAAA,QAAOoD,oBAAoB3G,mBAAmBkG,SAAS;AACvDjF,mBAAW;;;IAGfe,WAAWT,IAAE;AACX,aAAOS,WAAWuB,SAAQhC,EAAE;;IAE9BY;IACAE,eAAed,IAAE;AAEf,UAAI+C,MAAMnC,UAAUZ,EAAE;AACtB,aAAO;QACLI,UAAU2C,IAAI3C;QACda,QAAQ8B,IAAI9B;QACZC,MAAM6B,IAAI7B;;;IAGdC;IACAK,SAAAA;IACAE,GAAG/B,GAAC;AACF,aAAOsC,cAAcP,GAAG/B,CAAC;IAC3B;;AAGF,SAAOgB;AACT;AC7tBA,IAAY0E;CAAZ,SAAYA,aAAU;AACpBA,EAAAA,YAAA,MAAA,IAAA;AACAA,EAAAA,YAAA,UAAA,IAAA;AACAA,EAAAA,YAAA,UAAA,IAAA;AACAA,EAAAA,YAAA,OAAA,IAAA;AACF,GALYA,eAAAA,aAKX,CAAA,EAAA;AA kRM,IAAMC,qBAAqB,oBAAIC,IAAuB,CAC3D,QACA,iBACA,QACA,MACA,SACA,UAAU,CACX;AAoJD,SAASC,aACPC,OAA0B;AAE1B,SAAOA,MAAMvG,UAAU;AACzB;AAIM,SAAUwG,0BACdC,QACAC,qBACAC,YACAC,UAA4B;AAAA,MAD5BD,eAAuB,QAAA;AAAvBA,iBAAuB,CAAA;EAAE;AAAA,MACzBC,aAAA,QAAA;AAAAA,eAA0B,CAAA;EAAE;AAE5B,SAAOH,OAAO3G,IAAI,CAACyG,OAAOvG,UAAS;AACjC,QAAI6G,WAAW,CAAC,GAAGF,YAAYG,OAAO9G,KAAK,CAAC;AAC5C,QAAI+G,KAAK,OAAOR,MAAMQ,OAAO,WAAWR,MAAMQ,KAAKF,SAASG,KAAK,GAAG;AACpE9C,cACEqC,MAAMvG,UAAU,QAAQ,CAACuG,MAAMU,UAAQ,2CACI;AAE7C/C,cACE,CAAC0C,SAASG,EAAE,GACZ,uCAAqCA,KACnC,kEAAwD;AAG5D,QAAIT,aAAaC,KAAK,GAAG;AACvB,UAAIW,aAAUlC,SAAA,CAAA,GACTuB,OACAG,oBAAmBH,KAAK,GAAC;QAC5BQ;OACD;AACDH,eAASG,EAAE,IAAIG;AACf,aAAOA;IACR,OAAM;AACL,UAAIC,oBAAiBnC,SAAA,CAAA,GAChBuB,OACAG,oBAAmBH,KAAK,GAAC;QAC5BQ;QACAE,UAAU9G;OACX;AACDyG,eAASG,EAAE,IAAII;AAEf,UAAIZ,MAAMU,UAAU;AAClBE,0BAAkBF,WAAWT,0BAC3BD,MAAMU,UACNP,qBACAG,UACAD,QAAQ;MAEX;AAED,aAAOO;IACR;EACH,CAAC;AACH;AAOM,SAAUC,YAGdX,QACAY,aACAC,UAAc;AAAA,MAAdA,aAAQ,QAAA;AAARA,eAAW;EAAG;AAEd,SAAOC,gBAAgBd,QAAQY,aAAaC,UAAU,KAAK;AAC7D;AAEM,SAAUC,gBAGdd,QACAY,aACAC,UACAE,cAAqB;AAErB,MAAIxG,WACF,OAAOqG,gBAAgB,WAAWvF,UAAUuF,WAAW,IAAIA;AAE7D,MAAInG,WAAWuG,cAAczG,SAASE,YAAY,KAAKoG,QAAQ;AAE/D,MAAIpG,YAAY,MAAM;AACpB,WAAO;EACR;AAED,MAAIwG,WAAWC,cAAclB,MAAM;AACnCmB,oBAAkBF,QAAQ;AAE1B,MAAIG,UAAU;AACd,WAASC,IAAI,GAAGD,WAAW,QAAQC,IAAIJ,SAASrH,QAAQ,EAAEyH,GAAG;AAO3D,QAAIC,UAAUC,WAAW9G,QAAQ;AACjC2G,cAAUI,iBACRP,SAASI,CAAC,GACVC,SACAP,YAAY;EAEf;AAED,SAAOK;AACT;AAUgB,SAAAK,2BACdC,OACAC,YAAqB;AAErB,MAAI;IAAE7B;IAAOrF;IAAUmH;EAAM,IAAKF;AAClC,SAAO;IACLpB,IAAIR,MAAMQ;IACV7F;IACAmH;IACAC,MAAMF,WAAW7B,MAAMQ,EAAE;IACzBwB,QAAQhC,MAAMgC;;AAElB;AAmBA,SAASZ,cAGPlB,QACAiB,UACAc,aACA7B,YAAe;AAAA,MAFfe,aAA2C,QAAA;AAA3CA,eAA2C,CAAA;EAAE;AAAA,MAC7Cc,gBAAA,QAAA;AAAAA,kBAA4C,CAAA;EAAE;AAAA,MAC9C7B,eAAU,QAAA;AAAVA,iBAAa;EAAE;AAEf,MAAI8B,eAAeA,CACjBlC,OACAvG,OACA0I,iBACE;AACF,QAAIC,OAAmC;MACrCD,cACEA,iBAAiBvI,SAAYoG,MAAM1E,QAAQ,KAAK6G;MAClDE,eAAerC,MAAMqC,kBAAkB;MACvCC,eAAe7I;MACfuG;;AAGF,QAAIoC,KAAKD,aAAapF,WAAW,GAAG,GAAG;AACrCY,gBACEyE,KAAKD,aAAapF,WAAWqD,UAAU,GACvC,0BAAwBgC,KAAKD,eAAY,0BAAA,MACnC/B,aAAU,mDAA+C,6DACA;AAGjEgC,WAAKD,eAAeC,KAAKD,aAAa1E,MAAM2C,WAAWtG,MAAM;IAC9D;AAED,QAAIwB,OAAOiH,UAAU,CAACnC,YAAYgC,KAAKD,YAAY,CAAC;AACpD,QAAIK,aAAaP,YAAYQ,OAAOL,IAAI;AAKxC,QAAIpC,MAAMU,YAAYV,MAAMU,SAAS5G,SAAS,GAAG;AAC/C6D;;;QAGEqC,MAAMvG,UAAU;QAChB,6DACuC6B,uCAAAA,OAAI;MAAI;AAEjD8F,oBAAcpB,MAAMU,UAAUS,UAAUqB,YAAYlH,IAAI;IACzD;AAID,QAAI0E,MAAM1E,QAAQ,QAAQ,CAAC0E,MAAMvG,OAAO;AACtC;IACD;AAED0H,aAASzF,KAAK;MACZJ;MACAoH,OAAOC,aAAarH,MAAM0E,MAAMvG,KAAK;MACrC+I;IACD,CAAA;;AAEHtC,SAAO0C,QAAQ,CAAC5C,OAAOvG,UAAS;AAAA,QAAAoJ;AAE9B,QAAI7C,MAAM1E,SAAS,MAAM,GAAAuH,cAAC7C,MAAM1E,SAAI,QAAVuH,YAAYC,SAAS,GAAG,IAAG;AACnDZ,mBAAalC,OAAOvG,KAAK;IAC1B,OAAM;AACL,eAASsJ,YAAYC,wBAAwBhD,MAAM1E,IAAI,GAAG;AACxD4G,qBAAalC,OAAOvG,OAAOsJ,QAAQ;MACpC;IACF;EACH,CAAC;AAED,SAAO5B;AACT;AAgBA,SAAS6B,wBAAwB1H,MAAY;AAC3C,MAAI2H,WAAW3H,KAAK4H,MAAM,GAAG;AAC7B,MAAID,SAASnJ,WAAW,EAAG,QAAO,CAAA;AAElC,MAAI,CAACqJ,OAAO,GAAGC,IAAI,IAAIH;AAGvB,MAAII,aAAaF,MAAMG,SAAS,GAAG;AAEnC,MAAIC,WAAWJ,MAAMpH,QAAQ,OAAO,EAAE;AAEtC,MAAIqH,KAAKtJ,WAAW,GAAG;AAGrB,WAAOuJ,aAAa,CAACE,UAAU,EAAE,IAAI,CAACA,QAAQ;EAC/C;AAED,MAAIC,eAAeR,wBAAwBI,KAAK3C,KAAK,GAAG,CAAC;AAEzD,MAAIgD,SAAmB,CAAA;AASvBA,SAAO/H,KACL,GAAG8H,aAAajK,IAAKmK,aACnBA,YAAY,KAAKH,WAAW,CAACA,UAAUG,OAAO,EAAEjD,KAAK,GAAG,CAAC,CAC1D;AAIH,MAAI4C,YAAY;AACdI,WAAO/H,KAAK,GAAG8H,YAAY;EAC5B;AAGD,SAAOC,OAAOlK,IAAKwJ,cACjBzH,KAAKyB,WAAW,GAAG,KAAKgG,aAAa,KAAK,MAAMA,QAAQ;AAE5D;AAEA,SAAS1B,kBAAkBF,UAAuB;AAChDA,WAASwC,KAAK,CAACC,GAAGC,MAChBD,EAAElB,UAAUmB,EAAEnB,QACVmB,EAAEnB,QAAQkB,EAAElB,QACZoB,eACEF,EAAEpB,WAAWjJ,IAAK6I,UAASA,KAAKE,aAAa,GAC7CuB,EAAErB,WAAWjJ,IAAK6I,UAASA,KAAKE,aAAa,CAAC,CAC/C;AAET;AAEA,IAAMyB,UAAU;AAChB,IAAMC,sBAAsB;AAC5B,IAAMC,kBAAkB;AACxB,IAAMC,oBAAoB;AAC1B,IAAMC,qBAAqB;AAC3B,IAAMC,eAAe;AACrB,IAAMC,UAAWC,OAAcA,MAAM;AAErC,SAAS3B,aAAarH,MAAc7B,OAA0B;AAC5D,MAAIwJ,WAAW3H,KAAK4H,MAAM,GAAG;AAC7B,MAAIqB,eAAetB,SAASnJ;AAC5B,MAAImJ,SAASuB,KAAKH,OAAO,GAAG;AAC1BE,oBAAgBH;EACjB;AAED,MAAI3K,OAAO;AACT8K,oBAAgBN;EACjB;AAED,SAAOhB,SACJwB,OAAQH,OAAM,CAACD,QAAQC,CAAC,CAAC,EACzBI,OACC,CAAChC,OAAOiC,YACNjC,SACCqB,QAAQa,KAAKD,OAAO,IACjBX,sBACAW,YAAY,KACZT,oBACAC,qBACNI,YAAY;AAElB;AAEA,SAAST,eAAeF,GAAaC,GAAW;AAC9C,MAAIgB,WACFjB,EAAE9J,WAAW+J,EAAE/J,UAAU8J,EAAEnG,MAAM,GAAG,EAAE,EAAEqH,MAAM,CAAC5K,GAAGqH,MAAMrH,MAAM2J,EAAEtC,CAAC,CAAC;AAEpE,SAAOsD;;;;;IAKHjB,EAAEA,EAAE9J,SAAS,CAAC,IAAI+J,EAAEA,EAAE/J,SAAS,CAAC;;;;IAGhC;;AACN;AAEA,SAAS4H,iBAIPqD,QACApK,UACAsG,cAAoB;AAAA,MAApBA,iBAAY,QAAA;AAAZA,mBAAe;EAAK;AAEpB,MAAI;IAAEuB;EAAY,IAAGuC;AAErB,MAAIC,gBAAgB,CAAA;AACpB,MAAIC,kBAAkB;AACtB,MAAI3D,UAA2D,CAAA;AAC/D,WAASC,IAAI,GAAGA,IAAIiB,WAAW1I,QAAQ,EAAEyH,GAAG;AAC1C,QAAIa,OAAOI,WAAWjB,CAAC;AACvB,QAAI2D,MAAM3D,MAAMiB,WAAW1I,SAAS;AACpC,QAAIqL,oBACFF,oBAAoB,MAChBtK,WACAA,SAAS8C,MAAMwH,gBAAgBnL,MAAM,KAAK;AAChD,QAAI8H,QAAQwD,UACV;MAAE9J,MAAM8G,KAAKD;MAAcE,eAAeD,KAAKC;MAAe6C;OAC9DC,iBAAiB;AAGnB,QAAInF,QAAQoC,KAAKpC;AAEjB,QACE,CAAC4B,SACDsD,OACAjE,gBACA,CAACuB,WAAWA,WAAW1I,SAAS,CAAC,EAAEkG,MAAMvG,OACzC;AACAmI,cAAQwD,UACN;QACE9J,MAAM8G,KAAKD;QACXE,eAAeD,KAAKC;QACpB6C,KAAK;SAEPC,iBAAiB;IAEpB;AAED,QAAI,CAACvD,OAAO;AACV,aAAO;IACR;AAEDyD,WAAO7F,OAAOwF,eAAepD,MAAME,MAAM;AAEzCR,YAAQ5F,KAAK;;MAEXoG,QAAQkD;MACRrK,UAAU4H,UAAU,CAAC0C,iBAAiBrD,MAAMjH,QAAQ,CAAC;MACrD2K,cAAcC,kBACZhD,UAAU,CAAC0C,iBAAiBrD,MAAM0D,YAAY,CAAC,CAAC;MAElDtF;IACD,CAAA;AAED,QAAI4B,MAAM0D,iBAAiB,KAAK;AAC9BL,wBAAkB1C,UAAU,CAAC0C,iBAAiBrD,MAAM0D,YAAY,CAAC;IAClE;EACF;AAED,SAAOhE;AACT;SAOgBkE,aACdC,cACA3D,QAEa;AAAA,MAFbA,WAAAA,QAAAA;AAAAA,aAEI,CAAA;EAAS;AAEb,MAAIxG,OAAemK;AACnB,MAAInK,KAAKgI,SAAS,GAAG,KAAKhI,SAAS,OAAO,CAACA,KAAKgI,SAAS,IAAI,GAAG;AAC9D1I,YACE,OACA,iBAAeU,OACTA,sCAAAA,MAAAA,KAAKS,QAAQ,OAAO,IAAI,IAAsC,uCAAA,sEAE9BT,sCAAAA,KAAKS,QAAQ,OAAO,IAAI,IAAC,KAAI;AAErET,WAAOA,KAAKS,QAAQ,OAAO,IAAI;EAChC;AAGD,QAAM2J,SAASpK,KAAKyB,WAAW,GAAG,IAAI,MAAM;AAE5C,QAAMhC,YAAa4K,OACjBA,KAAK,OAAO,KAAK,OAAOA,MAAM,WAAWA,IAAIpF,OAAOoF,CAAC;AAEvD,QAAM1C,WAAW3H,KACd4H,MAAM,KAAK,EACX3J,IAAI,CAACoL,SAASlL,OAAOmM,UAAS;AAC7B,UAAMC,gBAAgBpM,UAAUmM,MAAM9L,SAAS;AAG/C,QAAI+L,iBAAiBlB,YAAY,KAAK;AACpC,YAAMmB,OAAO;AAEb,aAAO/K,UAAU+G,OAAOgE,IAAI,CAAC;IAC9B;AAED,UAAMC,WAAWpB,QAAQ/C,MAAM,kBAAkB;AACjD,QAAImE,UAAU;AACZ,YAAM,CAAA,EAAGvL,KAAKwL,QAAQ,IAAID;AAC1B,UAAIE,QAAQnE,OAAOtH,GAAsB;AACzCmD,gBAAUqI,aAAa,OAAOC,SAAS,MAAI,eAAezL,MAAG,SAAS;AACtE,aAAOO,UAAUkL,KAAK;IACvB;AAGD,WAAOtB,QAAQ5I,QAAQ,QAAQ,EAAE;GAClC,EAEA0I,OAAQE,aAAY,CAAC,CAACA,OAAO;AAEhC,SAAOe,SAASzC,SAASxC,KAAK,GAAG;AACnC;AAuDgB,SAAA2E,UAIdc,SACAvL,UAAgB;AAEhB,MAAI,OAAOuL,YAAY,UAAU;AAC/BA,cAAU;MAAE5K,MAAM4K;MAAS7D,eAAe;MAAO6C,KAAK;;EACvD;AAED,MAAI,CAACiB,SAASC,cAAc,IAAIC,YAC9BH,QAAQ5K,MACR4K,QAAQ7D,eACR6D,QAAQhB,GAAG;AAGb,MAAItD,QAAQjH,SAASiH,MAAMuE,OAAO;AAClC,MAAI,CAACvE,MAAO,QAAO;AAEnB,MAAIqD,kBAAkBrD,MAAM,CAAC;AAC7B,MAAI0D,eAAeL,gBAAgBlJ,QAAQ,WAAW,IAAI;AAC1D,MAAIuK,gBAAgB1E,MAAMnE,MAAM,CAAC;AACjC,MAAIqE,SAAiBsE,eAAe1B,OAClC,CAAC6B,OAAI7H,MAA6BjF,UAAS;AAAA,QAApC;MAAE+M;MAAWnD;QAAY3E;AAG9B,QAAI8H,cAAc,KAAK;AACrB,UAAIC,aAAaH,cAAc7M,KAAK,KAAK;AACzC6L,qBAAeL,gBACZxH,MAAM,GAAGwH,gBAAgBnL,SAAS2M,WAAW3M,MAAM,EACnDiC,QAAQ,WAAW,IAAI;IAC3B;AAED,UAAM6B,QAAQ0I,cAAc7M,KAAK;AACjC,QAAI4J,cAAc,CAACzF,OAAO;AACxB2I,MAAAA,MAAKC,SAAS,IAAI5M;IACnB,OAAM;AACL2M,MAAAA,MAAKC,SAAS,KAAK5I,SAAS,IAAI7B,QAAQ,QAAQ,GAAG;IACpD;AACD,WAAOwK;KAET,CAAA,CAAE;AAGJ,SAAO;IACLzE;IACAnH,UAAUsK;IACVK;IACAY;;AAEJ;AAIA,SAASG,YACP/K,MACA+G,eACA6C,KAAU;AAAA,MADV7C,kBAAa,QAAA;AAAbA,oBAAgB;EAAK;AAAA,MACrB6C,QAAG,QAAA;AAAHA,UAAM;EAAI;AAEVtK,UACEU,SAAS,OAAO,CAACA,KAAKgI,SAAS,GAAG,KAAKhI,KAAKgI,SAAS,IAAI,GACzD,iBAAehI,OACTA,sCAAAA,MAAAA,KAAKS,QAAQ,OAAO,IAAI,IAAsC,uCAAA,sEACE,sCAChCT,KAAKS,QAAQ,OAAO,IAAI,IAAC,KAAI;AAGrE,MAAI+F,SAA8B,CAAA;AAClC,MAAI4E,eACF,MACApL,KACGS,QAAQ,WAAW,EAAE,EACrBA,QAAQ,QAAQ,GAAG,EACnBA,QAAQ,sBAAsB,MAAM,EACpCA,QACC,qBACA,CAAC4K,GAAWH,WAAmBnD,eAAc;AAC3CvB,WAAOpG,KAAK;MAAE8K;MAAWnD,YAAYA,cAAc;IAAI,CAAE;AACzD,WAAOA,aAAa,iBAAiB;EACvC,CAAC;AAGP,MAAI/H,KAAKgI,SAAS,GAAG,GAAG;AACtBxB,WAAOpG,KAAK;MAAE8K,WAAW;IAAK,CAAA;AAC9BE,oBACEpL,SAAS,OAAOA,SAAS,OACrB,UACA;aACG4J,KAAK;AAEdwB,oBAAgB;aACPpL,SAAS,MAAMA,SAAS,KAAK;AAQtCoL,oBAAgB;EACjB,MAAM;AAIP,MAAIP,UAAU,IAAIS,OAAOF,cAAcrE,gBAAgBzI,SAAY,GAAG;AAEtE,SAAO,CAACuM,SAASrE,MAAM;AACzB;AAEM,SAAUL,WAAW7D,OAAa;AACtC,MAAI;AACF,WAAOA,MACJsF,MAAM,GAAG,EACT3J,IAAKsN,OAAMC,mBAAmBD,CAAC,EAAE9K,QAAQ,OAAO,KAAK,CAAC,EACtD0E,KAAK,GAAG;WACJpB,OAAO;AACdzE,YACE,OACA,mBAAiBgD,QACgD,6GAAA,eAClDyB,QAAK,KAAI;AAG1B,WAAOzB;EACR;AACH;AAKgB,SAAAsD,cACdvG,UACAoG,UAAgB;AAEhB,MAAIA,aAAa,IAAK,QAAOpG;AAE7B,MAAI,CAACA,SAASoM,YAAW,EAAGhK,WAAWgE,SAASgG,YAAW,CAAE,GAAG;AAC9D,WAAO;EACR;AAID,MAAIC,aAAajG,SAASuC,SAAS,GAAG,IAClCvC,SAASjH,SAAS,IAClBiH,SAASjH;AACb,MAAImN,WAAWtM,SAASE,OAAOmM,UAAU;AACzC,MAAIC,YAAYA,aAAa,KAAK;AAEhC,WAAO;EACR;AAED,SAAOtM,SAAS8C,MAAMuJ,UAAU,KAAK;AACvC;SAOgBE,YAAY3M,IAAQ4M,cAAkB;AAAA,MAAlBA,iBAAY,QAAA;AAAZA,mBAAe;EAAG;AACpD,MAAI;IACFxM,UAAUyM;IACV5L,SAAS;IACTC,OAAO;MACL,OAAOlB,OAAO,WAAWgB,UAAUhB,EAAE,IAAIA;AAE7C,MAAII,WAAWyM,aACXA,WAAWrK,WAAW,GAAG,IACvBqK,aACAC,gBAAgBD,YAAYD,YAAY,IAC1CA;AAEJ,SAAO;IACLxM;IACAa,QAAQ8L,gBAAgB9L,MAAM;IAC9BC,MAAM8L,cAAc9L,IAAI;;AAE5B;AAEA,SAAS4L,gBAAgBlF,cAAsBgF,cAAoB;AACjE,MAAIlE,WAAWkE,aAAapL,QAAQ,QAAQ,EAAE,EAAEmH,MAAM,GAAG;AACzD,MAAIsE,mBAAmBrF,aAAae,MAAM,GAAG;AAE7CsE,mBAAiB5E,QAAS+B,aAAW;AACnC,QAAIA,YAAY,MAAM;AAEpB,UAAI1B,SAASnJ,SAAS,EAAGmJ,UAASwE,IAAG;IACtC,WAAU9C,YAAY,KAAK;AAC1B1B,eAASvH,KAAKiJ,OAAO;IACtB;EACH,CAAC;AAED,SAAO1B,SAASnJ,SAAS,IAAImJ,SAASxC,KAAK,GAAG,IAAI;AACpD;AAEA,SAASiH,oBACPC,MACAC,OACAC,MACAvM,MAAmB;AAEnB,SACE,uBAAqBqM,OACbC,0CAAAA,SAAAA,QAAK,cAAa9M,KAAKC,UAC7BO,IAAI,IACL,yCACOuM,SAAAA,OAAI,8DACuD;AAEvE;AAyBM,SAAUC,2BAEdxG,SAAY;AACZ,SAAOA,QAAQmD,OACb,CAAC7C,OAAOnI,UACNA,UAAU,KAAMmI,MAAM5B,MAAM1E,QAAQsG,MAAM5B,MAAM1E,KAAKxB,SAAS,CAAE;AAEtE;AAIgB,SAAAiO,oBAEdzG,SAAc0G,sBAA6B;AAC3C,MAAIC,cAAcH,2BAA2BxG,OAAO;AAKpD,MAAI0G,sBAAsB;AACxB,WAAOC,YAAY1O,IAAI,CAACqI,OAAOrD,QAC7BA,QAAQ0J,YAAYnO,SAAS,IAAI8H,MAAMjH,WAAWiH,MAAM0D,YAAY;EAEvE;AAED,SAAO2C,YAAY1O,IAAKqI,WAAUA,MAAM0D,YAAY;AACtD;AAKM,SAAU4C,UACdC,OACAC,gBACAC,kBACAC,gBAAsB;AAAA,MAAtBA,mBAAc,QAAA;AAAdA,qBAAiB;EAAK;AAEtB,MAAI/N;AACJ,MAAI,OAAO4N,UAAU,UAAU;AAC7B5N,SAAKgB,UAAU4M,KAAK;EACrB,OAAM;AACL5N,SAAEkE,SAAQ0J,CAAAA,GAAAA,KAAK;AAEfxK,cACE,CAACpD,GAAGI,YAAY,CAACJ,GAAGI,SAASmI,SAAS,GAAG,GACzC4E,oBAAoB,KAAK,YAAY,UAAUnN,EAAE,CAAC;AAEpDoD,cACE,CAACpD,GAAGI,YAAY,CAACJ,GAAGI,SAASmI,SAAS,GAAG,GACzC4E,oBAAoB,KAAK,YAAY,QAAQnN,EAAE,CAAC;AAElDoD,cACE,CAACpD,GAAGiB,UAAU,CAACjB,GAAGiB,OAAOsH,SAAS,GAAG,GACrC4E,oBAAoB,KAAK,UAAU,QAAQnN,EAAE,CAAC;EAEjD;AAED,MAAIgO,cAAcJ,UAAU,MAAM5N,GAAGI,aAAa;AAClD,MAAIyM,aAAamB,cAAc,MAAMhO,GAAGI;AAExC,MAAI6N;AAWJ,MAAIpB,cAAc,MAAM;AACtBoB,WAAOH;EACR,OAAM;AACL,QAAII,qBAAqBL,eAAetO,SAAS;AAMjD,QAAI,CAACwO,kBAAkBlB,WAAWrK,WAAW,IAAI,GAAG;AAClD,UAAI2L,aAAatB,WAAWlE,MAAM,GAAG;AAErC,aAAOwF,WAAW,CAAC,MAAM,MAAM;AAC7BA,mBAAWC,MAAK;AAChBF,8BAAsB;MACvB;AAEDlO,SAAGI,WAAW+N,WAAWjI,KAAK,GAAG;IAClC;AAED+H,WAAOC,sBAAsB,IAAIL,eAAeK,kBAAkB,IAAI;EACvE;AAED,MAAInN,OAAO4L,YAAY3M,IAAIiO,IAAI;AAG/B,MAAII,2BACFxB,cAAcA,eAAe,OAAOA,WAAW9D,SAAS,GAAG;AAE7D,MAAIuF,2BACDN,eAAenB,eAAe,QAAQiB,iBAAiB/E,SAAS,GAAG;AACtE,MACE,CAAChI,KAAKX,SAAS2I,SAAS,GAAG,MAC1BsF,4BAA4BC,0BAC7B;AACAvN,SAAKX,YAAY;EAClB;AAED,SAAOW;AACT;IAiBawN,YAAaC,WACxBA,MAAMC,KAAK,GAAG,EAAEC,QAAQ,UAAU,GAAG;IAK1BC,oBAAqBC,cAChCA,SAASF,QAAQ,QAAQ,EAAE,EAAEA,QAAQ,QAAQ,GAAG;AAK3C,IAAMG,kBAAmBC,YAC9B,CAACA,UAAUA,WAAW,MAClB,KACAA,OAAOC,WAAW,GAAG,IACrBD,SACA,MAAMA;AAKL,IAAME,gBAAiBC,UAC5B,CAACA,QAAQA,SAAS,MAAM,KAAKA,KAAKF,WAAW,GAAG,IAAIE,OAAO,MAAMA;AAW5D,IAAMC,OAAqB,SAArBA,MAAsBC,MAAMC,MAAa;AAAA,MAAbA,SAAI,QAAA;AAAJA,WAAO,CAAA;EAAE;AAChD,MAAIC,eAAe,OAAOD,SAAS,WAAW;IAAEE,QAAQF;EAAI,IAAKA;AAEjE,MAAIG,UAAU,IAAIC,QAAQH,aAAaE,OAAO;AAC9C,MAAI,CAACA,QAAQE,IAAI,cAAc,GAAG;AAChCF,YAAQG,IAAI,gBAAgB,iCAAiC;EAC9D;AAED,SAAO,IAAIC,SAASC,KAAKC,UAAUV,IAAI,GAACW,SAAA,CAAA,GACnCT,cAAY;IACfE;EAAO,CAAA,CACR;AACH;AA8BM,IAAOQ,uBAAP,cAAoCC,MAAK;AAAA;IAElCC,qBAAY;EAWvBC,YAAYC,MAA+BC,cAA2B;AAV9D,SAAAC,iBAA8B,oBAAIC,IAAG;AAIrC,SAAAC,cACN,oBAAID,IAAG;AAGT,SAAYE,eAAa,CAAA;AAGvBC,cACEN,QAAQ,OAAOA,SAAS,YAAY,CAACO,MAAMC,QAAQR,IAAI,GACvD,oCAAoC;AAKtC,QAAIS;AACJ,SAAKC,eAAe,IAAIC,QAAQ,CAACC,GAAGC,MAAOJ,SAASI,CAAE;AACtD,SAAKC,aAAa,IAAIC,gBAAe;AACrC,QAAIC,UAAUA,MACZP,OAAO,IAAIb,qBAAqB,uBAAuB,CAAC;AAC1D,SAAKqB,sBAAsB,MACzB,KAAKH,WAAWI,OAAOC,oBAAoB,SAASH,OAAO;AAC7D,SAAKF,WAAWI,OAAOE,iBAAiB,SAASJ,OAAO;AAExD,SAAKhB,OAAOqB,OAAOC,QAAQtB,IAAI,EAAEuB,OAC/B,CAACC,KAAGC,UAAA;AAAA,UAAE,CAACC,KAAKC,KAAK,IAACF;AAAA,aAChBJ,OAAOO,OAAOJ,KAAK;QACjB,CAACE,GAAG,GAAG,KAAKG,aAAaH,KAAKC,KAAK;OACpC;OACH,CAAA,CAAE;AAGJ,QAAI,KAAKG,MAAM;AAEb,WAAKb,oBAAmB;IACzB;AAED,SAAKc,OAAO9B;EACd;EAEQ4B,aACNH,KACAC,OAAiC;AAEjC,QAAI,EAAEA,iBAAiBhB,UAAU;AAC/B,aAAOgB;IACR;AAED,SAAKtB,aAAa2B,KAAKN,GAAG;AAC1B,SAAKxB,eAAe+B,IAAIP,GAAG;AAI3B,QAAIQ,UAA0BvB,QAAQwB,KAAK,CAACR,OAAO,KAAKjB,YAAY,CAAC,EAAE0B,KACpEpC,UAAS,KAAKqC,SAASH,SAASR,KAAKY,QAAWtC,IAAe,GAC/DuC,WAAU,KAAKF,SAASH,SAASR,KAAKa,KAAgB,CAAC;AAK1DL,YAAQM,MAAM,MAAO;IAAA,CAAC;AAEtBnB,WAAOoB,eAAeP,SAAS,YAAY;MAAEQ,KAAKA,MAAM;IAAI,CAAE;AAC9D,WAAOR;EACT;EAEQG,SACNH,SACAR,KACAa,OACAvC,MAAc;AAEd,QACE,KAAKc,WAAWI,OAAOyB,WACvBJ,iBAAiB3C,sBACjB;AACA,WAAKqB,oBAAmB;AACxBI,aAAOoB,eAAeP,SAAS,UAAU;QAAEQ,KAAKA,MAAMH;MAAK,CAAE;AAC7D,aAAO5B,QAAQF,OAAO8B,KAAK;IAC5B;AAED,SAAKrC,eAAe0C,OAAOlB,GAAG;AAE9B,QAAI,KAAKI,MAAM;AAEb,WAAKb,oBAAmB;IACzB;AAID,QAAIsB,UAAUD,UAAatC,SAASsC,QAAW;AAC7C,UAAIO,iBAAiB,IAAIhD,MACvB,4BAA0B6B,MAAG,uFACwB;AAEvDL,aAAOoB,eAAeP,SAAS,UAAU;QAAEQ,KAAKA,MAAMG;MAAc,CAAE;AACtE,WAAKC,KAAK,OAAOpB,GAAG;AACpB,aAAOf,QAAQF,OAAOoC,cAAc;IACrC;AAED,QAAI7C,SAASsC,QAAW;AACtBjB,aAAOoB,eAAeP,SAAS,UAAU;QAAEQ,KAAKA,MAAMH;MAAK,CAAE;AAC7D,WAAKO,KAAK,OAAOpB,GAAG;AACpB,aAAOf,QAAQF,OAAO8B,KAAK;IAC5B;AAEDlB,WAAOoB,eAAeP,SAAS,SAAS;MAAEQ,KAAKA,MAAM1C;IAAI,CAAE;AAC3D,SAAK8C,KAAK,OAAOpB,GAAG;AACpB,WAAO1B;EACT;EAEQ8C,KAAKH,SAAkBI,YAAmB;AAChD,SAAK3C,YAAY4C,QAASC,gBAAeA,WAAWN,SAASI,UAAU,CAAC;EAC1E;EAEAG,UAAUC,IAAmD;AAC3D,SAAK/C,YAAY6B,IAAIkB,EAAE;AACvB,WAAO,MAAM,KAAK/C,YAAYwC,OAAOO,EAAE;EACzC;EAEAC,SAAM;AACJ,SAAKtC,WAAWuC,MAAK;AACrB,SAAKnD,eAAe8C,QAAQ,CAACM,GAAGC,MAAM,KAAKrD,eAAe0C,OAAOW,CAAC,CAAC;AACnE,SAAKT,KAAK,IAAI;EAChB;EAEA,MAAMU,YAAYtC,QAAmB;AACnC,QAAIyB,UAAU;AACd,QAAI,CAAC,KAAKb,MAAM;AACd,UAAId,UAAUA,MAAM,KAAKoC,OAAM;AAC/BlC,aAAOE,iBAAiB,SAASJ,OAAO;AACxC2B,gBAAU,MAAM,IAAIhC,QAAS8C,aAAW;AACtC,aAAKP,UAAWP,CAAAA,aAAW;AACzBzB,iBAAOC,oBAAoB,SAASH,OAAO;AAC3C,cAAI2B,YAAW,KAAKb,MAAM;AACxB2B,oBAAQd,QAAO;UAChB;QACH,CAAC;MACH,CAAC;IACF;AACD,WAAOA;EACT;EAEA,IAAIb,OAAI;AACN,WAAO,KAAK5B,eAAewD,SAAS;EACtC;EAEA,IAAIC,gBAAa;AACfrD,cACE,KAAKN,SAAS,QAAQ,KAAK8B,MAC3B,2DAA2D;AAG7D,WAAOT,OAAOC,QAAQ,KAAKtB,IAAI,EAAEuB,OAC/B,CAACC,KAAGoC,UAAA;AAAA,UAAE,CAAClC,KAAKC,KAAK,IAACiC;AAAA,aAChBvC,OAAOO,OAAOJ,KAAK;QACjB,CAACE,GAAG,GAAGmC,qBAAqBlC,KAAK;OAClC;OACH,CAAA,CAAE;EAEN;EAEA,IAAImC,cAAW;AACb,WAAOvD,MAAMwD,KAAK,KAAK7D,cAAc;EACvC;AACD;AAED,SAAS8D,iBAAiBrC,OAAU;AAClC,SACEA,iBAAiBhB,WAAYgB,MAAyBsC,aAAa;AAEvE;AAEA,SAASJ,qBAAqBlC,OAAU;AACtC,MAAI,CAACqC,iBAAiBrC,KAAK,GAAG;AAC5B,WAAOA;EACR;AAED,MAAIA,MAAMuC,QAAQ;AAChB,UAAMvC,MAAMuC;EACb;AACD,SAAOvC,MAAMwC;AACf;AAOO,IAAMC,QAAuB,SAAvBA,OAAwBpE,MAAM+B,MAAa;AAAA,MAAbA,SAAI,QAAA;AAAJA,WAAO,CAAA;EAAE;AAClD,MAAI9B,eAAe,OAAO8B,SAAS,WAAW;IAAEsC,QAAQtC;EAAI,IAAKA;AAEjE,SAAO,IAAIjC,aAAaE,MAAMC,YAAY;AAC5C;AAWO,IAAMqE,WAA6B,SAA7BA,UAA8BC,KAAKxC,MAAc;AAAA,MAAdA,SAAI,QAAA;AAAJA,WAAO;EAAG;AACxD,MAAI9B,eAAe8B;AACnB,MAAI,OAAO9B,iBAAiB,UAAU;AACpCA,mBAAe;MAAEoE,QAAQpE;;aAChB,OAAOA,aAAaoE,WAAW,aAAa;AACrDpE,iBAAaoE,SAAS;EACvB;AAED,MAAIG,UAAU,IAAIC,QAAQxE,aAAauE,OAAO;AAC9CA,UAAQE,IAAI,YAAYH,GAAG;AAE3B,SAAO,IAAII,SAAS,MAAIC,SAAA,CAAA,GACnB3E,cAAY;IACfuE;EAAO,CAAA,CACR;AACH;IAOaK,mBAAqCA,CAACN,KAAKxC,SAAQ;AAC9D,MAAI+C,WAAWR,SAASC,KAAKxC,IAAI;AACjC+C,WAASN,QAAQE,IAAI,2BAA2B,MAAM;AACtD,SAAOI;AACT;IAQaC,UAA4BA,CAACR,KAAKxC,SAAQ;AACrD,MAAI+C,WAAWR,SAASC,KAAKxC,IAAI;AACjC+C,WAASN,QAAQE,IAAI,mBAAmB,MAAM;AAC9C,SAAOI;AACT;IAgBaE,0BAAiB;EAO5BjF,YACEsE,QACAY,YACAjF,MACAkF,UAAgB;AAAA,QAAhBA,aAAQ,QAAA;AAARA,iBAAW;IAAK;AAEhB,SAAKb,SAASA;AACd,SAAKY,aAAaA,cAAc;AAChC,SAAKC,WAAWA;AAChB,QAAIlF,gBAAgBH,OAAO;AACzB,WAAKG,OAAOA,KAAKmF,SAAQ;AACzB,WAAK5C,QAAQvC;IACd,OAAM;AACL,WAAKA,OAAOA;IACb;EACH;AACD;AAMK,SAAUoF,qBAAqB7C,OAAU;AAC7C,SACEA,SAAS,QACT,OAAOA,MAAM8B,WAAW,YACxB,OAAO9B,MAAM0C,eAAe,YAC5B,OAAO1C,MAAM2C,aAAa,aAC1B,UAAU3C;AAEd;ACp/BA,IAAM8C,0BAAgD,CACpD,QACA,OACA,SACA,QAAQ;AAEV,IAAMC,uBAAuB,IAAInF,IAC/BkF,uBAAuB;AAGzB,IAAME,yBAAuC,CAC3C,OACA,GAAGF,uBAAuB;AAE5B,IAAMG,sBAAsB,IAAIrF,IAAgBoF,sBAAsB;AAEtE,IAAME,sBAAsB,oBAAItF,IAAI,CAAC,KAAK,KAAK,KAAK,KAAK,GAAG,CAAC;AAC7D,IAAMuF,oCAAoC,oBAAIvF,IAAI,CAAC,KAAK,GAAG,CAAC;AAErD,IAAMwF,kBAA4C;EACvDC,OAAO;EACPC,UAAUvD;EACVwD,YAAYxD;EACZyD,YAAYzD;EACZ0D,aAAa1D;EACb2D,UAAU3D;EACV4D,MAAM5D;EACN6D,MAAM7D;;AAGD,IAAM8D,eAAsC;EACjDR,OAAO;EACP5F,MAAMsC;EACNwD,YAAYxD;EACZyD,YAAYzD;EACZ0D,aAAa1D;EACb2D,UAAU3D;EACV4D,MAAM5D;EACN6D,MAAM7D;;AAGD,IAAM+D,eAAiC;EAC5CT,OAAO;EACPU,SAAShE;EACTiE,OAAOjE;EACPuD,UAAUvD;;AAGZ,IAAMkE,qBAAqB;AAE3B,IAAMC,4BAAyDC,YAAW;EACxEC,kBAAkBC,QAAQF,MAAMC,gBAAgB;AACjD;AAED,IAAME,0BAA0B;AAW1B,SAAUC,aAAa/E,MAAgB;AAC3C,QAAMgF,eAAehF,KAAKiF,SACtBjF,KAAKiF,SACL,OAAOA,WAAW,cAClBA,SACA1E;AACJ,QAAM2E,aACJ,OAAOF,iBAAiB,eACxB,OAAOA,aAAaG,aAAa,eACjC,OAAOH,aAAaG,SAASC,kBAAkB;AACjD,QAAMC,WAAW,CAACH;AAElB3G,YACEyB,KAAKsF,OAAOC,SAAS,GACrB,2DAA2D;AAG7D,MAAIC;AACJ,MAAIxF,KAAKwF,oBAAoB;AAC3BA,IAAAA,sBAAqBxF,KAAKwF;EAC3B,WAAUxF,KAAKyF,qBAAqB;AAEnC,QAAIA,sBAAsBzF,KAAKyF;AAC/BD,IAAAA,sBAAsBb,YAAW;MAC/BC,kBAAkBa,oBAAoBd,KAAK;IAC5C;EACF,OAAM;AACLa,IAAAA,sBAAqBd;EACtB;AAGD,MAAIgB,WAA0B,CAAA;AAE9B,MAAIC,aAAaC,0BACf5F,KAAKsF,QACLE,qBACAjF,QACAmF,QAAQ;AAEV,MAAIG;AACJ,MAAIC,WAAW9F,KAAK8F,YAAY;AAChC,MAAIC,mBAAmB/F,KAAKgG,yBAAyBC;AACrD,MAAIC,wBAAwBlG,KAAKmG;AAGjC,MAAIC,SAAMvD,SAAA;IACRwD,mBAAmB;IACnBC,wBAAwB;IACxBC,qBAAqB;IACrBC,oBAAoB;IACpBC,sBAAsB;IACtBC,gCAAgC;KAC7B1G,KAAKoG,MAAM;AAGhB,MAAIO,kBAAuC;AAE3C,MAAItI,cAAc,oBAAID,IAAG;AAEzB,MAAIwI,wBAAsD;AAE1D,MAAIC,0BAAkE;AAEtE,MAAIC,oBAAsD;AAO1D,MAAIC,wBAAwB/G,KAAKgH,iBAAiB;AAElD,MAAIC,iBAAiBC,YAAYvB,YAAY3F,KAAKmH,QAAQrD,UAAUgC,QAAQ;AAC5E,MAAIsB,gBAAkC;AAEtC,MAAIH,kBAAkB,QAAQ,CAACf,uBAAuB;AAGpD,QAAI1F,QAAQ6G,uBAAuB,KAAK;MACtCC,UAAUtH,KAAKmH,QAAQrD,SAASwD;IACjC,CAAA;AACD,QAAI;MAAEC;MAAS5C;IAAK,IAAK6C,uBAAuB7B,UAAU;AAC1DsB,qBAAiBM;AACjBH,oBAAgB;MAAE,CAACzC,MAAM8C,EAAE,GAAGjH;;EAC/B;AAQD,MAAIyG,kBAAkB,CAACjH,KAAKgH,eAAe;AACzC,QAAIU,WAAWC,cACbV,gBACAtB,YACA3F,KAAKmH,QAAQrD,SAASwD,QAAQ;AAEhC,QAAII,SAASE,QAAQ;AACnBX,uBAAiB;IAClB;EACF;AAED,MAAIY;AACJ,MAAI,CAACZ,gBAAgB;AACnBY,kBAAc;AACdZ,qBAAiB,CAAA;AAKjB,QAAIb,OAAOG,qBAAqB;AAC9B,UAAImB,WAAWC,cACb,MACAhC,YACA3F,KAAKmH,QAAQrD,SAASwD,QAAQ;AAEhC,UAAII,SAASE,UAAUF,SAASH,SAAS;AACvCN,yBAAiBS,SAASH;MAC3B;IACF;EACF,WAAUN,eAAea,KAAMC,OAAMA,EAAEpD,MAAMqD,IAAI,GAAG;AAGnDH,kBAAc;EACf,WAAU,CAACZ,eAAea,KAAMC,OAAMA,EAAEpD,MAAMsD,MAAM,GAAG;AAEtDJ,kBAAc;EACf,WAAUzB,OAAOG,qBAAqB;AAIrC,QAAI2B,aAAalI,KAAKgH,gBAAgBhH,KAAKgH,cAAckB,aAAa;AACtE,QAAIC,SAASnI,KAAKgH,gBAAgBhH,KAAKgH,cAAcmB,SAAS;AAC9D,QAAIC,qBAAsBL,OAA6B;AAErD,UAAI,CAACA,EAAEpD,MAAMsD,QAAQ;AACnB,eAAO;MACR;AAED,UACE,OAAOF,EAAEpD,MAAMsD,WAAW,cAC1BF,EAAEpD,MAAMsD,OAAOI,YAAY,MAC3B;AACA,eAAO;MACR;AAED,aACGH,cAAcA,WAAWH,EAAEpD,MAAM8C,EAAE,MAAMlH,UACzC4H,UAAUA,OAAOJ,EAAEpD,MAAM8C,EAAE,MAAMlH;;AAKtC,QAAI4H,QAAQ;AACV,UAAIG,MAAMrB,eAAesB,UACtBR,OAAMI,OAAQJ,EAAEpD,MAAM8C,EAAE,MAAMlH,MAAS;AAE1CsH,oBAAcZ,eAAeuB,MAAM,GAAGF,MAAM,CAAC,EAAEG,MAAML,kBAAkB;IACxE,OAAM;AACLP,oBAAcZ,eAAewB,MAAML,kBAAkB;IACtD;EACF,OAAM;AAGLP,kBAAc7H,KAAKgH,iBAAiB;EACrC;AAED,MAAI0B;AACJ,MAAI7E,QAAqB;IACvB8E,eAAe3I,KAAKmH,QAAQyB;IAC5B9E,UAAU9D,KAAKmH,QAAQrD;IACvByD,SAASN;IACTY;IACAgB,YAAYjF;;IAEZkF,uBAAuB9I,KAAKgH,iBAAiB,OAAO,QAAQ;IAC5D+B,oBAAoB;IACpBC,cAAc;IACdd,YAAalI,KAAKgH,iBAAiBhH,KAAKgH,cAAckB,cAAe,CAAA;IACrEe,YAAajJ,KAAKgH,iBAAiBhH,KAAKgH,cAAciC,cAAe;IACrEd,QAASnI,KAAKgH,iBAAiBhH,KAAKgH,cAAcmB,UAAWf;IAC7D8B,UAAU,oBAAIC,IAAG;IACjBC,UAAU,oBAAID,IAAG;;AAKnB,MAAIE,gBAA+BC,OAAcC;AAIjD,MAAIC,4BAA4B;AAGhC,MAAIC;AAGJ,MAAIC,+BAA+B;AAGnC,MAAIC,yBAAmD,oBAAIR,IAAG;AAM9D,MAAIS,8BAAmD;AAIvD,MAAIC,8BAA8B;AAMlC,MAAIC,yBAAyB;AAI7B,MAAIC,0BAAoC,CAAA;AAIxC,MAAIC,wBAAqC,oBAAI5L,IAAG;AAGhD,MAAI6L,mBAAmB,oBAAId,IAAG;AAG9B,MAAIe,qBAAqB;AAKzB,MAAIC,0BAA0B;AAG9B,MAAIC,iBAAiB,oBAAIjB,IAAG;AAG5B,MAAIkB,mBAAmB,oBAAIjM,IAAG;AAG9B,MAAIkM,mBAAmB,oBAAInB,IAAG;AAG9B,MAAIoB,iBAAiB,oBAAIpB,IAAG;AAI5B,MAAIqB,kBAAkB,oBAAIpM,IAAG;AAM7B,MAAIqM,kBAAkB,oBAAItB,IAAG;AAI7B,MAAIuB,mBAAmB,oBAAIvB,IAAG;AAI9B,MAAIwB,qBAAqB,oBAAIxB,IAAG;AAOhC,MAAIyB,0BAA0B;AAK9B,WAASC,aAAU;AAGjBlE,sBAAkB3G,KAAKmH,QAAQ2D,OAC7BC,UAA+C;AAAA,UAA9C;QAAEnC,QAAQD;QAAe7E;QAAUkH;MAAK,IAAED;AAGzC,UAAIH,yBAAyB;AAC3BA,kCAA0B;AAC1B;MACD;AAEDK,cACEP,iBAAiB/I,SAAS,KAAKqJ,SAAS,MACxC,4YAK2D;AAG7D,UAAIE,aAAaC,sBAAsB;QACrCC,iBAAiBvH,MAAMC;QACvBuH,cAAcvH;QACd6E;MACD,CAAA;AAED,UAAIuC,cAAcF,SAAS,MAAM;AAE/BJ,kCAA0B;AAC1B5K,aAAKmH,QAAQmE,GAAGN,QAAQ,EAAE;AAG1BO,sBAAcL,YAAY;UACxBrH,OAAO;UACPC;UACAS,UAAO;AACLgH,0BAAcL,YAAa;cACzBrH,OAAO;cACPU,SAAShE;cACTiE,OAAOjE;cACPuD;YACD,CAAA;AAED9D,iBAAKmH,QAAQmE,GAAGN,KAAK;;UAEvBxG,QAAK;AACH,gBAAI4E,WAAW,IAAID,IAAItF,MAAMuF,QAAQ;AACrCA,qBAASzG,IAAIuI,YAAa5G,YAAY;AACtCkH,wBAAY;cAAEpC;YAAQ,CAAE;UAC1B;QACD,CAAA;AACD;MACD;AAED,aAAOqC,gBAAgB9C,eAAe7E,QAAQ;IAChD,CAAC;AAGH,QAAIoB,YAAW;AAGbwG,gCAA0B1G,cAAc2E,sBAAsB;AAC9D,UAAIgC,0BAA0BA,MAC5BC,0BAA0B5G,cAAc2E,sBAAsB;AAChE3E,mBAAa3F,iBAAiB,YAAYsM,uBAAuB;AACjE/B,oCAA8BA,MAC5B5E,aAAa5F,oBAAoB,YAAYuM,uBAAuB;IACvE;AAOD,QAAI,CAAC9H,MAAMgE,aAAa;AACtB4D,sBAAgBnC,OAAcC,KAAK1F,MAAMC,UAAU;QACjD+H,kBAAkB;MACnB,CAAA;IACF;AAED,WAAOnD;EACT;AAGA,WAASoD,UAAO;AACd,QAAInF,iBAAiB;AACnBA,sBAAe;IAChB;AACD,QAAIiD,6BAA6B;AAC/BA,kCAA2B;IAC5B;AACDvL,gBAAY0N,MAAK;AACjBtC,mCAA+BA,4BAA4BnI,MAAK;AAChEuC,UAAMqF,SAASjI,QAAQ,CAACpC,GAAGc,QAAQqM,cAAcrM,GAAG,CAAC;AACrDkE,UAAMuF,SAASnI,QAAQ,CAACpC,GAAGc,QAAQsM,cAActM,GAAG,CAAC;EACvD;AAGA,WAASwB,UAAUC,IAAoB;AACrC/C,gBAAY6B,IAAIkB,EAAE;AAClB,WAAO,MAAM/C,YAAYwC,OAAOO,EAAE;EACpC;AAGA,WAASoK,YACPU,UACAC,MAGM;AAAA,QAHNA,SAAAA,QAAAA;AAAAA,aAGI,CAAA;IAAE;AAENtI,YAAKhB,SAAA,CAAA,GACAgB,OACAqI,QAAQ;AAKb,QAAIE,oBAA8B,CAAA;AAClC,QAAIC,sBAAgC,CAAA;AAEpC,QAAIjG,OAAOC,mBAAmB;AAC5BxC,YAAMqF,SAASjI,QAAQ,CAACqL,SAAS3M,QAAO;AACtC,YAAI2M,QAAQzI,UAAU,QAAQ;AAC5B,cAAI2G,gBAAgB+B,IAAI5M,GAAG,GAAG;AAE5B0M,gCAAoBpM,KAAKN,GAAG;UAC7B,OAAM;AAGLyM,8BAAkBnM,KAAKN,GAAG;UAC3B;QACF;MACH,CAAC;IACF;AAKD,KAAC,GAAGtB,WAAW,EAAE4C,QAASC,gBACxBA,WAAW2C,OAAO;MAChB2G,iBAAiB6B;MACjBG,6BAA6BL,KAAKM;MAClCC,oBAAoBP,KAAKQ,cAAc;IACxC,CAAA,CAAC;AAIJ,QAAIvG,OAAOC,mBAAmB;AAC5B+F,wBAAkBnL,QAAStB,SAAQkE,MAAMqF,SAASrI,OAAOlB,GAAG,CAAC;AAC7D0M,0BAAoBpL,QAAStB,SAAQqM,cAAcrM,GAAG,CAAC;IACxD;EACH;AAOA,WAASiN,mBACP9I,UACAoI,UAA0EW,OAC/B;AAAA,QAAAC,iBAAAC;AAAA,QAA3C;MAAEJ;IAAS,IAAAE,UAAA,SAA8B,CAAA,IAAEA;AAO3C,QAAIG,iBACFnJ,MAAMoF,cAAc,QACpBpF,MAAMgF,WAAW9E,cAAc,QAC/BkJ,iBAAiBpJ,MAAMgF,WAAW9E,UAAU,KAC5CF,MAAMgF,WAAWhF,UAAU,eAC3BiJ,kBAAAhJ,SAASD,UAAK,OAAA,SAAdiJ,gBAAgBI,iBAAgB;AAElC,QAAIjE;AACJ,QAAIiD,SAASjD,YAAY;AACvB,UAAI3J,OAAO6N,KAAKjB,SAASjD,UAAU,EAAE1D,SAAS,GAAG;AAC/C0D,qBAAaiD,SAASjD;MACvB,OAAM;AAELA,qBAAa;MACd;eACQ+D,gBAAgB;AAEzB/D,mBAAapF,MAAMoF;IACpB,OAAM;AAELA,mBAAa;IACd;AAGD,QAAIf,aAAagE,SAAShE,aACtBkF,gBACEvJ,MAAMqE,YACNgE,SAAShE,YACTgE,SAAS3E,WAAW,CAAA,GACpB2E,SAAS/D,MAAM,IAEjBtE,MAAMqE;AAIV,QAAIkB,WAAWvF,MAAMuF;AACrB,QAAIA,SAASzH,OAAO,GAAG;AACrByH,iBAAW,IAAID,IAAIC,QAAQ;AAC3BA,eAASnI,QAAQ,CAACpC,GAAG2C,MAAM4H,SAASzG,IAAInB,GAAG8C,YAAY,CAAC;IACzD;AAID,QAAIyE,qBACFS,8BAA8B,QAC7B3F,MAAMgF,WAAW9E,cAAc,QAC9BkJ,iBAAiBpJ,MAAMgF,WAAW9E,UAAU,OAC5CgJ,mBAAAjJ,SAASD,UAATkJ,OAAAA,SAAAA,iBAAgBG,iBAAgB;AAGpC,QAAIrH,oBAAoB;AACtBF,mBAAaE;AACbA,2BAAqBtF;IACtB;AAED,QAAIsJ,4BAA6B;aAEtBR,kBAAkBC,OAAcC,IAAK;aAErCF,kBAAkBC,OAAc+D,MAAM;AAC/CrN,WAAKmH,QAAQlH,KAAK6D,UAAUA,SAASD,KAAK;IAC3C,WAAUwF,kBAAkBC,OAAcgE,SAAS;AAClDtN,WAAKmH,QAAQnE,QAAQc,UAAUA,SAASD,KAAK;IAC9C;AAED,QAAI4I;AAGJ,QAAIpD,kBAAkBC,OAAcC,KAAK;AAEvC,UAAIgE,aAAa5D,uBAAuBhJ,IAAIkD,MAAMC,SAASwD,QAAQ;AACnE,UAAIiG,cAAcA,WAAWhB,IAAIzI,SAASwD,QAAQ,GAAG;AACnDmF,6BAAqB;UACnBrB,iBAAiBvH,MAAMC;UACvBuH,cAAcvH;;iBAEP6F,uBAAuB4C,IAAIzI,SAASwD,QAAQ,GAAG;AAGxDmF,6BAAqB;UACnBrB,iBAAiBtH;UACjBuH,cAAcxH,MAAMC;;MAEvB;eACQ4F,8BAA8B;AAEvC,UAAI8D,UAAU7D,uBAAuBhJ,IAAIkD,MAAMC,SAASwD,QAAQ;AAChE,UAAIkG,SAAS;AACXA,gBAAQtN,IAAI4D,SAASwD,QAAQ;MAC9B,OAAM;AACLkG,kBAAU,oBAAIpP,IAAY,CAAC0F,SAASwD,QAAQ,CAAC;AAC7CqC,+BAAuBhH,IAAIkB,MAAMC,SAASwD,UAAUkG,OAAO;MAC5D;AACDf,2BAAqB;QACnBrB,iBAAiBvH,MAAMC;QACvBuH,cAAcvH;;IAEjB;AAED0H,gBAAW3I,SAAA,CAAA,GAEJqJ,UAAQ;MACXjD;MACAf;MACAS,eAAeU;MACfvF;MACA+D,aAAa;MACbgB,YAAYjF;MACZoF,cAAc;MACdF,uBAAuB2E,uBACrB3J,UACAoI,SAAS3E,WAAW1D,MAAM0D,OAAO;MAEnCwB;MACAK;KAEF,GAAA;MACEqD;MACAE,WAAWA,cAAc;IAC1B,CAAA;AAIHtD,oBAAgBC,OAAcC;AAC9BC,gCAA4B;AAC5BE,mCAA+B;AAC/BG,kCAA8B;AAC9BC,6BAAyB;AACzBC,8BAA0B,CAAA;EAC5B;AAIA,iBAAe2D,SACbC,IACAxB,MAA4B;AAE5B,QAAI,OAAOwB,OAAO,UAAU;AAC1B3N,WAAKmH,QAAQmE,GAAGqC,EAAE;AAClB;IACD;AAED,QAAIC,iBAAiBC,YACnBhK,MAAMC,UACND,MAAM0D,SACNzB,UACAM,OAAOI,oBACPmH,IACAvH,OAAOK,sBACP0F,QAAAA,OAAAA,SAAAA,KAAM2B,aACN3B,QAAI,OAAA,SAAJA,KAAM4B,QAAQ;AAEhB,QAAI;MAAEC;MAAMC;MAAYzN;IAAK,IAAK0N,yBAChC9H,OAAOE,wBACP,OACAsH,gBACAzB,IAAI;AAGN,QAAIf,kBAAkBvH,MAAMC;AAC5B,QAAIuH,eAAe8C,eAAetK,MAAMC,UAAUkK,MAAM7B,QAAQA,KAAKtI,KAAK;AAO1EwH,mBAAYxI,SACPwI,CAAAA,GAAAA,cACArL,KAAKmH,QAAQiH,eAAe/C,YAAY,CAAC;AAG9C,QAAIgD,cAAclC,QAAQA,KAAKnJ,WAAW,OAAOmJ,KAAKnJ,UAAUzC;AAEhE,QAAIoI,gBAAgBW,OAAc+D;AAElC,QAAIgB,gBAAgB,MAAM;AACxB1F,sBAAgBW,OAAcgE;IAC/B,WAAUe,gBAAgB,MAAO;aAGhCJ,cAAc,QACdhB,iBAAiBgB,WAAWlK,UAAU,KACtCkK,WAAWjK,eAAeH,MAAMC,SAASwD,WAAWzD,MAAMC,SAASwK,QACnE;AAKA3F,sBAAgBW,OAAcgE;IAC/B;AAED,QAAIvE,qBACFoD,QAAQ,wBAAwBA,OAC5BA,KAAKpD,uBAAuB,OAC5BxI;AAEN,QAAIoM,aAAaR,QAAQA,KAAKO,wBAAwB;AAEtD,QAAIxB,aAAaC,sBAAsB;MACrCC;MACAC;MACA1C;IACD,CAAA;AAED,QAAIuC,YAAY;AAEdK,oBAAcL,YAAY;QACxBrH,OAAO;QACPC,UAAUuH;QACV9G,UAAO;AACLgH,wBAAcL,YAAa;YACzBrH,OAAO;YACPU,SAAShE;YACTiE,OAAOjE;YACPuD,UAAUuH;UACX,CAAA;AAEDqC,mBAASC,IAAIxB,IAAI;;QAEnB3H,QAAK;AACH,cAAI4E,WAAW,IAAID,IAAItF,MAAMuF,QAAQ;AACrCA,mBAASzG,IAAIuI,YAAa5G,YAAY;AACtCkH,sBAAY;YAAEpC;UAAQ,CAAE;QAC1B;MACD,CAAA;AACD;IACD;AAED,WAAO,MAAMqC,gBAAgB9C,eAAe0C,cAAc;MACxD4C;;;MAGAM,cAAc/N;MACduI;MACA/F,SAASmJ,QAAQA,KAAKnJ;MACtBwL,sBAAsBrC,QAAQA,KAAKsC;MACnC9B;IACD,CAAA;EACH;AAKA,WAAS+B,aAAU;AACjBC,yBAAoB;AACpBnD,gBAAY;MAAExC,cAAc;IAAS,CAAE;AAIvC,QAAInF,MAAMgF,WAAWhF,UAAU,cAAc;AAC3C;IACD;AAKD,QAAIA,MAAMgF,WAAWhF,UAAU,QAAQ;AACrC4H,sBAAgB5H,MAAM8E,eAAe9E,MAAMC,UAAU;QACnD8K,gCAAgC;MACjC,CAAA;AACD;IACD;AAKDnD,oBACEpC,iBAAiBxF,MAAM8E,eACvB9E,MAAMgF,WAAW/E,UACjB;MAAE+K,oBAAoBhL,MAAMgF;IAAY,CAAA;EAE5C;AAKA,iBAAe4C,gBACb9C,eACA7E,UACAqI,MAWC;AAKD1C,mCAA+BA,4BAA4BnI,MAAK;AAChEmI,kCAA8B;AAC9BJ,oBAAgBV;AAChBkB,mCACGsC,QAAQA,KAAKyC,oCAAoC;AAIpDE,uBAAmBjL,MAAMC,UAAUD,MAAM0D,OAAO;AAChDiC,iCAA6B2C,QAAQA,KAAKpD,wBAAwB;AAElEW,oCAAgCyC,QAAQA,KAAKqC,0BAA0B;AAEvE,QAAIO,cAAclJ,sBAAsBF;AACxC,QAAIqJ,oBAAoB7C,QAAQA,KAAK0C;AACrC,QAAItH,UAAUL,YAAY6H,aAAajL,UAAUgC,QAAQ;AACzD,QAAI6G,aAAaR,QAAQA,KAAKQ,eAAe;AAE7C,QAAIjF,WAAWC,cAAcJ,SAASwH,aAAajL,SAASwD,QAAQ;AACpE,QAAII,SAASE,UAAUF,SAASH,SAAS;AACvCA,gBAAUG,SAASH;IACpB;AAGD,QAAI,CAACA,SAAS;AACZ,UAAI;QAAE/G;QAAOyO;QAAiBtK;MAAK,IAAKuK,sBACtCpL,SAASwD,QAAQ;AAEnBsF,yBACE9I,UACA;QACEyD,SAAS0H;QACT/G,YAAY,CAAA;QACZC,QAAQ;UACN,CAACxD,MAAM8C,EAAE,GAAGjH;QACb;MACF,GACD;QAAEmM;MAAW,CAAA;AAEf;IACD;AAQD,QACE9I,MAAMgE,eACN,CAACiC,0BACDqF,iBAAiBtL,MAAMC,UAAUA,QAAQ,KACzC,EAAEqI,QAAQA,KAAK8B,cAAchB,iBAAiBd,KAAK8B,WAAWlK,UAAU,IACxE;AACA6I,yBAAmB9I,UAAU;QAAEyD;MAAS,GAAE;QAAEoF;MAAW,CAAA;AACvD;IACD;AAGDlD,kCAA8B,IAAIzK,gBAAe;AACjD,QAAIoQ,UAAUC,wBACZrP,KAAKmH,SACLrD,UACA2F,4BAA4BtK,QAC5BgN,QAAQA,KAAK8B,UAAU;AAEzB,QAAIqB;AAEJ,QAAInD,QAAQA,KAAKoC,cAAc;AAK7Be,4BAAsB,CACpBC,oBAAoBhI,OAAO,EAAE5C,MAAM8C,IACnC;QAAE+H,MAAMC,WAAWjP;QAAOA,OAAO2L,KAAKoC;MAAc,CAAA;IAEvD,WACCpC,QACAA,KAAK8B,cACLhB,iBAAiBd,KAAK8B,WAAWlK,UAAU,GAC3C;AAEA,UAAI2L,eAAe,MAAMC,aACvBP,SACAtL,UACAqI,KAAK8B,YACL1G,SACAG,SAASE,QACT;QAAE5E,SAASmJ,KAAKnJ;QAAS2J;MAAS,CAAE;AAGtC,UAAI+C,aAAaE,gBAAgB;AAC/B;MACD;AAID,UAAIF,aAAaJ,qBAAqB;AACpC,YAAI,CAACO,SAASC,MAAM,IAAIJ,aAAaJ;AACrC,YACES,cAAcD,MAAM,KACpBzM,qBAAqByM,OAAOtP,KAAK,KACjCsP,OAAOtP,MAAM8B,WAAW,KACxB;AACAmH,wCAA8B;AAE9BmD,6BAAmB9I,UAAU;YAC3ByD,SAASmI,aAAanI;YACtBW,YAAY,CAAA;YACZC,QAAQ;cACN,CAAC0H,OAAO,GAAGC,OAAOtP;YACnB;UACF,CAAA;AACD;QACD;MACF;AAED+G,gBAAUmI,aAAanI,WAAWA;AAClC+H,4BAAsBI,aAAaJ;AACnCN,0BAAoBgB,qBAAqBlM,UAAUqI,KAAK8B,UAAU;AAClEtB,kBAAY;AAEZjF,eAASE,SAAS;AAGlBwH,gBAAUC,wBACRrP,KAAKmH,SACLiI,QAAQ5M,KACR4M,QAAQjQ,MAAM;IAEjB;AAGD,QAAI;MACFyQ;MACArI,SAAS0I;MACT/H;MACAC;QACE,MAAM+H,cACRd,SACAtL,UACAyD,SACAG,SAASE,QACToH,mBACA7C,QAAQA,KAAK8B,YACb9B,QAAQA,KAAKgE,mBACbhE,QAAQA,KAAKnJ,SACbmJ,QAAQA,KAAKN,qBAAqB,MAClCc,WACA2C,mBAAmB;AAGrB,QAAIM,gBAAgB;AAClB;IACD;AAKDnG,kCAA8B;AAE9BmD,uBAAmB9I,UAAQjB,SAAA;MACzB0E,SAAS0I,kBAAkB1I;OACxB6I,uBAAuBd,mBAAmB,GAAC;MAC9CpH;MACAC;IAAM,CAAA,CACP;EACH;AAIA,iBAAewH,aACbP,SACAtL,UACAmK,YACA1G,SACA8I,YACAlE,MAAqD;AAAA,QAArDA,SAAAA,QAAAA;AAAAA,aAAmD,CAAA;IAAE;AAErDwC,yBAAoB;AAGpB,QAAI9F,aAAayH,wBAAwBxM,UAAUmK,UAAU;AAC7DzC,gBAAY;MAAE3C;IAAU,GAAI;MAAE8D,WAAWR,KAAKQ,cAAc;IAAI,CAAE;AAElE,QAAI0D,YAAY;AACd,UAAIE,iBAAiB,MAAMC,eACzBjJ,SACAzD,SAASwD,UACT8H,QAAQjQ,MAAM;AAEhB,UAAIoR,eAAef,SAAS,WAAW;AACrC,eAAO;UAAEI,gBAAgB;;MAC1B,WAAUW,eAAef,SAAS,SAAS;AAC1C,YAAI;UAAEiB;UAAYjQ;YAAUkQ,yBAC1B5M,SAASwD,UACTiJ,cAAc;AAEhB,eAAO;UACLhJ,SAASgJ,eAAeI;UACxBrB,qBAAqB,CACnBmB,YACA;YACEjB,MAAMC,WAAWjP;YACjBA;WACD;;MAGN,WAAU,CAAC+P,eAAehJ,SAAS;AAClC,YAAI;UAAE0H;UAAiBzO;UAAOmE;QAAK,IAAKuK,sBACtCpL,SAASwD,QAAQ;AAEnB,eAAO;UACLC,SAAS0H;UACTK,qBAAqB,CACnB3K,MAAM8C,IACN;YACE+H,MAAMC,WAAWjP;YACjBA;WACD;;MAGN,OAAM;AACL+G,kBAAUgJ,eAAehJ;MAC1B;IACF;AAGD,QAAIuI;AACJ,QAAIc,cAAcC,eAAetJ,SAASzD,QAAQ;AAElD,QAAI,CAAC8M,YAAYjM,MAAMiE,UAAU,CAACgI,YAAYjM,MAAMqD,MAAM;AACxD8H,eAAS;QACPN,MAAMC,WAAWjP;QACjBA,OAAO6G,uBAAuB,KAAK;UACjCyJ,QAAQ1B,QAAQ0B;UAChBxJ,UAAUxD,SAASwD;UACnBuI,SAASe,YAAYjM,MAAM8C;SAC5B;;IAEJ,OAAM;AACL,UAAIsJ,UAAU,MAAMC,iBAClB,UACA5B,SACA,CAACwB,WAAW,GACZrJ,OAAO;AAETuI,eAASiB,QAAQ,CAAC;AAElB,UAAI3B,QAAQjQ,OAAOyB,SAAS;AAC1B,eAAO;UAAEgP,gBAAgB;;MAC1B;IACF;AAED,QAAIqB,iBAAiBnB,MAAM,GAAG;AAC5B,UAAI9M;AACJ,UAAImJ,QAAQA,KAAKnJ,WAAW,MAAM;AAChCA,QAAAA,WAAUmJ,KAAKnJ;MAChB,OAAM;AAIL,YAAIc,YAAWoN,0BACbpB,OAAO/M,SAASN,QAAQ9B,IAAI,UAAU,GACtC,IAAIwQ,IAAI/B,QAAQ5M,GAAG,GACnBsD,QAAQ;AAEV9C,QAAAA,WAAUc,cAAaD,MAAMC,SAASwD,WAAWzD,MAAMC,SAASwK;MACjE;AACD,YAAM8C,wBAAwBhC,SAASU,QAAQ;QAC7C7B;QACAjL,SAAAA;MACD,CAAA;AACD,aAAO;QAAE4M,gBAAgB;;IAC1B;AAED,QAAIyB,iBAAiBvB,MAAM,GAAG;AAC5B,YAAMzI,uBAAuB,KAAK;QAAEmI,MAAM;MAAgB,CAAA;IAC3D;AAED,QAAIO,cAAcD,MAAM,GAAG;AAGzB,UAAIwB,gBAAgB/B,oBAAoBhI,SAASqJ,YAAYjM,MAAM8C,EAAE;AAOrE,WAAK0E,QAAQA,KAAKnJ,aAAa,MAAM;AACnCqG,wBAAgBC,OAAc+D;MAC/B;AAED,aAAO;QACL9F;QACA+H,qBAAqB,CAACgC,cAAc3M,MAAM8C,IAAIqI,MAAM;;IAEvD;AAED,WAAO;MACLvI;MACA+H,qBAAqB,CAACsB,YAAYjM,MAAM8C,IAAIqI,MAAM;;EAEtD;AAIA,iBAAeI,cACbd,SACAtL,UACAyD,SACA8I,YACAxB,oBACAZ,YACAkC,mBACAnN,UACA6I,kBACAc,WACA2C,qBAAyC;AAGzC,QAAIN,oBACFH,sBAAsBmB,qBAAqBlM,UAAUmK,UAAU;AAIjE,QAAIsD,mBACFtD,cACAkC,qBACAqB,4BAA4BxC,iBAAiB;AAQ/C,QAAIyC,8BACF,CAAC5H,gCACA,CAACzD,OAAOG,uBAAuB,CAACsF;AAOnC,QAAIwE,YAAY;AACd,UAAIoB,6BAA6B;AAC/B,YAAIxI,aAAayI,qBAAqBpC,mBAAmB;AACzD9D,oBAAW3I,SAAA;UAEPgG,YAAYmG;WACR/F,eAAe1I,SAAY;UAAE0I;YAAe,CAAA,CAAE,GAEpD;UACE0D;QACD,CAAA;MAEJ;AAED,UAAI4D,iBAAiB,MAAMC,eACzBjJ,SACAzD,SAASwD,UACT8H,QAAQjQ,MAAM;AAGhB,UAAIoR,eAAef,SAAS,WAAW;AACrC,eAAO;UAAEI,gBAAgB;;MAC1B,WAAUW,eAAef,SAAS,SAAS;AAC1C,YAAI;UAAEiB;UAAYjQ;YAAUkQ,yBAC1B5M,SAASwD,UACTiJ,cAAc;AAEhB,eAAO;UACLhJ,SAASgJ,eAAeI;UACxBzI,YAAY,CAAA;UACZC,QAAQ;YACN,CAACsI,UAAU,GAAGjQ;UACf;;MAEJ,WAAU,CAAC+P,eAAehJ,SAAS;AAClC,YAAI;UAAE/G;UAAOyO;UAAiBtK;QAAK,IAAKuK,sBACtCpL,SAASwD,QAAQ;AAEnB,eAAO;UACLC,SAAS0H;UACT/G,YAAY,CAAA;UACZC,QAAQ;YACN,CAACxD,MAAM8C,EAAE,GAAGjH;UACb;;MAEJ,OAAM;AACL+G,kBAAUgJ,eAAehJ;MAC1B;IACF;AAED,QAAIwH,cAAclJ,sBAAsBF;AACxC,QAAI,CAACgM,eAAeC,oBAAoB,IAAIC,iBAC1C7R,KAAKmH,SACLtD,OACA0D,SACAgK,kBACAzN,UACAsC,OAAOG,uBAAuBsF,qBAAqB,MACnDzF,OAAOM,gCACPoD,wBACAC,yBACAC,uBACAQ,iBACAF,kBACAD,kBACA0E,aACAjJ,UACAwJ,mBAAmB;AAMrBwC,0BACGjC,aACC,EAAEtI,WAAWA,QAAQO,KAAMC,OAAMA,EAAEpD,MAAM8C,OAAOoI,OAAO,MACtD8B,iBAAiBA,cAAc7J,KAAMC,OAAMA,EAAEpD,MAAM8C,OAAOoI,OAAO,CAAE;AAGxE1F,8BAA0B,EAAED;AAG5B,QAAIyH,cAAcpM,WAAW,KAAKqM,qBAAqBrM,WAAW,GAAG;AACnE,UAAIwM,mBAAkBC,uBAAsB;AAC5CpF,yBACE9I,UAAQjB,SAAA;QAEN0E;QACAW,YAAY,CAAA;;QAEZC,QACEmH,uBAAuBS,cAAcT,oBAAoB,CAAC,CAAC,IACvD;UAAE,CAACA,oBAAoB,CAAC,CAAC,GAAGA,oBAAoB,CAAC,EAAE9O;QAAO,IAC1D;MAAI,GACP4P,uBAAuBd,mBAAmB,GACzCyC,mBAAkB;QAAE7I,UAAU,IAAIC,IAAItF,MAAMqF,QAAQ;UAAM,CAAA,CAAE,GAElE;QAAEyD;MAAW,CAAA;AAEf,aAAO;QAAEiD,gBAAgB;;IAC1B;AAED,QAAI6B,6BAA6B;AAC/B,UAAIQ,UAAgC,CAAA;AACpC,UAAI,CAAC5B,YAAY;AAEf4B,gBAAQpJ,aAAamG;AACrB,YAAI/F,aAAayI,qBAAqBpC,mBAAmB;AACzD,YAAIrG,eAAe1I,QAAW;AAC5B0R,kBAAQhJ,aAAaA;QACtB;MACF;AACD,UAAI2I,qBAAqBrM,SAAS,GAAG;AACnC0M,gBAAQ/I,WAAWgJ,+BAA+BN,oBAAoB;MACvE;AACDpG,kBAAYyG,SAAS;QAAEtF;MAAS,CAAE;IACnC;AAEDiF,yBAAqB3Q,QAASkR,QAAM;AAClC,UAAIlI,iBAAiBsC,IAAI4F,GAAGxS,GAAG,GAAG;AAChCyS,qBAAaD,GAAGxS,GAAG;MACpB;AACD,UAAIwS,GAAGpT,YAAY;AAIjBkL,yBAAiBtH,IAAIwP,GAAGxS,KAAKwS,GAAGpT,UAAU;MAC3C;IACH,CAAC;AAGD,QAAIsT,iCAAiCA,MACnCT,qBAAqB3Q,QAASqR,OAAMF,aAAaE,EAAE3S,GAAG,CAAC;AACzD,QAAI8J,6BAA6B;AAC/BA,kCAA4BtK,OAAOE,iBACjC,SACAgT,8BAA8B;IAEjC;AAED,QAAI;MAAEE;MAAeC;QACnB,MAAMC,+BACJ5O,MAAM0D,SACNA,SACAoK,eACAC,sBACAxC,OAAO;AAGX,QAAIA,QAAQjQ,OAAOyB,SAAS;AAC1B,aAAO;QAAEgP,gBAAgB;;IAC1B;AAKD,QAAInG,6BAA6B;AAC/BA,kCAA4BtK,OAAOC,oBACjC,SACAiT,8BAA8B;IAEjC;AACDT,yBAAqB3Q,QAASkR,QAAOlI,iBAAiBpJ,OAAOsR,GAAGxS,GAAG,CAAC;AAGpE,QAAI4C,YAAWmQ,aAAa,CAAC,GAAGH,eAAe,GAAGC,cAAc,CAAC;AACjE,QAAIjQ,WAAU;AACZ,UAAIA,UAAS+F,OAAOqJ,cAAcpM,QAAQ;AAIxC,YAAIoN,aACFf,qBAAqBrP,UAAS+F,MAAMqJ,cAAcpM,MAAM,EAAE5F;AAC5D0K,yBAAiBnK,IAAIyS,UAAU;MAChC;AACD,YAAMvB,wBAAwBhC,SAAS7M,UAASuN,QAAQ;QACtD9M,SAAAA;MACD,CAAA;AACD,aAAO;QAAE4M,gBAAgB;;IAC1B;AAGD,QAAI;MAAE1H;MAAYC;IAAM,IAAKyK,kBAC3B/O,OACA0D,SACAoK,eACAY,eACAjD,qBACAsC,sBACAY,gBACA/H,eAAe;AAIjBA,oBAAgBxJ,QAAQ,CAAC4R,cAAchD,YAAW;AAChDgD,mBAAa1R,UAAWP,aAAW;AAIjC,YAAIA,WAAWiS,aAAa9S,MAAM;AAChC0K,0BAAgB5J,OAAOgP,OAAO;QAC/B;MACH,CAAC;IACH,CAAC;AAGD,QAAIzJ,OAAOG,uBAAuBsF,oBAAoBhI,MAAMsE,QAAQ;AAClE7I,aAAOC,QAAQsE,MAAMsE,MAAM,EACxB2K,OAAOpT,WAAA;AAAA,YAAC,CAAC+H,EAAE,IAAC/H;AAAA,eAAK,CAACiS,cAAc7J,KAAMC,OAAMA,EAAEpD,MAAM8C,OAAOA,EAAE;MAAC,CAAA,EAC9DxG,QAAQY,WAAqB;AAAA,YAApB,CAACgO,SAASrP,KAAK,IAACqB;AACxBsG,iBAAS7I,OAAOO,OAAOsI,UAAU,CAAA,GAAI;UAAE,CAAC0H,OAAO,GAAGrP;QAAK,CAAE;MAC3D,CAAC;IACJ;AAED,QAAIuR,kBAAkBC,uBAAsB;AAC5C,QAAIe,qBAAqBC,qBAAqB7I,uBAAuB;AACrE,QAAI8I,uBACFlB,mBAAmBgB,sBAAsBnB,qBAAqBrM,SAAS;AAEzE,WAAA1C,SAAA;MACE0E;MACAW;MACAC;IAAM,GACF8K,uBAAuB;MAAE/J,UAAU,IAAIC,IAAItF,MAAMqF,QAAQ;QAAM,CAAA,CAAE;EAEzE;AAEA,WAASwI,qBACPpC,qBAAoD;AAEpD,QAAIA,uBAAuB,CAACS,cAAcT,oBAAoB,CAAC,CAAC,GAAG;AAIjE,aAAO;QACL,CAACA,oBAAoB,CAAC,CAAC,GAAGA,oBAAoB,CAAC,EAAErR;;IAEpD,WAAU4F,MAAMoF,YAAY;AAC3B,UAAI3J,OAAO6N,KAAKtJ,MAAMoF,UAAU,EAAE1D,WAAW,GAAG;AAC9C,eAAO;MACR,OAAM;AACL,eAAO1B,MAAMoF;MACd;IACF;EACH;AAEA,WAASiJ,+BACPN,sBAA2C;AAE3CA,yBAAqB3Q,QAASkR,QAAM;AAClC,UAAI7F,UAAUzI,MAAMqF,SAASvI,IAAIwR,GAAGxS,GAAG;AACvC,UAAIuT,sBAAsBC,kBACxB5S,QACA+L,UAAUA,QAAQrO,OAAOsC,MAAS;AAEpCsD,YAAMqF,SAASvG,IAAIwP,GAAGxS,KAAKuT,mBAAmB;IAChD,CAAC;AACD,WAAO,IAAI/J,IAAItF,MAAMqF,QAAQ;EAC/B;AAGA,WAASkK,MACPzT,KACAkQ,SACAwD,MACAlH,MAAyB;AAEzB,QAAI9G,UAAU;AACZ,YAAM,IAAIvH,MACR,kMAE+C;IAElD;AAED,QAAImM,iBAAiBsC,IAAI5M,GAAG,EAAGyS,cAAazS,GAAG;AAC/C,QAAIgN,aAAaR,QAAQA,KAAKO,wBAAwB;AAEtD,QAAIqC,cAAclJ,sBAAsBF;AACxC,QAAIiI,iBAAiBC,YACnBhK,MAAMC,UACND,MAAM0D,SACNzB,UACAM,OAAOI,oBACP6M,MACAjN,OAAOK,sBACPoJ,SACA1D,QAAI,OAAA,SAAJA,KAAM4B,QAAQ;AAEhB,QAAIxG,UAAUL,YAAY6H,aAAanB,gBAAgB9H,QAAQ;AAE/D,QAAI4B,WAAWC,cAAcJ,SAASwH,aAAanB,cAAc;AACjE,QAAIlG,SAASE,UAAUF,SAASH,SAAS;AACvCA,gBAAUG,SAASH;IACpB;AAED,QAAI,CAACA,SAAS;AACZ+L,sBACE3T,KACAkQ,SACAxI,uBAAuB,KAAK;QAAEC,UAAUsG;OAAgB,GACxD;QAAEjB;MAAS,CAAE;AAEf;IACD;AAED,QAAI;MAAEqB;MAAMC;MAAYzN;IAAK,IAAK0N,yBAChC9H,OAAOE,wBACP,MACAsH,gBACAzB,IAAI;AAGN,QAAI3L,OAAO;AACT8S,sBAAgB3T,KAAKkQ,SAASrP,OAAO;QAAEmM;MAAW,CAAA;AAClD;IACD;AAED,QAAI4G,QAAQ1C,eAAetJ,SAASyG,IAAI;AAExCxE,iCAA6B2C,QAAQA,KAAKpD,wBAAwB;AAElE,QAAIkF,cAAchB,iBAAiBgB,WAAWlK,UAAU,GAAG;AACzDyP,0BACE7T,KACAkQ,SACA7B,MACAuF,OACAhM,SACAG,SAASE,QACT+E,WACAsB,UAAU;AAEZ;IACD;AAID3D,qBAAiB3H,IAAIhD,KAAK;MAAEkQ;MAAS7B;IAAM,CAAA;AAC3CyF,wBACE9T,KACAkQ,SACA7B,MACAuF,OACAhM,SACAG,SAASE,QACT+E,WACAsB,UAAU;EAEd;AAIA,iBAAeuF,oBACb7T,KACAkQ,SACA7B,MACAuF,OACAG,gBACArD,YACA1D,WACAsB,YAAsB;AAEtBU,yBAAoB;AACpBrE,qBAAiBzJ,OAAOlB,GAAG;AAE3B,aAASgU,wBAAwB5L,GAAyB;AACxD,UAAI,CAACA,EAAEpD,MAAMiE,UAAU,CAACb,EAAEpD,MAAMqD,MAAM;AACpC,YAAIxH,QAAQ6G,uBAAuB,KAAK;UACtCyJ,QAAQ7C,WAAWlK;UACnBuD,UAAU0G;UACV6B;QACD,CAAA;AACDyD,wBAAgB3T,KAAKkQ,SAASrP,OAAO;UAAEmM;QAAW,CAAA;AAClD,eAAO;MACR;AACD,aAAO;IACT;AAEA,QAAI,CAAC0D,cAAcsD,wBAAwBJ,KAAK,GAAG;AACjD;IACD;AAGD,QAAIK,kBAAkB/P,MAAMqF,SAASvI,IAAIhB,GAAG;AAC5CkU,uBAAmBlU,KAAKmU,qBAAqB7F,YAAY2F,eAAe,GAAG;MACzEjH;IACD,CAAA;AAED,QAAIoH,kBAAkB,IAAI/U,gBAAe;AACzC,QAAIgV,eAAe3E,wBACjBrP,KAAKmH,SACL6G,MACA+F,gBAAgB5U,QAChB8O,UAAU;AAGZ,QAAIoC,YAAY;AACd,UAAIE,iBAAiB,MAAMC,eACzBkD,gBACA1F,MACAgG,aAAa7U,MAAM;AAGrB,UAAIoR,eAAef,SAAS,WAAW;AACrC;MACD,WAAUe,eAAef,SAAS,SAAS;AAC1C,YAAI;UAAEhP;QAAK,IAAKkQ,yBAAyB1C,MAAMuC,cAAc;AAC7D+C,wBAAgB3T,KAAKkQ,SAASrP,OAAO;UAAEmM;QAAW,CAAA;AAClD;MACD,WAAU,CAAC4D,eAAehJ,SAAS;AAClC+L,wBACE3T,KACAkQ,SACAxI,uBAAuB,KAAK;UAAEC,UAAU0G;SAAM,GAC9C;UAAErB;QAAS,CAAE;AAEf;MACD,OAAM;AACL+G,yBAAiBnD,eAAehJ;AAChCgM,gBAAQ1C,eAAe6C,gBAAgB1F,IAAI;AAE3C,YAAI2F,wBAAwBJ,KAAK,GAAG;AAClC;QACD;MACF;IACF;AAGDtJ,qBAAiBtH,IAAIhD,KAAKoU,eAAe;AAEzC,QAAIE,oBAAoB/J;AACxB,QAAIgK,gBAAgB,MAAMlD,iBACxB,UACAgD,cACA,CAACT,KAAK,GACNG,cAAc;AAEhB,QAAIhE,eAAewE,cAAc,CAAC;AAElC,QAAIF,aAAa7U,OAAOyB,SAAS;AAG/B,UAAIqJ,iBAAiBtJ,IAAIhB,GAAG,MAAMoU,iBAAiB;AACjD9J,yBAAiBpJ,OAAOlB,GAAG;MAC5B;AACD;IACD;AAKD,QAAIyG,OAAOC,qBAAqBmE,gBAAgB+B,IAAI5M,GAAG,GAAG;AACxD,UAAIsR,iBAAiBvB,YAAY,KAAKK,cAAcL,YAAY,GAAG;AACjEmE,2BAAmBlU,KAAKwU,eAAe5T,MAAS,CAAC;AACjD;MACD;IAEF,OAAM;AACL,UAAI0Q,iBAAiBvB,YAAY,GAAG;AAClCzF,yBAAiBpJ,OAAOlB,GAAG;AAC3B,YAAIwK,0BAA0B8J,mBAAmB;AAK/CJ,6BAAmBlU,KAAKwU,eAAe5T,MAAS,CAAC;AACjD;QACD,OAAM;AACL8J,2BAAiBnK,IAAIP,GAAG;AACxBkU,6BAAmBlU,KAAKwT,kBAAkBlF,UAAU,CAAC;AACrD,iBAAOmD,wBAAwB4C,cAActE,cAAc;YACzDS,mBAAmBlC;UACpB,CAAA;QACF;MACF;AAGD,UAAI8B,cAAcL,YAAY,GAAG;AAC/B4D,wBAAgB3T,KAAKkQ,SAASH,aAAalP,KAAK;AAChD;MACD;IACF;AAED,QAAI6Q,iBAAiB3B,YAAY,GAAG;AAClC,YAAMrI,uBAAuB,KAAK;QAAEmI,MAAM;MAAgB,CAAA;IAC3D;AAID,QAAInE,eAAexH,MAAMgF,WAAW/E,YAAYD,MAAMC;AACtD,QAAIsQ,sBAAsB/E,wBACxBrP,KAAKmH,SACLkE,cACA0I,gBAAgB5U,MAAM;AAExB,QAAI4P,cAAclJ,sBAAsBF;AACxC,QAAI4B,UACF1D,MAAMgF,WAAWhF,UAAU,SACvBqD,YAAY6H,aAAalL,MAAMgF,WAAW/E,UAAUgC,QAAQ,IAC5DjC,MAAM0D;AAEZhJ,cAAUgJ,SAAS,8CAA8C;AAEjE,QAAI8M,SAAS,EAAEnK;AACfE,mBAAezH,IAAIhD,KAAK0U,MAAM;AAE9B,QAAIC,cAAcnB,kBAAkBlF,YAAYyB,aAAazR,IAAI;AACjE4F,UAAMqF,SAASvG,IAAIhD,KAAK2U,WAAW;AAEnC,QAAI,CAAC3C,eAAeC,oBAAoB,IAAIC,iBAC1C7R,KAAKmH,SACLtD,OACA0D,SACA0G,YACA5C,cACA,OACAjF,OAAOM,gCACPoD,wBACAC,yBACAC,uBACAQ,iBACAF,kBACAD,kBACA0E,aACAjJ,UACA,CAACyN,MAAM5O,MAAM8C,IAAIiI,YAAY,CAAC;AAMhCkC,yBACGkB,OAAQX,QAAOA,GAAGxS,QAAQA,GAAG,EAC7BsB,QAASkR,QAAM;AACd,UAAIoC,WAAWpC,GAAGxS;AAClB,UAAIiU,mBAAkB/P,MAAMqF,SAASvI,IAAI4T,QAAQ;AACjD,UAAIrB,sBAAsBC,kBACxB5S,QACAqT,mBAAkBA,iBAAgB3V,OAAOsC,MAAS;AAEpDsD,YAAMqF,SAASvG,IAAI4R,UAAUrB,mBAAmB;AAChD,UAAIjJ,iBAAiBsC,IAAIgI,QAAQ,GAAG;AAClCnC,qBAAamC,QAAQ;MACtB;AACD,UAAIpC,GAAGpT,YAAY;AACjBkL,yBAAiBtH,IAAI4R,UAAUpC,GAAGpT,UAAU;MAC7C;IACH,CAAC;AAEHyM,gBAAY;MAAEtC,UAAU,IAAIC,IAAItF,MAAMqF,QAAQ;IAAC,CAAE;AAEjD,QAAImJ,iCAAiCA,MACnCT,qBAAqB3Q,QAASkR,QAAOC,aAAaD,GAAGxS,GAAG,CAAC;AAE3DoU,oBAAgB5U,OAAOE,iBACrB,SACAgT,8BAA8B;AAGhC,QAAI;MAAEE;MAAeC;QACnB,MAAMC,+BACJ5O,MAAM0D,SACNA,SACAoK,eACAC,sBACAwC,mBAAmB;AAGvB,QAAIL,gBAAgB5U,OAAOyB,SAAS;AAClC;IACD;AAEDmT,oBAAgB5U,OAAOC,oBACrB,SACAiT,8BAA8B;AAGhCjI,mBAAevJ,OAAOlB,GAAG;AACzBsK,qBAAiBpJ,OAAOlB,GAAG;AAC3BiS,yBAAqB3Q,QAASnC,OAAMmL,iBAAiBpJ,OAAO/B,EAAEa,GAAG,CAAC;AAElE,QAAI4C,YAAWmQ,aAAa,CAAC,GAAGH,eAAe,GAAGC,cAAc,CAAC;AACjE,QAAIjQ,WAAU;AACZ,UAAIA,UAAS+F,OAAOqJ,cAAcpM,QAAQ;AAIxC,YAAIoN,aACFf,qBAAqBrP,UAAS+F,MAAMqJ,cAAcpM,MAAM,EAAE5F;AAC5D0K,yBAAiBnK,IAAIyS,UAAU;MAChC;AACD,aAAOvB,wBAAwBgD,qBAAqB7R,UAASuN,MAAM;IACpE;AAGD,QAAI;MAAE5H;MAAYC;QAAWyK,kBAC3B/O,OACAA,MAAM0D,SACNoK,eACAY,eACAhS,QACAqR,sBACAY,gBACA/H,eAAe;AAKjB,QAAI5G,MAAMqF,SAASqD,IAAI5M,GAAG,GAAG;AAC3B,UAAI6U,cAAcL,eAAezE,aAAazR,IAAI;AAClD4F,YAAMqF,SAASvG,IAAIhD,KAAK6U,WAAW;IACpC;AAEDxB,yBAAqBqB,MAAM;AAK3B,QACExQ,MAAMgF,WAAWhF,UAAU,aAC3BwQ,SAASlK,yBACT;AACA5L,gBAAU8K,eAAe,yBAAyB;AAClDI,qCAA+BA,4BAA4BnI,MAAK;AAEhEsL,yBAAmB/I,MAAMgF,WAAW/E,UAAU;QAC5CyD;QACAW;QACAC;QACAe,UAAU,IAAIC,IAAItF,MAAMqF,QAAQ;MACjC,CAAA;IACF,OAAM;AAILsC,kBAAY;QACVrD;QACAD,YAAYkF,gBACVvJ,MAAMqE,YACNA,YACAX,SACAY,MAAM;QAERe,UAAU,IAAIC,IAAItF,MAAMqF,QAAQ;MACjC,CAAA;AACDY,+BAAyB;IAC1B;EACH;AAGA,iBAAe2J,oBACb9T,KACAkQ,SACA7B,MACAuF,OACAhM,SACA8I,YACA1D,WACAsB,YAAuB;AAEvB,QAAI2F,kBAAkB/P,MAAMqF,SAASvI,IAAIhB,GAAG;AAC5CkU,uBACElU,KACAwT,kBACElF,YACA2F,kBAAkBA,gBAAgB3V,OAAOsC,MAAS,GAEpD;MAAEoM;IAAW,CAAA;AAGf,QAAIoH,kBAAkB,IAAI/U,gBAAe;AACzC,QAAIgV,eAAe3E,wBACjBrP,KAAKmH,SACL6G,MACA+F,gBAAgB5U,MAAM;AAGxB,QAAIkR,YAAY;AACd,UAAIE,iBAAiB,MAAMC,eACzBjJ,SACAyG,MACAgG,aAAa7U,MAAM;AAGrB,UAAIoR,eAAef,SAAS,WAAW;AACrC;MACD,WAAUe,eAAef,SAAS,SAAS;AAC1C,YAAI;UAAEhP;QAAK,IAAKkQ,yBAAyB1C,MAAMuC,cAAc;AAC7D+C,wBAAgB3T,KAAKkQ,SAASrP,OAAO;UAAEmM;QAAW,CAAA;AAClD;MACD,WAAU,CAAC4D,eAAehJ,SAAS;AAClC+L,wBACE3T,KACAkQ,SACAxI,uBAAuB,KAAK;UAAEC,UAAU0G;SAAM,GAC9C;UAAErB;QAAS,CAAE;AAEf;MACD,OAAM;AACLpF,kBAAUgJ,eAAehJ;AACzBgM,gBAAQ1C,eAAetJ,SAASyG,IAAI;MACrC;IACF;AAGD/D,qBAAiBtH,IAAIhD,KAAKoU,eAAe;AAEzC,QAAIE,oBAAoB/J;AACxB,QAAI6G,UAAU,MAAMC,iBAClB,UACAgD,cACA,CAACT,KAAK,GACNhM,OAAO;AAET,QAAIuI,SAASiB,QAAQ,CAAC;AAMtB,QAAIM,iBAAiBvB,MAAM,GAAG;AAC5BA,eACG,MAAM2E,oBAAoB3E,QAAQkE,aAAa7U,QAAQ,IAAI,KAC5D2Q;IACH;AAID,QAAI7F,iBAAiBtJ,IAAIhB,GAAG,MAAMoU,iBAAiB;AACjD9J,uBAAiBpJ,OAAOlB,GAAG;IAC5B;AAED,QAAIqU,aAAa7U,OAAOyB,SAAS;AAC/B;IACD;AAID,QAAI4J,gBAAgB+B,IAAI5M,GAAG,GAAG;AAC5BkU,yBAAmBlU,KAAKwU,eAAe5T,MAAS,CAAC;AACjD;IACD;AAGD,QAAI0Q,iBAAiBnB,MAAM,GAAG;AAC5B,UAAI3F,0BAA0B8J,mBAAmB;AAG/CJ,2BAAmBlU,KAAKwU,eAAe5T,MAAS,CAAC;AACjD;MACD,OAAM;AACL8J,yBAAiBnK,IAAIP,GAAG;AACxB,cAAMyR,wBAAwB4C,cAAclE,MAAM;AAClD;MACD;IACF;AAGD,QAAIC,cAAcD,MAAM,GAAG;AACzBwD,sBAAgB3T,KAAKkQ,SAASC,OAAOtP,KAAK;AAC1C;IACD;AAEDjC,cAAU,CAAC8S,iBAAiBvB,MAAM,GAAG,iCAAiC;AAGtE+D,uBAAmBlU,KAAKwU,eAAerE,OAAO7R,IAAI,CAAC;EACrD;AAqBA,iBAAemT,wBACbhC,SACA7M,WAAwBmS,QASlB;AAAA,QARN;MACEzG;MACAkC;MACAnN,SAAAA;4BAKE,CAAA,IAAE0R;AAEN,QAAInS,UAASQ,SAASN,QAAQ8J,IAAI,oBAAoB,GAAG;AACvDzC,+BAAyB;IAC1B;AAED,QAAIhG,WAAWvB,UAASQ,SAASN,QAAQ9B,IAAI,UAAU;AACvDpC,cAAUuF,UAAU,qDAAqD;AACzEA,eAAWoN,0BACTpN,UACA,IAAIqN,IAAI/B,QAAQ5M,GAAG,GACnBsD,QAAQ;AAEV,QAAI6O,mBAAmBxG,eAAetK,MAAMC,UAAUA,UAAU;MAC9DoJ,aAAa;IACd,CAAA;AAED,QAAIhI,YAAW;AACb,UAAI0P,mBAAmB;AAEvB,UAAIrS,UAASQ,SAASN,QAAQ8J,IAAI,yBAAyB,GAAG;AAE5DqI,2BAAmB;iBACVnQ,mBAAmBoQ,KAAK/Q,QAAQ,GAAG;AAC5C,cAAMtB,MAAMxC,KAAKmH,QAAQ2N,UAAUhR,QAAQ;AAC3C8Q;QAEEpS,IAAIuS,WAAW/P,aAAalB,SAASiR;QAErCC,cAAcxS,IAAI8E,UAAUxB,QAAQ,KAAK;MAC5C;AAED,UAAI8O,kBAAkB;AACpB,YAAI5R,UAAS;AACXgC,uBAAalB,SAASd,QAAQc,QAAQ;QACvC,OAAM;AACLkB,uBAAalB,SAASjE,OAAOiE,QAAQ;QACtC;AACD;MACD;IACF;AAID2F,kCAA8B;AAE9B,QAAIwL,wBACFjS,aAAY,QAAQT,UAASQ,SAASN,QAAQ8J,IAAI,iBAAiB,IAC/DjD,OAAcgE,UACdhE,OAAc+D;AAIpB,QAAI;MAAEtJ;MAAYC;MAAYC;QAAgBJ,MAAMgF;AACpD,QACE,CAACoF,cACD,CAACkC,qBACDpM,cACAC,cACAC,aACA;AACAgK,mBAAauD,4BAA4B3N,MAAMgF,UAAU;IAC1D;AAKD,QAAI0I,mBAAmBtD,cAAckC;AACrC,QACExM,kCAAkC4I,IAAIhK,UAASQ,SAAST,MAAM,KAC9DiP,oBACAtE,iBAAiBsE,iBAAiBxN,UAAU,GAC5C;AACA,YAAM0H,gBAAgBwJ,uBAAuBN,kBAAkB;QAC7D1G,YAAUpL,SAAA,CAAA,GACL0O,kBAAgB;UACnBvN,YAAYF;SACb;;QAEDiF,oBAAoBS;MACrB,CAAA;IACF,OAAM;AAGL,UAAIqF,qBAAqBmB,qBACvB2E,kBACA1G,UAAU;AAEZ,YAAMxC,gBAAgBwJ,uBAAuBN,kBAAkB;QAC7D9F;;QAEAsB;;QAEApH,oBAAoBS;MACrB,CAAA;IACF;EACH;AAIA,iBAAewH,iBACbxB,MACAJ,SACAuC,eACApK,SAAiC;AAEjC,QAAI;AACF,UAAIwJ,UAAU,MAAMmE,qBAClBnP,kBACAyJ,MACAJ,SACAuC,eACApK,SACA7B,UACAF,mBAAkB;AAGpB,aAAO,MAAM5G,QAAQuW,IACnBpE,QAAQqE,IAAI,CAACtF,QAAQuF,MAAK;AACxB,YAAIC,wBAAwBxF,MAAM,GAAG;AACnC,cAAI/M,WAAW+M,OAAOA;AACtB,iBAAO;YACLN,MAAMC,WAAWlN;YACjBQ,UAAUwS,yCACRxS,UACAqM,SACAuC,cAAc0D,CAAC,EAAE1Q,MAAM8C,IACvBF,SACAzB,UACAM,OAAOK,oBAAoB;;QAGhC;AAED,eAAO+O,iCAAiC1F,MAAM;MAChD,CAAC,CAAC;aAEG2F,GAAG;AAGV,aAAO9D,cAAcyD,IAAI,OAAO;QAC9B5F,MAAMC,WAAWjP;QACjBA,OAAOiV;MACR,EAAC;IACH;EACH;AAEA,iBAAehD,+BACbiD,gBACAnO,SACAoK,eACAgE,gBACAvG,SAAgB;AAEhB,QAAI,CAACmD,eAAe,GAAGC,cAAc,IAAI,MAAM5T,QAAQuW,IAAI,CACzDxD,cAAcpM,SACVyL,iBAAiB,UAAU5B,SAASuC,eAAepK,OAAO,IAC1D,CAAA,GACJ,GAAGoO,eAAeP,IAAK9C,OAAK;AAC1B,UAAIA,EAAE/K,WAAW+K,EAAEiB,SAASjB,EAAEvT,YAAY;AACxC,YAAI6W,iBAAiBvG,wBACnBrP,KAAKmH,SACLmL,EAAEtE,MACFsE,EAAEvT,WAAWI,MAAM;AAErB,eAAO6R,iBACL,UACA4E,gBACA,CAACtD,EAAEiB,KAAK,GACRjB,EAAE/K,OAAO,EACTlH,KAAMvB,OAAMA,EAAE,CAAC,CAAC;MACnB,OAAM;AACL,eAAOF,QAAQ8C,QAAoB;UACjC8N,MAAMC,WAAWjP;UACjBA,OAAO6G,uBAAuB,KAAK;YACjCC,UAAUgL,EAAEtE;WACb;QACF,CAAA;MACF;KACF,CAAC,CACH;AAED,UAAMpP,QAAQuW,IAAI,CAChBU,uBACEH,gBACA/D,eACAY,eACAA,cAAc6C,IAAI,MAAMhG,QAAQjQ,MAAM,GACtC,OACA0E,MAAMqE,UAAU,GAElB2N,uBACEH,gBACAC,eAAeP,IAAK9C,OAAMA,EAAEiB,KAAK,GACjCf,gBACAmD,eAAeP,IAAK9C,OAAOA,EAAEvT,aAAauT,EAAEvT,WAAWI,SAAS,IAAK,GACrE,IAAI,CACL,CACF;AAED,WAAO;MACLoT;MACAC;;EAEJ;AAEA,WAAS7D,uBAAoB;AAE3B7E,6BAAyB;AAIzBC,4BAAwB9J,KAAK,GAAG6R,sBAAqB,CAAE;AAGvDxH,qBAAiBrJ,QAAQ,CAACpC,GAAGc,QAAO;AAClC,UAAIsK,iBAAiBsC,IAAI5M,GAAG,GAAG;AAC7BqK,8BAAsB9J,IAAIP,GAAG;AAC7ByS,qBAAazS,GAAG;MACjB;IACH,CAAC;EACH;AAEA,WAASkU,mBACPlU,KACA2M,SACAH,MAAkC;AAAA,QAAlCA,SAAAA,QAAAA;AAAAA,aAAgC,CAAA;IAAE;AAElCtI,UAAMqF,SAASvG,IAAIhD,KAAK2M,OAAO;AAC/Bd,gBACE;MAAEtC,UAAU,IAAIC,IAAItF,MAAMqF,QAAQ;IAAG,GACrC;MAAEyD,YAAYR,QAAQA,KAAKQ,eAAe;IAAM,CAAA;EAEpD;AAEA,WAAS2G,gBACP3T,KACAkQ,SACArP,OACA2L,MAAkC;AAAA,QAAlCA,SAAA,QAAA;AAAAA,aAAgC,CAAA;IAAE;AAElC,QAAImF,gBAAgB/B,oBAAoB1L,MAAM0D,SAASsI,OAAO;AAC9D7D,kBAAcrM,GAAG;AACjB6L,gBACE;MACErD,QAAQ;QACN,CAACmJ,cAAc3M,MAAM8C,EAAE,GAAGjH;;MAE5B0I,UAAU,IAAIC,IAAItF,MAAMqF,QAAQ;IACjC,GACD;MAAEyD,YAAYR,QAAQA,KAAKQ,eAAe;IAAI,CAAE;EAEpD;AAEA,WAASmJ,WAAwBnW,KAAW;AAC1C,QAAIyG,OAAOC,mBAAmB;AAC5BkE,qBAAe5H,IAAIhD,MAAM4K,eAAe5J,IAAIhB,GAAG,KAAK,KAAK,CAAC;AAG1D,UAAI6K,gBAAgB+B,IAAI5M,GAAG,GAAG;AAC5B6K,wBAAgB3J,OAAOlB,GAAG;MAC3B;IACF;AACD,WAAOkE,MAAMqF,SAASvI,IAAIhB,GAAG,KAAK0E;EACpC;AAEA,WAAS2H,cAAcrM,KAAW;AAChC,QAAI2M,UAAUzI,MAAMqF,SAASvI,IAAIhB,GAAG;AAIpC,QACEsK,iBAAiBsC,IAAI5M,GAAG,KACxB,EAAE2M,WAAWA,QAAQzI,UAAU,aAAauG,eAAemC,IAAI5M,GAAG,IAClE;AACAyS,mBAAazS,GAAG;IACjB;AACD2K,qBAAiBzJ,OAAOlB,GAAG;AAC3ByK,mBAAevJ,OAAOlB,GAAG;AACzB0K,qBAAiBxJ,OAAOlB,GAAG;AAC3B6K,oBAAgB3J,OAAOlB,GAAG;AAC1BqK,0BAAsBnJ,OAAOlB,GAAG;AAChCkE,UAAMqF,SAASrI,OAAOlB,GAAG;EAC3B;AAEA,WAASoW,4BAA4BpW,KAAW;AAC9C,QAAIyG,OAAOC,mBAAmB;AAC5B,UAAI2P,SAASzL,eAAe5J,IAAIhB,GAAG,KAAK,KAAK;AAC7C,UAAIqW,SAAS,GAAG;AACdzL,uBAAe1J,OAAOlB,GAAG;AACzB6K,wBAAgBtK,IAAIP,GAAG;MACxB,OAAM;AACL4K,uBAAe5H,IAAIhD,KAAKqW,KAAK;MAC9B;IACF,OAAM;AACLhK,oBAAcrM,GAAG;IAClB;AACD6L,gBAAY;MAAEtC,UAAU,IAAIC,IAAItF,MAAMqF,QAAQ;IAAC,CAAE;EACnD;AAEA,WAASkJ,aAAazS,KAAW;AAC/B,QAAIZ,aAAakL,iBAAiBtJ,IAAIhB,GAAG;AACzCpB,cAAUQ,YAA0CY,gCAAAA,GAAK;AACzDZ,eAAWuC,MAAK;AAChB2I,qBAAiBpJ,OAAOlB,GAAG;EAC7B;AAEA,WAASsW,iBAAiB9I,MAAc;AACtC,aAASxN,OAAOwN,MAAM;AACpB,UAAIb,UAAUwJ,WAAWnW,GAAG;AAC5B,UAAI6U,cAAcL,eAAe7H,QAAQrO,IAAI;AAC7C4F,YAAMqF,SAASvG,IAAIhD,KAAK6U,WAAW;IACpC;EACH;AAEA,WAASxC,yBAAsB;AAC7B,QAAIkE,WAAW,CAAA;AACf,QAAInE,kBAAkB;AACtB,aAASpS,OAAO0K,kBAAkB;AAChC,UAAIiC,UAAUzI,MAAMqF,SAASvI,IAAIhB,GAAG;AACpCpB,gBAAU+N,SAA8B3M,uBAAAA,GAAK;AAC7C,UAAI2M,QAAQzI,UAAU,WAAW;AAC/BwG,yBAAiBxJ,OAAOlB,GAAG;AAC3BuW,iBAASjW,KAAKN,GAAG;AACjBoS,0BAAkB;MACnB;IACF;AACDkE,qBAAiBC,QAAQ;AACzB,WAAOnE;EACT;AAEA,WAASiB,qBAAqBmD,UAAgB;AAC5C,QAAIC,aAAa,CAAA;AACjB,aAAS,CAACzW,KAAK8H,EAAE,KAAK2C,gBAAgB;AACpC,UAAI3C,KAAK0O,UAAU;AACjB,YAAI7J,UAAUzI,MAAMqF,SAASvI,IAAIhB,GAAG;AACpCpB,kBAAU+N,SAA8B3M,uBAAAA,GAAK;AAC7C,YAAI2M,QAAQzI,UAAU,WAAW;AAC/BuO,uBAAazS,GAAG;AAChByK,yBAAevJ,OAAOlB,GAAG;AACzByW,qBAAWnW,KAAKN,GAAG;QACpB;MACF;IACF;AACDsW,qBAAiBG,UAAU;AAC3B,WAAOA,WAAW7Q,SAAS;EAC7B;AAEA,WAAS8Q,WAAW1W,KAAayB,IAAmB;AAClD,QAAIkV,UAAmBzS,MAAMuF,SAASzI,IAAIhB,GAAG,KAAK2E;AAElD,QAAIoG,iBAAiB/J,IAAIhB,GAAG,MAAMyB,IAAI;AACpCsJ,uBAAiB/H,IAAIhD,KAAKyB,EAAE;IAC7B;AAED,WAAOkV;EACT;AAEA,WAASrK,cAActM,KAAW;AAChCkE,UAAMuF,SAASvI,OAAOlB,GAAG;AACzB+K,qBAAiB7J,OAAOlB,GAAG;EAC7B;AAGA,WAAS4L,cAAc5L,KAAa4W,YAAmB;AACrD,QAAID,UAAUzS,MAAMuF,SAASzI,IAAIhB,GAAG,KAAK2E;AAIzC/F,cACG+X,QAAQzS,UAAU,eAAe0S,WAAW1S,UAAU,aACpDyS,QAAQzS,UAAU,aAAa0S,WAAW1S,UAAU,aACpDyS,QAAQzS,UAAU,aAAa0S,WAAW1S,UAAU,gBACpDyS,QAAQzS,UAAU,aAAa0S,WAAW1S,UAAU,eACpDyS,QAAQzS,UAAU,gBAAgB0S,WAAW1S,UAAU,aAAY,uCACjCyS,QAAQzS,QAAK,SAAO0S,WAAW1S,KAAO;AAG7E,QAAIuF,WAAW,IAAID,IAAItF,MAAMuF,QAAQ;AACrCA,aAASzG,IAAIhD,KAAK4W,UAAU;AAC5B/K,gBAAY;MAAEpC;IAAQ,CAAE;EAC1B;AAEA,WAAS+B,sBAAqBqL,OAQ7B;AAAA,QAR8B;MAC7BpL;MACAC;MACA1C;IAKD,IAAA6N;AACC,QAAI9L,iBAAiB/I,SAAS,GAAG;AAC/B;IACD;AAID,QAAI+I,iBAAiB/I,OAAO,GAAG;AAC7BsJ,cAAQ,OAAO,8CAA8C;IAC9D;AAED,QAAI1L,UAAUf,MAAMwD,KAAK0I,iBAAiBnL,QAAO,CAAE;AACnD,QAAI,CAAC2L,YAAYuL,eAAe,IAAIlX,QAAQA,QAAQgG,SAAS,CAAC;AAC9D,QAAI+Q,UAAUzS,MAAMuF,SAASzI,IAAIuK,UAAU;AAE3C,QAAIoL,WAAWA,QAAQzS,UAAU,cAAc;AAG7C;IACD;AAID,QAAI4S,gBAAgB;MAAErL;MAAiBC;MAAc1C;IAAe,CAAA,GAAG;AACrE,aAAOuC;IACR;EACH;AAEA,WAASgE,sBAAsB5H,UAAgB;AAC7C,QAAI9G,QAAQ6G,uBAAuB,KAAK;MAAEC;IAAU,CAAA;AACpD,QAAIyH,cAAclJ,sBAAsBF;AACxC,QAAI;MAAE4B;MAAS5C;IAAK,IAAK6C,uBAAuBuH,WAAW;AAG3D+C,0BAAqB;AAErB,WAAO;MAAE7C,iBAAiB1H;MAAS5C;MAAOnE;;EAC5C;AAEA,WAASkQ,yBACPpJ,UACAiJ,gBAAyC;AAEzC,WAAO;MACLE,YAAYlB,oBAAoBgB,eAAeI,cAAc,EAAEhM,MAAM8C;MACrEjH,OAAO6G,uBAAuB,KAAK;QACjCmI,MAAM;QACNlI;QACAoP,SACEnG,eAAe/P,SAAS,QAAQ,aAAa+P,eAAe/P,QACxD+P,eAAe/P,QACfmW,OAAOpG,eAAe/P,KAAK;OAClC;;EAEL;AAEA,WAASsR,sBACP8E,WAAwC;AAExC,QAAIC,oBAA8B,CAAA;AAClCpM,oBAAgBxJ,QAAQ,CAAC6V,KAAKjH,YAAW;AACvC,UAAI,CAAC+G,aAAaA,UAAU/G,OAAO,GAAG;AAIpCiH,YAAIzV,OAAM;AACVwV,0BAAkB5W,KAAK4P,OAAO;AAC9BpF,wBAAgB5J,OAAOgP,OAAO;MAC/B;IACH,CAAC;AACD,WAAOgH;EACT;AAIA,WAASE,wBACPC,WACAC,aACAC,QAAwC;AAExCtQ,IAAAA,wBAAuBoQ;AACvBlQ,wBAAoBmQ;AACpBpQ,8BAA0BqQ,UAAU;AAKpC,QAAI,CAACnQ,yBAAyBlD,MAAMgF,eAAejF,iBAAiB;AAClEmD,8BAAwB;AACxB,UAAIoQ,IAAI1J,uBAAuB5J,MAAMC,UAAUD,MAAM0D,OAAO;AAC5D,UAAI4P,KAAK,MAAM;AACb3L,oBAAY;UAAE1C,uBAAuBqO;QAAC,CAAE;MACzC;IACF;AAED,WAAO,MAAK;AACVvQ,MAAAA,wBAAuB;AACvBE,0BAAoB;AACpBD,gCAA0B;;EAE9B;AAEA,WAASuQ,aAAatT,UAAoByD,SAAiC;AACzE,QAAIV,yBAAyB;AAC3B,UAAIlH,MAAMkH,wBACR/C,UACAyD,QAAQ6N,IAAKrN,OAAMsP,2BAA2BtP,GAAGlE,MAAMqE,UAAU,CAAC,CAAC;AAErE,aAAOvI,OAAOmE,SAASnE;IACxB;AACD,WAAOmE,SAASnE;EAClB;AAEA,WAASmP,mBACPhL,UACAyD,SAAiC;AAEjC,QAAIX,yBAAwBE,mBAAmB;AAC7C,UAAInH,MAAMyX,aAAatT,UAAUyD,OAAO;AACxCX,MAAAA,sBAAqBjH,GAAG,IAAImH,kBAAiB;IAC9C;EACH;AAEA,WAAS2G,uBACP3J,UACAyD,SAAiC;AAEjC,QAAIX,uBAAsB;AACxB,UAAIjH,MAAMyX,aAAatT,UAAUyD,OAAO;AACxC,UAAI4P,IAAIvQ,sBAAqBjH,GAAG;AAChC,UAAI,OAAOwX,MAAM,UAAU;AACzB,eAAOA;MACR;IACF;AACD,WAAO;EACT;AAEA,WAASxP,cACPJ,SACAwH,aACAzH,UAAgB;AAEhB,QAAIpB,uBAAuB;AACzB,UAAI,CAACqB,SAAS;AACZ,YAAI+P,aAAaC,gBACfxI,aACAzH,UACAxB,UACA,IAAI;AAGN,eAAO;UAAE8B,QAAQ;UAAML,SAAS+P,cAAc,CAAA;;MAC/C,OAAM;AACL,YAAIE,YAAYjQ,QAAQA,QAAQhC,SAAS,CAAC,EAAEZ;AAC5C,YACE6S,UAAUxJ,SACTwJ,UAAUxJ,SAAS,OAAOwJ,UAAUxJ,KAAKyJ,SAAS,IAAI,IACvD;AAIA,cAAI9G,iBAAiB4G,gBACnBxI,aACAzH,UACAxB,UACA,IAAI;AAEN,iBAAO;YAAE8B,QAAQ;YAAML,SAASoJ;;QACjC;MACF;IACF;AAED,WAAO;MAAE/I,QAAQ;MAAOL,SAAS;;EACnC;AAiBA,iBAAeiJ,eACbjJ,SACAD,UACAnI,QAAmB;AAEnB,QAAIwR,iBAAkDpJ;AACtD,QAAI5C,QACFgM,eAAepL,SAAS,IACpBoL,eAAeA,eAAepL,SAAS,CAAC,EAAEZ,QAC1C;AACN,WAAO,MAAM;AACX,UAAI+S,WAAW7R,sBAAsB;AACrC,UAAIkJ,cAAclJ,sBAAsBF;AACxC,UAAI;AACF,cAAMgS,sBACJzR,uBACAoB,UACAqJ,gBACA5B,aACArJ,UACAF,qBACAmF,oBACAxL,MAAM;eAEDsW,GAAG;AACV,eAAO;UAAEjG,MAAM;UAAShP,OAAOiV;UAAG9E;;MACnC,UAAA;AAOC,YAAI+G,UAAU;AACZ/R,uBAAa,CAAC,GAAGA,UAAU;QAC5B;MACF;AAED,UAAIxG,OAAOyB,SAAS;AAClB,eAAO;UAAE4O,MAAM;;MAChB;AAED,UAAIoI,aAAa1Q,YAAY6H,aAAazH,UAAUxB,QAAQ;AAC5D,UAAI+R,eAAe;AACnB,UAAID,YAAY;AACd,YAAIJ,YAAYI,WAAWA,WAAWrS,SAAS,CAAC,EAAEZ;AAElD,YAAI6S,UAAUM,OAAO;AAEnB,iBAAO;YAAEtI,MAAM;YAAWjI,SAASqQ;;QACpC;AAED,YAAIJ,UAAUxJ,QAAQwJ,UAAUxJ,KAAKzI,SAAS,GAAG;AAC/C,cAAIiS,UAAUxJ,SAAS,KAAK;AAI1B6J,2BAAe;UAChB,OAAM;AAEL,mBAAO;cAAErI,MAAM;cAAWjI,SAASqQ;;UACpC;QACF;MACF;AAED,UAAIG,oBAAoBR,gBACtBxI,aACAzH,UACAxB,UACA,IAAI;AAMN,UACE,CAACiS,qBACDpH,eAAeyE,IAAKrN,OAAMA,EAAEpD,MAAM8C,EAAE,EAAEuQ,KAAK,GAAG,MAC5CD,kBAAkB3C,IAAKrN,OAAMA,EAAEpD,MAAM8C,EAAE,EAAEuQ,KAAK,GAAG,GACnD;AACA,eAAO;UAAExI,MAAM;UAAWjI,SAASsQ,eAAeD,aAAa;;MAChE;AAEDjH,uBAAiBoH;AACjBpT,cAAQgM,eAAeA,eAAepL,SAAS,CAAC,EAAEZ;AAClD,UAAIA,MAAMqJ,SAAS,KAAK;AAEtB,eAAO;UAAEwB,MAAM;UAAWjI,SAASoJ;;MACpC;IACF;EACH;AAEA,WAASsH,mBAAmBC,WAAoC;AAC9DxS,eAAW,CAAA;AACXG,yBAAqBD,0BACnBsS,WACA1S,qBACAjF,QACAmF,QAAQ;EAEZ;AAEA,WAASyS,YACPtI,SACAuI,UAA+B;AAE/B,QAAIV,WAAW7R,sBAAsB;AACrC,QAAIkJ,cAAclJ,sBAAsBF;AACxC0S,oBACExI,SACAuI,UACArJ,aACArJ,UACAF,mBAAkB;AAQpB,QAAIkS,UAAU;AACZ/R,mBAAa,CAAC,GAAGA,UAAU;AAC3B6F,kBAAY,CAAA,CAAE;IACf;EACH;AAEA9C,WAAS;IACP,IAAI5C,WAAQ;AACV,aAAOA;;IAET,IAAIM,SAAM;AACR,aAAOA;;IAET,IAAIvC,QAAK;AACP,aAAOA;;IAET,IAAIyB,SAAM;AACR,aAAOK;;IAET,IAAIV,SAAM;AACR,aAAOD;;IAET6F;IACA1J;IACA4V;IACArJ;IACA0F;IACA1E;;;IAGA4J,YAAa3K,QAAW3N,KAAKmH,QAAQmR,WAAW3K,EAAE;IAClDS,gBAAiBT,QAAW3N,KAAKmH,QAAQiH,eAAeT,EAAE;IAC1DmI;IACA9J,eAAe+J;IACfjK;IACAuK;IACApK;IACAkM;IACAI,2BAA2BtO;IAC3BuO,0BAA0B/N;;;IAG1BwN;;AAGF,SAAOvP;AACT;IAOa+P,yBAAyBC,OAAO,UAAU;AA2pBvD,SAASC,uBACPC,MAAgC;AAEhC,SACEA,QAAQ,SACN,cAAcA,QAAQA,KAAKC,YAAY,QACtC,UAAUD,QAAQA,KAAKE,SAASC;AAEvC;AAEA,SAASC,YACPC,UACAC,SACAC,UACAC,iBACAC,IACAC,sBACAC,aACAC,UAA8B;AAE9B,MAAIC;AACJ,MAAIC;AACJ,MAAIH,aAAa;AAGfE,wBAAoB,CAAA;AACpB,aAASE,SAAST,SAAS;AACzBO,wBAAkBG,KAAKD,KAAK;AAC5B,UAAIA,MAAME,MAAMC,OAAOP,aAAa;AAClCG,2BAAmBC;AACnB;MACD;IACF;EACF,OAAM;AACLF,wBAAoBP;AACpBQ,uBAAmBR,QAAQA,QAAQa,SAAS,CAAC;EAC9C;AAGD,MAAIC,OAAOC,UACTZ,KAAKA,KAAK,KACVa,oBAAoBT,mBAAmBH,oBAAoB,GAC3Da,cAAclB,SAASmB,UAAUjB,QAAQ,KAAKF,SAASmB,UACvDZ,aAAa,MAAM;AAMrB,MAAIH,MAAM,MAAM;AACdW,SAAKK,SAASpB,SAASoB;AACvBL,SAAKM,OAAOrB,SAASqB;EACtB;AAGD,OACGjB,MAAM,QAAQA,OAAO,MAAMA,OAAO,QACnCK,oBACAA,iBAAiBG,MAAMU,SACvB,CAACC,mBAAmBR,KAAKK,MAAM,GAC/B;AACAL,SAAKK,SAASL,KAAKK,SACfL,KAAKK,OAAOI,QAAQ,OAAO,SAAS,IACpC;EACL;AAMD,MAAIrB,mBAAmBD,aAAa,KAAK;AACvCa,SAAKI,WACHJ,KAAKI,aAAa,MAAMjB,WAAWuB,UAAU,CAACvB,UAAUa,KAAKI,QAAQ,CAAC;EACzE;AAED,SAAOO,WAAWX,IAAI;AACxB;AAIA,SAASY,yBACPC,qBACAC,WACAd,MACApB,MAAiC;AAOjC,MAAI,CAACA,QAAQ,CAACD,uBAAuBC,IAAI,GAAG;AAC1C,WAAO;MAAEoB;;EACV;AAED,MAAIpB,KAAKmC,cAAc,CAACC,cAAcpC,KAAKmC,UAAU,GAAG;AACtD,WAAO;MACLf;MACAiB,OAAOC,uBAAuB,KAAK;QAAEC,QAAQvC,KAAKmC;OAAY;;EAEjE;AAED,MAAIK,sBAAsBA,OAAO;IAC/BpB;IACAiB,OAAOC,uBAAuB,KAAK;MAAEG,MAAM;KAAgB;EAC5D;AAGD,MAAIC,gBAAgB1C,KAAKmC,cAAc;AACvC,MAAIA,aAAaF,sBACZS,cAAcC,YAAW,IACzBD,cAAcE,YAAW;AAC9B,MAAIC,aAAaC,kBAAkB1B,IAAI;AAEvC,MAAIpB,KAAKE,SAASC,QAAW;AAC3B,QAAIH,KAAK+C,gBAAgB,cAAc;AAErC,UAAI,CAACC,iBAAiBb,UAAU,GAAG;AACjC,eAAOK,oBAAmB;MAC3B;AAED,UAAIS,OACF,OAAOjD,KAAKE,SAAS,WACjBF,KAAKE,OACLF,KAAKE,gBAAgBgD,YACrBlD,KAAKE,gBAAgBiD;;QAErBC,MAAMC,KAAKrD,KAAKE,KAAKoD,QAAO,CAAE,EAAEC,OAC9B,CAACC,KAAGC,UAAA;AAAA,cAAE,CAACC,MAAMC,KAAK,IAACF;AAAA,iBAAA,KAAQD,MAAME,OAAI,MAAIC,QAAK;WAC9C,EAAE;UAEJC,OAAO5D,KAAKE,IAAI;AAEtB,aAAO;QACLkB;QACAyC,YAAY;UACV1B;UACAU;UACAE,aAAa/C,KAAK+C;UAClB9C,UAAUE;UACV2D,MAAM3D;UACN8C;QACD;;IAEJ,WAAUjD,KAAK+C,gBAAgB,oBAAoB;AAElD,UAAI,CAACC,iBAAiBb,UAAU,GAAG;AACjC,eAAOK,oBAAmB;MAC3B;AAED,UAAI;AACF,YAAIsB,QACF,OAAO9D,KAAKE,SAAS,WAAW6D,KAAKC,MAAMhE,KAAKE,IAAI,IAAIF,KAAKE;AAE/D,eAAO;UACLkB;UACAyC,YAAY;YACV1B;YACAU;YACAE,aAAa/C,KAAK+C;YAClB9C,UAAUE;YACV2D,MAAAA;YACAb,MAAM9C;UACP;;eAEI8D,GAAG;AACV,eAAOzB,oBAAmB;MAC3B;IACF;EACF;AAED0B,YACE,OAAOhB,aAAa,YACpB,+CAA+C;AAGjD,MAAIiB;AACJ,MAAIlE;AAEJ,MAAID,KAAKC,UAAU;AACjBkE,mBAAeC,8BAA8BpE,KAAKC,QAAQ;AAC1DA,eAAWD,KAAKC;EACjB,WAAUD,KAAKE,gBAAgBgD,UAAU;AACxCiB,mBAAeC,8BAA8BpE,KAAKE,IAAI;AACtDD,eAAWD,KAAKE;EACjB,WAAUF,KAAKE,gBAAgBiD,iBAAiB;AAC/CgB,mBAAenE,KAAKE;AACpBD,eAAWoE,8BAA8BF,YAAY;EACtD,WAAUnE,KAAKE,QAAQ,MAAM;AAC5BiE,mBAAe,IAAIhB,gBAAe;AAClClD,eAAW,IAAIiD,SAAQ;EACxB,OAAM;AACL,QAAI;AACFiB,qBAAe,IAAIhB,gBAAgBnD,KAAKE,IAAI;AAC5CD,iBAAWoE,8BAA8BF,YAAY;aAC9CF,GAAG;AACV,aAAOzB,oBAAmB;IAC3B;EACF;AAED,MAAIqB,aAAyB;IAC3B1B;IACAU;IACAE,aACG/C,QAAQA,KAAK+C,eAAgB;IAChC9C;IACA6D,MAAM3D;IACN8C,MAAM9C;;AAGR,MAAI6C,iBAAiBa,WAAW1B,UAAU,GAAG;AAC3C,WAAO;MAAEf;MAAMyC;;EAChB;AAGD,MAAIS,aAAaC,UAAUnD,IAAI;AAI/B,MAAIc,aAAaoC,WAAW7C,UAAUG,mBAAmB0C,WAAW7C,MAAM,GAAG;AAC3E0C,iBAAaK,OAAO,SAAS,EAAE;EAChC;AACDF,aAAW7C,SAAM,MAAO0C;AAExB,SAAO;IAAE/C,MAAMW,WAAWuC,UAAU;IAAGT;;AACzC;AAIA,SAASY,8BACPnE,SACAoE,YAAkB;AAElB,MAAIC,kBAAkBrE;AACtB,MAAIoE,YAAY;AACd,QAAI/C,QAAQrB,QAAQsE,UAAWC,OAAMA,EAAE5D,MAAMC,OAAOwD,UAAU;AAC9D,QAAI/C,SAAS,GAAG;AACdgD,wBAAkBrE,QAAQwE,MAAM,GAAGnD,KAAK;IACzC;EACF;AACD,SAAOgD;AACT;AAEA,SAASI,iBACPC,SACAC,OACA3E,SACAuD,YACAxD,UACA6E,eACAC,6BACAC,wBACAC,yBACAC,uBACAC,iBACAC,kBACAC,kBACAC,aACAnF,UACAoF,qBAAyC;AAEzC,MAAIC,eAAeD,sBACfE,cAAcF,oBAAoB,CAAC,CAAC,IAClCA,oBAAoB,CAAC,EAAEtD,QACvBsD,oBAAoB,CAAC,EAAEG,OACzB3F;AACJ,MAAI4F,aAAaf,QAAQgB,UAAUf,MAAM5E,QAAQ;AACjD,MAAI4F,UAAUjB,QAAQgB,UAAU3F,QAAQ;AAGxC,MAAIqE,aACFiB,uBAAuBE,cAAcF,oBAAoB,CAAC,CAAC,IACvDA,oBAAoB,CAAC,IACrBxF;AACN,MAAIwE,kBAAkBD,aAClBD,8BAA8BnE,SAASoE,UAAU,IACjDpE;AAKJ,MAAI4F,eAAeP,sBACfA,oBAAoB,CAAC,EAAEQ,aACvBhG;AACJ,MAAIiG,yBACFjB,+BAA+Be,gBAAgBA,gBAAgB;AAEjE,MAAIG,oBAAoB1B,gBAAgB2B,OAAO,CAACvF,OAAOY,UAAS;AAC9D,QAAI;MAAEV;IAAO,IAAGF;AAChB,QAAIE,MAAMsF,MAAM;AAEd,aAAO;IACR;AAED,QAAItF,MAAMuF,UAAU,MAAM;AACxB,aAAO;IACR;AAED,QAAItB,eAAe;AACjB,UAAI,OAAOjE,MAAMuF,WAAW,cAAcvF,MAAMuF,OAAOC,SAAS;AAC9D,eAAO;MACR;AACD,aACExB,MAAMyB,WAAWzF,MAAMC,EAAE,MAAMf;OAE9B,CAAC8E,MAAM0B,UAAU1B,MAAM0B,OAAO1F,MAAMC,EAAE,MAAMf;IAEhD;AAGD,QACEyG,YAAY3B,MAAMyB,YAAYzB,MAAM3E,QAAQqB,KAAK,GAAGZ,KAAK,KACzDsE,wBAAwBwB,KAAM3F,QAAOA,OAAOH,MAAME,MAAMC,EAAE,GAC1D;AACA,aAAO;IACR;AAMD,QAAI4F,oBAAoB7B,MAAM3E,QAAQqB,KAAK;AAC3C,QAAIoF,iBAAiBhG;AAErB,WAAOiG,uBAAuBjG,OAAKkG,SAAA;MACjClB;MACAmB,eAAeJ,kBAAkBK;MACjClB;MACAmB,YAAYL,eAAeI;IAAM,GAC9BtD,YAAU;MACb+B;MACAM;MACAmB,yBAAyBjB,yBACrB;;QAEAhB,0BACAW,WAAWvE,WAAWuE,WAAWtE,WAC/BwE,QAAQzE,WAAWyE,QAAQxE;QAE7BsE,WAAWtE,WAAWwE,QAAQxE,UAC9B6F,mBAAmBR,mBAAmBC,cAAc;;IAAC,CAAA,CAC1D;EACH,CAAC;AAGD,MAAIQ,uBAA8C,CAAA;AAClD/B,mBAAiBgC,QAAQ,CAACC,GAAGC,QAAO;AAMlC,QACExC,iBACA,CAAC5E,QAAQuG,KAAMhC,OAAMA,EAAE5D,MAAMC,OAAOuG,EAAEE,OAAO,KAC7CpC,gBAAgBqC,IAAIF,GAAG,GACvB;AACA;IACD;AAED,QAAIG,iBAAiBC,YAAYpC,aAAa+B,EAAErG,MAAMb,QAAQ;AAM9D,QAAI,CAACsH,gBAAgB;AACnBN,2BAAqBvG,KAAK;QACxB0G;QACAC,SAASF,EAAEE;QACXvG,MAAMqG,EAAErG;QACRd,SAAS;QACTS,OAAO;QACPgH,YAAY;MACb,CAAA;AACD;IACD;AAKD,QAAIC,UAAU/C,MAAMgD,SAASC,IAAIR,GAAG;AACpC,QAAIS,eAAeC,eAAeP,gBAAgBJ,EAAErG,IAAI;AAExD,QAAIiH,mBAAmB;AACvB,QAAI5C,iBAAiBmC,IAAIF,GAAG,GAAG;AAE7BW,yBAAmB;eACV/C,sBAAsBsC,IAAIF,GAAG,GAAG;AAEzCpC,4BAAsBgD,OAAOZ,GAAG;AAChCW,yBAAmB;IACpB,WACCL,WACAA,QAAQ/C,UAAU,UAClB+C,QAAQlC,SAAS3F,QACjB;AAIAkI,yBAAmBjD;IACpB,OAAM;AAGLiD,yBAAmBrB,uBAAuBmB,cAAYlB,SAAA;QACpDlB;QACAmB,eAAejC,MAAM3E,QAAQ2E,MAAM3E,QAAQa,SAAS,CAAC,EAAEgG;QACvDlB;QACAmB,YAAY9G,QAAQA,QAAQa,SAAS,CAAC,EAAEgG;MAAM,GAC3CtD,YAAU;QACb+B;QACAM;QACAmB,yBAAyBjB,yBACrB,QACAhB;MAAsB,CAAA,CAC3B;IACF;AAED,QAAIiD,kBAAkB;AACpBd,2BAAqBvG,KAAK;QACxB0G;QACAC,SAASF,EAAEE;QACXvG,MAAMqG,EAAErG;QACRd,SAASuH;QACT9G,OAAOoH;QACPJ,YAAY,IAAIQ,gBAAe;MAChC,CAAA;IACF;EACH,CAAC;AAED,SAAO,CAAClC,mBAAmBkB,oBAAoB;AACjD;AAEA,SAASX,YACP4B,mBACAC,cACA1H,OAA6B;AAE7B,MAAI2H;;IAEF,CAACD;IAED1H,MAAME,MAAMC,OAAOuH,aAAaxH,MAAMC;;AAIxC,MAAIyH,gBAAgBH,kBAAkBzH,MAAME,MAAMC,EAAE,MAAMf;AAG1D,SAAOuI,SAASC;AAClB;AAEA,SAASrB,mBACPmB,cACA1H,OAA6B;AAE7B,MAAI6H,cAAcH,aAAaxH,MAAMG;AACrC;;IAEEqH,aAAajH,aAAaT,MAAMS;;IAG/BoH,eAAe,QACdA,YAAYC,SAAS,GAAG,KACxBJ,aAAatB,OAAO,GAAG,MAAMpG,MAAMoG,OAAO,GAAG;;AAEnD;AAEA,SAASH,uBACP8B,aACAC,KAAiC;AAEjC,MAAID,YAAY7H,MAAMoH,kBAAkB;AACtC,QAAIW,cAAcF,YAAY7H,MAAMoH,iBAAiBU,GAAG;AACxD,QAAI,OAAOC,gBAAgB,WAAW;AACpC,aAAOA;IACR;EACF;AAED,SAAOD,IAAI1B;AACb;AAMA,eAAe4B,sBACbC,uBACA9H,MACAd,SACA6I,QACAC,UACAC,qBACAC,sBACAC,QAAmB;AAEnB,MAAI7B,MAAM,CAACtG,MAAM,GAAGd,QAAQkJ,IAAK3E,OAAMA,EAAE5D,MAAMC,EAAE,CAAC,EAAEuI,KAAK,GAAG;AAC5D,MAAI;AACF,QAAIC,UAAUJ,qBAAqBpB,IAAIR,GAAG;AAC1C,QAAI,CAACgC,SAAS;AACZA,gBAAUR,sBAAsB;QAC9B9H;QACAd;QACAqJ,OAAOA,CAAChC,SAASiC,aAAY;AAC3B,cAAI,CAACL,OAAOM,SAAS;AACnBC,4BACEnC,SACAiC,UACAT,QACAC,UACAC,mBAAkB;UAErB;QACH;MACD,CAAA;AACDC,2BAAqBS,IAAIrC,KAAKgC,OAAO;IACtC;AAED,QAAIA,WAAWM,UAAiCN,OAAO,GAAG;AACxD,YAAMA;IACP;EACF,UAAA;AACCJ,yBAAqBhB,OAAOZ,GAAG;EAChC;AACH;AAEA,SAASoC,gBACPnC,SACAiC,UACAlE,aACA0D,UACAC,qBAA8C;AAE9C,MAAI1B,SAAS;AAAA,QAAAsC;AACX,QAAIhJ,QAAQmI,SAASzB,OAAO;AAC5BzD,cACEjD,OACoD0G,sDAAAA,OAAS;AAE/D,QAAIuC,eAAeC,0BACjBP,UACAP,qBACA,CAAC1B,SAAS,SAAS/D,SAAOqG,kBAAAhJ,MAAM2I,aAAQ,OAAA,SAAdK,gBAAgB9I,WAAU,GAAG,CAAC,GACxDiI,QAAQ;AAEV,QAAInI,MAAM2I,UAAU;AAClB3I,YAAM2I,SAAS5I,KAAK,GAAGkJ,YAAY;IACpC,OAAM;AACLjJ,YAAM2I,WAAWM;IAClB;EACF,OAAM;AACL,QAAIA,eAAeC,0BACjBP,UACAP,qBACA,CAAC,SAASzF,OAAO8B,YAAYvE,UAAU,GAAG,CAAC,GAC3CiI,QAAQ;AAEV1D,gBAAY1E,KAAK,GAAGkJ,YAAY;EACjC;AACH;AAOA,eAAeE,oBACbnJ,OACAoI,qBACAD,UAAuB;AAEvB,MAAI,CAACnI,MAAMsF,MAAM;AACf;EACD;AAED,MAAI8D,YAAY,MAAMpJ,MAAMsF,KAAI;AAKhC,MAAI,CAACtF,MAAMsF,MAAM;AACf;EACD;AAED,MAAI+D,gBAAgBlB,SAASnI,MAAMC,EAAE;AACrCgD,YAAUoG,eAAe,4BAA4B;AAUrD,MAAIC,eAAoC,CAAA;AACxC,WAASC,qBAAqBH,WAAW;AACvC,QAAII,mBACFH,cAAcE,iBAA+C;AAE/D,QAAIE,8BACFD,qBAAqBtK;;IAGrBqK,sBAAsB;AAExBG,YACE,CAACD,6BACD,YAAUJ,cAAcpJ,KAAE,8BAA4BsJ,oBAAiB,mFAEzCA,8BAAAA,oBAAiB,qBAAoB;AAGrE,QACE,CAACE,+BACD,CAACE,mBAAmBhD,IAAI4C,iBAAsC,GAC9D;AACAD,mBAAaC,iBAAiB,IAC5BH,UAAUG,iBAA2C;IACxD;EACF;AAIDK,SAAOC,OAAOR,eAAeC,YAAY;AAKzCM,SAAOC,OAAOR,eAAarD,SAKtBoC,CAAAA,GAAAA,oBAAmBiB,aAAa,GAAC;IACpC/D,MAAMpG;EAAS,CAAA,CAChB;AACH;AAGA,SAAS4K,oBACP/K,MAA8B;AAE9B,SAAOgL,QAAQC,IAAIjL,KAAKM,QAAQkJ,IAAK3E,OAAMA,EAAEqG,QAAO,CAAE,CAAC;AACzD;AAEA,eAAeC,qBACbC,kBACA3I,MACA4I,SACAC,eACAhL,SACA8I,UACAC,qBACAkC,gBAAwB;AAExB,MAAIC,iBAAiBF,cAAc/H,OACjC,CAACC,KAAKqB,MAAMrB,IAAIiI,IAAI5G,EAAE5D,MAAMC,EAAE,GAC9B,oBAAIwK,IAAG,CAAU;AAEnB,MAAIC,gBAAgB,oBAAID,IAAG;AAK3B,MAAIE,UAAU,MAAMR,iBAAiB;IACnC9K,SAASA,QAAQkJ,IAAKzI,WAAS;AAC7B,UAAI8K,aAAaL,eAAe5D,IAAI7G,MAAME,MAAMC,EAAE;AAKlD,UAAIgK,UAAyCY,qBAAmB;AAC9DH,sBAAcF,IAAI1K,MAAME,MAAMC,EAAE;AAChC,eAAO2K,aACHE,mBACEtJ,MACA4I,SACAtK,OACAqI,UACAC,qBACAyC,iBACAP,cAAc,IAEhBP,QAAQE,QAAQ;UAAEzI,MAAMuJ,WAAWlG;UAAMmG,QAAQ9L;QAAS,CAAE;;AAGlE,aAAA8G,SAAA,CAAA,GACKlG,OAAK;QACR8K;QACAX;MAAO,CAAA;IAEX,CAAC;IACDG;IACAlE,QAAQ7G,QAAQ,CAAC,EAAE6G;IACnB+E,SAASX;EACV,CAAA;AAIDjL,UAAQkH,QAAS3C,OACfX,UACEyH,cAAc/D,IAAI/C,EAAE5D,MAAMC,EAAE,GAC5B,oDAAoD2D,EAAE5D,MAAMC,KAC1D,sHAC0D,CAC7D;AAIH,SAAO0K,QAAQtF,OAAO,CAAC6F,GAAGC,MAAMZ,eAAe5D,IAAItH,QAAQ8L,CAAC,EAAEnL,MAAMC,EAAE,CAAC;AACzE;AAGA,eAAe6K,mBACbtJ,MACA4I,SACAtK,OACAqI,UACAC,qBACAyC,iBACAO,eAAuB;AAEvB,MAAIJ;AACJ,MAAIK;AAEJ,MAAIC,aACFC,aAC0B;AAE1B,QAAIC;AAGJ,QAAIC,eAAe,IAAI1B,QAAuB,CAACmB,GAAGQ,MAAOF,SAASE,CAAE;AACpEL,eAAWA,MAAMG,OAAM;AACvBpB,YAAQ9B,OAAOqD,iBAAiB,SAASN,QAAQ;AAEjD,QAAIO,gBAAiBC,SAAiB;AACpC,UAAI,OAAON,YAAY,YAAY;AACjC,eAAOxB,QAAQyB,OACb,IAAIM,MACF,sEAAA,MACMtK,OAAI,iBAAe1B,MAAME,MAAMC,KAAE,IAAG,CAC3C;MAEJ;AACD,aAAOsL,QACL;QACEnB;QACAlE,QAAQpG,MAAMoG;QACd+E,SAASG;MACV,GACD,GAAIS,QAAQ3M,SAAY,CAAC2M,GAAG,IAAI,CAAA,CAAG;;AAIvC,QAAIE;AACJ,QAAIlB,iBAAiB;AACnBkB,uBAAiBlB,gBAAiBgB,SAAiBD,cAAcC,GAAG,CAAC;IACtE,OAAM;AACLE,wBAAkB,YAAW;AAC3B,YAAI;AACF,cAAIC,MAAM,MAAMJ,cAAa;AAC7B,iBAAO;YAAEpK,MAAM;YAAQwJ,QAAQgB;;iBACxBhJ,GAAG;AACV,iBAAO;YAAExB,MAAM;YAASwJ,QAAQhI;;QACjC;MACH,GAAC;IACF;AAED,WAAO+G,QAAQkC,KAAK,CAACF,gBAAgBN,YAAY,CAAC;;AAGpD,MAAI;AACF,QAAIF,UAAUzL,MAAME,MAAMwB,IAAI;AAE9B,QAAI1B,MAAME,MAAMsF,MAAM;AACpB,UAAIiG,SAAS;AAEX,YAAIW;AACJ,YAAI,CAACxJ,KAAK,IAAI,MAAMqH,QAAQC,IAAI;;;;UAI9BsB,WAAWC,OAAO,EAAEY,MAAOnJ,OAAK;AAC9BkJ,2BAAelJ;UACjB,CAAC;UACDmG,oBAAoBrJ,MAAME,OAAOoI,qBAAoBD,QAAQ;QAAC,CAC/D;AACD,YAAI+D,iBAAiBhN,QAAW;AAC9B,gBAAMgN;QACP;AACDlB,iBAAStI;MACV,OAAM;AAEL,cAAMyG,oBAAoBrJ,MAAME,OAAOoI,qBAAoBD,QAAQ;AAEnEoD,kBAAUzL,MAAME,MAAMwB,IAAI;AAC1B,YAAI+J,SAAS;AAIXP,mBAAS,MAAMM,WAAWC,OAAO;QAClC,WAAU/J,SAAS,UAAU;AAC5B,cAAI4K,MAAM,IAAIC,IAAIjC,QAAQgC,GAAG;AAC7B,cAAI7L,WAAW6L,IAAI7L,WAAW6L,IAAI5L;AAClC,gBAAMa,uBAAuB,KAAK;YAChCC,QAAQ8I,QAAQ9I;YAChBf;YACAmG,SAAS5G,MAAME,MAAMC;UACtB,CAAA;QACF,OAAM;AAGL,iBAAO;YAAEuB,MAAMuJ,WAAWlG;YAAMmG,QAAQ9L;;QACzC;MACF;IACF,WAAU,CAACqM,SAAS;AACnB,UAAIa,MAAM,IAAIC,IAAIjC,QAAQgC,GAAG;AAC7B,UAAI7L,WAAW6L,IAAI7L,WAAW6L,IAAI5L;AAClC,YAAMa,uBAAuB,KAAK;QAChCd;MACD,CAAA;IACF,OAAM;AACLyK,eAAS,MAAMM,WAAWC,OAAO;IAClC;AAEDtI,cACE+H,OAAOA,WAAW9L,QAClB,kBAAesC,SAAS,WAAW,cAAc,cAC3C1B,iBAAAA,MAAAA,MAAME,MAAMC,KAA8CuB,8CAAAA,OAAS,QAAA,4CACzB;WAE3CwB,GAAG;AAIV,WAAO;MAAExB,MAAMuJ,WAAW3J;MAAO4J,QAAQhI;;EAC1C,UAAA;AACC,QAAIqI,UAAU;AACZjB,cAAQ9B,OAAOgE,oBAAoB,SAASjB,QAAQ;IACrD;EACF;AAED,SAAOL;AACT;AAEA,eAAeuB,iCACbC,eAA4B;AAE5B,MAAI;IAAExB;IAAQxJ;EAAM,IAAGgL;AAEvB,MAAIC,WAAWzB,MAAM,GAAG;AACtB,QAAInG;AAEJ,QAAI;AACF,UAAI6H,cAAc1B,OAAO2B,QAAQ1F,IAAI,cAAc;AAGnD,UAAIyF,eAAe,wBAAwBE,KAAKF,WAAW,GAAG;AAC5D,YAAI1B,OAAO/L,QAAQ,MAAM;AACvB4F,iBAAO;QACR,OAAM;AACLA,iBAAO,MAAMmG,OAAOnI,KAAI;QACzB;MACF,OAAM;AACLgC,eAAO,MAAMmG,OAAOhJ,KAAI;MACzB;aACMgB,GAAG;AACV,aAAO;QAAExB,MAAMuJ,WAAW3J;QAAOA,OAAO4B;;IACzC;AAED,QAAIxB,SAASuJ,WAAW3J,OAAO;AAC7B,aAAO;QACLI,MAAMuJ,WAAW3J;QACjBA,OAAO,IAAIyL,kBAAkB7B,OAAO8B,QAAQ9B,OAAO+B,YAAYlI,IAAI;QACnEK,YAAY8F,OAAO8B;QACnBH,SAAS3B,OAAO2B;;IAEnB;AAED,WAAO;MACLnL,MAAMuJ,WAAWlG;MACjBA;MACAK,YAAY8F,OAAO8B;MACnBH,SAAS3B,OAAO2B;;EAEnB;AAED,MAAInL,SAASuJ,WAAW3J,OAAO;AAC7B,QAAI4L,uBAAuBhC,MAAM,GAAG;AAAA,UAAAiC;AAClC,UAAIjC,OAAOnG,gBAAgBiH,OAAO;AAAA,YAAAoB;AAChC,eAAO;UACL1L,MAAMuJ,WAAW3J;UACjBA,OAAO4J,OAAOnG;UACdK,aAAUgI,eAAElC,OAAOmC,SAAI,OAAA,SAAXD,aAAaJ;;MAE5B;AAGD9B,eAAS,IAAI6B,oBACXI,gBAAAjC,OAAOmC,SAAI,OAAA,SAAXF,cAAaH,WAAU,KACvB5N,QACA8L,OAAOnG,IAAI;IAEd;AACD,WAAO;MACLrD,MAAMuJ,WAAW3J;MACjBA,OAAO4J;MACP9F,YAAYkI,qBAAqBpC,MAAM,IAAIA,OAAO8B,SAAS5N;;EAE9D;AAED,MAAImO,eAAerC,MAAM,GAAG;AAAA,QAAAsC,eAAAC;AAC1B,WAAO;MACL/L,MAAMuJ,WAAWyC;MACjBC,cAAczC;MACd9F,aAAUoI,gBAAEtC,OAAOmC,SAAI,OAAA,SAAXG,cAAaR;MACzBH,WAASY,gBAAAvC,OAAOmC,SAAPI,OAAAA,SAAAA,cAAaZ,YAAW,IAAIe,QAAQ1C,OAAOmC,KAAKR,OAAO;;EAEnE;AAED,MAAIK,uBAAuBhC,MAAM,GAAG;AAAA,QAAA2C,eAAAC;AAClC,WAAO;MACLpM,MAAMuJ,WAAWlG;MACjBA,MAAMmG,OAAOnG;MACbK,aAAUyI,gBAAE3C,OAAOmC,SAAI,OAAA,SAAXQ,cAAab;MACzBH,UAASiB,gBAAA5C,OAAOmC,SAAI,QAAXS,cAAajB,UAClB,IAAIe,QAAQ1C,OAAOmC,KAAKR,OAAO,IAC/BzN;;EAEP;AAED,SAAO;IAAEsC,MAAMuJ,WAAWlG;IAAMA,MAAMmG;;AACxC;AAGA,SAAS6C,yCACPC,UACA1D,SACA1D,SACArH,SACAC,UACAG,sBAA6B;AAE7B,MAAIL,WAAW0O,SAASnB,QAAQ1F,IAAI,UAAU;AAC9ChE,YACE7D,UACA,4EAA4E;AAG9E,MAAI,CAAC2O,mBAAmBnB,KAAKxN,QAAQ,GAAG;AACtC,QAAI4O,iBAAiB3O,QAAQwE,MAC3B,GACAxE,QAAQsE,UAAWC,OAAMA,EAAE5D,MAAMC,OAAOyG,OAAO,IAAI,CAAC;AAEtDtH,eAAWD,YACT,IAAIkN,IAAIjC,QAAQgC,GAAG,GACnB4B,gBACA1O,UACA,MACAF,UACAK,oBAAoB;AAEtBqO,aAASnB,QAAQ7D,IAAI,YAAY1J,QAAQ;EAC1C;AAED,SAAO0O;AACT;AAEA,SAASG,0BACP7O,UACA0F,YACAxF,UAAgB;AAEhB,MAAIyO,mBAAmBnB,KAAKxN,QAAQ,GAAG;AAErC,QAAI8O,qBAAqB9O;AACzB,QAAIgN,MAAM8B,mBAAmBC,WAAW,IAAI,IACxC,IAAI9B,IAAIvH,WAAWsJ,WAAWF,kBAAkB,IAChD,IAAI7B,IAAI6B,kBAAkB;AAC9B,QAAIG,iBAAiB/N,cAAc8L,IAAI7L,UAAUjB,QAAQ,KAAK;AAC9D,QAAI8M,IAAIkC,WAAWxJ,WAAWwJ,UAAUD,gBAAgB;AACtD,aAAOjC,IAAI7L,WAAW6L,IAAI5L,SAAS4L,IAAI3L;IACxC;EACF;AACD,SAAOrB;AACT;AAKA,SAASmP,wBACPxK,SACA3E,UACAkJ,QACA1F,YAAuB;AAEvB,MAAIwJ,MAAMrI,QAAQgB,UAAUlD,kBAAkBzC,QAAQ,CAAC,EAAEoP,SAAQ;AACjE,MAAIrB,OAAoB;IAAE7E;;AAE1B,MAAI1F,cAAcb,iBAAiBa,WAAW1B,UAAU,GAAG;AACzD,QAAI;MAAEA;MAAYY;IAAa,IAAGc;AAIlCuK,SAAK7L,SAASJ,WAAWQ,YAAW;AAEpC,QAAII,gBAAgB,oBAAoB;AACtCqL,WAAKR,UAAU,IAAIe,QAAQ;QAAE,gBAAgB5L;MAAa,CAAA;AAC1DqL,WAAKlO,OAAO6D,KAAK2L,UAAU7L,WAAWC,IAAI;IAC3C,WAAUf,gBAAgB,cAAc;AAEvCqL,WAAKlO,OAAO2D,WAAWZ;eAEvBF,gBAAgB,uCAChBc,WAAW5D,UACX;AAEAmO,WAAKlO,OAAOkE,8BAA8BP,WAAW5D,QAAQ;IAC9D,OAAM;AAELmO,WAAKlO,OAAO2D,WAAW5D;IACxB;EACF;AAED,SAAO,IAAI0P,QAAQtC,KAAKe,IAAI;AAC9B;AAEA,SAAShK,8BAA8BnE,UAAkB;AACvD,MAAIkE,eAAe,IAAIhB,gBAAe;AAEtC,WAAS,CAACuE,KAAK/D,KAAK,KAAK1D,SAASqD,QAAO,GAAI;AAE3Ca,iBAAaK,OAAOkD,KAAK,OAAO/D,UAAU,WAAWA,QAAQA,MAAMD,IAAI;EACxE;AAED,SAAOS;AACT;AAEA,SAASE,8BACPF,cAA6B;AAE7B,MAAIlE,WAAW,IAAIiD,SAAQ;AAC3B,WAAS,CAACwE,KAAK/D,KAAK,KAAKQ,aAAab,QAAO,GAAI;AAC/CrD,aAASuE,OAAOkD,KAAK/D,KAAK;EAC3B;AACD,SAAO1D;AACT;AAEA,SAAS2P,uBACPtP,SACAgL,eACAM,SACAjG,qBACAkK,iBACAC,yBAAgC;AAQhC,MAAIpJ,aAAwC,CAAA;AAC5C,MAAIC,SAAuC;AAC3C,MAAIR;AACJ,MAAI4J,aAAa;AACjB,MAAIC,gBAAyC,CAAA;AAC7C,MAAIC,eACFtK,uBAAuBE,cAAcF,oBAAoB,CAAC,CAAC,IACvDA,oBAAoB,CAAC,EAAEtD,QACvBlC;AAGNyL,UAAQpE,QAAQ,CAACyE,QAAQtK,UAAS;AAChC,QAAIT,KAAKoK,cAAc3J,KAAK,EAAEV,MAAMC;AACpCgD,cACE,CAACgM,iBAAiBjE,MAAM,GACxB,qDAAqD;AAEvD,QAAIpG,cAAcoG,MAAM,GAAG;AACzB,UAAI5J,QAAQ4J,OAAO5J;AAInB,UAAI4N,iBAAiB9P,QAAW;AAC9BkC,gBAAQ4N;AACRA,uBAAe9P;MAChB;AAEDwG,eAASA,UAAU,CAAA;AAEnB,UAAImJ,yBAAyB;AAC3BnJ,eAAOzF,EAAE,IAAImB;MACd,OAAM;AAIL,YAAI8N,gBAAgBC,oBAAoB9P,SAASY,EAAE;AACnD,YAAIyF,OAAOwJ,cAAclP,MAAMC,EAAE,KAAK,MAAM;AAC1CyF,iBAAOwJ,cAAclP,MAAMC,EAAE,IAAImB;QAClC;MACF;AAGDqE,iBAAWxF,EAAE,IAAIf;AAIjB,UAAI,CAAC4P,YAAY;AACfA,qBAAa;AACb5J,qBAAakI,qBAAqBpC,OAAO5J,KAAK,IAC1C4J,OAAO5J,MAAM0L,SACb;MACL;AACD,UAAI9B,OAAO2B,SAAS;AAClBoC,sBAAc9O,EAAE,IAAI+K,OAAO2B;MAC5B;IACF,OAAM;AACL,UAAIyC,iBAAiBpE,MAAM,GAAG;AAC5B4D,wBAAgB9F,IAAI7I,IAAI+K,OAAOyC,YAAY;AAC3ChI,mBAAWxF,EAAE,IAAI+K,OAAOyC,aAAa5I;AAGrC,YACEmG,OAAO9F,cAAc,QACrB8F,OAAO9F,eAAe,OACtB,CAAC4J,YACD;AACA5J,uBAAa8F,OAAO9F;QACrB;AACD,YAAI8F,OAAO2B,SAAS;AAClBoC,wBAAc9O,EAAE,IAAI+K,OAAO2B;QAC5B;MACF,OAAM;AACLlH,mBAAWxF,EAAE,IAAI+K,OAAOnG;AAGxB,YAAImG,OAAO9F,cAAc8F,OAAO9F,eAAe,OAAO,CAAC4J,YAAY;AACjE5J,uBAAa8F,OAAO9F;QACrB;AACD,YAAI8F,OAAO2B,SAAS;AAClBoC,wBAAc9O,EAAE,IAAI+K,OAAO2B;QAC5B;MACF;IACF;EACH,CAAC;AAKD,MAAIqC,iBAAiB9P,UAAawF,qBAAqB;AACrDgB,aAAS;MAAE,CAAChB,oBAAoB,CAAC,CAAC,GAAGsK;;AACrCvJ,eAAWf,oBAAoB,CAAC,CAAC,IAAIxF;EACtC;AAED,SAAO;IACLuG;IACAC;IACAR,YAAYA,cAAc;IAC1B6J;;AAEJ;AAEA,SAASM,kBACPrL,OACA3E,SACAgL,eACAM,SACAjG,qBACA4B,sBACAgJ,gBACAV,iBAA0C;AAK1C,MAAI;IAAEnJ;IAAYC;MAAWiJ;IAC3BtP;IACAgL;IACAM;IACAjG;IACAkK;IACA;;;AAIF,WAASlO,QAAQ,GAAGA,QAAQ4F,qBAAqBpG,QAAQQ,SAAS;AAChE,QAAI;MAAE+F;MAAK3G;MAAOgH;IAAY,IAAGR,qBAAqB5F,KAAK;AAC3DuC,cACEqM,mBAAmBpQ,UAAaoQ,eAAe5O,KAAK,MAAMxB,QAC1D,2CAA2C;AAE7C,QAAI8L,SAASsE,eAAe5O,KAAK;AAGjC,QAAIoG,cAAcA,WAAWwB,OAAOM,SAAS;AAE3C;IACD,WAAUhE,cAAcoG,MAAM,GAAG;AAChC,UAAIkE,gBAAgBC,oBAAoBnL,MAAM3E,SAASS,SAAK,OAAA,SAALA,MAAOE,MAAMC,EAAE;AACtE,UAAI,EAAEyF,UAAUA,OAAOwJ,cAAclP,MAAMC,EAAE,IAAI;AAC/CyF,iBAAMM,SAAA,CAAA,GACDN,QAAM;UACT,CAACwJ,cAAclP,MAAMC,EAAE,GAAG+K,OAAO5J;SAClC;MACF;AACD4C,YAAMgD,SAASK,OAAOZ,GAAG;IAC1B,WAAUwI,iBAAiBjE,MAAM,GAAG;AAGnC/H,gBAAU,OAAO,yCAAyC;IAC3D,WAAUmM,iBAAiBpE,MAAM,GAAG;AAGnC/H,gBAAU,OAAO,iCAAiC;IACnD,OAAM;AACL,UAAIsM,cAAcC,eAAexE,OAAOnG,IAAI;AAC5Cb,YAAMgD,SAAS8B,IAAIrC,KAAK8I,WAAW;IACpC;EACF;AAED,SAAO;IAAE9J;IAAYC;;AACvB;AAEA,SAAS+J,gBACPhK,YACAiK,eACArQ,SACAqG,QAAoC;AAEpC,MAAIiK,mBAAgB3J,SAAA,CAAA,GAAQ0J,aAAa;AACzC,WAAS5P,SAAST,SAAS;AACzB,QAAIY,KAAKH,MAAME,MAAMC;AACrB,QAAIyP,cAAcE,eAAe3P,EAAE,GAAG;AACpC,UAAIyP,cAAczP,EAAE,MAAMf,QAAW;AACnCyQ,yBAAiB1P,EAAE,IAAIyP,cAAczP,EAAE;MACxC;IAKF,WAAUwF,WAAWxF,EAAE,MAAMf,UAAaY,MAAME,MAAMuF,QAAQ;AAG7DoK,uBAAiB1P,EAAE,IAAIwF,WAAWxF,EAAE;IACrC;AAED,QAAIyF,UAAUA,OAAOkK,eAAe3P,EAAE,GAAG;AAEvC;IACD;EACF;AACD,SAAO0P;AACT;AAEA,SAASE,uBACPnL,qBAAoD;AAEpD,MAAI,CAACA,qBAAqB;AACxB,WAAO,CAAA;EACR;AACD,SAAOE,cAAcF,oBAAoB,CAAC,CAAC,IACvC;;IAEEoL,YAAY,CAAA;EACb,IACD;IACEA,YAAY;MACV,CAACpL,oBAAoB,CAAC,CAAC,GAAGA,oBAAoB,CAAC,EAAEG;IAClD;;AAET;AAKA,SAASsK,oBACP9P,SACAqH,SAAgB;AAEhB,MAAIqJ,kBAAkBrJ,UAClBrH,QAAQwE,MAAM,GAAGxE,QAAQsE,UAAWC,OAAMA,EAAE5D,MAAMC,OAAOyG,OAAO,IAAI,CAAC,IACrE,CAAC,GAAGrH,OAAO;AACf,SACE0Q,gBAAgBC,QAAO,EAAGC,KAAMrM,OAAMA,EAAE5D,MAAMkQ,qBAAqB,IAAI,KACvE7Q,QAAQ,CAAC;AAEb;AAEA,SAAS8Q,uBAAuBjI,QAAiC;AAK/D,MAAIlI,QACFkI,OAAOhI,WAAW,IACdgI,OAAO,CAAC,IACRA,OAAO+H,KAAMvE,OAAMA,EAAEhL,SAAS,CAACgL,EAAEvL,QAAQuL,EAAEvL,SAAS,GAAG,KAAK;IAC1DF,IAAE;;AAGV,SAAO;IACLZ,SAAS,CACP;MACE6G,QAAQ,CAAA;MACR3F,UAAU;MACV6P,cAAc;MACdpQ;IACD,CAAA;IAEHA;;AAEJ;AAEA,SAASqB,uBACPyL,QAAcuD,QAaR;AAAA,MAZN;IACE9P;IACAmG;IACApF;IACAE;IACA8O;0BAOE,CAAA,IAAED;AAEN,MAAItD,aAAa;AACjB,MAAIwD,eAAe;AAEnB,MAAIzD,WAAW,KAAK;AAClBC,iBAAa;AACb,QAAIvL,SAAS,mBAAmB;AAC9B+O,qBACE,0BAAwBhQ,WAAQ,6CAAA,0CACQ+P;IAC3C,WAAUhP,UAAUf,YAAYmG,SAAS;AACxC6J,qBACE,gBAAcjP,SAAM,kBAAgBf,WACOmG,YAAAA,2CAAAA,UAAO,SACP;IAC9C,WAAUlF,SAAS,gBAAgB;AAClC+O,qBAAe;IAChB,WAAU/O,SAAS,gBAAgB;AAClC+O,qBAAe;IAChB;EACF,WAAUzD,WAAW,KAAK;AACzBC,iBAAa;AACbwD,mBAAyB7J,YAAAA,UAAgCnG,2BAAAA,WAAW;EACrE,WAAUuM,WAAW,KAAK;AACzBC,iBAAa;AACbwD,mBAAY,2BAA4BhQ,WAAW;EACpD,WAAUuM,WAAW,KAAK;AACzBC,iBAAa;AACb,QAAIzL,UAAUf,YAAYmG,SAAS;AACjC6J,qBACE,gBAAcjP,OAAOI,YAAW,IAAE,kBAAgBnB,WAAQ,YAAA,4CACdmG,UAAO,SACR;eACpCpF,QAAQ;AACjBiP,qBAAY,6BAA8BjP,OAAOI,YAAW,IAAK;IAClE;EACF;AAED,SAAO,IAAImL,kBACTC,UAAU,KACVC,YACA,IAAIjB,MAAMyE,YAAY,GACtB,IAAI;AAER;AAGA,SAASC,aACP7F,SAAqB;AAErB,WAASQ,IAAIR,QAAQzK,SAAS,GAAGiL,KAAK,GAAGA,KAAK;AAC5C,QAAIH,SAASL,QAAQQ,CAAC;AACtB,QAAI8D,iBAAiBjE,MAAM,GAAG;AAC5B,aAAO;QAAEA;QAAQyF,KAAKtF;;IACvB;EACF;AACH;AAEA,SAAStJ,kBAAkB1B,MAAQ;AACjC,MAAIkD,aAAa,OAAOlD,SAAS,WAAWmD,UAAUnD,IAAI,IAAIA;AAC9D,SAAOW,WAAUkF,SAAA,CAAA,GAAM3C,YAAU;IAAE5C,MAAM;EAAE,CAAA,CAAE;AAC/C;AAEA,SAASiQ,iBAAiBC,GAAaC,GAAW;AAChD,MAAID,EAAEpQ,aAAaqQ,EAAErQ,YAAYoQ,EAAEnQ,WAAWoQ,EAAEpQ,QAAQ;AACtD,WAAO;EACR;AAED,MAAImQ,EAAElQ,SAAS,IAAI;AAEjB,WAAOmQ,EAAEnQ,SAAS;aACTkQ,EAAElQ,SAASmQ,EAAEnQ,MAAM;AAE5B,WAAO;EACR,WAAUmQ,EAAEnQ,SAAS,IAAI;AAExB,WAAO;EACR;AAID,SAAO;AACT;AAEA,SAASsI,UAAuBiD,KAAY;AAC1C,SAAO,OAAOA,QAAQ,YAAYA,OAAO,QAAQ,UAAUA;AAC7D;AAYA,SAAS6E,wBAAwBC,QAAqB;AACpD,SACEC,WAAWD,OAAOA,MAAM,KAAKE,oBAAoBC,IAAIH,OAAOA,OAAOI,MAAM;AAE7E;AAEA,SAASC,iBAAiBL,QAAkB;AAC1C,SAAOA,OAAOM,SAASC,WAAWC;AACpC;AAEA,SAASC,cAAcT,QAAkB;AACvC,SAAOA,OAAOM,SAASC,WAAWG;AACpC;AAEA,SAASC,iBAAiBX,QAAmB;AAC3C,UAAQA,UAAUA,OAAOM,UAAUC,WAAWK;AAChD;AAEM,SAAUC,uBACdC,OAAU;AAEV,SACE,OAAOA,UAAU,YACjBA,SAAS,QACT,UAAUA,SACV,UAAUA,SACV,UAAUA,SACVA,MAAMR,SAAS;AAEnB;AAEM,SAAUS,eAAeD,OAAU;AACvC,MAAIN,WAAyBM;AAC7B,SACEN,YACA,OAAOA,aAAa,YACpB,OAAOA,SAASQ,SAAS,YACzB,OAAOR,SAASS,cAAc,cAC9B,OAAOT,SAASU,WAAW,cAC3B,OAAOV,SAASW,gBAAgB;AAEpC;AAEA,SAASlB,WAAWa,OAAU;AAC5B,SACEA,SAAS,QACT,OAAOA,MAAMV,WAAW,YACxB,OAAOU,MAAMM,eAAe,YAC5B,OAAON,MAAMO,YAAY,YACzB,OAAOP,MAAMQ,SAAS;AAE1B;AAYA,SAASC,cAAcC,QAAc;AACnC,SAAOC,oBAAoBC,IAAIF,OAAOG,YAAW,CAAgB;AACnE;AAEA,SAASC,iBACPJ,QAAc;AAEd,SAAOK,qBAAqBH,IAAIF,OAAOG,YAAW,CAAwB;AAC5E;AAEA,eAAeG,uBACbC,gBACAC,eACAC,SACAC,SACAC,WACAC,mBAA6B;AAE7B,WAASC,QAAQ,GAAGA,QAAQJ,QAAQK,QAAQD,SAAS;AACnD,QAAIE,SAASN,QAAQI,KAAK;AAC1B,QAAIG,QAAQR,cAAcK,KAAK;AAI/B,QAAI,CAACG,OAAO;AACV;IACD;AAED,QAAIC,eAAeV,eAAeW,KAC/BC,OAAMA,EAAEC,MAAMC,OAAOL,MAAOI,MAAMC,EAAE;AAEvC,QAAIC,uBACFL,gBAAgB,QAChB,CAACM,mBAAmBN,cAAcD,KAAK,MACtCJ,qBAAqBA,kBAAkBI,MAAMI,MAAMC,EAAE,OAAOG;AAE/D,QAAIC,iBAAiBV,MAAM,MAAMJ,aAAaW,uBAAuB;AAInE,UAAII,SAAShB,QAAQG,KAAK;AAC1Bc,gBACED,QACA,kEAAkE;AAEpE,YAAME,oBAAoBb,QAAQW,QAAQf,SAAS,EAAEkB,KAAMd,CAAAA,YAAU;AACnE,YAAIA,SAAQ;AACVN,kBAAQI,KAAK,IAAIE,WAAUN,QAAQI,KAAK;QACzC;MACH,CAAC;IACF;EACF;AACH;AAEA,eAAee,oBACbb,QACAW,QACAI,QAAc;AAAA,MAAdA,WAAM,QAAA;AAANA,aAAS;EAAK;AAEd,MAAIC,UAAU,MAAMhB,OAAOiB,aAAaC,YAAYP,MAAM;AAC1D,MAAIK,SAAS;AACX;EACD;AAED,MAAID,QAAQ;AACV,QAAI;AACF,aAAO;QACLI,MAAMC,WAAWC;QACjBA,MAAMrB,OAAOiB,aAAaK;;aAErBC,GAAG;AAEV,aAAO;QACLJ,MAAMC,WAAWI;QACjBA,OAAOD;;IAEV;EACF;AAED,SAAO;IACLJ,MAAMC,WAAWC;IACjBA,MAAMrB,OAAOiB,aAAaI;;AAE9B;AAEA,SAASI,mBAAmBC,QAAc;AACxC,SAAO,IAAIC,gBAAgBD,MAAM,EAAEE,OAAO,OAAO,EAAEC,KAAMC,OAAMA,MAAM,EAAE;AACzE;AAEA,SAASC,eACPC,SACAC,UAA2B;AAE3B,MAAIP,SACF,OAAOO,aAAa,WAAWC,UAAUD,QAAQ,EAAEP,SAASO,SAASP;AACvE,MACEM,QAAQA,QAAQjC,SAAS,CAAC,EAAEM,MAAMP,SAClC2B,mBAAmBC,UAAU,EAAE,GAC/B;AAEA,WAAOM,QAAQA,QAAQjC,SAAS,CAAC;EAClC;AAGD,MAAIoC,cAAcC,2BAA2BJ,OAAO;AACpD,SAAOG,YAAYA,YAAYpC,SAAS,CAAC;AAC3C;AAEA,SAASsC,4BACPC,YAAsB;AAEtB,MAAI;IAAEC;IAAYC;IAAYC;IAAaC;IAAMC;IAAUC,MAAAA;EAAM,IAC/DN;AACF,MAAI,CAACC,cAAc,CAACC,cAAc,CAACC,aAAa;AAC9C;EACD;AAED,MAAIC,QAAQ,MAAM;AAChB,WAAO;MACLH;MACAC;MACAC;MACAE,UAAUlC;MACVmC,MAAMnC;MACNiC;;EAEH,WAAUC,YAAY,MAAM;AAC3B,WAAO;MACLJ;MACAC;MACAC;MACAE;MACAC,MAAMnC;MACNiC,MAAMjC;;EAET,WAAUmC,UAASnC,QAAW;AAC7B,WAAO;MACL8B;MACAC;MACAC;MACAE,UAAUlC;MACVmC,MAAAA;MACAF,MAAMjC;;EAET;AACH;AAEA,SAASoC,qBACPZ,UACAa,YAAuB;AAEvB,MAAIA,YAAY;AACd,QAAIR,aAA0C;MAC5CS,OAAO;MACPd;MACAM,YAAYO,WAAWP;MACvBC,YAAYM,WAAWN;MACvBC,aAAaK,WAAWL;MACxBE,UAAUG,WAAWH;MACrBC,MAAME,WAAWF;MACjBF,MAAMI,WAAWJ;;AAEnB,WAAOJ;EACR,OAAM;AACL,QAAIA,aAA0C;MAC5CS,OAAO;MACPd;MACAM,YAAY9B;MACZ+B,YAAY/B;MACZgC,aAAahC;MACbkC,UAAUlC;MACVmC,MAAMnC;MACNiC,MAAMjC;;AAER,WAAO6B;EACR;AACH;AAEA,SAASU,wBACPf,UACAa,YAAsB;AAEtB,MAAIR,aAA6C;IAC/CS,OAAO;IACPd;IACAM,YAAYO,WAAWP;IACvBC,YAAYM,WAAWN;IACvBC,aAAaK,WAAWL;IACxBE,UAAUG,WAAWH;IACrBC,MAAME,WAAWF;IACjBF,MAAMI,WAAWJ;;AAEnB,SAAOJ;AACT;AAEA,SAASW,kBACPH,YACAzB,MAAsB;AAEtB,MAAIyB,YAAY;AACd,QAAII,UAAoC;MACtCH,OAAO;MACPR,YAAYO,WAAWP;MACvBC,YAAYM,WAAWN;MACvBC,aAAaK,WAAWL;MACxBE,UAAUG,WAAWH;MACrBC,MAAME,WAAWF;MACjBF,MAAMI,WAAWJ;MACjBrB;;AAEF,WAAO6B;EACR,OAAM;AACL,QAAIA,UAAoC;MACtCH,OAAO;MACPR,YAAY9B;MACZ+B,YAAY/B;MACZgC,aAAahC;MACbkC,UAAUlC;MACVmC,MAAMnC;MACNiC,MAAMjC;MACNY;;AAEF,WAAO6B;EACR;AACH;AAEA,SAASC,qBACPL,YACAM,iBAAyB;AAEzB,MAAIF,UAAuC;IACzCH,OAAO;IACPR,YAAYO,WAAWP;IACvBC,YAAYM,WAAWN;IACvBC,aAAaK,WAAWL;IACxBE,UAAUG,WAAWH;IACrBC,MAAME,WAAWF;IACjBF,MAAMI,WAAWJ;IACjBrB,MAAM+B,kBAAkBA,gBAAgB/B,OAAOZ;;AAEjD,SAAOyC;AACT;AAEA,SAASG,eAAehC,MAAqB;AAC3C,MAAI6B,UAAiC;IACnCH,OAAO;IACPR,YAAY9B;IACZ+B,YAAY/B;IACZgC,aAAahC;IACbkC,UAAUlC;IACVmC,MAAMnC;IACNiC,MAAMjC;IACNY;;AAEF,SAAO6B;AACT;AAEA,SAASI,0BACPC,SACAC,aAAqC;AAErC,MAAI;AACF,QAAIC,mBAAmBF,QAAQG,eAAeC,QAC5CC,uBAAuB;AAEzB,QAAIH,kBAAkB;AACpB,UAAIb,QAAOiB,KAAKC,MAAML,gBAAgB;AACtC,eAAS,CAACM,GAAGjC,CAAC,KAAKkC,OAAOC,QAAQrB,SAAQ,CAAA,CAAE,GAAG;AAC7C,YAAId,KAAKoC,MAAMC,QAAQrC,CAAC,GAAG;AACzB0B,sBAAYY,IAAIL,GAAG,IAAIM,IAAIvC,KAAK,CAAA,CAAE,CAAC;QACpC;MACF;IACF;WACMP,GAAG;EACV;AAEJ;AAEA,SAAS+C,0BACPf,SACAC,aAAqC;AAErC,MAAIA,YAAYe,OAAO,GAAG;AACxB,QAAI3B,QAAiC,CAAA;AACrC,aAAS,CAACmB,GAAGjC,CAAC,KAAK0B,aAAa;AAC9BZ,MAAAA,MAAKmB,CAAC,IAAI,CAAC,GAAGjC,CAAC;IAChB;AACD,QAAI;AACFyB,cAAQG,eAAec,QACrBZ,yBACAC,KAAKY,UAAU7B,KAAI,CAAC;aAEfpB,OAAO;AACdkD,cACE,OAC8DlD,gEAAAA,QAAK,IAAI;IAE1E;EACF;AACH;;;;;;;;;;;;;;;;;ACxpLO,IAAMmD,oBACLC,oBAA8C,IAAI;AAC1D,IAAAC,MAAa;AACXF,oBAAkBG,cAAc;AAClC;AAEO,IAAMC,yBAA+BH,oBAE1C,IAAI;AACN,IAAAC,MAAa;AACXE,yBAAuBD,cAAc;AACvC;AAEO,IAAME,eAAqBJ,oBAAqC,IAAI;AAC3E,IAAAC,MAAa;AACXG,eAAaF,cAAc;AAC7B;AAsCO,IAAMG,oBAA0BL,oBACrC,IACF;AAEA,IAAAC,MAAa;AACXI,oBAAkBH,cAAc;AAClC;AAOO,IAAMI,kBAAwBN,oBACnC,IACF;AAEA,IAAAC,MAAa;AACXK,kBAAgBJ,cAAc;AAChC;IAQaK,eAAqBP,oBAAkC;EAClEQ,QAAQ;EACRC,SAAS,CAAA;EACTC,aAAa;AACf,CAAC;AAED,IAAAT,MAAa;AACXM,eAAaL,cAAc;AAC7B;AAEO,IAAMS,oBAA0BX,oBAAmB,IAAI;AAE9D,IAAAC,MAAa;AACXU,oBAAkBT,cAAc;AAClC;ACvHO,SAASU,QACdC,IAAMC,OAEE;AAAA,MADR;IAAEC;EAA6C,IAACD,UAAA,SAAG,CAAA,IAAEA;AAErD,GACEE,mBAAkB,IAAEf,OADtBgB;IAEE;;;IACA;EAAA,IAHFA,UAAS,KAAA,IAAA;AAOT,MAAI;IAAEC;IAAUC;EAAU,IAAUC,iBAAWf,iBAAiB;AAChE,MAAI;IAAEgB;IAAMC;IAAUC;EAAO,IAAIC,gBAAgBX,IAAI;IAAEE;EAAS,CAAC;AAEjE,MAAIU,iBAAiBH;AAMrB,MAAIJ,aAAa,KAAK;AACpBO,qBACEH,aAAa,MAAMJ,WAAWQ,UAAU,CAACR,UAAUI,QAAQ,CAAC;EAChE;AAEA,SAAOH,UAAUQ,WAAW;IAAEL,UAAUG;IAAgBF;IAAQF;EAAK,CAAC;AACxE;AAOO,SAASL,qBAA8B;AAC5C,SAAaI,iBAAWd,eAAe,KAAK;AAC9C;AAYO,SAASsB,cAAwB;AACtC,GACEZ,mBAAkB,IAAEf,OADtBgB;IAEE;;;IACA;EAAA,IAHFA,UAAS,KAAA,IAAA;AAOT,SAAaG,iBAAWd,eAAe,EAAEuB;AAC3C;AAQO,SAASC,oBAAoC;AAClD,SAAaV,iBAAWd,eAAe,EAAEyB;AAC3C;AASO,SAASC,SAGdC,SAA+D;AAC/D,GACEjB,mBAAkB,IAAEf,OADtBgB;IAEE;;;IACA;EAAA,IAHFA,UAAS,KAAA,IAAA;AAOT,MAAI;IAAEK;MAAaM,YAAW;AAC9B,SAAaM,cACX,MAAMC,UAA0BF,SAASG,WAAWd,QAAQ,CAAC,GAC7D,CAACA,UAAUW,OAAO,CACpB;AACF;AAUA,IAAMI,wBACJ;AAIF,SAASC,0BACPC,IACA;AACA,MAAIC,WAAiBpB,iBAAWf,iBAAiB,EAAEoC;AACnD,MAAI,CAACD,UAAU;AAIbE,IAAMC,sBAAgBJ,EAAE;EAC1B;AACF;AAQO,SAASK,cAAgC;AAC9C,MAAI;IAAElC;EAAY,IAAUU,iBAAWb,YAAY;AAGnD,SAAOG,cAAcmC,kBAAiB,IAAKC,oBAAmB;AAChE;AAEA,SAASA,sBAAwC;AAC/C,GACE9B,mBAAkB,IAAEf,OADtBgB;IAEE;;;IACA;EAAA,IAHFA,UAAS,KAAA,IAAA;AAOT,MAAI8B,oBAA0B3B,iBAAWrB,iBAAiB;AAC1D,MAAI;IAAEmB;IAAU8B;IAAQ7B;EAAU,IAAUC,iBAAWf,iBAAiB;AACxE,MAAI;IAAEI;EAAQ,IAAUW,iBAAWb,YAAY;AAC/C,MAAI;IAAEe,UAAU2B;MAAqBrB,YAAW;AAEhD,MAAIsB,qBAAqBC,KAAKC,UAC5BC,oBAAoB5C,SAASuC,OAAOM,oBAAoB,CAC1D;AAEA,MAAIC,YAAkBC,aAAO,KAAK;AAClClB,4BAA0B,MAAM;AAC9BiB,cAAUE,UAAU;EACtB,CAAC;AAED,MAAIC,WAAmCC,kBACrC,SAAC9C,IAAiB+C,SAAkC;AAAA,QAAlCA,YAAwB,QAAA;AAAxBA,gBAA2B,CAAA;IAAE;AAC7C3D,WAAA4D,QAAQN,UAAUE,SAASpB,qBAAqB,IAAC;AAIjD,QAAI,CAACkB,UAAUE,QAAS;AAExB,QAAI,OAAO5C,OAAO,UAAU;AAC1BM,gBAAU2C,GAAGjD,EAAE;AACf;IACF;AAEA,QAAIkD,OAAOC,UACTnD,IACAsC,KAAKc,MAAMf,kBAAkB,GAC7BD,kBACAW,QAAQ7C,aAAa,MACvB;AAQA,QAAIgC,qBAAqB,QAAQ7B,aAAa,KAAK;AACjD6C,WAAKzC,WACHyC,KAAKzC,aAAa,MACdJ,WACAQ,UAAU,CAACR,UAAU6C,KAAKzC,QAAQ,CAAC;IAC3C;AAEA,KAAC,CAAC,CAACsC,QAAQM,UAAU/C,UAAU+C,UAAU/C,UAAUgD,MACjDJ,MACAH,QAAQQ,OACRR,OACF;EACF,GACA,CACE1C,UACAC,WACA+B,oBACAD,kBACAF,iBAAiB,CAErB;AAEA,SAAOW;AACT;AAEA,IAAMW,gBAAsBrE,oBAAuB,IAAI;AAOhD,SAASsE,mBAA+C;AAC7D,SAAalD,iBAAWiD,aAAa;AACvC;AAQO,SAASE,UAAUC,SAA8C;AACtE,MAAIhE,SAAeY,iBAAWb,YAAY,EAAEC;AAC5C,MAAIA,QAAQ;AACV,WACEiE,oBAACJ,cAAcK,UAAQ;MAACC,OAAOH;IAAQ,GAAEhE,MAA+B;EAE5E;AACA,SAAOA;AACT;AAQO,SAASoE,YAId;AACA,MAAI;IAAEnE;EAAQ,IAAUW,iBAAWb,YAAY;AAC/C,MAAIsE,aAAapE,QAAQA,QAAQqE,SAAS,CAAC;AAC3C,SAAOD,aAAcA,WAAWE,SAAiB,CAAA;AACnD;AAOO,SAASvD,gBACdX,IAAMmE,QAEA;AAAA,MADN;IAAEjE;EAA6C,IAACiE,WAAA,SAAG,CAAA,IAAEA;AAErD,MAAI;IAAEhC;EAAO,IAAU5B,iBAAWf,iBAAiB;AACnD,MAAI;IAAEI;EAAQ,IAAUW,iBAAWb,YAAY;AAC/C,MAAI;IAAEe,UAAU2B;MAAqBrB,YAAW;AAChD,MAAIsB,qBAAqBC,KAAKC,UAC5BC,oBAAoB5C,SAASuC,OAAOM,oBAAoB,CAC1D;AAEA,SAAapB,cACX,MACE8B,UACEnD,IACAsC,KAAKc,MAAMf,kBAAkB,GAC7BD,kBACAlC,aAAa,MACf,GACF,CAACF,IAAIqC,oBAAoBD,kBAAkBlC,QAAQ,CACrD;AACF;AAUO,SAASkE,UACdC,QACAC,aAC2B;AAC3B,SAAOC,cAAcF,QAAQC,WAAW;AAC1C;AAGO,SAASC,cACdF,QACAC,aACAE,iBACArC,QAC2B;AAC3B,GACEhC,mBAAkB,IAAEf,OADtBgB;IAEE;;;IACA;EAAA,IAHFA,UAAS,KAAA,IAAA;AAOT,MAAI;IAAEE;EAAU,IAAUC,iBAAWf,iBAAiB;AACtD,MAAI;IAAEI,SAAS6E;EAAc,IAAUlE,iBAAWb,YAAY;AAC9D,MAAIsE,aAAaS,cAAcA,cAAcR,SAAS,CAAC;AACvD,MAAIS,eAAeV,aAAaA,WAAWE,SAAS,CAAA;AACpD,MAAIS,iBAAiBX,aAAaA,WAAWvD,WAAW;AACxD,MAAImE,qBAAqBZ,aAAaA,WAAWa,eAAe;AAChE,MAAIC,cAAcd,cAAcA,WAAWe;AAE3C,MAAA3F,MAAa;AAqBX,QAAI4F,aAAcF,eAAeA,YAAY5B,QAAS;AACtD+B,gBACEN,gBACA,CAACG,eAAeE,WAAWE,SAAS,GAAG,GACvC,oEAAA,MACMP,iBAAuCK,2BAAAA,aAAwB,kBAAA;;KAI1BA,2CAAAA,aAAU,oBAC1CA,YAAAA,eAAe,MAAM,MAASA,aAAU,QAAI,MACzD;EACF;AAEA,MAAIG,sBAAsBpE,YAAW;AAErC,MAAIC;AACJ,MAAIsD,aAAa;AAAA,QAAAc;AACf,QAAIC,oBACF,OAAOf,gBAAgB,WAAWgB,UAAUhB,WAAW,IAAIA;AAE7D,MACEM,uBAAuB,SAAGQ,wBACxBC,kBAAkB5E,aAAQ,OAAA,SAA1B2E,sBAA4BG,WAAWX,kBAAkB,MAACxF,OAF9DgB,UAAS,OAGP,8KACmF,iEAClBwE,qBAAkB,SAAI,mBACpES,kBAAkB5E,WAAQ,sCAAuC,IANtFL,UAAS,KAAA,IAAA;AASTY,eAAWqE;EACb,OAAO;AACLrE,eAAWmE;EACb;AAEA,MAAI1E,WAAWO,SAASP,YAAY;AAEpC,MAAI+E,oBAAoB/E;AACxB,MAAImE,uBAAuB,KAAK;AAe9B,QAAIa,iBAAiBb,mBAAmBvB,QAAQ,OAAO,EAAE,EAAEqC,MAAM,GAAG;AACpE,QAAIC,WAAWlF,SAAS4C,QAAQ,OAAO,EAAE,EAAEqC,MAAM,GAAG;AACpDF,wBAAoB,MAAMG,SAASC,MAAMH,eAAexB,MAAM,EAAE4B,KAAK,GAAG;EAC1E;AAEA,MAAIjG,UAAUkG,YAAYzB,QAAQ;IAAE5D,UAAU+E;EAAkB,CAAC;AAEjE,MAAApG,MAAa;AACXA,WAAA4D,QACE8B,eAAelF,WAAW,MAAI,iCACCoB,SAASP,WAAWO,SAASN,SAASM,SAASR,OAAI,IACpF,IAAC;AAEDpB,WAAA4D,QACEpD,WAAW,QACTA,QAAQA,QAAQqE,SAAS,CAAC,EAAEc,MAAMgB,YAAYC,UAC9CpG,QAAQA,QAAQqE,SAAS,CAAC,EAAEc,MAAMkB,cAAcD,UAChDpG,QAAQA,QAAQqE,SAAS,CAAC,EAAEc,MAAMmB,SAASF,QAC7C,qCAAmChF,SAASP,WAAWO,SAASN,SAASM,SAASR,OAAI,6IAGxF,IAAC;EACH;AAEA,MAAI2F,kBAAkBC,eACpBxG,WACEA,QAAQyG,IAAKC,WACXC,OAAOC,OAAO,CAAA,GAAIF,OAAO;IACvBpC,QAAQqC,OAAOC,OAAO,CAAA,GAAI9B,cAAc4B,MAAMpC,MAAM;IACpDzD,UAAUI,UAAU;MAClB+D;;MAEAtE,UAAUmG,iBACNnG,UAAUmG,eAAeH,MAAM7F,QAAQ,EAAEA,WACzC6F,MAAM7F;IAAQ,CACnB;IACDoE,cACEyB,MAAMzB,iBAAiB,MACnBD,qBACA/D,UAAU;MACR+D;;MAEAtE,UAAUmG,iBACNnG,UAAUmG,eAAeH,MAAMzB,YAAY,EAAEpE,WAC7C6F,MAAMzB;IAAY,CACvB;GACR,CACH,GACFJ,eACAD,iBACArC,MACF;AAKA,MAAImC,eAAe6B,iBAAiB;AAClC,WACEvC,oBAACnE,gBAAgBoE,UAAQ;MACvBC,OAAO;QACL9C,UAAQ0F,UAAA;UACNjG,UAAU;UACVC,QAAQ;UACRF,MAAM;UACN+C,OAAO;UACPoD,KAAK;QAAS,GACX3F,QAAQ;QAEbE,gBAAgB0F,OAAeC;MACjC;IAAE,GAEDV,eACuB;EAE9B;AAEA,SAAOA;AACT;AAEA,SAASW,wBAAwB;AAC/B,MAAIC,QAAQC,cAAa;AACzB,MAAIC,UAAUC,qBAAqBH,KAAK,IACjCA,MAAMI,SAAUJ,MAAAA,MAAMK,aACzBL,iBAAiBM,QACjBN,MAAME,UACN3E,KAAKC,UAAUwE,KAAK;AACxB,MAAIO,QAAQP,iBAAiBM,QAAQN,MAAMO,QAAQ;AACnD,MAAIC,YAAY;AAChB,MAAIC,YAAY;IAAEC,SAAS;IAAUC,iBAAiBH;;AACtD,MAAII,aAAa;IAAEF,SAAS;IAAWC,iBAAiBH;;AAExD,MAAIK,UAAU;AACd,MAAAxI,MAAa;AACXyI,YAAQd,MACN,wDACAA,KACF;AAEAa,cACEhE,oBAAAkE,gBACEjG,MAAA+B,oBAAA,KAAA,MAAG,qBAAsB,GACzBA,oBAAA,KAAA,MAAG,gGAEqBA,oBAAA,QAAA;MAAMmE,OAAOJ;OAAY,eAAmB,GAAI,OAAC,KACvE/D,oBAAA,QAAA;MAAMmE,OAAOJ;IAAW,GAAC,cAAkB,GAC1C,sBAAA,CACH;EAEN;AAEA,SACE/D,oBAAAkE,gBAAA,MACElE,oBAAI,MAAA,MAAA,+BAAiC,GACrCA,oBAAA,MAAA;IAAImE,OAAO;MAAEC,WAAW;IAAS;EAAE,GAAEf,OAAY,GAChDK,QAAQ1D,oBAAA,OAAA;IAAKmE,OAAOP;EAAU,GAAEF,KAAW,IAAI,MAC/CM,OACD;AAEN;AAEA,IAAMK,sBAAsBrE,oBAACkD,uBAAqB,IAAE;AAgB7C,IAAMoB,sBAAN,cAAwCjC,gBAG7C;EACAkC,YAAYC,OAAiC;AAC3C,UAAMA,KAAK;AACX,SAAK7E,QAAQ;MACXvC,UAAUoH,MAAMpH;MAChBqH,cAAcD,MAAMC;MACpBtB,OAAOqB,MAAMrB;;EAEjB;EAEA,OAAOuB,yBAAyBvB,OAAY;AAC1C,WAAO;MAAEA;;EACX;EAEA,OAAOwB,yBACLH,OACA7E,OACA;AASA,QACEA,MAAMvC,aAAaoH,MAAMpH,YACxBuC,MAAM8E,iBAAiB,UAAUD,MAAMC,iBAAiB,QACzD;AACA,aAAO;QACLtB,OAAOqB,MAAMrB;QACb/F,UAAUoH,MAAMpH;QAChBqH,cAAcD,MAAMC;;IAExB;AAMA,WAAO;MACLtB,OAAOqB,MAAMrB,UAAUf,SAAYoC,MAAMrB,QAAQxD,MAAMwD;MACvD/F,UAAUuC,MAAMvC;MAChBqH,cAAcD,MAAMC,gBAAgB9E,MAAM8E;;EAE9C;EAEAG,kBAAkBzB,OAAY0B,WAAgB;AAC5CZ,YAAQd,MACN,yDACAA,OACA0B,SACF;EACF;EAEAC,SAAS;AACP,WAAO,KAAKnF,MAAMwD,UAAUf,SAC1BpC,oBAAClE,aAAamE,UAAQ;MAACC,OAAO,KAAKsE,MAAMO;IAAa,GACpD/E,oBAAC9D,kBAAkB+D,UAAQ;MACzBC,OAAO,KAAKP,MAAMwD;MAClB6B,UAAU,KAAKR,MAAMS;IAAU,CAChC,CACoB,IAEvB,KAAKT,MAAMQ;EAEf;AACF;AAQA,SAASE,cAAaC,MAAwD;AAAA,MAAvD;IAAEJ;IAAcrC;IAAOsC;EAA6B,IAACG;AAC1E,MAAI7G,oBAA0B3B,iBAAWrB,iBAAiB;AAI1D,MACEgD,qBACAA,kBAAkBN,UAClBM,kBAAkB8G,kBACjB1C,MAAMvB,MAAMkE,gBAAgB3C,MAAMvB,MAAMmE,gBACzC;AACAhH,sBAAkB8G,cAAcG,6BAA6B7C,MAAMvB,MAAMqE;EAC3E;AAEA,SACExF,oBAAClE,aAAamE,UAAQ;IAACC,OAAO6E;EAAa,GACxCC,QACoB;AAE3B;AAEO,SAASxC,eACdxG,SACA6E,eACAD,iBACArC,QAC2B;AAAA,MAAAkH;AAAA,MAH3B5E,kBAA2B,QAAA;AAA3BA,oBAA8B,CAAA;EAAE;AAAA,MAChCD,oBAA4C,QAAA;AAA5CA,sBAA+C;EAAI;AAAA,MACnDrC,WAAoC,QAAA;AAApCA,aAAuC;EAAI;AAE3C,MAAIvC,WAAW,MAAM;AAAA,QAAA0J;AACnB,QAAI,CAAC9E,iBAAiB;AACpB,aAAO;IACT;AAEA,QAAIA,gBAAgB+E,QAAQ;AAG1B3J,gBAAU4E,gBAAgB5E;IAC5B,YACE0J,UAAAnH,WAAAmH,QAAAA,QAAQE,uBACR/E,cAAcR,WAAW,KACzB,CAACO,gBAAgBiF,eACjBjF,gBAAgB5E,QAAQqE,SAAS,GACjC;AAOArE,gBAAU4E,gBAAgB5E;IAC5B,OAAO;AACL,aAAO;IACT;EACF;AAEA,MAAIuG,kBAAkBvG;AAGtB,MAAI2J,UAAMF,mBAAG7E,oBAAA6E,OAAAA,SAAAA,iBAAiBE;AAC9B,MAAIA,UAAU,MAAM;AAClB,QAAIG,aAAavD,gBAAgBwD,UAC9BC,OAAMA,EAAE7E,MAAMqE,OAAMG,UAAM,OAAA,SAANA,OAASK,EAAE7E,MAAMqE,EAAE,OAAMpD,MAChD;AACA,MACE0D,cAAc,KAACtK,OADjBgB,UAAS,OAAA,8DAEqDmG,OAAOsD,KACjEN,MACF,EAAE1D,KAAK,GAAG,CAAC,IAJbzF,UAAS,KAAA,IAAA;AAMT+F,sBAAkBA,gBAAgBP,MAChC,GACAkE,KAAKC,IAAI5D,gBAAgBlC,QAAQyF,aAAa,CAAC,CACjD;EACF;AAIA,MAAIM,iBAAiB;AACrB,MAAIC,gBAAgB;AACpB,MAAIzF,mBAAmBrC,UAAUA,OAAOqH,qBAAqB;AAC3D,aAASU,IAAI,GAAGA,IAAI/D,gBAAgBlC,QAAQiG,KAAK;AAC/C,UAAI5D,QAAQH,gBAAgB+D,CAAC;AAE7B,UAAI5D,MAAMvB,MAAMoF,mBAAmB7D,MAAMvB,MAAMqF,wBAAwB;AACrEH,wBAAgBC;MAClB;AAEA,UAAI5D,MAAMvB,MAAMqE,IAAI;AAClB,YAAI;UAAEiB;UAAYd,QAAAA;QAAO,IAAI/E;AAC7B,YAAI8F,mBACFhE,MAAMvB,MAAMwF,UACZF,WAAW/D,MAAMvB,MAAMqE,EAAE,MAAMpD,WAC9B,CAACuD,WAAUA,QAAOjD,MAAMvB,MAAMqE,EAAE,MAAMpD;AACzC,YAAIM,MAAMvB,MAAMmB,QAAQoE,kBAAkB;AAIxCN,2BAAiB;AACjB,cAAIC,iBAAiB,GAAG;AACtB9D,8BAAkBA,gBAAgBP,MAAM,GAAGqE,gBAAgB,CAAC;UAC9D,OAAO;AACL9D,8BAAkB,CAACA,gBAAgB,CAAC,CAAC;UACvC;AACA;QACF;MACF;IACF;EACF;AAEA,SAAOA,gBAAgBqE,YAAY,CAAC7K,QAAQ2G,OAAOmE,UAAU;AAE3D,QAAI1D;AACJ,QAAI2D,8BAA8B;AAClC,QAAIzB,eAAuC;AAC3C,QAAImB,yBAAiD;AACrD,QAAI5F,iBAAiB;AACnBuC,cAAQwC,UAAUjD,MAAMvB,MAAMqE,KAAKG,OAAOjD,MAAMvB,MAAMqE,EAAE,IAAIpD;AAC5DiD,qBAAe3C,MAAMvB,MAAMkE,gBAAgBhB;AAE3C,UAAI+B,gBAAgB;AAClB,YAAIC,gBAAgB,KAAKQ,UAAU,GAAG;AACpCxF,sBACE,kBACA,OACA,0EACF;AACAyF,wCAA8B;AAC9BN,mCAAyB;QAC3B,WAAWH,kBAAkBQ,OAAO;AAClCC,wCAA8B;AAC9BN,mCAAyB9D,MAAMvB,MAAMqF,0BAA0B;QACjE;MACF;IACF;AAEA,QAAIxK,WAAU6E,cAAckG,OAAOxE,gBAAgBP,MAAM,GAAG6E,QAAQ,CAAC,CAAC;AACtE,QAAIG,cAAcA,MAAM;AACtB,UAAIhC;AACJ,UAAI7B,OAAO;AACT6B,mBAAWK;iBACFyB,6BAA6B;AACtC9B,mBAAWwB;MACb,WAAW9D,MAAMvB,MAAMkB,WAAW;AAOhC2C,mBAAWhF,oBAAC0C,MAAMvB,MAAMkB,WAAS,IAAE;MACrC,WAAWK,MAAMvB,MAAMgB,SAAS;AAC9B6C,mBAAWtC,MAAMvB,MAAMgB;MACzB,OAAO;AACL6C,mBAAWjJ;MACb;AACA,aACEiE,oBAACkF,eAAa;QACZxC;QACAqC,cAAc;UACZhJ;UACAC,SAAAA;UACAC,aAAa2E,mBAAmB;;QAElCoE;MAAmB,CACpB;;AAML,WAAOpE,oBACJ8B,MAAMvB,MAAMmE,iBAAiB5C,MAAMvB,MAAMkE,gBAAgBwB,UAAU,KACpE7G,oBAACsE,qBAAmB;MAClBlH,UAAUwD,gBAAgBxD;MAC1BqH,cAAc7D,gBAAgB6D;MAC9BQ,WAAWI;MACXlC;MACA6B,UAAUgC,YAAW;MACrBjC,cAAc;QAAEhJ,QAAQ;QAAMC,SAAAA;QAASC,aAAa;MAAK;IAAE,CAC5D,IAED+K,YAAW;KAEZ,IAAiC;AACtC;AAAC,IAEIC,iBAAc,SAAdA,iBAAc;AAAdA,EAAAA,gBAAc,YAAA,IAAA;AAAdA,EAAAA,gBAAc,gBAAA,IAAA;AAAdA,EAAAA,gBAAc,mBAAA,IAAA;AAAA,SAAdA;AAAc,EAAdA,kBAAc,CAAA,CAAA;AAAA,IAMdC,sBAAmB,SAAnBA,sBAAmB;AAAnBA,EAAAA,qBAAmB,YAAA,IAAA;AAAnBA,EAAAA,qBAAmB,eAAA,IAAA;AAAnBA,EAAAA,qBAAmB,eAAA,IAAA;AAAnBA,EAAAA,qBAAmB,eAAA,IAAA;AAAnBA,EAAAA,qBAAmB,eAAA,IAAA;AAAnBA,EAAAA,qBAAmB,oBAAA,IAAA;AAAnBA,EAAAA,qBAAmB,YAAA,IAAA;AAAnBA,EAAAA,qBAAmB,gBAAA,IAAA;AAAnBA,EAAAA,qBAAmB,mBAAA,IAAA;AAAnBA,EAAAA,qBAAmB,YAAA,IAAA;AAAA,SAAnBA;AAAmB,EAAnBA,uBAAmB,CAAA,CAAA;AAaxB,SAASC,0BACPC,UACA;AACA,SAAUA,WAAQ;AACpB;AAEA,SAASC,qBAAqBD,UAA0B;AACtD,MAAIE,MAAY3K,iBAAWrB,iBAAiB;AAC5C,GAAUgM,MAAG9L,OAAbgB,UAAS,OAAM2K,0BAA0BC,QAAQ,CAAC,IAAlD5K,UAAS,KAAA,IAAA;AACT,SAAO8K;AACT;AAEA,SAASC,mBAAmBH,UAA+B;AACzD,MAAIzH,QAAchD,iBAAWjB,sBAAsB;AACnD,GAAUiE,QAAKnE,OAAfgB,UAAS,OAAQ2K,0BAA0BC,QAAQ,CAAC,IAApD5K,UAAS,KAAA,IAAA;AACT,SAAOmD;AACT;AAEA,SAAS6H,gBAAgBJ,UAA+B;AACtD,MAAIjG,QAAcxE,iBAAWb,YAAY;AACzC,GAAUqF,QAAK3F,OAAfgB,UAAS,OAAQ2K,0BAA0BC,QAAQ,CAAC,IAApD5K,UAAS,KAAA,IAAA;AACT,SAAO2E;AACT;AAGA,SAASsG,kBAAkBL,UAA+B;AACxD,MAAIjG,QAAQqG,gBAAgBJ,QAAQ;AACpC,MAAIM,YAAYvG,MAAMnF,QAAQmF,MAAMnF,QAAQqE,SAAS,CAAC;AACtD,GACEqH,UAAUvG,MAAMqE,KAAEhK,OADpBgB,UAEK4K,OAAAA,WAAQ,wDAAA,IAFb5K,UAAS,KAAA,IAAA;AAIT,SAAOkL,UAAUvG,MAAMqE;AACzB;AAKO,SAASmC,aAAa;AAC3B,SAAOF,kBAAkBP,oBAAoBU,UAAU;AACzD;AAMO,SAASC,gBAAgB;AAC9B,MAAIlI,QAAQ4H,mBAAmBL,oBAAoBY,aAAa;AAChE,SAAOnI,MAAMoI;AACf;AAMO,SAASC,iBAAiB;AAC/B,MAAI1J,oBAAoB+I,qBAAqBJ,eAAegB,cAAc;AAC1E,MAAItI,QAAQ4H,mBAAmBL,oBAAoBe,cAAc;AACjE,SAAaxK,cACX,OAAO;IACLyK,YAAY5J,kBAAkB6J,OAAOD;IACrCvI,OAAOA,MAAM8E;EACf,IACA,CAACnG,kBAAkB6J,OAAOD,YAAYvI,MAAM8E,YAAY,CAC1D;AACF;AAMO,SAAS2D,aAAwB;AACtC,MAAI;IAAEpM;IAASyK;EAAW,IAAIc,mBAC5BL,oBAAoBmB,UACtB;AACA,SAAa5K,cACX,MAAMzB,QAAQyG,IAAKuD,OAAMsC,2BAA2BtC,GAAGS,UAAU,CAAC,GAClE,CAACzK,SAASyK,UAAU,CACtB;AACF;AAKO,SAAS8B,gBAAyB;AACvC,MAAI5I,QAAQ4H,mBAAmBL,oBAAoBsB,aAAa;AAChE,MAAIC,UAAUhB,kBAAkBP,oBAAoBsB,aAAa;AAEjE,MAAI7I,MAAMgG,UAAUhG,MAAMgG,OAAO8C,OAAO,KAAK,MAAM;AACjDxE,YAAQd,MACuDsF,6DAAAA,UAAO,GACtE;AACA,WAAOrG;EACT;AACA,SAAOzC,MAAM8G,WAAWgC,OAAO;AACjC;AAKO,SAASC,mBAAmBD,SAA0B;AAC3D,MAAI9I,QAAQ4H,mBAAmBL,oBAAoByB,kBAAkB;AACrE,SAAOhJ,MAAM8G,WAAWgC,OAAO;AACjC;AAKO,SAASG,gBAAyB;AACvC,MAAIjJ,QAAQ4H,mBAAmBL,oBAAoB2B,aAAa;AAChE,MAAIJ,UAAUhB,kBAAkBP,oBAAoBsB,aAAa;AACjE,SAAO7I,MAAMmJ,aAAanJ,MAAMmJ,WAAWL,OAAO,IAAIrG;AACxD;AAOO,SAASgB,gBAAyB;AAAA,MAAA2F;AACvC,MAAI5F,QAAcxG,iBAAWT,iBAAiB;AAC9C,MAAIyD,QAAQ4H,mBAAmBL,oBAAoB8B,aAAa;AAChE,MAAIP,UAAUhB,kBAAkBP,oBAAoB8B,aAAa;AAIjE,MAAI7F,UAAUf,QAAW;AACvB,WAAOe;EACT;AAGA,UAAA4F,gBAAOpJ,MAAMgG,WAANoD,OAAAA,SAAAA,cAAeN,OAAO;AAC/B;AAKO,SAASQ,gBAAyB;AACvC,MAAI/I,QAAcvD,iBAAWhB,YAAY;AACzC,SAAOuE,SAAK,OAAA,SAALA,MAAOgJ;AAChB;AAKO,SAASC,gBAAyB;AACvC,MAAIjJ,QAAcvD,iBAAWhB,YAAY;AACzC,SAAOuE,SAAK,OAAA,SAALA,MAAOkJ;AAChB;AAEA,IAAIC,YAAY;AAQT,SAASC,WAAWC,aAAiD;AAC1E,MAAI;IAAEpB;IAAQ1L;EAAS,IAAI4K,qBAAqBJ,eAAeuC,UAAU;AACzE,MAAI7J,QAAQ4H,mBAAmBL,oBAAoBsC,UAAU;AAE7D,MAAI,CAACC,YAAYC,aAAa,IAAUC,eAAS,EAAE;AACnD,MAAIC,kBAAwB1K,kBACzB2K,SAAQ;AACP,QAAI,OAAON,gBAAgB,YAAY;AACrC,aAAO,CAAC,CAACA;IACX;AACA,QAAI9M,aAAa,KAAK;AACpB,aAAO8M,YAAYM,GAAG;IACxB;AAKA,QAAI;MAAEC;MAAiBC;MAAcC;IAAc,IAAIH;AACvD,WAAON,YAAY;MACjBO,iBAAehH,UAAA,CAAA,GACVgH,iBAAe;QAClBjN,UACEoN,cAAcH,gBAAgBjN,UAAUJ,QAAQ,KAChDqN,gBAAgBjN;OACnB;MACDkN,cAAYjH,UAAA,CAAA,GACPiH,cAAY;QACflN,UACEoN,cAAcF,aAAalN,UAAUJ,QAAQ,KAC7CsN,aAAalN;OAChB;MACDmN;IACF,CAAC;EACH,GACA,CAACvN,UAAU8M,WAAW,CACxB;AAIAtL,EAAMiM,gBAAU,MAAM;AACpB,QAAInH,MAAMoH,OAAO,EAAEd,SAAS;AAC5BK,kBAAc3G,GAAG;AACjB,WAAO,MAAMoF,OAAOiC,cAAcrH,GAAG;EACvC,GAAG,CAACoF,MAAM,CAAC;AAMXlK,EAAMiM,gBAAU,MAAM;AACpB,QAAIT,eAAe,IAAI;AACrBtB,aAAOkC,WAAWZ,YAAYG,eAAe;IAC/C;KACC,CAACzB,QAAQsB,YAAYG,eAAe,CAAC;AAIxC,SAAOH,cAAc9J,MAAM2K,SAASC,IAAId,UAAU,IAC9C9J,MAAM2K,SAASE,IAAIf,UAAU,IAC7BgB;AACN;AAMA,SAASrM,oBAAsC;AAC7C,MAAI;IAAE+J;EAAO,IAAId,qBAAqBJ,eAAeyD,iBAAiB;AACtE,MAAIlF,KAAKiC,kBAAkBP,oBAAoBwD,iBAAiB;AAEhE,MAAI5L,YAAkBC,aAAO,KAAK;AAClClB,4BAA0B,MAAM;AAC9BiB,cAAUE,UAAU;EACtB,CAAC;AAED,MAAIC,WAAmCC,kBACrC,SAAC9C,IAAiB+C,SAAkC;AAAA,QAAlCA,YAAwB,QAAA;AAAxBA,gBAA2B,CAAA;IAAE;AAC7C3D,WAAA4D,QAAQN,UAAUE,SAASpB,qBAAqB,IAAC;AAIjD,QAAI,CAACkB,UAAUE,QAAS;AAExB,QAAI,OAAO5C,OAAO,UAAU;AAC1B+L,aAAOlJ,SAAS7C,EAAE;IACpB,OAAO;AACL+L,aAAOlJ,SAAS7C,IAAE0G,UAAA;QAAI6H,aAAanF;SAAOrG,OAAO,CAAE;IACrD;EACF,GACA,CAACgJ,QAAQ3C,EAAE,CACb;AAEA,SAAOvG;AACT;AAEA,IAAM2L,gBAAyC,CAAA;AAE/C,SAASvJ,YAAY0B,KAAa8H,MAAexH,SAAiB;AAChE,MAAI,CAACwH,QAAQ,CAACD,cAAc7H,GAAG,GAAG;AAChC6H,kBAAc7H,GAAG,IAAI;AACrBvH,WAAA4D,QAAQ,OAAOiE,OAAO,IAAC;EACzB;AACF;AC3gCA,IAAMyH,mBAAmB;AACzB,IAAMC,sBAAsB9M,MAAM6M,gBAAgB;AAkI3C,SAASE,aAAYC,OAMc;AAAA,MANb;IAC3BC;IACAC;IACAC;IACAC;IACAC;EACiB,IAACL;AAClB,MAAIM,aAAmBC,aAAM;AAC7B,MAAID,WAAWE,WAAW,MAAM;AAC9BF,eAAWE,UAAUC,oBAAoB;MACvCN;MACAC;MACAM,UAAU;IACZ,CAAC;EACH;AAEA,MAAIC,UAAUL,WAAWE;AACzB,MAAI,CAACI,OAAOC,YAAY,IAAUC,eAAS;IACzCC,QAAQJ,QAAQI;IAChBC,UAAUL,QAAQK;EACpB,CAAC;AACD,MAAI;IAAEC;EAAmB,IAAIZ,UAAU,CAAA;AACvC,MAAIa,WAAiBC,kBAClBC,cAA6D;AAC5DH,0BAAsBI,sBAClBA,oBAAoB,MAAMR,aAAaO,QAAQ,CAAC,IAChDP,aAAaO,QAAQ;EAC3B,GACA,CAACP,cAAcI,kBAAkB,CACnC;AAEAK,EAAMC,sBAAgB,MAAMZ,QAAQa,OAAON,QAAQ,GAAG,CAACP,SAASO,QAAQ,CAAC;AAEzE,SACEO,oBAACC,QAAM;IACLzB;IACAC;IACAc,UAAUJ,MAAMI;IAChBW,gBAAgBf,MAAMG;IACtBa,WAAWjB;IACXN;EAAe,CAChB;AAEL;AAkBO,SAASwB,SAAQC,OAKA;AAAA,MALC;IACvBC;IACAC,SAAAA;IACApB;IACAqB;EACa,IAACH;AACd,GACEI,mBAAkB,IAAEC,OADtBC;IAEE;;;IACA;EAAA,IAHFA,UAAS,KAAA,IAAA;AAOT,MAAI;IAAE/B;IAAQgC,QAAQC;EAAS,IAAUC,iBAAWC,iBAAiB;AAErEL,SAAAM,QACE,CAACH,UACD,uNAGF,IAAC;AAED,MAAI;IAAEI;EAAQ,IAAUH,iBAAWI,YAAY;AAC/C,MAAI;IAAEC,UAAUC;MAAqBC,YAAW;AAChD,MAAIC,WAAWC,YAAW;AAI1B,MAAIC,OAAOC,UACTnB,IACAoB,oBAAoBT,SAASrC,OAAO+C,oBAAoB,GACxDP,kBACAZ,aAAa,MACf;AACA,MAAIoB,WAAWC,KAAKC,UAAUN,IAAI;AAElC3B,EAAMkC,gBACJ,MAAMT,SAASO,KAAKG,MAAMJ,QAAQ,GAAG;IAAErB,SAAAA;IAASpB;IAAOqB;EAAS,CAAC,GACjE,CAACc,UAAUM,UAAUpB,UAAUD,UAASpB,KAAK,CAC/C;AAEA,SAAO;AACT;AAWO,SAAS8C,OAAOC,OAA+C;AACpE,SAAOC,UAAUD,MAAME,OAAO;AAChC;AAmDO,SAASC,MAAMC,QAA+C;AAE5D5B,SADPC,UAAS,OAEP,sIACoE,IAHtEA,UAAS,KAAA;AAKX;AAqBO,SAASV,OAAMsC,OAQqB;AAAA,MARpB;IACrB/D,UAAUgE,eAAe;IACzB/D,WAAW;IACXc,UAAUkD;IACVvC,iBAAiBwC,OAAeC;IAChCxC;IACAS,QAAQgC,aAAa;IACrBhE;EACW,IAAC2D;AACZ,GACE,CAAC9B,mBAAkB,IAAEC,OADvBC,UAEE,OAAA,wGACqD,IAHvDA,UAAS,KAAA,IAAA;AAQT,MAAInC,WAAWgE,aAAajC,QAAQ,QAAQ,GAAG;AAC/C,MAAIsC,oBAA0BC,cAC5B,OAAO;IACLtE;IACA2B;IACAS,QAAQgC;IACRhE,QAAMmE,UAAA;MACJpB,sBAAsB;IAAK,GACxB/C,MAAM;MAGb,CAACJ,UAAUI,QAAQuB,WAAWyC,UAAU,CAC1C;AAEA,MAAI,OAAOH,iBAAiB,UAAU;AACpCA,mBAAeO,UAAUP,YAAY;EACvC;AAEA,MAAI;IACFtB,WAAW;IACX8B,SAAS;IACTC,OAAO;IACP/D,QAAQ;IACRgE,MAAM;EACR,IAAIV;AAEJ,MAAIW,kBAAwBN,cAAQ,MAAM;AACxC,QAAIO,mBAAmBC,cAAcnC,UAAU3C,QAAQ;AAEvD,QAAI6E,oBAAoB,MAAM;AAC5B,aAAO;IACT;AAEA,WAAO;MACL9D,UAAU;QACR4B,UAAUkC;QACVJ;QACAC;QACA/D;QACAgE;;MAEFjD;;EAEJ,GAAG,CAAC1B,UAAU2C,UAAU8B,QAAQC,MAAM/D,OAAOgE,KAAKjD,cAAc,CAAC;AAEjEQ,SAAAM,QACEoC,mBAAmB,MACnB,uBAAqB5E,WAAQ,sCAAA,MACvB2C,WAAW8B,SAASC,OAA2C,2CAAA,kDAEvE,IAAC;AAED,MAAIE,mBAAmB,MAAM;AAC3B,WAAO;EACT;AAEA,SACEpD,oBAACe,kBAAkBwC,UAAQ;IAACC,OAAOX;EAAkB,GACnD7C,oBAACyD,gBAAgBF,UAAQ;IAAC9E;IAAoB+E,OAAOJ;EAAgB,CAAE,CAC7C;AAEhC;AAaO,SAASM,OAAMC,OAGqB;AAAA,MAHpB;IACrBlF;IACAc;EACW,IAACoE;AACZ,SAAOC,UAAUC,yBAAyBpF,QAAQ,GAAGc,QAAQ;AAC/D;AAgBO,SAASuE,MAAKC,OAAkD;AAAA,MAAjD;IAAEtF;IAAUuF;IAAcC;EAAoB,IAACF;AACnE,SACE/D,oBAACkE,oBAAkB;IAACD;IAAkBD;KACpChE,oBAACmE,cAAc1F,MAAAA,QAAuB,CACpB;AAExB;AAAC,IAWI2F,oBAAiB,SAAjBA,oBAAiB;AAAjBA,EAAAA,mBAAAA,mBAAiB,SAAA,IAAA,CAAA,IAAA;AAAjBA,EAAAA,mBAAAA,mBAAiB,SAAA,IAAA,CAAA,IAAA;AAAjBA,EAAAA,mBAAAA,mBAAiB,OAAA,IAAA,CAAA,IAAA;AAAA,SAAjBA;AAAiB,EAAjBA,qBAAiB,CAAA,CAAA;AAMtB,IAAMC,sBAAsB,IAAIC,QAAQ,MAAM;AAAA,CAAE;AAEhD,IAAMJ,qBAAN,cAAuCK,gBAGrC;EACAC,YAAYtC,OAAgC;AAC1C,UAAMA,KAAK;AACX,SAAK/C,QAAQ;MAAEsF,OAAO;;EACxB;EAEA,OAAOC,yBAAyBD,OAAY;AAC1C,WAAO;MAAEA;;EACX;EAEAE,kBAAkBF,OAAYG,WAAgB;AAC5CC,YAAQJ,MACN,oDACAA,OACAG,SACF;EACF;EAEAE,SAAS;AACP,QAAI;MAAErG;MAAUuF;MAAcC;QAAY,KAAK/B;AAE/C,QAAI6C,UAAiC;AACrC,QAAIC,SAA4BZ,kBAAkBa;AAElD,QAAI,EAAEhB,mBAAmBK,UAAU;AAEjCU,eAASZ,kBAAkBc;AAC3BH,gBAAUT,QAAQL,QAAO;AACzBkB,aAAOC,eAAeL,SAAS,YAAY;QAAEM,KAAKA,MAAM;MAAK,CAAC;AAC9DF,aAAOC,eAAeL,SAAS,SAAS;QAAEM,KAAKA,MAAMpB;MAAQ,CAAC;IAChE,WAAW,KAAK9E,MAAMsF,OAAO;AAE3BO,eAASZ,kBAAkBK;AAC3B,UAAIa,cAAc,KAAKnG,MAAMsF;AAC7BM,gBAAUT,QAAQiB,OAAM,EAAGC,MAAM,MAAM;MAAA,CAAE;AACzCL,aAAOC,eAAeL,SAAS,YAAY;QAAEM,KAAKA,MAAM;MAAK,CAAC;AAC9DF,aAAOC,eAAeL,SAAS,UAAU;QAAEM,KAAKA,MAAMC;MAAY,CAAC;IACrE,WAAYrB,QAA2BwB,UAAU;AAE/CV,gBAAUd;AACVe,eACE,YAAYD,UACRX,kBAAkBK,QAClB,WAAWM,UACXX,kBAAkBc,UAClBd,kBAAkBa;IAC1B,OAAO;AAELD,eAASZ,kBAAkBa;AAC3BE,aAAOC,eAAenB,SAAS,YAAY;QAAEoB,KAAKA,MAAM;MAAK,CAAC;AAC9DN,gBAAUd,QAAQyB,KACfC,UACCR,OAAOC,eAAenB,SAAS,SAAS;QAAEoB,KAAKA,MAAMM;OAAM,GAC5DlB,WACCU,OAAOC,eAAenB,SAAS,UAAU;QAAEoB,KAAKA,MAAMZ;MAAM,CAAC,CACjE;IACF;AAEA,QACEO,WAAWZ,kBAAkBK,SAC7BM,QAAQa,kBAAkBC,sBAC1B;AAEA,YAAMxB;IACR;AAEA,QAAIW,WAAWZ,kBAAkBK,SAAS,CAACT,cAAc;AAEvD,YAAMe,QAAQa;IAChB;AAEA,QAAIZ,WAAWZ,kBAAkBK,OAAO;AAEtC,aAAOzE,oBAAC8F,aAAavC,UAAQ;QAACC,OAAOuB;QAAStG,UAAUuF;MAAa,CAAE;IACzE;AAEA,QAAIgB,WAAWZ,kBAAkBc,SAAS;AAExC,aAAOlF,oBAAC8F,aAAavC,UAAQ;QAACC,OAAOuB;QAAStG;MAAmB,CAAE;IACrE;AAGA,UAAMsG;EACR;AACF;AAMA,SAASZ,aAAY4B,OAIlB;AAAA,MAJmB;IACpBtH;EAGF,IAACsH;AACC,MAAIJ,OAAOK,cAAa;AACxB,MAAIC,WAAW,OAAOxH,aAAa,aAAaA,SAASkH,IAAI,IAAIlH;AACjE,SAAOuB,oBAAAkG,gBAAGD,MAAAA,QAAW;AACvB;AAaO,SAASpC,yBACdpF,UACA0H,YACe;AAAA,MADfA,eAAoB,QAAA;AAApBA,iBAAuB,CAAA;EAAE;AAEzB,MAAIC,SAAwB,CAAA;AAE5BvG,EAAMwG,eAASC,QAAQ7H,UAAU,CAAC8H,SAASC,UAAU;AACnD,QAAI,CAAOC,qBAAeF,OAAO,GAAG;AAGlC;IACF;AAEA,QAAIG,WAAW,CAAC,GAAGP,YAAYK,KAAK;AAEpC,QAAID,QAAQI,SAAeT,gBAAU;AAEnCE,aAAOQ,KAAKC,MACVT,QACAvC,yBAAyB0C,QAAQrE,MAAMzD,UAAUiI,QAAQ,CAC3D;AACA;IACF;AAEA,MACEH,QAAQI,SAAStE,SAAK3B,OADxBC,UAGI,OAAA,OAAA,OAAO4F,QAAQI,SAAS,WAAWJ,QAAQI,OAAOJ,QAAQI,KAAKG,QAAI,wGAAA,IAHvEnG,UAAS,KAAA,IAAA;AAOT,MACE,CAAC4F,QAAQrE,MAAMsE,SAAS,CAACD,QAAQrE,MAAMzD,YAAQiC,OADjDC,UAAS,OAEP,0CAA0C,IAF5CA,UAAS,KAAA,IAAA;AAKT,QAAIoG,QAAqB;MACvBC,IAAIT,QAAQrE,MAAM8E,MAAMN,SAASO,KAAK,GAAG;MACzCC,eAAeX,QAAQrE,MAAMgF;MAC7BX,SAASA,QAAQrE,MAAMqE;MACvBhC,WAAWgC,QAAQrE,MAAMqC;MACzBiC,OAAOD,QAAQrE,MAAMsE;MACrBhF,MAAM+E,QAAQrE,MAAMV;MACpB2F,QAAQZ,QAAQrE,MAAMiF;MACtB7H,QAAQiH,QAAQrE,MAAM5C;MACtB0E,cAAcuC,QAAQrE,MAAM8B;MAC5BoD,eAAeb,QAAQrE,MAAMkF;MAC7BC,kBACEd,QAAQrE,MAAMkF,iBAAiB,QAC/Bb,QAAQrE,MAAM8B,gBAAgB;MAChCsD,kBAAkBf,QAAQrE,MAAMoF;MAChCC,QAAQhB,QAAQrE,MAAMqF;MACtBC,MAAMjB,QAAQrE,MAAMsF;;AAGtB,QAAIjB,QAAQrE,MAAMzD,UAAU;AAC1BsI,YAAMtI,WAAWoF,yBACf0C,QAAQrE,MAAMzD,UACdiI,QACF;IACF;AAEAN,WAAOQ,KAAKG,KAAK;EACnB,CAAC;AAED,SAAOX;AACT;AAKO,SAASqB,cACdxG,SAC2B;AAC3B,SAAOyG,eAAezG,OAAO;AAC/B;ACtfA,SAAS0G,mBAAmBZ,OAAoB;AAC9C,MAAIa,UAAgE;;;IAGlEP,kBAAkBN,MAAMK,iBAAiB,QAAQL,MAAM/C,gBAAgB;;AAGzE,MAAI+C,MAAMxC,WAAW;AACnB,QAAA7D,MAAa;AACX,UAAIqG,MAAMR,SAAS;AACjB7F,eAAAM,QACE,OACA,iGAEF,IAAC;MACH;IACF;AACAmE,WAAO0C,OAAOD,SAAS;MACrBrB,SAAevG,oBAAc+G,MAAMxC,SAAS;MAC5CA,WAAWuD;IACb,CAAC;EACH;AAEA,MAAIf,MAAMgB,iBAAiB;AACzB,QAAArH,MAAa;AACX,UAAIqG,MAAMiB,wBAAwB;AAChCtH,eAAAM,QACE,OACA,4HAEF,IAAC;MACH;IACF;AACAmE,WAAO0C,OAAOD,SAAS;MACrBI,wBAA8BhI,oBAAc+G,MAAMgB,eAAe;MACjEA,iBAAiBD;IACnB,CAAC;EACH;AAEA,MAAIf,MAAMK,eAAe;AACvB,QAAA1G,MAAa;AACX,UAAIqG,MAAM/C,cAAc;AACtBtD,eAAAM,QACE,OACA,8GAEF,IAAC;MACH;IACF;AACAmE,WAAO0C,OAAOD,SAAS;MACrB5D,cAAoBhE,oBAAc+G,MAAMK,aAAa;MACrDA,eAAeU;IACjB,CAAC;EACH;AAEA,SAAOF;AACT;AAKO,SAASK,mBACd7B,QACA8B,MASa;AACb,SAAOC,aAAa;IAClB3J,UAAU0J,QAAAA,OAAAA,SAAAA,KAAM1J;IAChBI,QAAMmE,UAAA,CAAA,GACDmF,QAAAA,OAAAA,SAAAA,KAAMtJ,QAAM;MACfwJ,oBAAoB;KACrB;IACDlJ,SAASF,oBAAoB;MAC3BN,gBAAgBwJ,QAAAA,OAAAA,SAAAA,KAAMxJ;MACtBC,cAAcuJ,QAAAA,OAAAA,SAAAA,KAAMvJ;IACtB,CAAC;IACD0J,eAAeH,QAAAA,OAAAA,SAAAA,KAAMG;IACrBjC;IACAuB;IACAW,uBAAuBJ,QAAAA,OAAAA,SAAAA,KAAMI;IAC7BC,4BAA4BL,QAAAA,OAAAA,SAAAA,KAAMK;EACpC,CAAC,EAAEC,WAAU;AACf;;;;;;;;;;;;;;;;;;;;;;;;;;;;;AC7TO,IAAMC,gBAAgC;AAC7C,IAAMC,iBAA8B;AAE9B,SAAUC,cAAcC,QAAW;AACvC,SAAOA,UAAU,QAAQ,OAAOA,OAAOC,YAAY;AACrD;AAEM,SAAUC,gBAAgBF,QAAW;AACzC,SAAOD,cAAcC,MAAM,KAAKA,OAAOC,QAAQE,YAAW,MAAO;AACnE;AAEM,SAAUC,cAAcJ,QAAW;AACvC,SAAOD,cAAcC,MAAM,KAAKA,OAAOC,QAAQE,YAAW,MAAO;AACnE;AAEM,SAAUE,eAAeL,QAAW;AACxC,SAAOD,cAAcC,MAAM,KAAKA,OAAOC,QAAQE,YAAW,MAAO;AACnE;AAOA,SAASG,gBAAgBC,OAAwB;AAC/C,SAAO,CAAC,EAAEA,MAAMC,WAAWD,MAAME,UAAUF,MAAMG,WAAWH,MAAMI;AACpE;AAEgB,SAAAC,uBACdL,OACAM,QAAe;AAEf,SACEN,MAAMO,WAAW;GAChB,CAACD,UAAUA,WAAW;EACvB,CAACP,gBAAgBC,KAAK;AAE1B;AA+BgB,SAAAQ,mBACdC,MAA8B;AAAA,MAA9BA,SAAA,QAAA;AAAAA,WAA4B;EAAE;AAE9B,SAAO,IAAIC,gBACT,OAAOD,SAAS,YAChBE,MAAMC,QAAQH,IAAI,KAClBA,gBAAgBC,kBACZD,OACAI,OAAOC,KAAKL,IAAI,EAAEM,OAAO,CAACC,OAAMC,QAAO;AACrC,QAAIC,QAAQT,KAAKQ,GAAG;AACpB,WAAOD,MAAKG,OACVR,MAAMC,QAAQM,KAAK,IAAIA,MAAME,IAAKC,OAAM,CAACJ,KAAKI,CAAC,CAAC,IAAI,CAAC,CAACJ,KAAKC,KAAK,CAAC,CAAC;KAEnE,CAAA,CAAyB,CAAC;AAErC;AAEgB,SAAAI,2BACdC,gBACAC,qBAA2C;AAE3C,MAAIC,eAAejB,mBAAmBe,cAAc;AAEpD,MAAIC,qBAAqB;AAMvBA,wBAAoBE,QAAQ,CAACC,GAAGV,QAAO;AACrC,UAAI,CAACQ,aAAaG,IAAIX,GAAG,GAAG;AAC1BO,4BAAoBK,OAAOZ,GAAG,EAAES,QAASR,WAAS;AAChDO,uBAAaK,OAAOb,KAAKC,KAAK;QAChC,CAAC;MACF;IACH,CAAC;EACF;AAED,SAAOO;AACT;AAoBA,IAAIM,6BAA6C;AAEjD,SAASC,+BAA4B;AACnC,MAAID,+BAA+B,MAAM;AACvC,QAAI;AACF,UAAIE;QACFC,SAASC,cAAc,MAAM;;QAE7B;MAAC;AAEHJ,mCAA6B;aACtBK,GAAG;AACVL,mCAA6B;IAC9B;EACF;AACD,SAAOA;AACT;AAgFA,IAAMM,wBAA0C,oBAAIC,IAAI,CACtD,qCACA,uBACA,YAAY,CACb;AAED,SAASC,eAAeC,SAAsB;AAC5C,MAAIA,WAAW,QAAQ,CAACH,sBAAsBT,IAAIY,OAAsB,GAAG;AACzEC,WAAAC,QACE,OACA,MAAIF,UACsBjD,+DAAAA,0BAAAA,iBAAc,IAAG,IAC5C;AAED,WAAO;EACR;AACD,SAAOiD;AACT;AAEgB,SAAAG,sBACdrC,QACAsC,UAAgB;AAQhB,MAAIC;AACJ,MAAIC;AACJ,MAAIN;AACJ,MAAIO;AACJ,MAAIC;AAEJ,MAAInD,cAAcS,MAAM,GAAG;AAIzB,QAAI2C,OAAO3C,OAAO4C,aAAa,QAAQ;AACvCJ,aAASG,OAAOE,cAAcF,MAAML,QAAQ,IAAI;AAChDC,aAASvC,OAAO4C,aAAa,QAAQ,KAAK5D;AAC1CkD,cAAUD,eAAejC,OAAO4C,aAAa,SAAS,CAAC,KAAK3D;AAE5DwD,eAAW,IAAId,SAAS3B,MAAM;aAE9BX,gBAAgBW,MAAM,KACrBR,eAAeQ,MAAM,MACnBA,OAAO8C,SAAS,YAAY9C,OAAO8C,SAAS,UAC/C;AACA,QAAIC,OAAO/C,OAAO+C;AAElB,QAAIA,QAAQ,MAAM;AAChB,YAAM,IAAIC,MAAK,oEACuD;IAEvE;AAOD,QAAIL,OAAO3C,OAAO4C,aAAa,YAAY,KAAKG,KAAKH,aAAa,QAAQ;AAC1EJ,aAASG,OAAOE,cAAcF,MAAML,QAAQ,IAAI;AAEhDC,aACEvC,OAAO4C,aAAa,YAAY,KAChCG,KAAKH,aAAa,QAAQ,KAC1B5D;AACFkD,cACED,eAAejC,OAAO4C,aAAa,aAAa,CAAC,KACjDX,eAAec,KAAKH,aAAa,SAAS,CAAC,KAC3C3D;AAGFwD,eAAW,IAAId,SAASoB,MAAM/C,MAAM;AAMpC,QAAI,CAAC0B,6BAA4B,GAAI;AACnC,UAAI;QAAEuB;QAAMH;QAAMlC;MAAK,IAAKZ;AAC5B,UAAI8C,SAAS,SAAS;AACpB,YAAII,SAASD,OAAUA,OAAI,MAAM;AACjCR,iBAASjB,OAAU0B,SAAM,KAAK,GAAG;AACjCT,iBAASjB,OAAU0B,SAAM,KAAK,GAAG;iBACxBD,MAAM;AACfR,iBAASjB,OAAOyB,MAAMrC,KAAK;MAC5B;IACF;EACF,WAAU1B,cAAcc,MAAM,GAAG;AAChC,UAAM,IAAIgD,MACR,oFAC+B;EAElC,OAAM;AACLT,aAASvD;AACTwD,aAAS;AACTN,cAAUjD;AACVyD,WAAO1C;EACR;AAGD,MAAIyC,YAAYP,YAAY,cAAc;AACxCQ,WAAOD;AACPA,eAAWU;EACZ;AAED,SAAO;IAAEX;IAAQD,QAAQA,OAAOjD,YAAW;IAAI4C;IAASO;IAAUC;;AACpE;;;;AC/FA,IAAAU,uBAAA;AAEA,IAAI;AACFC,SAAOC,uBAAuBF;AAC/B,SAAQtB,GAAG;AACV;AAgBc,SAAAyB,oBACdC,QACAC,MAAoB;AAEpB,SAAOC,aAAa;IAClBpB,UAAUmB,QAAAA,OAAAA,SAAAA,KAAMnB;IAChBqB,QAAMC,UAAA,CAAA,GACDH,QAAAA,OAAAA,SAAAA,KAAME,QAAM;MACfE,oBAAoB;KACrB;IACDC,SAASC,qBAAqB;MAAEV,QAAQI,QAAAA,OAAAA,SAAAA,KAAMJ;IAAM,CAAE;IACtDW,gBAAeP,QAAAA,OAAAA,SAAAA,KAAMO,kBAAiBC,mBAAkB;IACxDT;;IAEAU,uBAAuBT,QAAAA,OAAAA,SAAAA,KAAMS;IAC7BC,4BAA4BV,QAAAA,OAAAA,SAAAA,KAAMU;IAClCd,QAAQI,QAAAA,OAAAA,SAAAA,KAAMJ;GACf,EAAEe,WAAU;AACf;AAEgB,SAAAC,iBACdb,QACAC,MAAoB;AAEpB,SAAOC,aAAa;IAClBpB,UAAUmB,QAAAA,OAAAA,SAAAA,KAAMnB;IAChBqB,QAAMC,UAAA,CAAA,GACDH,QAAAA,OAAAA,SAAAA,KAAME,QAAM;MACfE,oBAAoB;KACrB;IACDC,SAASQ,kBAAkB;MAAEjB,QAAQI,QAAAA,OAAAA,SAAAA,KAAMJ;IAAM,CAAE;IACnDW,gBAAeP,QAAAA,OAAAA,SAAAA,KAAMO,kBAAiBC,mBAAkB;IACxDT;;IAEAU,uBAAuBT,QAAAA,OAAAA,SAAAA,KAAMS;IAC7BC,4BAA4BV,QAAAA,OAAAA,SAAAA,KAAMU;IAClCd,QAAQI,QAAAA,OAAAA,SAAAA,KAAMJ;GACf,EAAEe,WAAU;AACf;AAEA,SAASH,qBAAkB;AAAA,MAAAM;AACzB,MAAIC,SAAKD,UAAGlB,WAAAkB,OAAAA,SAAAA,QAAQE;AACpB,MAAID,SAASA,MAAME,QAAQ;AACzBF,YAAKZ,UAAA,CAAA,GACAY,OAAK;MACRE,QAAQC,kBAAkBH,MAAME,MAAM;KACvC;EACF;AACD,SAAOF;AACT;AAEA,SAASG,kBACPD,QAAsC;AAEtC,MAAI,CAACA,OAAQ,QAAO;AACpB,MAAIE,UAAUrE,OAAOqE,QAAQF,MAAM;AACnC,MAAIG,aAA6C,CAAA;AACjD,WAAS,CAAClE,KAAKmE,GAAG,KAAKF,SAAS;AAG9B,QAAIE,OAAOA,IAAIC,WAAW,sBAAsB;AAC9CF,iBAAWlE,GAAG,IAAI,IAAIqE,kBACpBF,IAAIG,QACJH,IAAII,YACJJ,IAAIK,MACJL,IAAIM,aAAa,IAAI;eAEdN,OAAOA,IAAIC,WAAW,SAAS;AAExC,UAAID,IAAIO,WAAW;AACjB,YAAIC,mBAAmBjC,OAAOyB,IAAIO,SAAS;AAC3C,YAAI,OAAOC,qBAAqB,YAAY;AAC1C,cAAI;AAEF,gBAAIC,QAAQ,IAAID,iBAAiBR,IAAIU,OAAO;AAG5CD,kBAAME,QAAQ;AACdZ,uBAAWlE,GAAG,IAAI4E;mBACXzD,GAAG;UACV;QAEH;MACF;AAED,UAAI+C,WAAWlE,GAAG,KAAK,MAAM;AAC3B,YAAI4E,QAAQ,IAAIvC,MAAM8B,IAAIU,OAAO;AAGjCD,cAAME,QAAQ;AACdZ,mBAAWlE,GAAG,IAAI4E;MACnB;IACF,OAAM;AACLV,iBAAWlE,GAAG,IAAImE;IACnB;EACF;AACD,SAAOD;AACT;AAmBA,IAAMa,wBAA8BC,qBAA2C;EAC7EC,iBAAiB;AAClB,CAAA;AACD,IAAAzD,MAAa;AACXuD,wBAAsBG,cAAc;AACrC;AAOKC,IAAAA,kBAAwBH,qBAAqC,oBAAII,IAAG,CAAE;AAC5E,IAAA5D,MAAa;AACX2D,kBAAgBD,cAAc;AAC/B;AA+BD,IAAMG,oBAAmB;AACzB,IAAMC,uBAAsBC,OAAMF,iBAAgB;AAClD,IAAMG,aAAa;AACnB,IAAMC,gBAAgBC,SAASF,UAAU;AACzC,IAAMG,SAAS;AACf,IAAMC,YAAYL,OAAMI,MAAM;AAE9B,SAASE,oBAAoBC,IAAc;AACzC,MAAIR,sBAAqB;AACvBA,IAAAA,qBAAoBQ,EAAE;EACvB,OAAM;AACLA,OAAE;EACH;AACH;AAEA,SAASC,cAAcD,IAAc;AACnC,MAAIL,eAAe;AACjBA,kBAAcK,EAAE;EACjB,OAAM;AACLA,OAAE;EACH;AACH;AASA,IAAME,WAAN,MAAc;EAOZC,cAAA;AANA,SAAM3B,SAAwC;AAO5C,SAAK4B,UAAU,IAAIC,QAAQ,CAACC,SAASC,WAAU;AAC7C,WAAKD,UAAWnG,WAAS;AACvB,YAAI,KAAKqE,WAAW,WAAW;AAC7B,eAAKA,SAAS;AACd8B,kBAAQnG,KAAK;QACd;;AAEH,WAAKoG,SAAUC,YAAU;AACvB,YAAI,KAAKhC,WAAW,WAAW;AAC7B,eAAKA,SAAS;AACd+B,iBAAOC,MAAM;QACd;;IAEL,CAAC;EACH;AACD;AAKK,SAAUC,eAAcC,MAIR;AAAA,MAJS;IAC7BC;IACAC;IACA1D;EACoB,IAAAwD;AACpB,MAAI,CAAC3C,OAAO8C,YAAY,IAAUC,gBAASF,OAAO7C,KAAK;AACvD,MAAI,CAACgD,cAAcC,eAAe,IAAUF,gBAAQ;AACpD,MAAI,CAACG,WAAWC,YAAY,IAAUJ,gBAAsC;IAC1E3B,iBAAiB;EAClB,CAAA;AACD,MAAI,CAACgC,WAAWC,YAAY,IAAUN,gBAAQ;AAC9C,MAAI,CAACO,YAAYC,aAAa,IAAUR,gBAAQ;AAChD,MAAI,CAACS,cAAcC,eAAe,IAAUV,gBAAQ;AAKpD,MAAIW,cAAoBC,cAAyB,oBAAIpC,IAAG,CAAE;AAC1D,MAAI;IAAEqC;EAAkB,IAAKzE,UAAU,CAAA;AAEvC,MAAI0E,uBAA6BC,mBAC9B7B,QAAkB;AACjB,QAAI2B,oBAAoB;AACtB5B,0BAAoBC,EAAE;IACvB,OAAM;AACLA,SAAE;IACH;EACH,GACA,CAAC2B,kBAAkB,CAAC;AAGtB,MAAIG,WAAiBD,mBACnB,CACEE,UAAqBC,UAMnB;AAAA,QALF;MACEC;MACAC,oBAAoBC;MACpBC,6BAA6BC;IAC9B,IAAAL;AAEDC,oBAAgBtH,QAAST,SAAQuH,YAAYa,QAAQC,OAAOrI,GAAG,CAAC;AAChE6H,aAASS,SAAS7H,QAAQ,CAAC8H,SAASvI,QAAO;AACzC,UAAIuI,QAAQ/D,SAAShC,QAAW;AAC9B+E,oBAAYa,QAAQI,IAAIxI,KAAKuI,QAAQ/D,IAAI;MAC1C;IACH,CAAC;AAED,QAAIiE,8BACF/B,OAAOhE,UAAU,QACjBgE,OAAOhE,OAAOzB,YAAY,QAC1B,OAAOyF,OAAOhE,OAAOzB,SAASyH,wBAAwB;AAIxD,QAAI,CAACP,sBAAsBM,6BAA6B;AACtD,UAAIR,WAAW;AACblC,sBAAc,MAAMY,aAAakB,QAAQ,CAAC;MAC3C,OAAM;AACLH,6BAAqB,MAAMf,aAAakB,QAAQ,CAAC;MAClD;AACD;IACD;AAGD,QAAII,WAAW;AAEblC,oBAAc,MAAK;AAEjB,YAAIoB,YAAY;AACdF,uBAAaA,UAAUb,QAAO;AAC9Be,qBAAWwB,eAAc;QAC1B;AACD3B,qBAAa;UACX/B,iBAAiB;UACjBgD,WAAW;UACXW,iBAAiBT,mBAAmBS;UACpCC,cAAcV,mBAAmBU;QAClC,CAAA;MACH,CAAC;AAGD,UAAIC,IAAIpC,OAAOhE,OAAQzB,SAASyH,oBAAoB,MAAK;AACvD3C,sBAAc,MAAMY,aAAakB,QAAQ,CAAC;MAC5C,CAAC;AAGDiB,QAAEC,SAASC,QAAQ,MAAK;AACtBjD,sBAAc,MAAK;AACjBmB,uBAAa1E,MAAS;AACtB4E,wBAAc5E,MAAS;AACvBsE,0BAAgBtE,MAAS;AACzBwE,uBAAa;YAAE/B,iBAAiB;UAAK,CAAE;QACzC,CAAC;MACH,CAAC;AAEDc,oBAAc,MAAMqB,cAAc0B,CAAC,CAAC;AACpC;IACD;AAGD,QAAI3B,YAAY;AAGdF,mBAAaA,UAAUb,QAAO;AAC9Be,iBAAWwB,eAAc;AACzBrB,sBAAgB;QACdzD,OAAOgE;QACPe,iBAAiBT,mBAAmBS;QACpCC,cAAcV,mBAAmBU;MAClC,CAAA;IACF,OAAM;AAEL/B,sBAAgBe,QAAQ;AACxBb,mBAAa;QACX/B,iBAAiB;QACjBgD,WAAW;QACXW,iBAAiBT,mBAAmBS;QACpCC,cAAcV,mBAAmBU;MAClC,CAAA;IACF;EACH,GACA,CAACnC,OAAOhE,QAAQyE,YAAYF,WAAWM,aAAaG,oBAAoB,CAAC;AAK3EnC,EAAM0D,uBAAgB,MAAMvC,OAAOwC,UAAUtB,QAAQ,GAAG,CAAClB,QAAQkB,QAAQ,CAAC;AAI1ErC,EAAM4D,iBAAU,MAAK;AACnB,QAAIpC,UAAU9B,mBAAmB,CAAC8B,UAAUkB,WAAW;AACrDf,mBAAa,IAAIlB,SAAQ,CAAQ;IAClC;EACH,GAAG,CAACe,SAAS,CAAC;AAKdxB,EAAM4D,iBAAU,MAAK;AACnB,QAAIlC,aAAaJ,gBAAgBH,OAAOhE,QAAQ;AAC9C,UAAImF,WAAWhB;AACf,UAAIuC,gBAAgBnC,UAAUf;AAC9B,UAAIiB,cAAaT,OAAOhE,OAAOzB,SAASyH,oBAAoB,YAAW;AACrEhB,6BAAqB,MAAMf,aAAakB,QAAQ,CAAC;AACjD,cAAMuB;MACR,CAAC;AACDjC,MAAAA,YAAW4B,SAASC,QAAQ,MAAK;AAC/B9B,qBAAa1E,MAAS;AACtB4E,sBAAc5E,MAAS;AACvBsE,wBAAgBtE,MAAS;AACzBwE,qBAAa;UAAE/B,iBAAiB;QAAK,CAAE;MACzC,CAAC;AACDmC,oBAAcD,WAAU;IACzB;EACH,GAAG,CAACO,sBAAsBb,cAAcI,WAAWP,OAAOhE,MAAM,CAAC;AAIjE6C,EAAM4D,iBAAU,MAAK;AACnB,QACElC,aACAJ,gBACAhD,MAAMwF,SAASrJ,QAAQ6G,aAAawC,SAASrJ,KAC7C;AACAiH,gBAAUb,QAAO;IAClB;EACH,GAAG,CAACa,WAAWE,YAAYtD,MAAMwF,UAAUxC,YAAY,CAAC;AAIxDtB,EAAM4D,iBAAU,MAAK;AACnB,QAAI,CAACpC,UAAU9B,mBAAmBoC,cAAc;AAC9CP,sBAAgBO,aAAaxD,KAAK;AAClCmD,mBAAa;QACX/B,iBAAiB;QACjBgD,WAAW;QACXW,iBAAiBvB,aAAauB;QAC9BC,cAAcxB,aAAawB;MAC5B,CAAA;AACDvB,sBAAgB9E,MAAS;IAC1B;KACA,CAACuE,UAAU9B,iBAAiBoC,YAAY,CAAC;AAE5C9B,EAAM4D,iBAAU,MAAK;AACnB3H,WAAAC,QACEgF,mBAAmB,QAAQ,CAACC,OAAO1D,OAAOsG,qBAC1C,8HACoE,IACrE;KAGA,CAAA,CAAE;AAEL,MAAIC,YAAkBC,eAAQ,MAAgB;AAC5C,WAAO;MACLC,YAAY/C,OAAO+C;MACnBC,gBAAgBhD,OAAOgD;MACvBC,IAAKC,OAAMlD,OAAOmD,SAASD,CAAC;MAC5BE,MAAMA,CAACC,IAAIlG,QAAOf,SAChB4D,OAAOmD,SAASE,IAAI;QAClBlG,OAAAA;QACAmG,oBAAoBlH,QAAAA,OAAAA,SAAAA,KAAMkH;OAC3B;MACHC,SAASA,CAACF,IAAIlG,QAAOf,SACnB4D,OAAOmD,SAASE,IAAI;QAClBE,SAAS;QACTpG,OAAAA;QACAmG,oBAAoBlH,QAAAA,OAAAA,SAAAA,KAAMkH;OAC3B;;EAEP,GAAG,CAACtD,MAAM,CAAC;AAEX,MAAI/E,WAAW+E,OAAO/E,YAAY;AAElC,MAAIuI,oBAA0BV,eAC5B,OAAO;IACL9C;IACA6C;IACAY,QAAQ;IACRxI;MAEF,CAAC+E,QAAQ6C,WAAW5H,QAAQ,CAAC;AAG/B,MAAIyI,eAAqBZ,eACvB,OAAO;IACLa,sBAAsB3D,OAAO1D,OAAOqH;MAEtC,CAAC3D,OAAO1D,OAAOqH,oBAAoB,CAAC;AAStC,SACEnJ,qBAAAoJ,iBAAA,MACEpJ,qBAACqJ,kBAAkBC,UAAS;IAAAvK,OAAOiK;KACjChJ,qBAACuJ,uBAAuBD,UAAS;IAAAvK,OAAO4D;KACrC3C,qBAAAiE,gBAAgBqF,UAAQ;IAACvK,OAAOsH,YAAYa;KAC3ClH,qBAAC6D,sBAAsByF,UAAS;IAAAvK,OAAO8G;EAAS,GAC9C7F,qBAACwJ,QAAM;IACL/I;IACA0H,UAAUxF,MAAMwF;IAChBsB,gBAAgB9G,MAAM+G;IACtBrB;IACAvG,QAAQoH;EAEP,GAAAvG,MAAMgH,eAAenE,OAAO1D,OAAOsG,sBAClCpI,qBAAC4J,oBACC;IAAAjI,QAAQ6D,OAAO7D;IACfG,QAAQ0D,OAAO1D;IACfa;GAAY,IAGd4C,eACD,CACM,CACsB,CACR,CACK,GAEnC,IAAI;AAGX;AAGA,IAAMqE,qBAA2B/K,YAAKgL,UAAU;AAEhD,SAASA,WAAUC,OAQlB;AAAA,MARmB;IAClBnI;IACAG;IACAa;EAKD,IAAAmH;AACC,SAAOC,cAAcpI,QAAQL,QAAWqB,OAAOb,MAAM;AACvD;AAYM,SAAUkI,cAAaC,OAKR;AAAA,MALS;IAC5BxJ;IACAyJ;IACApI;IACAN,QAAAA;EACmB,IAAAyI;AACnB,MAAIE,aAAmB7D,cAAM;AAC7B,MAAI6D,WAAWjD,WAAW,MAAM;AAC9BiD,eAAWjD,UAAUhF,qBAAqB;MAAEV,QAAAA;MAAQ4I,UAAU;IAAI,CAAE;EACrE;AAED,MAAInI,UAAUkI,WAAWjD;AACzB,MAAI,CAACvE,OAAO8C,YAAY,IAAUC,gBAAS;IACzC/E,QAAQsB,QAAQtB;IAChBwH,UAAUlG,QAAQkG;EACnB,CAAA;AACD,MAAI;IAAE5B;EAAkB,IAAKzE,UAAU,CAAA;AACvC,MAAI4E,WAAiBD,mBAClBE,cAA4D;AAC3DJ,0BAAsBnC,uBAClBA,qBAAoB,MAAMqB,aAAakB,QAAQ,CAAC,IAChDlB,aAAakB,QAAQ;EAC3B,GACA,CAAClB,cAAcc,kBAAkB,CAAC;AAGpClC,EAAM0D,uBAAgB,MAAM9F,QAAQoI,OAAO3D,QAAQ,GAAG,CAACzE,SAASyE,QAAQ,CAAC;AAEzE,SACE1G,qBAACwJ,QAAM;IACL/I;IACAyJ;IACA/B,UAAUxF,MAAMwF;IAChBsB,gBAAgB9G,MAAMhC;IACtB0H,WAAWpG;IACXH;EAAc,CAAA;AAGpB;AAaM,SAAUwI,WAAUC,OAKR;AAAA,MALS;IACzB9J;IACAyJ;IACApI;IACAN,QAAAA;EACgB,IAAA+I;AAChB,MAAIJ,aAAmB7D,cAAM;AAC7B,MAAI6D,WAAWjD,WAAW,MAAM;AAC9BiD,eAAWjD,UAAUzE,kBAAkB;MAAEjB,QAAAA;MAAQ4I,UAAU;IAAI,CAAE;EAClE;AAED,MAAInI,UAAUkI,WAAWjD;AACzB,MAAI,CAACvE,OAAO8C,YAAY,IAAUC,gBAAS;IACzC/E,QAAQsB,QAAQtB;IAChBwH,UAAUlG,QAAQkG;EACnB,CAAA;AACD,MAAI;IAAE5B;EAAkB,IAAKzE,UAAU,CAAA;AACvC,MAAI4E,WAAiBD,mBAClBE,cAA4D;AAC3DJ,0BAAsBnC,uBAClBA,qBAAoB,MAAMqB,aAAakB,QAAQ,CAAC,IAChDlB,aAAakB,QAAQ;EAC3B,GACA,CAAClB,cAAcc,kBAAkB,CAAC;AAGpClC,EAAM0D,uBAAgB,MAAM9F,QAAQoI,OAAO3D,QAAQ,GAAG,CAACzE,SAASyE,QAAQ,CAAC;AAEzE,SACE1G,qBAACwJ,QAAM;IACL/I;IACAyJ;IACA/B,UAAUxF,MAAMwF;IAChBsB,gBAAgB9G,MAAMhC;IACtB0H,WAAWpG;IACXH;EAAc,CAAA;AAGpB;AAeA,SAAS0I,cAAaC,OAKD;AAAA,MALE;IACrBhK;IACAyJ;IACApI;IACAG;EACmB,IAAAwI;AACnB,MAAI,CAAC9H,OAAO8C,YAAY,IAAUC,gBAAS;IACzC/E,QAAQsB,QAAQtB;IAChBwH,UAAUlG,QAAQkG;EACnB,CAAA;AACD,MAAI;IAAE5B;EAAkB,IAAKzE,UAAU,CAAA;AACvC,MAAI4E,WAAiBD,mBAClBE,cAA4D;AAC3DJ,0BAAsBnC,uBAClBA,qBAAoB,MAAMqB,aAAakB,QAAQ,CAAC,IAChDlB,aAAakB,QAAQ;EAC3B,GACA,CAAClB,cAAcc,kBAAkB,CAAC;AAGpClC,EAAM0D,uBAAgB,MAAM9F,QAAQoI,OAAO3D,QAAQ,GAAG,CAACzE,SAASyE,QAAQ,CAAC;AAEzE,SACE1G,qBAACwJ,QAAM;IACL/I;IACAyJ;IACA/B,UAAUxF,MAAMwF;IAChBsB,gBAAgB9G,MAAMhC;IACtB0H,WAAWpG;IACXH;EAAc,CAAA;AAGpB;AAEA,IAAAxB,MAAa;AACXkK,gBAAcxG,cAAc;AAC7B;AAeD,IAAM0G,YACJ,OAAOlJ,WAAW,eAClB,OAAOA,OAAOzB,aAAa,eAC3B,OAAOyB,OAAOzB,SAASC,kBAAkB;AAE3C,IAAM2K,sBAAqB;AAKdC,IAAAA,OAAaC,kBACxB,SAASC,YAAWC,OAalBC,KAAG;AAAA,MAZH;IACEC;IACAC;IACAC;IACApC,SAAAA;IACApG;IACAxE;IACA0K;IACAC;IACAsC;EACO,IACRL,OADIM,OAAIC,8BAAAP,OAAAQ,SAAA;AAIT,MAAI;IAAE9K;EAAQ,IAAW+K,kBAAWC,iBAAiB;AAGrD,MAAIC;AACJ,MAAIC,aAAa;AAEjB,MAAI,OAAO9C,OAAO,YAAY8B,oBAAmBiB,KAAK/C,EAAE,GAAG;AAEzD6C,mBAAe7C;AAGf,QAAI6B,WAAW;AACb,UAAI;AACF,YAAImB,aAAa,IAAIC,IAAItK,OAAO2G,SAAS4D,IAAI;AAC7C,YAAIC,YAAYnD,GAAGoD,WAAW,IAAI,IAC9B,IAAIH,IAAID,WAAWK,WAAWrD,EAAE,IAChC,IAAIiD,IAAIjD,EAAE;AACd,YAAIsD,OAAOnL,cAAcgL,UAAUI,UAAU3L,QAAQ;AAErD,YAAIuL,UAAUK,WAAWR,WAAWQ,UAAUF,QAAQ,MAAM;AAE1DtD,eAAKsD,OAAOH,UAAUM,SAASN,UAAUO;QAC1C,OAAM;AACLZ,uBAAa;QACd;eACM1L,GAAG;AAEVK,eAAAC,QACE,OACA,eAAasI,KAAE,wGACsC,IACtD;MACF;IACF;EACF;AAGD,MAAIkD,OAAOS,QAAQ3D,IAAI;IAAEqC;EAAU,CAAA;AAEnC,MAAIuB,kBAAkBC,oBAAoB7D,IAAI;IAC5CE,SAAAA;IACApG;IACAxE;IACA2K;IACAoC;IACAE;EACD,CAAA;AACD,WAASuB,YACP9O,OAAsD;AAEtD,QAAIoN,QAASA,SAAQpN,KAAK;AAC1B,QAAI,CAACA,MAAM+O,kBAAkB;AAC3BH,sBAAgB5O,KAAK;IACtB;EACH;AAEA;;IAEEmC,qBAAA,KAAA+B,UAAA,CAAA,GACMsJ,MAAI;MACRU,MAAML,gBAAgBK;MACtBd,SAASU,cAAcR,iBAAiBF,UAAU0B;MAClD3B;MACA7M;KAAc,CAAA;;AAGpB,CAAC;AAGH,IAAAmC,MAAa;AACXsK,OAAK5G,cAAc;AACpB;AAsBY6I,IAAAA,UAAgBhC,kBAC3B,SAASiC,eAAcC,OAYrB/B,KAAG;AAAA,MAXH;IACE,gBAAgBgC,kBAAkB;IAClCC,gBAAgB;IAChBC,WAAWC,gBAAgB;IAC3BC,MAAM;IACNC,OAAOC;IACPzE;IACAuC;IACAlB;EAED,IAAA6C,OADI1B,OAAIC,8BAAAyB,OAAAQ,UAAA;AAIT,MAAIpB,OAAOqB,gBAAgB3E,IAAI;IAAEqC,UAAUG,KAAKH;EAAQ,CAAE;AAC1D,MAAI/C,WAAWsF,YAAW;AAC1B,MAAIC,cAAoBlC,kBAAWjC,sBAAsB;AACzD,MAAI;IAAElB;IAAW5H;EAAU,IAAS+K,kBAAWC,iBAAiB;AAChE,MAAI1H,kBACF2J,eAAe;;EAGfC,uBAAuBxB,IAAI,KAC3Bf,4BAA4B;AAE9B,MAAIwC,aAAavF,UAAUG,iBACvBH,UAAUG,eAAe2D,IAAI,EAAEC,WAC/BD,KAAKC;AACT,MAAIyB,mBAAmB1F,SAASiE;AAChC,MAAI0B,uBACFJ,eAAeA,YAAYK,cAAcL,YAAYK,WAAW5F,WAC5DuF,YAAYK,WAAW5F,SAASiE,WAChC;AAEN,MAAI,CAACa,eAAe;AAClBY,uBAAmBA,iBAAiBpQ,YAAW;AAC/CqQ,2BAAuBA,uBACnBA,qBAAqBrQ,YAAW,IAChC;AACJmQ,iBAAaA,WAAWnQ,YAAW;EACpC;AAED,MAAIqQ,wBAAwBrN,UAAU;AACpCqN,2BACE9M,cAAc8M,sBAAsBrN,QAAQ,KAAKqN;EACpD;AAOD,QAAME,mBACJJ,eAAe,OAAOA,WAAWK,SAAS,GAAG,IACzCL,WAAWM,SAAS,IACpBN,WAAWM;AACjB,MAAIC,WACFN,qBAAqBD,cACpB,CAACR,OACAS,iBAAiB5B,WAAW2B,UAAU,KACtCC,iBAAiBO,OAAOJ,gBAAgB,MAAM;AAElD,MAAIK,YACFP,wBAAwB,SACvBA,yBAAyBF,cACvB,CAACR,OACAU,qBAAqB7B,WAAW2B,UAAU,KAC1CE,qBAAqBM,OAAOR,WAAWM,MAAM,MAAM;AAEzD,MAAII,cAAc;IAChBH;IACAE;IACAtK;;AAGF,MAAIwK,cAAcJ,WAAWnB,kBAAkB1L;AAE/C,MAAI4L;AACJ,MAAI,OAAOC,kBAAkB,YAAY;AACvCD,gBAAYC,cAAcmB,WAAW;EACtC,OAAM;AAMLpB,gBAAY,CACVC,eACAgB,WAAW,WAAW,MACtBE,YAAY,YAAY,MACxBtK,kBAAkB,kBAAkB,IAAI,EAEvCyK,OAAOC,OAAO,EACdC,KAAK,GAAG;EACZ;AAED,MAAIrB,QACF,OAAOC,cAAc,aAAaA,UAAUgB,WAAW,IAAIhB;AAE7D,SACEjJ,qBAACuG,MAAI7I,UAAA,CAAA,GACCsJ,MAAI;IACM,gBAAAkD;IACdrB;IACAlC;IACAqC;IACAxE;IACAuC;GAEC,GAAA,OAAOlB,aAAa,aAAaA,SAASoE,WAAW,IAAIpE,QAAQ;AAGxE,CAAC;AAGH,IAAA5J,MAAa;AACXuM,UAAQ7I,cAAc;AACvB;AAsGM,IAAM2K,OAAa9D,kBACxB,CAAA+D,OAeEC,iBACE;AAAA,MAfF;IACEC;IACAnG;IACAwC;IACApC,SAAAA;IACApG;IACAjC,SAASvD;IACTwD;IACAoO;IACA7D;IACApC;IACAsC;MAEDwD,OADII,QAAK1D,8BAAAsD,OAAAK,UAAA;AAIV,MAAIC,SAASC,UAAS;AACtB,MAAIC,aAAaC,cAAc1O,QAAQ;IAAEuK;EAAU,CAAA;AACnD,MAAIoE,aACF5O,OAAOjD,YAAW,MAAO,QAAQ,QAAQ;AAE3C,MAAI8R,gBAA0D1R,WAAS;AACrEkR,gBAAYA,SAASlR,KAAK;AAC1B,QAAIA,MAAM+O,iBAAkB;AAC5B/O,UAAM2R,eAAc;AAEpB,QAAIC,YAAa5R,MAAqC6R,YACnDD;AAEH,QAAIE,gBACDF,aAAAA,OAAAA,SAAAA,UAAW1O,aAAa,YAAY,MACrCL;AAEFwO,WAAOO,aAAa5R,MAAM+R,eAAe;MACvCd;MACApO,QAAQiP;MACRhH;MACAI,SAAAA;MACApG;MACAuI;MACApC;MACAsC;IACD,CAAA;;AAGH,SACEpL,qBAAA,QAAA+B,UAAA;IACEiJ,KAAK6D;IACLnO,QAAQ4O;IACR3O,QAAQyO;IACRL,UAAU5D,iBAAiB4D,WAAWQ;KAClCP,KAAK,CAAA;AAGf,CAAC;AAGH,IAAA1O,MAAa;AACXqO,OAAK3K,cAAc;AACpB;SAWe6L,kBAAiBC,QAGR;AAAA,MAHS;IAChCC;IACAC;EACuB,IAAAF;AACvBG,uBAAqB;IAAEF;IAAQC;EAAU,CAAE;AAC3C,SAAO;AACT;AAEA,IAAA1P,MAAa;AACXuP,oBAAkB7L,cAAc;AACjC;AAOD,IAAKkM;CAAL,SAAKA,iBAAc;AACjBA,EAAAA,gBAAA,sBAAA,IAAA;AACAA,EAAAA,gBAAA,WAAA,IAAA;AACAA,EAAAA,gBAAA,kBAAA,IAAA;AACAA,EAAAA,gBAAA,YAAA,IAAA;AACAA,EAAAA,gBAAA,wBAAA,IAAA;AACF,GANKA,oBAAAA,kBAMJ,CAAA,EAAA;AAED,IAAKC;CAAL,SAAKA,sBAAmB;AACtBA,EAAAA,qBAAA,YAAA,IAAA;AACAA,EAAAA,qBAAA,aAAA,IAAA;AACAA,EAAAA,qBAAA,sBAAA,IAAA;AACF,GAJKA,yBAAAA,uBAIJ,CAAA,EAAA;AAID,SAASC,2BACPC,UAA8C;AAE9C,SAAUA,WAAQ;AACpB;AAEA,SAASC,sBAAqBD,UAAwB;AACpD,MAAIE,MAAY/E,kBAAWnC,iBAAiB;AAC5C,GAAUkH,MAAGjQ,OAAbkQ,UAAS,OAAMJ,2BAA0BC,QAAQ,CAAC,IAAlDG,UAAS,KAAA,IAAA;AACT,SAAOD;AACT;AAEA,SAASE,oBAAmBJ,UAA6B;AACvD,MAAI1N,QAAc6I,kBAAWjC,sBAAsB;AACnD,GAAU5G,QAAKrC,OAAfkQ,UAAS,OAAQJ,2BAA0BC,QAAQ,CAAC,IAApDG,UAAS,KAAA,IAAA;AACT,SAAO7N;AACT;AASM,SAAU+J,oBACd7D,IAAM6H,OAeA;AAAA,MAdN;IACEvS;IACA4K,SAAS4H;IACThO;IACAmG;IACAoC;IACAE;yBAQE,CAAA,IAAEsF;AAEN,MAAI/H,WAAWiI,YAAW;AAC1B,MAAIzI,WAAWsF,YAAW;AAC1B,MAAItB,OAAOqB,gBAAgB3E,IAAI;IAAEqC;EAAU,CAAA;AAE3C,SAAazE,mBACV5I,WAA0C;AACzC,QAAIK,uBAAuBL,OAAOM,MAAM,GAAG;AACzCN,YAAM2R,eAAc;AAIpB,UAAIzG,WACF4H,gBAAgBrP,SACZqP,cACAE,WAAW1I,QAAQ,MAAM0I,WAAW1E,IAAI;AAE9CxD,eAASE,IAAI;QACXE,SAAAA;QACApG;QACAmG;QACAoC;QACAE;MACD,CAAA;IACF;KAEH,CACEjD,UACAQ,UACAwD,MACAwE,aACAhO,OACAxE,QACA0K,IACAC,oBACAoC,UACAE,uBAAuB,CACxB;AAEL;AAMM,SAAU0F,gBACdC,aAAiC;AAEjCzQ,SAAAC,QACE,OAAOhC,oBAAoB,aAC3B,yOAG+C,IAChD;AAED,MAAIyS,yBAA+B1K,cAAOjI,mBAAmB0S,WAAW,CAAC;AACzE,MAAIE,wBAA8B3K,cAAO,KAAK;AAE9C,MAAI6B,WAAWsF,YAAW;AAC1B,MAAInO,eAAqBgJ,eACvB;;;;IAIEnJ,2BACEgJ,SAASmE,QACT2E,sBAAsB/J,UAAU,OAAO8J,uBAAuB9J,OAAO;KAEzE,CAACiB,SAASmE,MAAM,CAAC;AAGnB,MAAI3D,WAAWiI,YAAW;AAC1B,MAAIM,kBAAwBzK,mBAC1B,CAAC0K,UAAUC,oBAAmB;AAC5B,UAAMC,kBAAkBhT,mBACtB,OAAO8S,aAAa,aAAaA,SAAS7R,YAAY,IAAI6R,QAAQ;AAEpEF,0BAAsB/J,UAAU;AAChCyB,aAAS,MAAM0I,iBAAiBD,eAAe;EACjD,GACA,CAACzI,UAAUrJ,YAAY,CAAC;AAG1B,SAAO,CAACA,cAAc4R,eAAe;AACvC;AA2CA,SAASI,+BAA4B;AACnC,MAAI,OAAOvR,aAAa,aAAa;AACnC,UAAM,IAAIoB,MACR,+GACgE;EAEnE;AACH;AAEA,IAAIoQ,YAAY;AAChB,IAAIC,qBAAqBA,MAAA,OAAWC,OAAO,EAAEF,SAAS,IAAK;SAM3CpC,YAAS;AACvB,MAAI;IAAE3J;EAAM,IAAK8K,sBAAqBJ,gBAAewB,SAAS;AAC9D,MAAI;IAAEjR;EAAQ,IAAW+K,kBAAWC,iBAAiB;AACrD,MAAIkG,iBAAiBC,WAAU;AAE/B,SAAanL,mBACX,SAACtI,QAAQ0T,SAAgB;AAAA,QAAhBA,YAAO,QAAA;AAAPA,gBAAU,CAAA;IAAE;AACnBP,iCAA4B;AAE5B,QAAI;MAAE3Q;MAAQD;MAAQL;MAASO;MAAUC;IAAI,IAAKL,sBAChDrC,QACAsC,QAAQ;AAGV,QAAIoR,QAAQlJ,aAAa,OAAO;AAC9B,UAAI7J,MAAM+S,QAAQ/C,cAAc0C,mBAAkB;AAClDhM,aAAOsM,MAAMhT,KAAK6S,gBAAgBE,QAAQlR,UAAUA,QAAQ;QAC1DmI,oBAAoB+I,QAAQ/I;QAC5BlI;QACAC;QACAyO,YAAYuC,QAAQnR,UAAWA;QAC/BqR,aAAaF,QAAQxR,WAAYA;QACjCyG,oBAAoB+K,QAAQ/K;MAC7B,CAAA;IACF,OAAM;AACLtB,aAAOmD,SAASkJ,QAAQlR,UAAUA,QAAQ;QACxCmI,oBAAoB+I,QAAQ/I;QAC5BlI;QACAC;QACAyO,YAAYuC,QAAQnR,UAAWA;QAC/BqR,aAAaF,QAAQxR,WAAYA;QACjC0I,SAAS8I,QAAQ9I;QACjBpG,OAAOkP,QAAQlP;QACfqP,aAAaL;QACb7K,oBAAoB+K,QAAQ/K;QAC5BsE,yBAAyByG,QAAQzG;MAClC,CAAA;IACF;KAEH,CAAC5F,QAAQ/E,UAAUkR,cAAc,CAAC;AAEtC;AAIM,SAAUtC,cACd1O,QAAesR,QACsC;AAAA,MAArD;IAAE/G;0BAAiD,CAAA,IAAE+G;AAErD,MAAI;IAAExR;EAAQ,IAAW+K,kBAAWC,iBAAiB;AACrD,MAAIyG,eAAqB1G,kBAAW2G,YAAY;AAChD,GAAUD,eAAY5R,OAAtBkQ,UAAS,OAAe,kDAAkD,IAA1EA,UAAS,KAAA,IAAA;AAET,MAAI,CAAC4B,KAAK,IAAIF,aAAaG,QAAQC,MAAM,EAAE;AAG3C,MAAInG,OAAIpK,UAAQyL,CAAAA,GAAAA,gBAAgB7M,SAASA,SAAS,KAAK;IAAEuK;EAAQ,CAAE,CAAC;AAKpE,MAAI/C,WAAWsF,YAAW;AAC1B,MAAI9M,UAAU,MAAM;AAGlBwL,SAAKG,SAASnE,SAASmE;AAKvB,QAAIiG,SAAS,IAAIhU,gBAAgB4N,KAAKG,MAAM;AAC5C,QAAIiG,OAAO9S,IAAI,OAAO,KAAK8S,OAAOC,IAAI,OAAO,MAAM,IAAI;AACrDD,aAAOpL,OAAO,OAAO;AACrBgF,WAAKG,SAASiG,OAAOE,SAAQ,IAAE,MAAOF,OAAOE,SAAQ,IAAO;IAC7D;EACF;AAED,OAAK,CAAC9R,UAAUA,WAAW,QAAQyR,MAAMM,MAAMC,OAAO;AACpDxG,SAAKG,SAASH,KAAKG,SACfH,KAAKG,OAAOvD,QAAQ,OAAO,SAAS,IACpC;EACL;AAMD,MAAItI,aAAa,KAAK;AACpB0L,SAAKC,WACHD,KAAKC,aAAa,MAAM3L,WAAWmS,UAAU,CAACnS,UAAU0L,KAAKC,QAAQ,CAAC;EACzE;AAED,SAAOyE,WAAW1E,IAAI;AACxB;SAgBgB0G,WAAUC,QAEF;AAAA,MAAAC;AAAA,MAFgB;IACtCjU;0BACoB,CAAA,IAAEgU;AACtB,MAAI;IAAEtN;EAAM,IAAK8K,sBAAqBJ,gBAAe8C,UAAU;AAC/D,MAAIrQ,QAAQ8N,oBAAmBN,qBAAoB6C,UAAU;AAC7D,MAAI3M,cAAoBmF,kBAAWvH,eAAe;AAClD,MAAIyO,QAAclH,kBAAW2G,YAAY;AACzC,MAAIc,WAAOF,iBAAGL,MAAML,QAAQK,MAAML,QAAQnE,SAAS,CAAC,MAAC,OAAA,SAAvC6E,eAAyCL,MAAMQ;AAE7D,GAAU7M,cAAW/F,OAArBkQ,UAAS,OAAA,kDAAA,IAATA,UAAS,KAAA,IAAA;AACT,GAAUkC,QAAKpS,OAAfkQ,UAAS,OAAA,+CAAA,IAATA,UAAS,KAAA,IAAA;AACT,IACEyC,WAAW,QAAI3S,OADjBkQ,UAAS,OAAA,kEAAA,IAATA,UAAS,KAAA,IAAA;AAQT,MAAI2C,aAAazO,YAAYA,UAAS,IAAK;AAC3C,MAAI,CAACoK,YAAYsE,aAAa,IAAU1N,gBAAiB5G,OAAOqU,UAAU;AAC1E,MAAIrU,OAAOA,QAAQgQ,YAAY;AAC7BsE,kBAActU,GAAG;EAClB,WAAU,CAACgQ,YAAY;AAEtBsE,kBAAc5B,mBAAkB,CAAE;EACnC;AAGDnN,EAAM4D,iBAAU,MAAK;AACnBzC,WAAO6N,WAAWvE,UAAU;AAC5B,WAAO,MAAK;AAIVtJ,aAAO8N,cAAcxE,UAAU;;EAEnC,GAAG,CAACtJ,QAAQsJ,UAAU,CAAC;AAGvB,MAAIyE,OAAa9M,mBACf,CAACsF,MAAcnK,SAA2C;AACxD,KAAUqR,UAAO3S,OAAjBkQ,UAAS,OAAU,yCAAyC,IAA5DA,UAAS,KAAA,IAAA;AACThL,WAAOsM,MAAMhD,YAAYmE,SAASlH,MAAMnK,IAAI;KAE9C,CAACkN,YAAYmE,SAASzN,MAAM,CAAC;AAG/B,MAAIgO,aAAarE,UAAS;AAC1B,MAAID,SAAezI,mBACjB,CAACtI,QAAQyD,SAAQ;AACf4R,eAAWrV,QAAM4D,UAAA,CAAA,GACZH,MAAI;MACP+G,UAAU;MACVmG;IAAU,CAAA,CACX;EACH,GACA,CAACA,YAAY0E,UAAU,CAAC;AAG1B,MAAIC,cAAoBnL,eAAQ,MAAK;AACnC,QAAImL,eAAoB5I,kBACtB,CAACmE,OAAOhE,QAAO;AACb,aACGhL,qBAAA2O,MAAI5M,UAAA,CAAA,GAAKiN,OAAK;QAAErG,UAAU;QAAOmG;QAAwB9D;MAAQ,CAAA,CAAA;IAEtE,CAAC;AAEH,QAAA1K,MAAa;AACXmT,MAAAA,aAAYzP,cAAc;IAC3B;AACD,WAAOyP;EACT,GAAG,CAAC3E,UAAU,CAAC;AAGf,MAAIzH,UAAU1E,MAAMyE,SAASoL,IAAI1D,UAAU,KAAK4E;AAChD,MAAIpQ,OAAO+C,YAAYmM,IAAI1D,UAAU;AACrC,MAAI6E,wBAA8BrL,eAChC,MAAAvG,UAAA;IACE4M,MAAM8E;IACNvE;IACAqE;EAAI,GACDlM,SAAO;IACV/D;EAAI,CAAA,GAEN,CAACmQ,aAAavE,QAAQqE,MAAMlM,SAAS/D,IAAI,CAAC;AAG5C,SAAOqQ;AACT;SAMgBC,cAAW;AACzB,MAAIjR,QAAQ8N,oBAAmBN,qBAAoB0D,WAAW;AAC9D,SAAOrV,MAAMsV,KAAKnR,MAAMyE,SAASrE,QAAO,CAAE,EAAE9D,IAAI8U,YAAA;AAAA,QAAC,CAACjV,KAAKuI,OAAO,IAAC0M;AAAA,WAAAhS,UAAA,CAAA,GAC1DsF,SAAO;MACVvI;IAAG,CAAA;EAAA,CACH;AACJ;AAEA,IAAMkV,iCAAiC;AACvC,IAAIC,uBAA+C,CAAA;AAKnD,SAAShE,qBAAoBiE,QAMvB;AAAA,MANwB;IAC5BnE;IACAC;0BAIE,CAAA,IAAEkE;AACJ,MAAI;IAAE1O;EAAM,IAAK8K,sBAAqBJ,gBAAeiE,oBAAoB;AACzE,MAAI;IAAEC;IAAuBtL;EAAoB,IAAG2H,oBAClDN,qBAAoBgE,oBAAoB;AAE1C,MAAI;IAAE1T;EAAQ,IAAW+K,kBAAWC,iBAAiB;AACrD,MAAItD,WAAWsF,YAAW;AAC1B,MAAI4E,UAAUgC,WAAU;AACxB,MAAItG,aAAauG,cAAa;AAG9BjQ,EAAM4D,iBAAU,MAAK;AACnBzG,WAAOS,QAAQsS,oBAAoB;AACnC,WAAO,MAAK;AACV/S,aAAOS,QAAQsS,oBAAoB;;KAEpC,CAAA,CAAE;AAGLC,cACQ/N,mBAAY,MAAK;AACrB,QAAIsH,WAAWpL,UAAU,QAAQ;AAC/B,UAAI7D,OAAOiR,SAASA,OAAO5H,UAAUkK,OAAO,IAAI,SAASlK,SAASrJ;AAClEmV,2BAAqBnV,GAAG,IAAI0C,OAAOiT;IACpC;AACD,QAAI;AACFC,qBAAeC,QACb3E,cAAcgE,gCACdY,KAAKC,UAAUZ,oBAAoB,CAAC;aAE/BvQ,OAAO;AACdpD,aAAAC,QACE,OAAK,sGAC+FmD,QAAK,IAAI,IAC9G;IACF;AACDlC,WAAOS,QAAQsS,oBAAoB;EACrC,GAAG,CAACvE,YAAYD,QAAQhC,WAAWpL,OAAOwF,UAAUkK,OAAO,CAAC,CAAC;AAI/D,MAAI,OAAOtS,aAAa,aAAa;AAEnCsE,IAAM0D,uBAAgB,MAAK;AACzB,UAAI;AACF,YAAI+M,mBAAmBJ,eAAeK,QACpC/E,cAAcgE,8BAA8B;AAE9C,YAAIc,kBAAkB;AACpBb,iCAAuBW,KAAKI,MAAMF,gBAAgB;QACnD;eACM7U,GAAG;MACV;IAEJ,GAAG,CAAC+P,UAAU,CAAC;AAIf3L,IAAM0D,uBAAgB,MAAK;AACzB,UAAIkN,wBACFlF,UAAUtP,aAAa,MACnB,CAAC0H,WAAUkK,aACTtC;;QACEhO,UAAA,CAAA,GAEKoG,WAAQ;UACXiE,UACEpL,cAAcmH,UAASiE,UAAU3L,QAAQ,KACzC0H,UAASiE;SAEbiG;QAAAA;MAAO,IAEXtC;AACN,UAAImF,2BAA2B1P,UAAAA,OAAAA,SAAAA,OAAQ2P,wBACrClB,sBACA,MAAMzS,OAAOiT,SACbQ,qBAAqB;AAEvB,aAAO,MAAMC,4BAA4BA,yBAAwB;OAChE,CAAC1P,QAAQ/E,UAAUsP,MAAM,CAAC;AAI7B1L,IAAM0D,uBAAgB,MAAK;AAEzB,UAAIqM,0BAA0B,OAAO;AACnC;MACD;AAGD,UAAI,OAAOA,0BAA0B,UAAU;AAC7C5S,eAAO4T,SAAS,GAAGhB,qBAAqB;AACxC;MACD;AAGD,UAAIjM,SAASoE,MAAM;AACjB,YAAI8I,KAAKtV,SAASuV,eAChBC,mBAAmBpN,SAASoE,KAAK+F,MAAM,CAAC,CAAC,CAAC;AAE5C,YAAI+C,IAAI;AACNA,aAAGG,eAAc;AACjB;QACD;MACF;AAGD,UAAI1M,uBAAuB,MAAM;AAC/B;MACD;AAGDtH,aAAO4T,SAAS,GAAG,CAAC;OACnB,CAACjN,UAAUiM,uBAAuBtL,kBAAkB,CAAC;EACzD;AACH;AAYgB,SAAA2M,gBACdC,UACA7D,SAA+B;AAE/B,MAAI;IAAE8D;EAAO,IAAK9D,WAAW,CAAA;AAC7BxN,EAAM4D,iBAAU,MAAK;AACnB,QAAIrG,OAAO+T,WAAW,OAAO;MAAEA;IAAS,IAAGrU;AAC3CE,WAAOoU,iBAAiB,gBAAgBF,UAAU9T,IAAI;AACtD,WAAO,MAAK;AACVJ,aAAOqU,oBAAoB,gBAAgBH,UAAU9T,IAAI;;EAE7D,GAAG,CAAC8T,UAAUC,OAAO,CAAC;AACxB;AAUA,SAASnB,YACPkB,UACA7D,SAA+B;AAE/B,MAAI;IAAE8D;EAAO,IAAK9D,WAAW,CAAA;AAC7BxN,EAAM4D,iBAAU,MAAK;AACnB,QAAIrG,OAAO+T,WAAW,OAAO;MAAEA;IAAS,IAAGrU;AAC3CE,WAAOoU,iBAAiB,YAAYF,UAAU9T,IAAI;AAClD,WAAO,MAAK;AACVJ,aAAOqU,oBAAoB,YAAYH,UAAU9T,IAAI;;EAEzD,GAAG,CAAC8T,UAAUC,OAAO,CAAC;AACxB;AAUA,SAASG,UAASC,QAMjB;AAAA,MANkB;IACjBC;IACArS;EAID,IAAAoS;AACC,MAAIE,UAAUC,WAAWF,IAAI;AAE7B3R,EAAM4D,iBAAU,MAAK;AACnB,QAAIgO,QAAQtT,UAAU,WAAW;AAC/B,UAAIwT,UAAU3U,OAAO4U,QAAQzS,OAAO;AACpC,UAAIwS,SAAS;AAIXE,mBAAWJ,QAAQE,SAAS,CAAC;MAC9B,OAAM;AACLF,gBAAQK,MAAK;MACd;IACF;EACH,GAAG,CAACL,SAAStS,OAAO,CAAC;AAErBU,EAAM4D,iBAAU,MAAK;AACnB,QAAIgO,QAAQtT,UAAU,aAAa,CAACqT,MAAM;AACxCC,cAAQK,MAAK;IACd;EACH,GAAG,CAACL,SAASD,IAAI,CAAC;AACpB;AAYA,SAASrI,uBACP9E,IACAjH,MAA6C;AAAA,MAA7CA,SAAAA,QAAAA;AAAAA,WAA2C,CAAA;EAAE;AAE7C,MAAIiE,YAAkB2F,kBAAW3H,qBAAqB;AAEtD,IACEgC,aAAa,QAAIvF,OADnBkQ,UAEE,OAAA,iKACqE,IAHvEA,UAAS,KAAA,IAAA;AAMT,MAAI;IAAE/P;EAAQ,IAAK6P,sBACjBJ,gBAAevC,sBAAsB;AAEvC,MAAIxB,OAAOqB,gBAAgB3E,IAAI;IAAEqC,UAAUtJ,KAAKsJ;EAAQ,CAAE;AAC1D,MAAI,CAACrF,UAAU9B,iBAAiB;AAC9B,WAAO;EACR;AAED,MAAIwS,cACFvV,cAAc6E,UAAU6B,gBAAgB0E,UAAU3L,QAAQ,KAC1DoF,UAAU6B,gBAAgB0E;AAC5B,MAAIoK,WACFxV,cAAc6E,UAAU8B,aAAayE,UAAU3L,QAAQ,KACvDoF,UAAU8B,aAAayE;AAezB,SACEqK,UAAUtK,KAAKC,UAAUoK,QAAQ,KAAK,QACtCC,UAAUtK,KAAKC,UAAUmK,WAAW,KAAK;AAE7C;",6 "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", "resolvePath", "fromPathname", "toPathname", "resolvePathname", "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", "joinPaths", "paths", "join", "replace", "normalizePathname", "pathname", "normalizeSearch", "search", "startsWith", "normalizeHash", "hash", "json", "data", "init", "responseInit", "status", "headers", "Headers", "has", "set", "Response", "JSON", "stringify", "_extends", "AbortedDeferredError", "Error", "DeferredData", "constructor", "data", "responseInit", "pendingKeysSet", "Set", "subscribers", "deferredKeys", "invariant", "Array", "isArray", "reject", "abortPromise", "Promise", "_", "r", "controller", "AbortController", "onAbort", "unlistenAbortSignal", "signal", "removeEventListener", "addEventListener", "Object", "entries", "reduce", "acc", "_ref2", "key", "value", "assign", "trackPromise", "done", "init", "push", "add", "promise", "race", "then", "onSettle", "undefined", "error", "catch", "defineProperty", "get", "aborted", "delete", "undefinedError", "emit", "settledKey", "forEach", "subscriber", "subscribe", "fn", "cancel", "abort", "v", "k", "resolveData", "resolve", "size", "unwrappedData", "_ref3", "unwrapTrackedPromise", "pendingKeys", "from", "isTrackedPromise", "_tracked", "_error", "_data", "defer", "status", "redirect", "url", "headers", "Headers", "set", "Response", "_extends", "redirectDocument", "response", "replace", "ErrorResponseImpl", "statusText", "internal", "toString", "isRouteErrorResponse", "validMutationMethodsArr", "validMutationMethods", "validRequestMethodsArr", "validRequestMethods", "redirectStatusCodes", "redirectPreserveMethodStatusCodes", "IDLE_NAVIGATION", "state", "location", "formMethod", "formAction", "formEncType", "formData", "json", "text", "IDLE_FETCHER", "IDLE_BLOCKER", "proceed", "reset", "ABSOLUTE_URL_REGEX", "defaultMapRouteProperties", "route", "hasErrorBoundary", "Boolean", "TRANSITIONS_STORAGE_KEY", "createRouter", "routerWindow", "window", "isBrowser", "document", "createElement", "isServer", "routes", "length", "mapRouteProperties", "detectErrorBoundary", "manifest", "dataRoutes", "convertRoutesToDataRoutes", "inFlightDataRoutes", "basename", "dataStrategyImpl", " unstable_dataStrategy", "defaultDataStrategy", "patchRoutesOnMissImpl", "unstable_patchRoutesOnMiss", "future", "v7_fetcherPersist", "v7_normalizeFormMethod", "v7_partialHydration", "v7_prependBasename", "v7_relativeSplatPath", "v7_skipActionErrorRevalidation", "unlistenHistory", "savedScrollPositions", "getScrollRestorationKey", "getScrollPosition", "initialScrollRestored", "hydrationData", "initialMatches", "matchRoutes", "history", "initialErrors", "getInternalRouterError", "pathname", "matches", "getShortCircuitMatches", "id", "fogOfWar", "checkFogOfWar", "active", "initialized", "some", "m", "lazy", "loader", "loaderData", "errors", "isRouteInitialized", "hydrate", "idx", "findIndex", "slice", "every", "router", "historyAction", "action", "navigation", "restoreScrollPosition", "preventScrollReset", "revalidation", "actionData", "fetchers", "Map", "blockers", "pendingAction", "HistoryAction", "Pop", "pendingPreventScrollReset", "pendingNavigationController", "pendingViewTransitionEnabled", "appliedViewTransitions", "removePageHideEventListener", "isUninterruptedRevalidation", "isRevalidationRequired", "cancelledDeferredRoutes", "cancelledFetcherLoads", "fetchControllers", "incrementingLoadId", "pendingNavigationLoadId", "fetchReloadIds", "fetchRedirectIds", "fetchLoadMatches", "activeFetchers", "deletedFetchers", "activeDeferreds", "blockerFunctions", "pendingPatchRoutes", "ignoreNextHistoryUpdate", "initialize", "listen", "_ref", "delta", "warning", "blockerKey", "shouldBlockNavigation", "currentLocation", "nextLocation", "go", "updateBlocker", "updateState", "startNavigation", "restoreAppliedTransitions", "_saveAppliedTransitions", "persistAppliedTransitions", "initialHydration", "dispose", "clear", "deleteFetcher", "deleteBlocker", "newState", "opts", "completedFetchers", "deletedFetchersKeys", "fetcher", "has", "unstable_viewTransitionOpts", "viewTransitionOpts", "unstable_flushSync", "flushSync", "completeNavigation", "_temp", "_location$state", "_location$state2", "isActionReload", "isMutationMethod", "_isRedirect", "keys", "mergeLoaderData", "Push", "Replace", "priorPaths", "toPaths", "getSavedScrollPosition", "navigate", "to", "normalizedPath", "normalizeTo", "fromRouteId", "relative", "path", "submission", "normalizeNavigateOptions", "createLocation", "encodeLocation", "userReplace", "search", "pendingError", "enableViewTransition", "unstable_viewTransition", "revalidate", "interruptActiveLoads", "startUninterruptedRevalidation", "overrideNavigation", "saveScrollPosition", "routesToUse", "loadingNavigation", "notFoundMatches", "handleNavigational404", "isHashChangeOnly", "request", "createClientSideRequest", "pendingActionResult", "findNearestBoundary", "type", "ResultType", "actionResult", "handleAction", "shortCircuited", "routeId", "result", "isErrorResult", "getLoadingNavigation", "updatedMatches", "handleLoaders", "fetcherSubmission", "getActionDataForCommit", "isFogOfWar", "getSubmittingNavigation", "discoverResult", "discoverRoutes", "boundaryId", "handleDiscoverRouteError", "partialMatches", "actionMatch", "getTargetMatch", "method", "results", "callDataStrategy", "isRedirectResult", "normalizeRedirectLocation", "URL", "startRedirectNavigation", "isDeferredResult", "boundaryMatch", "activeSubmission", "getSubmissionFromNavigation", "shouldUpdateNavigationState", "getUpdatedActionData", "matchesToLoad", "revalidatingFetchers", "getMatchesToLoad", "cancelActiveDeferreds", "updatedFetchers", "markFetchRedirectsDone", "updates", "getUpdatedRevalidatingFetchers", "rf", "abortFetcher", "abortPendingFetchRevalidations", "f", "loaderResults", "fetcherResults", "callLoadersAndMaybeResolveData", "findRedirect", "fetcherKey", "processLoaderData", "deferredData", "filter", "didAbortFetchLoads", "abortStaleFetchLoads", "shouldUpdateFetchers", "revalidatingFetcher", "getLoadingFetcher", "fetch", "href", "setFetcherError", "match", "handleFetcherAction", "handleFetcherLoader", "requestMatches", "detectAndHandle405Error", "existingFetcher", "updateFetcherState", "getSubmittingFetcher", "abortController", "fetchRequest", "originatingLoadId", "actionResults", "getDoneFetcher", "revalidationRequest", "loadId", "loadFetcher", "staleKey", "doneFetcher", "resolveDeferredData", "_temp2", "redirectLocation", "isDocumentReload", "test", "createURL", "origin", "stripBasename", "redirectHistoryAction", "callDataStrategyImpl", "all", "map", "i", "isRedirectHandlerResult", "normalizeRelativeRoutingRedirectResponse", "convertHandlerResultToDataResult", "e", "currentMatches", "fetchersToLoad", "fetcherRequest", "resolveDeferredResults", "getFetcher", "deleteFetcherAndUpdateState", "count", "markFetchersDone", "doneKeys", "landedId", "yeetedKeys", "getBlocker", "blocker", "newBlocker", "_ref4", "blockerFunction", "message", "String", "predicate", "cancelledRouteIds", "dfd", "enableScrollRestoration", "positions", "getPosition", "getKey", "y", "getScrollKey", "convertRouteMatchToUiMatch", "fogMatches", "matchRoutesImpl", "leafRoute", "endsWith", "isNonHMR", "loadLazyRouteChildren", "newMatches", "matchedSplat", "index", "newPartialMatches", "join", "_internalSetRoutes", "newRoutes", "patchRoutes", "children", "patchRoutesImpl", "createHref", "_internalFetchControllers", "_internalActiveDeferreds", "UNSAFE_DEFERRED_SYMBOL", "Symbol", "isSubmissionNavigation", "opts", "formData", "body", "undefined", "normalizeTo", "location", "matches", "basename", "prependBasename", "to", "v7_relativeSplatPath", "fromRouteId", "relative", "contextualMatches", "activeRouteMatch", "match", "push", "route", "id", "length", "path", "resolveTo", "getResolveToMatches", "stripBasename", "pathname", "search", "hash", "index", "hasNakedIndexQuery", "replace", "joinPaths", "createPath", "normalizeNavigateOptions", "normalizeFormMethod", "isFetcher", "formMethod", "isValidMethod", "error", "getInternalRouterError", "method", "getInvalidBodyError", "type", "rawFormMethod", "toUpperCase", "toLowerCase", "formAction", "stripHashFromPath", "formEncType", "isMutationMethod", "text", "FormData", "URLSearchParams", "Array", "from", "entries", "reduce", "acc", "_ref5", "name", "value", "String", "submission", "json", "JSON", "parse", "e", "invariant", "searchParams", "convertFormDataToSearchParams", "convertSearchParamsToFormData", "parsedPath", "parsePath", "append", "getLoaderMatchesUntilBoundary", "boundaryId", "boundaryMatches", "findIndex", "m", "slice", "getMatchesToLoad", "history", "state", "isInitialLoad", "skipActionErrorRevalidation", "isRevalidationRequired", "cancelledDeferredRoutes", "cancelledFetcherLoads", "deletedFetchers", "fetchLoadMatches", "fetchRedirectIds", "routesToUse", "pendingActionResult", "actionResult", "isErrorResult", "data", "currentUrl", "createURL", "nextUrl", "actionStatus", "statusCode", "shouldSkipRevalidation", "navigationMatches", "filter", "lazy", "loader", "hydrate", "loaderData", "errors", "isNewLoader", "some", "currentRouteMatch", "nextRouteMatch", "shouldRevalidateLoader", "_extends", "currentParams", "params", "nextParams", "defaultShouldRevalidate", "isNewRouteInstance", "revalidatingFetchers", "forEach", "f", "key", "routeId", "has", "fetcherMatches", "matchRoutes", "controller", "fetcher", "fetchers", "get", "fetcherMatch", "getTargetMatch", "shouldRevalidate", "delete", "AbortController", "currentLoaderData", "currentMatch", "isNew", "isMissingData", "currentPath", "endsWith", "loaderMatch", "arg", "routeChoice", "loadLazyRouteChildren", "patchRoutesOnMissImpl", "routes", "manifest", "mapRouteProperties", "pendingRouteChildren", "signal", "map", "join", "pending", "patch", "children", "aborted", "patchRoutesImpl", "set", "isPromise", "_route$children", "dataChildren", "convertRoutesToDataRoutes", "loadLazyRouteModule", "lazyRoute", "routeToUpdate", "routeUpdates", "lazyRouteProperty", "staticRouteValue", "isPropertyStaticallyDefined", "warning", "immutableRouteKeys", "Object", "assign", "defaultDataStrategy", "Promise", "all", "resolve", "callDataStrategyImpl", "dataStrategyImpl", "request", "matchesToLoad", "requestContext", "routeIdsToLoad", "add", "Set", "loadedMatches", "results", "shouldLoad", "handlerOverride", "callLoaderOrAction", "ResultType", "result", "context", "_", "i", "staticContext", "onReject", "runHandler", "handler", "reject", "abortPromise", "r", "addEventListener", "actualHandler", "ctx", "Error", "handlerPromise", "val", "race", "handlerError", "catch", "url", "URL", "removeEventListener", "convertHandlerResultToDataResult", "handlerResult", "isResponse", "contentType", "headers", "test", "ErrorResponseImpl", "status", "statusText", "isDataWithResponseInit", "_result$init2", "_result$init", "init", "isRouteErrorResponse", "isDeferredData", "_result$init3", "_result$init4", "deferred", "deferredData", "Headers", "_result$init5", "_result$init6", "normalizeRelativeRoutingRedirectResponse", "response", "ABSOLUTE_URL_REGEX", "trimmedMatches", "normalizeRedirectLocation", "normalizedLocation", "startsWith", "protocol", "isSameBasename", "origin", "createClientSideRequest", "toString", "stringify", "Request", "processRouteLoaderData", "activeDeferreds", "skipLoaderErrorBubbling", "foundError", "loaderHeaders", "pendingError", "isRedirectResult", "boundaryMatch", "findNearestBoundary", "isDeferredResult", "processLoaderData", "fetcherResults", "doneFetcher", "getDoneFetcher", "mergeLoaderData", "newLoaderData", "mergedLoaderData", "hasOwnProperty", "getActionDataForCommit", "actionData", "eligibleMatches", "reverse", "find", "hasErrorBoundary", "getShortCircuitMatches", "pathnameBase", "_temp5", "message", "errorMessage", "findRedirect", "idx", "isHashChangeOnly", "a", "b", "isRedirectHandlerResult", "result", "isResponse", "redirectStatusCodes", "has", "status", "isDeferredResult", "type", "ResultType", "deferred", "isErrorResult", "error", "isRedirectResult", "redirect", "isDataWithResponseInit", "value", "isDeferredData", "data", "subscribe", "cancel", "resolveData", "statusText", "headers", "body", "isValidMethod", "method", "validRequestMethods", "has", "toLowerCase", "isMutationMethod", "validMutationMethods", "resolveDeferredResults", "currentMatches", "matchesToLoad", "results", "signals", "isFetcher", "currentLoaderData", "index", "length", "result", "match", "currentMatch", "find", "m", "route", "id", "isRevalidatingLoader", "isNewRouteInstance", "undefined", "isDeferredResult", "signal", "invariant", "resolveDeferredData", "then", "unwrap", "aborted", "deferredData", "resolveData", "type", "ResultType", "data", "unwrappedData", "e", "error", "hasNakedIndexQuery", "search", "URLSearchParams", "getAll", "some", "v", "getTargetMatch", "matches", "location", "parsePath", "pathMatches", "getPathContributingMatches", "getSubmissionFromNavigation", "navigation", "formMethod", "formAction", "formEncType", "text", "formData", "json", "getLoadingNavigation", "submission", "state", "getSubmittingNavigation", "getLoadingFetcher", "fetcher", "getSubmittingFetcher", "existingFetcher", "getDoneFetcher", "restoreAppliedTransitions", "_window", "transitions", "sessionPositions", "sessionStorage", "getItem", "TRANSITIONS_STORAGE_KEY", "JSON", "parse", "k", "Object", "entries", "Array", "isArray", "set", "Set", "persistAppliedTransitions", "size", "setItem", "stringify", "warning", "DataRouterContext", "createContext", "process", "displayName", "DataRouterStateContext", "AwaitContext", "NavigationContext", "LocationContext", "RouteContext", "outlet", "matches", "isDataRoute", "RouteErrorContext", "useHref", "to", "_temp", "relative", "useInRouterContext", "invariant", "basename", "navigator", "useContext", "hash", "pathname", "search", "useResolvedPath", "joinedPathname", "joinPaths", "createHref", "useLocation", "location", "useNavigationType", "navigationType", "useMatch", "pattern", "useMemo", "matchPath", "decodePath", "navigateEffectWarning", "useIsomorphicLayoutEffect", "cb", "isStatic", "static", "React", "useLayoutEffect", "useNavigate", "useNavigateStable", "useNavigateUnstable", "dataRouterContext", "future", "locationPathname", "routePathnamesJson", "JSON", "stringify", "getResolveToMatches", "v7_relativeSplatPath", "activeRef", "useRef", "current", "navigate", "useCallback", "options", "warning", "go", "path", "resolveTo", "parse", "replace", "push", "state", "OutletContext", "useOutletContext", "useOutlet", "context", "createElement", "Provider", "value", "useParams", "routeMatch", "length", "params", "_temp2", "useRoutes", "routes", "locationArg", "useRoutesImpl", "dataRouterState", "parentMatches", "parentParams", "parentPathname", "parentPathnameBase", "pathnameBase", "parentRoute", "route", "parentPath", "warningOnce", "endsWith", "locationFromContext", "_parsedLocationArg$pa", "parsedLocationArg", "parsePath", "startsWith", "remainingPathname", "parentSegments", "split", "segments", "slice", "join", "matchRoutes", "element", "undefined", "Component", "lazy", "renderedMatches", "_renderMatches", "map", "match", "Object", "assign", "encodeLocation", "_extends", "key", "NavigationType", "Pop", "DefaultErrorComponent", "error", "useRouteError", "message", "isRouteErrorResponse", "status", "statusText", "Error", "stack", "lightgrey", "preStyles", "padding", "backgroundColor", "codeStyles", "devInfo", "console", "Fragment", "style", "fontStyle", "defaultErrorElement", "RenderErrorBoundary", "constructor", "props", "revalidation", "getDerivedStateFromError", "getDerivedStateFromProps", "componentDidCatch", "errorInfo", "render", "routeContext", "children", "component", "RenderedRoute", "_ref", "staticContext", "errorElement", "ErrorBoundary", "_deepestRenderedBoundaryId", "id", "_dataRouterState", "_future", "errors", "v7_partialHydration", "initialized", "errorIndex", "findIndex", "m", "keys", "Math", "min", "renderFallback", "fallbackIndex", "i", "HydrateFallback", "hydrateFallbackElement", "loaderData", "needsToRunLoader", "loader", "reduceRight", "index", "shouldRenderHydrateFallback", "concat", "getChildren", "DataRouterHook", "DataRouterStateHook", "getDataRouterConsoleError", "hookName", "useDataRouterContext", "ctx", "useDataRouterState", "useRouteContext", "useCurrentRouteId", "thisRoute", "useRouteId", "UseRouteId", "useNavigation", "UseNavigation", "navigation", "useRevalidator", "UseRevalidator", "revalidate", "router", "useMatches", "UseMatches", "convertRouteMatchToUiMatch", "useLoaderData", "UseLoaderData", "routeId", "useRouteLoaderData", "UseRouteLoaderData", "useActionData", "UseActionData", "actionData", "_state$errors", "UseRouteError", "useAsyncValue", "_data", "useAsyncError", "_error", "blockerId", "useBlocker", "shouldBlock", "UseBlocker", "blockerKey", "setBlockerKey", "useState", "blockerFunction", "arg", "currentLocation", "nextLocation", "historyAction", "stripBasename", "useEffect", "String", "deleteBlocker", "getBlocker", "blockers", "has", "get", "IDLE_BLOCKER", "UseNavigateStable", "fromRouteId", "alreadyWarned", "cond", "START_TRANSITION", "startTransitionImpl", "MemoryRouter", "_ref3", "basename", "children", "initialEntries", "initialIndex", "future", "historyRef", "useRef", "current", "createMemoryHistory", "v5Compat", "history", "state", "setStateImpl", "useState", "action", "location", "v7_startTransition", "setState", "useCallback", "newState", "startTransitionImpl", "React", "useLayoutEffect", "listen", "createElement", "Router", "navigationType", "navigator", "Navigate", "_ref4", "to", "replace", "relative", "useInRouterContext", "process", "invariant", "static", "isStatic", "useContext", "NavigationContext", "warning", "matches", "RouteContext", "pathname", "locationPathname", "useLocation", "navigate", "useNavigate", "path", "resolveTo", "getResolveToMatches", "v7_relativeSplatPath", "jsonPath", "JSON", "stringify", "useEffect", "parse", "Outlet", "props", "useOutlet", "context", "Route", "_props", "_ref5", "basenameProp", "locationProp", "NavigationType", "Pop", "staticProp", "navigationContext", "useMemo", "_extends", "parsePath", "search", "hash", "key", "locationContext", "trailingPathname", "stripBasename", "Provider", "value", "LocationContext", "Routes", "_ref6", "useRoutes", "createRoutesFromChildren", "Await", "_ref7", "errorElement", "resolve", "AwaitErrorBoundary", "ResolveAwait", "AwaitRenderStatus", "neverSettledPromise", "Promise", "Component", "constructor", "error", "getDerivedStateFromError", "componentDidCatch", "errorInfo", "console", "render", "promise", "status", "pending", "success", "Object", "defineProperty", "get", "renderError", "reject", "catch", "_tracked", "then", "data", "_error", "AbortedDeferredError", "AwaitContext", "_ref8", "useAsyncValue", "toRender", "Fragment", "parentPath", "routes", "Children", "forEach", "element", "index", "isValidElement", "treePath", "type", "push", "apply", "name", "route", "id", "join", "caseSensitive", "loader", "ErrorBoundary", "hasErrorBoundary", "shouldRevalidate", "handle", "lazy", "renderMatches", "_renderMatches", "mapRouteProperties", "updates", "assign", "undefined", "HydrateFallback", "hydrateFallbackElement", "createMemoryRouter", "opts", "createRouter", "v7_prependBasename", "hydrationData", "unstable_dataStrategy", "unstable_patchRoutesOnMiss", "initialize", "defaultMethod", "defaultEncType", "isHtmlElement", "object", "tagName", "isButtonElement", "toLowerCase", "isFormElement", "isInputElement", "isModifiedEvent", "event", "metaKey", "altKey", "ctrlKey", "shiftKey", "shouldProcessLinkClick", "target", "button", "createSearchParams", "init", "URLSearchParams", "Array", "isArray", "Object", "keys", "reduce", "memo", "key", "value", "concat", "map", "v", "getSearchParamsForLocation", "locationSearch", "defaultSearchParams", "searchParams", "forEach", "_", "has", "getAll", "append", "_formDataSupportsSubmitter", "isFormDataSubmitterSupported", "FormData", "document", "createElement", "e", "supportedFormEncTypes", "Set", "getFormEncType", "encType", "process", "warning", "getFormSubmissionInfo", "basename", "method", "action", "formData", "body", "attr", "getAttribute", "stripBasename", "type", "form", "Error", "name", "prefix", "undefined", "REACT_ROUTER_VERSION", "window", "__reactRouterVersion", "createBrowserRouter", "routes", "opts", "createRouter", "future", "_extends", "v7_prependBasename", "history", "createBrowserHistory", "hydrationData", "parseHydrationData", "unstable_dataStrategy", "unstable_patchRoutesOnMiss", "initialize", "createHashRouter", "createHashHistory", "_window", "state", "__staticRouterHydrationData", "errors", "deserializeErrors", "entries", "serialized", "val", "__type", "ErrorResponseImpl", "status", "statusText", "data", "internal", "__subType", "ErrorConstructor", "error", "message", "stack", "ViewTransitionContext", "createContext", "isTransitioning", "displayName", "FetchersContext", "Map", "START_TRANSITION", "startTransitionImpl", "React", "FLUSH_SYNC", "flushSyncImpl", "ReactDOM", "USE_ID", "useIdImpl", "startTransitionSafe", "cb", "flushSyncSafe", "Deferred", "constructor", "promise", "Promise", "resolve", "reject", "reason", "RouterProvider", "_ref", "fallbackElement", "router", "setStateImpl", "useState", "pendingState", "setPendingState", "vtContext", "setVtContext", "renderDfd", "setRenderDfd", "transition", "setTransition", "interruption", "setInterruption", "fetcherData", "useRef", "v7_startTransition", "optInStartTransition", "useCallback", "setState", "newState", "_ref2", "deletedFetchers", "unstable_flushSync", "flushSync", "unstable_viewTransitionOpts", "viewTransitionOpts", "current", "delete", "fetchers", "fetcher", "set", "isViewTransitionUnavailable", "startViewTransition", "skipTransition", "currentLocation", "nextLocation", "t", "finished", "finally", "useLayoutEffect", "subscribe", "useEffect", "renderPromise", "location", "v7_partialHydration", "navigator", "useMemo", "createHref", "encodeLocation", "go", "n", "navigate", "push", "to", "preventScrollReset", "replace", "dataRouterContext", "static", "routerFuture", "v7_relativeSplatPath", "Fragment", "DataRouterContext", "Provider", "DataRouterStateContext", "Router", "navigationType", "historyAction", "initialized", "MemoizedDataRoutes", "DataRoutes", "_ref3", "useRoutesImpl", "BrowserRouter", "_ref4", "children", "historyRef", "v5Compat", "listen", "HashRouter", "_ref5", "HistoryRouter", "_ref6", "isBrowser", "ABSOLUTE_URL_REGEX", "Link", "forwardRef", "LinkWithRef", "_ref7", "ref", "onClick", "relative", "reloadDocument", "unstable_viewTransition", "rest", "_objectWithoutPropertiesLoose", "_excluded", "useContext", "NavigationContext", "absoluteHref", "isExternal", "test", "currentUrl", "URL", "href", "targetUrl", "startsWith", "protocol", "path", "pathname", "origin", "search", "hash", "useHref", "internalOnClick", "useLinkClickHandler", "handleClick", "defaultPrevented", "NavLink", "NavLinkWithRef", "_ref8", "ariaCurrentProp", "caseSensitive", "className", "classNameProp", "end", "style", "styleProp", "_excluded2", "useResolvedPath", "useLocation", "routerState", "useViewTransitionState", "toPathname", "locationPathname", "nextLocationPathname", "navigation", "endSlashPosition", "endsWith", "length", "isActive", "charAt", "isPending", "renderProps", "ariaCurrent", "filter", "Boolean", "join", "Form", "_ref9", "forwardedRef", "fetcherKey", "onSubmit", "props", "_excluded3", "submit", "useSubmit", "formAction", "useFormAction", "formMethod", "submitHandler", "preventDefault", "submitter", "nativeEvent", "submitMethod", "currentTarget", "ScrollRestoration", "_ref10", "getKey", "storageKey", "useScrollRestoration", "DataRouterHook", "DataRouterStateHook", "getDataRouterConsoleError", "hookName", "useDataRouterContext", "ctx", "invariant", "useDataRouterState", "_temp", "replaceProp", "useNavigate", "createPath", "useSearchParams", "defaultInit", "defaultSearchParamsRef", "hasSetSearchParamsRef", "setSearchParams", "nextInit", "navigateOptions", "newSearchParams", "validateClientSideSubmission", "fetcherId", "getUniqueFetcherId", "String", "UseSubmit", "currentRouteId", "useRouteId", "options", "fetch", "formEncType", "fromRouteId", "_temp2", "routeContext", "RouteContext", "match", "matches", "slice", "params", "get", "toString", "route", "index", "joinPaths", "useFetcher", "_temp3", "_route$matches", "UseFetcher", "routeId", "id", "defaultKey", "setFetcherKey", "getFetcher", "deleteFetcher", "load", "submitImpl", "FetcherForm", "IDLE_FETCHER", "fetcherWithComponents", "useFetchers", "UseFetchers", "from", "_ref11", "SCROLL_RESTORATION_STORAGE_KEY", "savedScrollPositions", "_temp4", "UseScrollRestoration", "restoreScrollPosition", "useMatches", "useNavigation", "scrollRestoration", "usePageHide", "scrollY", "sessionStorage", "setItem", "JSON", "stringify", "sessionPositions", "getItem", "parse", "getKeyWithoutBasename", "disableScrollRestoration", "enableScrollRestoration", "scrollTo", "el", "getElementById", "decodeURIComponent", "scrollIntoView", "useBeforeUnload", "callback", "capture", "addEventListener", "removeEventListener", "usePrompt", "_ref12", "when", "blocker", "useBlocker", "proceed", "confirm", "setTimeout", "reset", "currentPath", "nextPath", "matchPath"]3 "sources": ["../../@remix-run/router/history.ts", "../../@remix-run/router/utils.ts", "../../@remix-run/router/router.ts", "../../react-router/lib/context.ts", "../../react-router/lib/hooks.tsx", "../../react-router/lib/deprecations.ts", "../../react-router/lib/components.tsx", "../../react-router/index.ts", "../../react-router-dom/dom.ts", "../../react-router-dom/index.tsx"], 4 "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 path: string;\n matches: M[];\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\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 = toPathname\n ? toPathname.startsWith(\"/\")\n ? toPathname\n : resolvePathname(toPathname, fromPathname)\n : fromPathname;\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 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 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 // 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 }\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 = matchRoutes(routesToUse, location, basename);\n let flushSync = (opts && opts.flushSync) === true;\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 // 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 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 // 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 );\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 path,\n fetchRequest.signal\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 path,\n fetchRequest.signal\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 );\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 if (future.v7_fetcherPersist) {\n activeFetchers.set(key, (activeFetchers.get(key) || 0) + 1);\n // If this fetcher was previously marked for deletion, unmark it since we\n // have a new instance\n if (deletedFetchers.has(key)) {\n deletedFetchers.delete(key);\n }\n }\n return state.fetchers.get(key) || IDLE_FETCHER;\n }\n\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 deletedFetchers.delete(key);\n cancelledFetcherLoads.delete(key);\n state.fetchers.delete(key);\n }\n\n function deleteFetcherAndUpdateState(key: string): void {\n if (future.v7_fetcherPersist) {\n let count = (activeFetchers.get(key) || 0) - 1;\n if (count <= 0) {\n activeFetchers.delete(key);\n deletedFetchers.add(key);\n } else {\n activeFetchers.set(key, count);\n }\n } else {\n deleteFetcher(key);\n }\n updateState({ 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 ): 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 path: pathname,\n matches: partialMatches,\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 };\n }\n\n // Convert thrown data() to ErrorResponse instances\n result = new ErrorResponseImpl(\n result.init?.status || 500,\n undefined,\n result.data\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): string {\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 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 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", "import * as React from \"react\";\nimport type {\n AgnosticIndexRouteObject,\n AgnosticNonIndexRouteObject,\n AgnosticRouteMatch,\n History,\n LazyRouteFunction,\n Location,\n Action as NavigationType,\n RelativeRoutingType,\n Router,\n StaticHandlerContext,\n To,\n TrackedPromise,\n} from \"@remix-run/router\";\n\n// Create react-specific types from the agnostic types in @remix-run/router to\n// export from react-router\nexport interface IndexRouteObject {\n caseSensitive?: AgnosticIndexRouteObject[\"caseSensitive\"];\n path?: AgnosticIndexRouteObject[\"path\"];\n id?: AgnosticIndexRouteObject[\"id\"];\n loader?: AgnosticIndexRouteObject[\"loader\"];\n action?: AgnosticIndexRouteObject[\"action\"];\n hasErrorBoundary?: AgnosticIndexRouteObject[\"hasErrorBoundary\"];\n shouldRevalidate?: AgnosticIndexRouteObject[\"shouldRevalidate\"];\n handle?: AgnosticIndexRouteObject[\"handle\"];\n index: true;\n children?: undefined;\n element?: React.ReactNode | null;\n hydrateFallbackElement?: React.ReactNode | null;\n errorElement?: React.ReactNode | null;\n Component?: React.ComponentType | null;\n HydrateFallback?: React.ComponentType | null;\n ErrorBoundary?: React.ComponentType | null;\n lazy?: LazyRouteFunction<RouteObject>;\n}\n\nexport interface NonIndexRouteObject {\n caseSensitive?: AgnosticNonIndexRouteObject[\"caseSensitive\"];\n path?: AgnosticNonIndexRouteObject[\"path\"];\n id?: AgnosticNonIndexRouteObject[\"id\"];\n loader?: AgnosticNonIndexRouteObject[\"loader\"];\n action?: AgnosticNonIndexRouteObject[\"action\"];\n hasErrorBoundary?: AgnosticNonIndexRouteObject[\"hasErrorBoundary\"];\n shouldRevalidate?: AgnosticNonIndexRouteObject[\"shouldRevalidate\"];\n handle?: AgnosticNonIndexRouteObject[\"handle\"];\n index?: false;\n children?: RouteObject[];\n element?: React.ReactNode | null;\n hydrateFallbackElement?: React.ReactNode | null;\n errorElement?: React.ReactNode | null;\n Component?: React.ComponentType | null;\n HydrateFallback?: React.ComponentType | null;\n ErrorBoundary?: React.ComponentType | null;\n lazy?: LazyRouteFunction<RouteObject>;\n}\n\nexport type RouteObject = IndexRouteObject | NonIndexRouteObject;\n\nexport type DataRouteObject = RouteObject & {\n children?: DataRouteObject[];\n id: string;\n};\n\nexport interface RouteMatch<\n ParamKey extends string = string,\n RouteObjectType extends RouteObject = RouteObject\n> extends AgnosticRouteMatch<ParamKey, RouteObjectType> {}\n\nexport interface DataRouteMatch extends RouteMatch<string, DataRouteObject> {}\n\nexport interface DataRouterContextObject\n // Omit `future` since those can be pulled from the `router`\n // `NavigationContext` needs future since it doesn't have a `router` in all cases\n extends Omit<NavigationContextObject, \"future\"> {\n router: Router;\n staticContext?: StaticHandlerContext;\n}\n\nexport const DataRouterContext =\n React.createContext<DataRouterContextObject | null>(null);\nif (__DEV__) {\n DataRouterContext.displayName = \"DataRouter\";\n}\n\nexport const DataRouterStateContext = React.createContext<\n Router[\"state\"] | null\n>(null);\nif (__DEV__) {\n DataRouterStateContext.displayName = \"DataRouterState\";\n}\n\nexport const AwaitContext = React.createContext<TrackedPromise | null>(null);\nif (__DEV__) {\n AwaitContext.displayName = \"Await\";\n}\n\nexport interface NavigateOptions {\n replace?: boolean;\n state?: any;\n preventScrollReset?: boolean;\n relative?: RelativeRoutingType;\n flushSync?: boolean;\n viewTransition?: boolean;\n}\n\n/**\n * A Navigator is a \"location changer\"; it's how you get to different locations.\n *\n * Every history instance conforms to the Navigator interface, but the\n * distinction is useful primarily when it comes to the low-level `<Router>` API\n * where both the location and a navigator must be provided separately in order\n * to avoid \"tearing\" that may occur in a suspense-enabled app if the action\n * and/or location were to be read directly from the history instance.\n */\nexport interface Navigator {\n createHref: History[\"createHref\"];\n // Optional for backwards-compat with Router/HistoryRouter usage (edge case)\n encodeLocation?: History[\"encodeLocation\"];\n go: History[\"go\"];\n push(to: To, state?: any, opts?: NavigateOptions): void;\n replace(to: To, state?: any, opts?: NavigateOptions): void;\n}\n\ninterface NavigationContextObject {\n basename: string;\n navigator: Navigator;\n static: boolean;\n future: {\n v7_relativeSplatPath: boolean;\n };\n}\n\nexport const NavigationContext = React.createContext<NavigationContextObject>(\n null!\n);\n\nif (__DEV__) {\n NavigationContext.displayName = \"Navigation\";\n}\n\ninterface LocationContextObject {\n location: Location;\n navigationType: NavigationType;\n}\n\nexport const LocationContext = React.createContext<LocationContextObject>(\n null!\n);\n\nif (__DEV__) {\n LocationContext.displayName = \"Location\";\n}\n\nexport interface RouteContextObject {\n outlet: React.ReactElement | null;\n matches: RouteMatch[];\n isDataRoute: boolean;\n}\n\nexport const RouteContext = React.createContext<RouteContextObject>({\n outlet: null,\n matches: [],\n isDataRoute: false,\n});\n\nif (__DEV__) {\n RouteContext.displayName = \"Route\";\n}\n\nexport const RouteErrorContext = React.createContext<any>(null);\n\nif (__DEV__) {\n RouteErrorContext.displayName = \"RouteError\";\n}\n", "import * as React from \"react\";\nimport type {\n Blocker,\n BlockerFunction,\n Location,\n ParamParseKey,\n Params,\n Path,\n PathMatch,\n PathPattern,\n RelativeRoutingType,\n Router as RemixRouter,\n RevalidationState,\n To,\n UIMatch,\n} from \"@remix-run/router\";\nimport {\n IDLE_BLOCKER,\n Action as NavigationType,\n UNSAFE_convertRouteMatchToUiMatch as convertRouteMatchToUiMatch,\n UNSAFE_decodePath as decodePath,\n UNSAFE_getResolveToMatches as getResolveToMatches,\n UNSAFE_invariant as invariant,\n isRouteErrorResponse,\n joinPaths,\n matchPath,\n matchRoutes,\n parsePath,\n resolveTo,\n stripBasename,\n UNSAFE_warning as warning,\n} from \"@remix-run/router\";\n\nimport type {\n DataRouteMatch,\n NavigateOptions,\n RouteContextObject,\n RouteMatch,\n RouteObject,\n} from \"./context\";\nimport {\n AwaitContext,\n DataRouterContext,\n DataRouterStateContext,\n LocationContext,\n NavigationContext,\n RouteContext,\n RouteErrorContext,\n} from \"./context\";\n\n/**\n * Returns the full href for the given \"to\" value. This is useful for building\n * custom links that are also accessible and preserve right-click behavior.\n *\n * @see https://reactrouter.com/v6/hooks/use-href\n */\nexport function useHref(\n to: To,\n { relative }: { relative?: RelativeRoutingType } = {}\n): string {\n invariant(\n useInRouterContext(),\n // TODO: This error is probably because they somehow have 2 versions of the\n // router loaded. We can help them understand how to avoid that.\n `useHref() may be used only in the context of a <Router> component.`\n );\n\n let { basename, navigator } = React.useContext(NavigationContext);\n let { hash, pathname, search } = useResolvedPath(to, { relative });\n\n let joinedPathname = pathname;\n\n // If we're operating within a basename, prepend it to the pathname prior\n // to creating the href. If this is a root navigation, then just use the raw\n // basename which allows the basename to have full control over the presence\n // of a trailing slash on root links\n if (basename !== \"/\") {\n joinedPathname =\n pathname === \"/\" ? basename : joinPaths([basename, pathname]);\n }\n\n return navigator.createHref({ pathname: joinedPathname, search, hash });\n}\n\n/**\n * Returns true if this component is a descendant of a `<Router>`.\n *\n * @see https://reactrouter.com/v6/hooks/use-in-router-context\n */\nexport function useInRouterContext(): boolean {\n return React.useContext(LocationContext) != null;\n}\n\n/**\n * Returns the current location object, which represents the current URL in web\n * browsers.\n *\n * Note: If you're using this it may mean you're doing some of your own\n * \"routing\" in your app, and we'd like to know what your use case is. We may\n * be able to provide something higher-level to better suit your needs.\n *\n * @see https://reactrouter.com/v6/hooks/use-location\n */\nexport function useLocation(): Location {\n invariant(\n useInRouterContext(),\n // TODO: This error is probably because they somehow have 2 versions of the\n // router loaded. We can help them understand how to avoid that.\n `useLocation() may be used only in the context of a <Router> component.`\n );\n\n return React.useContext(LocationContext).location;\n}\n\n/**\n * Returns the current navigation action which describes how the router came to\n * the current location, either by a pop, push, or replace on the history stack.\n *\n * @see https://reactrouter.com/v6/hooks/use-navigation-type\n */\nexport function useNavigationType(): NavigationType {\n return React.useContext(LocationContext).navigationType;\n}\n\n/**\n * Returns a PathMatch object if the given pattern matches the current URL.\n * This is useful for components that need to know \"active\" state, e.g.\n * `<NavLink>`.\n *\n * @see https://reactrouter.com/v6/hooks/use-match\n */\nexport function useMatch<\n ParamKey extends ParamParseKey<Path>,\n Path extends string\n>(pattern: PathPattern<Path> | Path): PathMatch<ParamKey> | null {\n invariant(\n useInRouterContext(),\n // TODO: This error is probably because they somehow have 2 versions of the\n // router loaded. We can help them understand how to avoid that.\n `useMatch() may be used only in the context of a <Router> component.`\n );\n\n let { pathname } = useLocation();\n return React.useMemo(\n () => matchPath<ParamKey, Path>(pattern, decodePath(pathname)),\n [pathname, pattern]\n );\n}\n\n/**\n * The interface for the navigate() function returned from useNavigate().\n */\nexport interface NavigateFunction {\n (to: To, options?: NavigateOptions): void;\n (delta: number): void;\n}\n\nconst navigateEffectWarning =\n `You should call navigate() in a React.useEffect(), not when ` +\n `your component is first rendered.`;\n\n// Mute warnings for calls to useNavigate in SSR environments\nfunction useIsomorphicLayoutEffect(\n cb: Parameters<typeof React.useLayoutEffect>[0]\n) {\n let isStatic = React.useContext(NavigationContext).static;\n if (!isStatic) {\n // We should be able to get rid of this once react 18.3 is released\n // See: https://github.com/facebook/react/pull/26395\n // eslint-disable-next-line react-hooks/rules-of-hooks\n React.useLayoutEffect(cb);\n }\n}\n\n/**\n * Returns an imperative method for changing the location. Used by `<Link>`s, but\n * may also be used by other elements to change the location.\n *\n * @see https://reactrouter.com/v6/hooks/use-navigate\n */\nexport function useNavigate(): NavigateFunction {\n let { isDataRoute } = React.useContext(RouteContext);\n // Conditional usage is OK here because the usage of a data router is static\n // eslint-disable-next-line react-hooks/rules-of-hooks\n return isDataRoute ? useNavigateStable() : useNavigateUnstable();\n}\n\nfunction useNavigateUnstable(): NavigateFunction {\n invariant(\n useInRouterContext(),\n // TODO: This error is probably because they somehow have 2 versions of the\n // router loaded. We can help them understand how to avoid that.\n `useNavigate() may be used only in the context of a <Router> component.`\n );\n\n let dataRouterContext = React.useContext(DataRouterContext);\n let { basename, future, navigator } = React.useContext(NavigationContext);\n let { matches } = React.useContext(RouteContext);\n let { pathname: locationPathname } = useLocation();\n\n let routePathnamesJson = JSON.stringify(\n getResolveToMatches(matches, future.v7_relativeSplatPath)\n );\n\n let activeRef = React.useRef(false);\n useIsomorphicLayoutEffect(() => {\n activeRef.current = true;\n });\n\n let navigate: NavigateFunction = React.useCallback(\n (to: To | number, options: NavigateOptions = {}) => {\n warning(activeRef.current, navigateEffectWarning);\n\n // Short circuit here since if this happens on first render the navigate\n // is useless because we haven't wired up our history listener yet\n if (!activeRef.current) return;\n\n if (typeof to === \"number\") {\n navigator.go(to);\n return;\n }\n\n let path = resolveTo(\n to,\n JSON.parse(routePathnamesJson),\n locationPathname,\n options.relative === \"path\"\n );\n\n // If we're operating within a basename, prepend it to the pathname prior\n // to handing off to history (but only if we're not in a data router,\n // otherwise it'll prepend the basename inside of the router).\n // If this is a root navigation, then we navigate to the raw basename\n // which allows the basename to have full control over the presence of a\n // trailing slash on root links\n if (dataRouterContext == null && basename !== \"/\") {\n path.pathname =\n path.pathname === \"/\"\n ? basename\n : joinPaths([basename, path.pathname]);\n }\n\n (!!options.replace ? navigator.replace : navigator.push)(\n path,\n options.state,\n options\n );\n },\n [\n basename,\n navigator,\n routePathnamesJson,\n locationPathname,\n dataRouterContext,\n ]\n );\n\n return navigate;\n}\n\nconst OutletContext = React.createContext<unknown>(null);\n\n/**\n * Returns the context (if provided) for the child route at this level of the route\n * hierarchy.\n * @see https://reactrouter.com/v6/hooks/use-outlet-context\n */\nexport function useOutletContext<Context = unknown>(): Context {\n return React.useContext(OutletContext) as Context;\n}\n\n/**\n * Returns the element for the child route at this level of the route\n * hierarchy. Used internally by `<Outlet>` to render child routes.\n *\n * @see https://reactrouter.com/v6/hooks/use-outlet\n */\nexport function useOutlet(context?: unknown): React.ReactElement | null {\n let outlet = React.useContext(RouteContext).outlet;\n if (outlet) {\n return (\n <OutletContext.Provider value={context}>{outlet}</OutletContext.Provider>\n );\n }\n return outlet;\n}\n\n/**\n * Returns an object of key/value pairs of the dynamic params from the current\n * URL that were matched by the route path.\n *\n * @see https://reactrouter.com/v6/hooks/use-params\n */\nexport function useParams<\n ParamsOrKey extends string | Record<string, string | undefined> = string\n>(): Readonly<\n [ParamsOrKey] extends [string] ? Params<ParamsOrKey> : Partial<ParamsOrKey>\n> {\n let { matches } = React.useContext(RouteContext);\n let routeMatch = matches[matches.length - 1];\n return routeMatch ? (routeMatch.params as any) : {};\n}\n\n/**\n * Resolves the pathname of the given `to` value against the current location.\n *\n * @see https://reactrouter.com/v6/hooks/use-resolved-path\n */\nexport function useResolvedPath(\n to: To,\n { relative }: { relative?: RelativeRoutingType } = {}\n): Path {\n let { future } = React.useContext(NavigationContext);\n let { matches } = React.useContext(RouteContext);\n let { pathname: locationPathname } = useLocation();\n let routePathnamesJson = JSON.stringify(\n getResolveToMatches(matches, future.v7_relativeSplatPath)\n );\n\n return React.useMemo(\n () =>\n resolveTo(\n to,\n JSON.parse(routePathnamesJson),\n locationPathname,\n relative === \"path\"\n ),\n [to, routePathnamesJson, locationPathname, relative]\n );\n}\n\n/**\n * Returns the element of the route that matched the current location, prepared\n * with the correct context to render the remainder of the route tree. Route\n * elements in the tree must render an `<Outlet>` to render their child route's\n * element.\n *\n * @see https://reactrouter.com/v6/hooks/use-routes\n */\nexport function useRoutes(\n routes: RouteObject[],\n locationArg?: Partial<Location> | string\n): React.ReactElement | null {\n return useRoutesImpl(routes, locationArg);\n}\n\n// Internal implementation with accept optional param for RouterProvider usage\nexport function useRoutesImpl(\n routes: RouteObject[],\n locationArg?: Partial<Location> | string,\n dataRouterState?: RemixRouter[\"state\"],\n future?: RemixRouter[\"future\"]\n): React.ReactElement | null {\n invariant(\n useInRouterContext(),\n // TODO: This error is probably because they somehow have 2 versions of the\n // router loaded. We can help them understand how to avoid that.\n `useRoutes() may be used only in the context of a <Router> component.`\n );\n\n let { navigator } = React.useContext(NavigationContext);\n let { matches: parentMatches } = React.useContext(RouteContext);\n let routeMatch = parentMatches[parentMatches.length - 1];\n let parentParams = routeMatch ? routeMatch.params : {};\n let parentPathname = routeMatch ? routeMatch.pathname : \"/\";\n let parentPathnameBase = routeMatch ? routeMatch.pathnameBase : \"/\";\n let parentRoute = routeMatch && routeMatch.route;\n\n if (__DEV__) {\n // You won't get a warning about 2 different <Routes> under a <Route>\n // without a trailing *, but this is a best-effort warning anyway since we\n // cannot even give the warning unless they land at the parent route.\n //\n // Example:\n //\n // <Routes>\n // {/* This route path MUST end with /* because otherwise\n // it will never match /blog/post/123 */}\n // <Route path=\"blog\" element={<Blog />} />\n // <Route path=\"blog/feed\" element={<BlogFeed />} />\n // </Routes>\n //\n // function Blog() {\n // return (\n // <Routes>\n // <Route path=\"post/:id\" element={<Post />} />\n // </Routes>\n // );\n // }\n let parentPath = (parentRoute && parentRoute.path) || \"\";\n warningOnce(\n parentPathname,\n !parentRoute || parentPath.endsWith(\"*\"),\n `You rendered descendant <Routes> (or called \\`useRoutes()\\`) at ` +\n `\"${parentPathname}\" (under <Route path=\"${parentPath}\">) but the ` +\n `parent route path has no trailing \"*\". This means if you navigate ` +\n `deeper, the parent won't match anymore and therefore the child ` +\n `routes will never render.\\n\\n` +\n `Please change the parent <Route path=\"${parentPath}\"> to <Route ` +\n `path=\"${parentPath === \"/\" ? \"*\" : `${parentPath}/*`}\">.`\n );\n }\n\n let locationFromContext = useLocation();\n\n let location;\n if (locationArg) {\n let parsedLocationArg =\n typeof locationArg === \"string\" ? parsePath(locationArg) : locationArg;\n\n invariant(\n parentPathnameBase === \"/\" ||\n parsedLocationArg.pathname?.startsWith(parentPathnameBase),\n `When overriding the location using \\`<Routes location>\\` or \\`useRoutes(routes, location)\\`, ` +\n `the location pathname must begin with the portion of the URL pathname that was ` +\n `matched by all parent routes. The current pathname base is \"${parentPathnameBase}\" ` +\n `but pathname \"${parsedLocationArg.pathname}\" was given in the \\`location\\` prop.`\n );\n\n location = parsedLocationArg;\n } else {\n location = locationFromContext;\n }\n\n let pathname = location.pathname || \"/\";\n\n let remainingPathname = pathname;\n if (parentPathnameBase !== \"/\") {\n // Determine the remaining pathname by removing the # of URL segments the\n // parentPathnameBase has, instead of removing based on character count.\n // This is because we can't guarantee that incoming/outgoing encodings/\n // decodings will match exactly.\n // We decode paths before matching on a per-segment basis with\n // decodeURIComponent(), but we re-encode pathnames via `new URL()` so they\n // match what `window.location.pathname` would reflect. Those don't 100%\n // align when it comes to encoded URI characters such as % and &.\n //\n // So we may end up with:\n // pathname: \"/descendant/a%25b/match\"\n // parentPathnameBase: \"/descendant/a%b\"\n //\n // And the direct substring removal approach won't work :/\n let parentSegments = parentPathnameBase.replace(/^\\//, \"\").split(\"/\");\n let segments = pathname.replace(/^\\//, \"\").split(\"/\");\n remainingPathname = \"/\" + segments.slice(parentSegments.length).join(\"/\");\n }\n\n let matches = matchRoutes(routes, { pathname: remainingPathname });\n\n if (__DEV__) {\n warning(\n parentRoute || matches != null,\n `No routes matched location \"${location.pathname}${location.search}${location.hash}\" `\n );\n\n warning(\n matches == null ||\n matches[matches.length - 1].route.element !== undefined ||\n matches[matches.length - 1].route.Component !== undefined ||\n matches[matches.length - 1].route.lazy !== undefined,\n `Matched leaf route at location \"${location.pathname}${location.search}${location.hash}\" ` +\n `does not have an element or Component. This means it will render an <Outlet /> with a ` +\n `null value by default resulting in an \"empty\" page.`\n );\n }\n\n let renderedMatches = _renderMatches(\n matches &&\n matches.map((match) =>\n Object.assign({}, match, {\n params: Object.assign({}, parentParams, match.params),\n pathname: joinPaths([\n parentPathnameBase,\n // Re-encode pathnames that were decoded inside matchRoutes\n navigator.encodeLocation\n ? navigator.encodeLocation(match.pathname).pathname\n : match.pathname,\n ]),\n pathnameBase:\n match.pathnameBase === \"/\"\n ? parentPathnameBase\n : joinPaths([\n parentPathnameBase,\n // Re-encode pathnames that were decoded inside matchRoutes\n navigator.encodeLocation\n ? navigator.encodeLocation(match.pathnameBase).pathname\n : match.pathnameBase,\n ]),\n })\n ),\n parentMatches,\n dataRouterState,\n future\n );\n\n // When a user passes in a `locationArg`, the associated routes need to\n // be wrapped in a new `LocationContext.Provider` in order for `useLocation`\n // to use the scoped location instead of the global location.\n if (locationArg && renderedMatches) {\n return (\n <LocationContext.Provider\n value={{\n location: {\n pathname: \"/\",\n search: \"\",\n hash: \"\",\n state: null,\n key: \"default\",\n ...location,\n },\n navigationType: NavigationType.Pop,\n }}\n >\n {renderedMatches}\n </LocationContext.Provider>\n );\n }\n\n return renderedMatches;\n}\n\nfunction DefaultErrorComponent() {\n let error = useRouteError();\n let message = isRouteErrorResponse(error)\n ? `${error.status} ${error.statusText}`\n : error instanceof Error\n ? error.message\n : JSON.stringify(error);\n let stack = error instanceof Error ? error.stack : null;\n let lightgrey = \"rgba(200,200,200, 0.5)\";\n let preStyles = { padding: \"0.5rem\", backgroundColor: lightgrey };\n let codeStyles = { padding: \"2px 4px\", backgroundColor: lightgrey };\n\n let devInfo = null;\n if (__DEV__) {\n console.error(\n \"Error handled by React Router default ErrorBoundary:\",\n error\n );\n\n devInfo = (\n <>\n <p>💿 Hey developer 👋</p>\n <p>\n You can provide a way better UX than this when your app throws errors\n by providing your own <code style={codeStyles}>ErrorBoundary</code> or{\" \"}\n <code style={codeStyles}>errorElement</code> prop on your route.\n </p>\n </>\n );\n }\n\n return (\n <>\n <h2>Unexpected Application Error!</h2>\n <h3 style={{ fontStyle: \"italic\" }}>{message}</h3>\n {stack ? <pre style={preStyles}>{stack}</pre> : null}\n {devInfo}\n </>\n );\n}\n\nconst defaultErrorElement = <DefaultErrorComponent />;\n\ntype RenderErrorBoundaryProps = React.PropsWithChildren<{\n location: Location;\n revalidation: RevalidationState;\n error: any;\n component: React.ReactNode;\n routeContext: RouteContextObject;\n}>;\n\ntype RenderErrorBoundaryState = {\n location: Location;\n revalidation: RevalidationState;\n error: any;\n};\n\nexport class RenderErrorBoundary extends React.Component<\n RenderErrorBoundaryProps,\n RenderErrorBoundaryState\n> {\n constructor(props: RenderErrorBoundaryProps) {\n super(props);\n this.state = {\n location: props.location,\n revalidation: props.revalidation,\n error: props.error,\n };\n }\n\n static getDerivedStateFromError(error: any) {\n return { error: error };\n }\n\n static getDerivedStateFromProps(\n props: RenderErrorBoundaryProps,\n state: RenderErrorBoundaryState\n ) {\n // When we get into an error state, the user will likely click \"back\" to the\n // previous page that didn't have an error. Because this wraps the entire\n // application, that will have no effect--the error page continues to display.\n // This gives us a mechanism to recover from the error when the location changes.\n //\n // Whether we're in an error state or not, we update the location in state\n // so that when we are in an error state, it gets reset when a new location\n // comes in and the user recovers from the error.\n if (\n state.location !== props.location ||\n (state.revalidation !== \"idle\" && props.revalidation === \"idle\")\n ) {\n return {\n error: props.error,\n location: props.location,\n revalidation: props.revalidation,\n };\n }\n\n // If we're not changing locations, preserve the location but still surface\n // any new errors that may come through. We retain the existing error, we do\n // this because the error provided from the app state may be cleared without\n // the location changing.\n return {\n error: props.error !== undefined ? props.error : state.error,\n location: state.location,\n revalidation: props.revalidation || state.revalidation,\n };\n }\n\n componentDidCatch(error: any, errorInfo: any) {\n console.error(\n \"React Router caught the following error during render\",\n error,\n errorInfo\n );\n }\n\n render() {\n return this.state.error !== undefined ? (\n <RouteContext.Provider value={this.props.routeContext}>\n <RouteErrorContext.Provider\n value={this.state.error}\n children={this.props.component}\n />\n </RouteContext.Provider>\n ) : (\n this.props.children\n );\n }\n}\n\ninterface RenderedRouteProps {\n routeContext: RouteContextObject;\n match: RouteMatch<string, RouteObject>;\n children: React.ReactNode | null;\n}\n\nfunction RenderedRoute({ routeContext, match, children }: RenderedRouteProps) {\n let dataRouterContext = React.useContext(DataRouterContext);\n\n // Track how deep we got in our render pass to emulate SSR componentDidCatch\n // in a DataStaticRouter\n if (\n dataRouterContext &&\n dataRouterContext.static &&\n dataRouterContext.staticContext &&\n (match.route.errorElement || match.route.ErrorBoundary)\n ) {\n dataRouterContext.staticContext._deepestRenderedBoundaryId = match.route.id;\n }\n\n return (\n <RouteContext.Provider value={routeContext}>\n {children}\n </RouteContext.Provider>\n );\n}\n\nexport function _renderMatches(\n matches: RouteMatch[] | null,\n parentMatches: RouteMatch[] = [],\n dataRouterState: RemixRouter[\"state\"] | null = null,\n future: RemixRouter[\"future\"] | null = null\n): React.ReactElement | null {\n if (matches == null) {\n if (!dataRouterState) {\n return null;\n }\n\n if (dataRouterState.errors) {\n // Don't bail if we have data router errors so we can render them in the\n // boundary. Use the pre-matched (or shimmed) matches\n matches = dataRouterState.matches as DataRouteMatch[];\n } else if (\n future?.v7_partialHydration &&\n parentMatches.length === 0 &&\n !dataRouterState.initialized &&\n dataRouterState.matches.length > 0\n ) {\n // Don't bail if we're initializing with partial hydration and we have\n // router matches. That means we're actively running `patchRoutesOnNavigation`\n // so we should render down the partial matches to the appropriate\n // `HydrateFallback`. We only do this if `parentMatches` is empty so it\n // only impacts the root matches for `RouterProvider` and no descendant\n // `<Routes>`\n matches = dataRouterState.matches as DataRouteMatch[];\n } else {\n return null;\n }\n }\n\n let renderedMatches = matches;\n\n // If we have data errors, trim matches to the highest error boundary\n let errors = dataRouterState?.errors;\n if (errors != null) {\n let errorIndex = renderedMatches.findIndex(\n (m) => m.route.id && errors?.[m.route.id] !== undefined\n );\n invariant(\n errorIndex >= 0,\n `Could not find a matching route for errors on route IDs: ${Object.keys(\n errors\n ).join(\",\")}`\n );\n renderedMatches = renderedMatches.slice(\n 0,\n Math.min(renderedMatches.length, errorIndex + 1)\n );\n }\n\n // If we're in a partial hydration mode, detect if we need to render down to\n // a given HydrateFallback while we load the rest of the hydration data\n let renderFallback = false;\n let fallbackIndex = -1;\n if (dataRouterState && future && future.v7_partialHydration) {\n for (let i = 0; i < renderedMatches.length; i++) {\n let match = renderedMatches[i];\n // Track the deepest fallback up until the first route without data\n if (match.route.HydrateFallback || match.route.hydrateFallbackElement) {\n fallbackIndex = i;\n }\n\n if (match.route.id) {\n let { loaderData, errors } = dataRouterState;\n let needsToRunLoader =\n match.route.loader &&\n loaderData[match.route.id] === undefined &&\n (!errors || errors[match.route.id] === undefined);\n if (match.route.lazy || needsToRunLoader) {\n // We found the first route that's not ready to render (waiting on\n // lazy, or has a loader that hasn't run yet). Flag that we need to\n // render a fallback and render up until the appropriate fallback\n renderFallback = true;\n if (fallbackIndex >= 0) {\n renderedMatches = renderedMatches.slice(0, fallbackIndex + 1);\n } else {\n renderedMatches = [renderedMatches[0]];\n }\n break;\n }\n }\n }\n }\n\n return renderedMatches.reduceRight((outlet, match, index) => {\n // Only data routers handle errors/fallbacks\n let error: any;\n let shouldRenderHydrateFallback = false;\n let errorElement: React.ReactNode | null = null;\n let hydrateFallbackElement: React.ReactNode | null = null;\n if (dataRouterState) {\n error = errors && match.route.id ? errors[match.route.id] : undefined;\n errorElement = match.route.errorElement || defaultErrorElement;\n\n if (renderFallback) {\n if (fallbackIndex < 0 && index === 0) {\n warningOnce(\n \"route-fallback\",\n false,\n \"No `HydrateFallback` element provided to render during initial hydration\"\n );\n shouldRenderHydrateFallback = true;\n hydrateFallbackElement = null;\n } else if (fallbackIndex === index) {\n shouldRenderHydrateFallback = true;\n hydrateFallbackElement = match.route.hydrateFallbackElement || null;\n }\n }\n }\n\n let matches = parentMatches.concat(renderedMatches.slice(0, index + 1));\n let getChildren = () => {\n let children: React.ReactNode;\n if (error) {\n children = errorElement;\n } else if (shouldRenderHydrateFallback) {\n children = hydrateFallbackElement;\n } else if (match.route.Component) {\n // Note: This is a de-optimized path since React won't re-use the\n // ReactElement since it's identity changes with each new\n // React.createElement call. We keep this so folks can use\n // `<Route Component={...}>` in `<Routes>` but generally `Component`\n // usage is only advised in `RouterProvider` when we can convert it to\n // `element` ahead of time.\n children = <match.route.Component />;\n } else if (match.route.element) {\n children = match.route.element;\n } else {\n children = outlet;\n }\n return (\n <RenderedRoute\n match={match}\n routeContext={{\n outlet,\n matches,\n isDataRoute: dataRouterState != null,\n }}\n children={children}\n />\n );\n };\n // Only wrap in an error boundary within data router usages when we have an\n // ErrorBoundary/errorElement on this route. Otherwise let it bubble up to\n // an ancestor ErrorBoundary/errorElement\n return dataRouterState &&\n (match.route.ErrorBoundary || match.route.errorElement || index === 0) ? (\n <RenderErrorBoundary\n location={dataRouterState.location}\n revalidation={dataRouterState.revalidation}\n component={errorElement}\n error={error}\n children={getChildren()}\n routeContext={{ outlet: null, matches, isDataRoute: true }}\n />\n ) : (\n getChildren()\n );\n }, null as React.ReactElement | null);\n}\n\nenum DataRouterHook {\n UseBlocker = \"useBlocker\",\n UseRevalidator = \"useRevalidator\",\n UseNavigateStable = \"useNavigate\",\n}\n\nenum DataRouterStateHook {\n UseBlocker = \"useBlocker\",\n UseLoaderData = \"useLoaderData\",\n UseActionData = \"useActionData\",\n UseRouteError = \"useRouteError\",\n UseNavigation = \"useNavigation\",\n UseRouteLoaderData = \"useRouteLoaderData\",\n UseMatches = \"useMatches\",\n UseRevalidator = \"useRevalidator\",\n UseNavigateStable = \"useNavigate\",\n UseRouteId = \"useRouteId\",\n}\n\nfunction getDataRouterConsoleError(\n hookName: DataRouterHook | DataRouterStateHook\n) {\n return `${hookName} must be used within a data router. See https://reactrouter.com/v6/routers/picking-a-router.`;\n}\n\nfunction useDataRouterContext(hookName: DataRouterHook) {\n let ctx = React.useContext(DataRouterContext);\n invariant(ctx, getDataRouterConsoleError(hookName));\n return ctx;\n}\n\nfunction useDataRouterState(hookName: DataRouterStateHook) {\n let state = React.useContext(DataRouterStateContext);\n invariant(state, getDataRouterConsoleError(hookName));\n return state;\n}\n\nfunction useRouteContext(hookName: DataRouterStateHook) {\n let route = React.useContext(RouteContext);\n invariant(route, getDataRouterConsoleError(hookName));\n return route;\n}\n\n// Internal version with hookName-aware debugging\nfunction useCurrentRouteId(hookName: DataRouterStateHook) {\n let route = useRouteContext(hookName);\n let thisRoute = route.matches[route.matches.length - 1];\n invariant(\n thisRoute.route.id,\n `${hookName} can only be used on routes that contain a unique \"id\"`\n );\n return thisRoute.route.id;\n}\n\n/**\n * Returns the ID for the nearest contextual route\n */\nexport function useRouteId() {\n return useCurrentRouteId(DataRouterStateHook.UseRouteId);\n}\n\n/**\n * Returns the current navigation, defaulting to an \"idle\" navigation when\n * no navigation is in progress\n */\nexport function useNavigation() {\n let state = useDataRouterState(DataRouterStateHook.UseNavigation);\n return state.navigation;\n}\n\n/**\n * Returns a revalidate function for manually triggering revalidation, as well\n * as the current state of any manual revalidations\n */\nexport function useRevalidator() {\n let dataRouterContext = useDataRouterContext(DataRouterHook.UseRevalidator);\n let state = useDataRouterState(DataRouterStateHook.UseRevalidator);\n return React.useMemo(\n () => ({\n revalidate: dataRouterContext.router.revalidate,\n state: state.revalidation,\n }),\n [dataRouterContext.router.revalidate, state.revalidation]\n );\n}\n\n/**\n * Returns the active route matches, useful for accessing loaderData for\n * parent/child routes or the route \"handle\" property\n */\nexport function useMatches(): UIMatch[] {\n let { matches, loaderData } = useDataRouterState(\n DataRouterStateHook.UseMatches\n );\n return React.useMemo(\n () => matches.map((m) => convertRouteMatchToUiMatch(m, loaderData)),\n [matches, loaderData]\n );\n}\n\n/**\n * Returns the loader data for the nearest ancestor Route loader\n */\nexport function useLoaderData(): unknown {\n let state = useDataRouterState(DataRouterStateHook.UseLoaderData);\n let routeId = useCurrentRouteId(DataRouterStateHook.UseLoaderData);\n\n if (state.errors && state.errors[routeId] != null) {\n console.error(\n `You cannot \\`useLoaderData\\` in an errorElement (routeId: ${routeId})`\n );\n return undefined;\n }\n return state.loaderData[routeId];\n}\n\n/**\n * Returns the loaderData for the given routeId\n */\nexport function useRouteLoaderData(routeId: string): unknown {\n let state = useDataRouterState(DataRouterStateHook.UseRouteLoaderData);\n return state.loaderData[routeId];\n}\n\n/**\n * Returns the action data for the nearest ancestor Route action\n */\nexport function useActionData(): unknown {\n let state = useDataRouterState(DataRouterStateHook.UseActionData);\n let routeId = useCurrentRouteId(DataRouterStateHook.UseLoaderData);\n return state.actionData ? state.actionData[routeId] : undefined;\n}\n\n/**\n * Returns the nearest ancestor Route error, which could be a loader/action\n * error or a render error. This is intended to be called from your\n * ErrorBoundary/errorElement to display a proper error message.\n */\nexport function useRouteError(): unknown {\n let error = React.useContext(RouteErrorContext);\n let state = useDataRouterState(DataRouterStateHook.UseRouteError);\n let routeId = useCurrentRouteId(DataRouterStateHook.UseRouteError);\n\n // If this was a render error, we put it in a RouteError context inside\n // of RenderErrorBoundary\n if (error !== undefined) {\n return error;\n }\n\n // Otherwise look for errors from our data router state\n return state.errors?.[routeId];\n}\n\n/**\n * Returns the happy-path data from the nearest ancestor `<Await />` value\n */\nexport function useAsyncValue(): unknown {\n let value = React.useContext(AwaitContext);\n return value?._data;\n}\n\n/**\n * Returns the error from the nearest ancestor `<Await />` value\n */\nexport function useAsyncError(): unknown {\n let value = React.useContext(AwaitContext);\n return value?._error;\n}\n\nlet blockerId = 0;\n\n/**\n * Allow the application to block navigations within the SPA and present the\n * user a confirmation dialog to confirm the navigation. Mostly used to avoid\n * using half-filled form data. This does not handle hard-reloads or\n * cross-origin navigations.\n */\nexport function useBlocker(shouldBlock: boolean | BlockerFunction): Blocker {\n let { router, basename } = useDataRouterContext(DataRouterHook.UseBlocker);\n let state = useDataRouterState(DataRouterStateHook.UseBlocker);\n\n let [blockerKey, setBlockerKey] = React.useState(\"\");\n let blockerFunction = React.useCallback<BlockerFunction>(\n (arg) => {\n if (typeof shouldBlock !== \"function\") {\n return !!shouldBlock;\n }\n if (basename === \"/\") {\n return shouldBlock(arg);\n }\n\n // If they provided us a function and we've got an active basename, strip\n // it from the locations we expose to the user to match the behavior of\n // useLocation\n let { currentLocation, nextLocation, historyAction } = arg;\n return shouldBlock({\n currentLocation: {\n ...currentLocation,\n pathname:\n stripBasename(currentLocation.pathname, basename) ||\n currentLocation.pathname,\n },\n nextLocation: {\n ...nextLocation,\n pathname:\n stripBasename(nextLocation.pathname, basename) ||\n nextLocation.pathname,\n },\n historyAction,\n });\n },\n [basename, shouldBlock]\n );\n\n // This effect is in charge of blocker key assignment and deletion (which is\n // tightly coupled to the key)\n React.useEffect(() => {\n let key = String(++blockerId);\n setBlockerKey(key);\n return () => router.deleteBlocker(key);\n }, [router]);\n\n // This effect handles assigning the blockerFunction. This is to handle\n // unstable blocker function identities, and happens only after the prior\n // effect so we don't get an orphaned blockerFunction in the router with a\n // key of \"\". Until then we just have the IDLE_BLOCKER.\n React.useEffect(() => {\n if (blockerKey !== \"\") {\n router.getBlocker(blockerKey, blockerFunction);\n }\n }, [router, blockerKey, blockerFunction]);\n\n // Prefer the blocker from `state` not `router.state` since DataRouterContext\n // is memoized so this ensures we update on blocker state updates\n return blockerKey && state.blockers.has(blockerKey)\n ? state.blockers.get(blockerKey)!\n : IDLE_BLOCKER;\n}\n\n/**\n * Stable version of useNavigate that is used when we are in the context of\n * a RouterProvider.\n */\nfunction useNavigateStable(): NavigateFunction {\n let { router } = useDataRouterContext(DataRouterHook.UseNavigateStable);\n let id = useCurrentRouteId(DataRouterStateHook.UseNavigateStable);\n\n let activeRef = React.useRef(false);\n useIsomorphicLayoutEffect(() => {\n activeRef.current = true;\n });\n\n let navigate: NavigateFunction = React.useCallback(\n (to: To | number, options: NavigateOptions = {}) => {\n warning(activeRef.current, navigateEffectWarning);\n\n // Short circuit here since if this happens on first render the navigate\n // is useless because we haven't wired up our router subscriber yet\n if (!activeRef.current) return;\n\n if (typeof to === \"number\") {\n router.navigate(to);\n } else {\n router.navigate(to, { fromRouteId: id, ...options });\n }\n },\n [router, id]\n );\n\n return navigate;\n}\n\nconst alreadyWarned: Record<string, boolean> = {};\n\nfunction warningOnce(key: string, cond: boolean, message: string) {\n if (!cond && !alreadyWarned[key]) {\n alreadyWarned[key] = true;\n warning(false, message);\n }\n}\n", "import type { FutureConfig as RouterFutureConfig } from \"@remix-run/router\";\nimport type { FutureConfig as RenderFutureConfig } from \"./components\";\n\nconst alreadyWarned: { [key: string]: boolean } = {};\n\nexport function warnOnce(key: string, message: string): void {\n if (!alreadyWarned[message]) {\n alreadyWarned[message] = true;\n console.warn(message);\n }\n}\n\nconst logDeprecation = (flag: string, msg: string, link: string) =>\n warnOnce(\n flag,\n `⚠️ React Router Future Flag Warning: ${msg}. ` +\n `You can use the \\`${flag}\\` future flag to opt-in early. ` +\n `For more information, see ${link}.`\n );\n\nexport function logV6DeprecationWarnings(\n renderFuture: Partial<RenderFutureConfig> | undefined,\n routerFuture?: Omit<RouterFutureConfig, \"v7_prependBasename\">\n) {\n if (!renderFuture?.v7_startTransition) {\n logDeprecation(\n \"v7_startTransition\",\n \"React Router will begin wrapping state updates in `React.startTransition` in v7\",\n \"https://reactrouter.com/v6/upgrading/future#v7_starttransition\"\n );\n }\n\n if (\n !renderFuture?.v7_relativeSplatPath &&\n (!routerFuture || !routerFuture.v7_relativeSplatPath)\n ) {\n logDeprecation(\n \"v7_relativeSplatPath\",\n \"Relative route resolution within Splat routes is changing in v7\",\n \"https://reactrouter.com/v6/upgrading/future#v7_relativesplatpath\"\n );\n }\n\n if (routerFuture) {\n if (!routerFuture.v7_fetcherPersist) {\n logDeprecation(\n \"v7_fetcherPersist\",\n \"The persistence behavior of fetchers is changing in v7\",\n \"https://reactrouter.com/v6/upgrading/future#v7_fetcherpersist\"\n );\n }\n\n if (!routerFuture.v7_normalizeFormMethod) {\n logDeprecation(\n \"v7_normalizeFormMethod\",\n \"Casing of `formMethod` fields is being normalized to uppercase in v7\",\n \"https://reactrouter.com/v6/upgrading/future#v7_normalizeformmethod\"\n );\n }\n\n if (!routerFuture.v7_partialHydration) {\n logDeprecation(\n \"v7_partialHydration\",\n \"`RouterProvider` hydration behavior is changing in v7\",\n \"https://reactrouter.com/v6/upgrading/future#v7_partialhydration\"\n );\n }\n\n if (!routerFuture.v7_skipActionErrorRevalidation) {\n logDeprecation(\n \"v7_skipActionErrorRevalidation\",\n \"The revalidation behavior after 4xx/5xx `action` responses is changing in v7\",\n \"https://reactrouter.com/v6/upgrading/future#v7_skipactionerrorrevalidation\"\n );\n }\n }\n}\n", "import type {\n InitialEntry,\n LazyRouteFunction,\n Location,\n MemoryHistory,\n RelativeRoutingType,\n Router as RemixRouter,\n RouterState,\n RouterSubscriber,\n To,\n TrackedPromise,\n} from \"@remix-run/router\";\nimport {\n AbortedDeferredError,\n Action as NavigationType,\n createMemoryHistory,\n UNSAFE_getResolveToMatches as getResolveToMatches,\n UNSAFE_invariant as invariant,\n parsePath,\n resolveTo,\n stripBasename,\n UNSAFE_warning as warning,\n} from \"@remix-run/router\";\nimport * as React from \"react\";\n\nimport type {\n DataRouteObject,\n IndexRouteObject,\n Navigator,\n NonIndexRouteObject,\n RouteMatch,\n RouteObject,\n} from \"./context\";\nimport {\n AwaitContext,\n DataRouterContext,\n DataRouterStateContext,\n LocationContext,\n NavigationContext,\n RouteContext,\n} from \"./context\";\nimport {\n _renderMatches,\n useAsyncValue,\n useInRouterContext,\n useLocation,\n useNavigate,\n useOutlet,\n useRoutes,\n useRoutesImpl,\n} from \"./hooks\";\nimport { logV6DeprecationWarnings } from \"./deprecations\";\n\nexport interface FutureConfig {\n v7_relativeSplatPath: boolean;\n v7_startTransition: boolean;\n}\n\nexport interface RouterProviderProps {\n fallbackElement?: React.ReactNode;\n router: RemixRouter;\n // Only accept future flags relevant to rendering behavior\n // routing flags should be accessed via router.future\n future?: Partial<Pick<FutureConfig, \"v7_startTransition\">>;\n}\n\n/**\n Webpack + React 17 fails to compile on any of the following because webpack\n complains that `startTransition` doesn't exist in `React`:\n * import { startTransition } from \"react\"\n * import * as React from from \"react\";\n \"startTransition\" in React ? React.startTransition(() => setState()) : setState()\n * import * as React from from \"react\";\n \"startTransition\" in React ? React[\"startTransition\"](() => setState()) : setState()\n\n Moving it to a constant such as the following solves the Webpack/React 17 issue:\n * import * as React from from \"react\";\n const START_TRANSITION = \"startTransition\";\n START_TRANSITION in React ? React[START_TRANSITION](() => setState()) : setState()\n\n However, that introduces webpack/terser minification issues in production builds\n in React 18 where minification/obfuscation ends up removing the call of\n React.startTransition entirely from the first half of the ternary. Grabbing\n this exported reference once up front resolves that issue.\n\n See https://github.com/remix-run/react-router/issues/10579\n*/\nconst START_TRANSITION = \"startTransition\";\nconst startTransitionImpl = React[START_TRANSITION];\n\n/**\n * Given a Remix Router instance, render the appropriate UI\n */\nexport function RouterProvider({\n fallbackElement,\n router,\n future,\n}: RouterProviderProps): React.ReactElement {\n let [state, setStateImpl] = React.useState(router.state);\n let { v7_startTransition } = future || {};\n\n let setState = React.useCallback<RouterSubscriber>(\n (newState: RouterState) => {\n if (v7_startTransition && startTransitionImpl) {\n startTransitionImpl(() => setStateImpl(newState));\n } else {\n setStateImpl(newState);\n }\n },\n [setStateImpl, v7_startTransition]\n );\n\n // Need to use a layout effect here so we are subscribed early enough to\n // pick up on any render-driven redirects/navigations (useEffect/<Navigate>)\n React.useLayoutEffect(() => router.subscribe(setState), [router, setState]);\n\n React.useEffect(() => {\n warning(\n fallbackElement == null || !router.future.v7_partialHydration,\n \"`<RouterProvider fallbackElement>` is deprecated when using \" +\n \"`v7_partialHydration`, use a `HydrateFallback` component instead\"\n );\n // Only log this once on initial mount\n // eslint-disable-next-line react-hooks/exhaustive-deps\n }, []);\n\n let navigator = React.useMemo((): Navigator => {\n return {\n createHref: router.createHref,\n encodeLocation: router.encodeLocation,\n go: (n) => router.navigate(n),\n push: (to, state, opts) =>\n router.navigate(to, {\n state,\n preventScrollReset: opts?.preventScrollReset,\n }),\n replace: (to, state, opts) =>\n router.navigate(to, {\n replace: true,\n state,\n preventScrollReset: opts?.preventScrollReset,\n }),\n };\n }, [router]);\n\n let basename = router.basename || \"/\";\n\n let dataRouterContext = React.useMemo(\n () => ({\n router,\n navigator,\n static: false,\n basename,\n }),\n [router, navigator, basename]\n );\n\n React.useEffect(\n () => logV6DeprecationWarnings(future, router.future),\n [router, future]\n );\n\n // The fragment and {null} here are important! We need them to keep React 18's\n // useId happy when we are server-rendering since we may have a <script> here\n // containing the hydrated server-side staticContext (from StaticRouterProvider).\n // useId relies on the component tree structure to generate deterministic id's\n // so we need to ensure it remains the same on the client even though\n // we don't need the <script> tag\n return (\n <>\n <DataRouterContext.Provider value={dataRouterContext}>\n <DataRouterStateContext.Provider value={state}>\n <Router\n basename={basename}\n location={state.location}\n navigationType={state.historyAction}\n navigator={navigator}\n future={{\n v7_relativeSplatPath: router.future.v7_relativeSplatPath,\n }}\n >\n {state.initialized || router.future.v7_partialHydration ? (\n <DataRoutes\n routes={router.routes}\n future={router.future}\n state={state}\n />\n ) : (\n fallbackElement\n )}\n </Router>\n </DataRouterStateContext.Provider>\n </DataRouterContext.Provider>\n {null}\n </>\n );\n}\n\nfunction DataRoutes({\n routes,\n future,\n state,\n}: {\n routes: DataRouteObject[];\n future: RemixRouter[\"future\"];\n state: RouterState;\n}): React.ReactElement | null {\n return useRoutesImpl(routes, undefined, state, future);\n}\n\nexport interface MemoryRouterProps {\n basename?: string;\n children?: React.ReactNode;\n initialEntries?: InitialEntry[];\n initialIndex?: number;\n future?: Partial<FutureConfig>;\n}\n\n/**\n * A `<Router>` that stores all entries in memory.\n *\n * @see https://reactrouter.com/v6/router-components/memory-router\n */\nexport function MemoryRouter({\n basename,\n children,\n initialEntries,\n initialIndex,\n future,\n}: MemoryRouterProps): React.ReactElement {\n let historyRef = React.useRef<MemoryHistory>();\n if (historyRef.current == null) {\n historyRef.current = createMemoryHistory({\n initialEntries,\n initialIndex,\n v5Compat: true,\n });\n }\n\n let history = historyRef.current;\n let [state, setStateImpl] = React.useState({\n action: history.action,\n location: history.location,\n });\n let { v7_startTransition } = future || {};\n let setState = React.useCallback(\n (newState: { action: NavigationType; location: Location }) => {\n v7_startTransition && startTransitionImpl\n ? startTransitionImpl(() => setStateImpl(newState))\n : setStateImpl(newState);\n },\n [setStateImpl, v7_startTransition]\n );\n\n React.useLayoutEffect(() => history.listen(setState), [history, setState]);\n\n React.useEffect(() => logV6DeprecationWarnings(future), [future]);\n\n return (\n <Router\n basename={basename}\n children={children}\n location={state.location}\n navigationType={state.action}\n navigator={history}\n future={future}\n />\n );\n}\n\nexport interface NavigateProps {\n to: To;\n replace?: boolean;\n state?: any;\n relative?: RelativeRoutingType;\n}\n\n/**\n * Changes the current location.\n *\n * Note: This API is mostly useful in React.Component subclasses that are not\n * able to use hooks. In functional components, we recommend you use the\n * `useNavigate` hook instead.\n *\n * @see https://reactrouter.com/v6/components/navigate\n */\nexport function Navigate({\n to,\n replace,\n state,\n relative,\n}: NavigateProps): null {\n invariant(\n useInRouterContext(),\n // TODO: This error is probably because they somehow have 2 versions of\n // the router loaded. We can help them understand how to avoid that.\n `<Navigate> may be used only in the context of a <Router> component.`\n );\n\n let { future, static: isStatic } = React.useContext(NavigationContext);\n\n warning(\n !isStatic,\n `<Navigate> must not be used on the initial render in a <StaticRouter>. ` +\n `This is a no-op, but you should modify your code so the <Navigate> is ` +\n `only ever rendered in response to some user interaction or state change.`\n );\n\n let { matches } = React.useContext(RouteContext);\n let { pathname: locationPathname } = useLocation();\n let navigate = useNavigate();\n\n // Resolve the path outside of the effect so that when effects run twice in\n // StrictMode they navigate to the same place\n let path = resolveTo(\n to,\n getResolveToMatches(matches, future.v7_relativeSplatPath),\n locationPathname,\n relative === \"path\"\n );\n let jsonPath = JSON.stringify(path);\n\n React.useEffect(\n () => navigate(JSON.parse(jsonPath), { replace, state, relative }),\n [navigate, jsonPath, relative, replace, state]\n );\n\n return null;\n}\n\nexport interface OutletProps {\n context?: unknown;\n}\n\n/**\n * Renders the child route's element, if there is one.\n *\n * @see https://reactrouter.com/v6/components/outlet\n */\nexport function Outlet(props: OutletProps): React.ReactElement | null {\n return useOutlet(props.context);\n}\n\nexport interface PathRouteProps {\n caseSensitive?: NonIndexRouteObject[\"caseSensitive\"];\n path?: NonIndexRouteObject[\"path\"];\n id?: NonIndexRouteObject[\"id\"];\n lazy?: LazyRouteFunction<NonIndexRouteObject>;\n loader?: NonIndexRouteObject[\"loader\"];\n action?: NonIndexRouteObject[\"action\"];\n hasErrorBoundary?: NonIndexRouteObject[\"hasErrorBoundary\"];\n shouldRevalidate?: NonIndexRouteObject[\"shouldRevalidate\"];\n handle?: NonIndexRouteObject[\"handle\"];\n index?: false;\n children?: React.ReactNode;\n element?: React.ReactNode | null;\n hydrateFallbackElement?: React.ReactNode | null;\n errorElement?: React.ReactNode | null;\n Component?: React.ComponentType | null;\n HydrateFallback?: React.ComponentType | null;\n ErrorBoundary?: React.ComponentType | null;\n}\n\nexport interface LayoutRouteProps extends PathRouteProps {}\n\nexport interface IndexRouteProps {\n caseSensitive?: IndexRouteObject[\"caseSensitive\"];\n path?: IndexRouteObject[\"path\"];\n id?: IndexRouteObject[\"id\"];\n lazy?: LazyRouteFunction<IndexRouteObject>;\n loader?: IndexRouteObject[\"loader\"];\n action?: IndexRouteObject[\"action\"];\n hasErrorBoundary?: IndexRouteObject[\"hasErrorBoundary\"];\n shouldRevalidate?: IndexRouteObject[\"shouldRevalidate\"];\n handle?: IndexRouteObject[\"handle\"];\n index: true;\n children?: undefined;\n element?: React.ReactNode | null;\n hydrateFallbackElement?: React.ReactNode | null;\n errorElement?: React.ReactNode | null;\n Component?: React.ComponentType | null;\n HydrateFallback?: React.ComponentType | null;\n ErrorBoundary?: React.ComponentType | null;\n}\n\nexport type RouteProps = PathRouteProps | LayoutRouteProps | IndexRouteProps;\n\n/**\n * Declares an element that should be rendered at a certain URL path.\n *\n * @see https://reactrouter.com/v6/components/route\n */\nexport function Route(_props: RouteProps): React.ReactElement | null {\n invariant(\n false,\n `A <Route> is only ever to be used as the child of <Routes> element, ` +\n `never rendered directly. Please wrap your <Route> in a <Routes>.`\n );\n}\n\nexport interface RouterProps {\n basename?: string;\n children?: React.ReactNode;\n location: Partial<Location> | string;\n navigationType?: NavigationType;\n navigator: Navigator;\n static?: boolean;\n future?: Partial<Pick<FutureConfig, \"v7_relativeSplatPath\">>;\n}\n\n/**\n * Provides location context for the rest of the app.\n *\n * Note: You usually won't render a `<Router>` directly. Instead, you'll render a\n * router that is more specific to your environment such as a `<BrowserRouter>`\n * in web browsers or a `<StaticRouter>` for server rendering.\n *\n * @see https://reactrouter.com/v6/router-components/router\n */\nexport function Router({\n basename: basenameProp = \"/\",\n children = null,\n location: locationProp,\n navigationType = NavigationType.Pop,\n navigator,\n static: staticProp = false,\n future,\n}: RouterProps): React.ReactElement | null {\n invariant(\n !useInRouterContext(),\n `You cannot render a <Router> inside another <Router>.` +\n ` You should never have more than one in your app.`\n );\n\n // Preserve trailing slashes on basename, so we can let the user control\n // the enforcement of trailing slashes throughout the app\n let basename = basenameProp.replace(/^\\/*/, \"/\");\n let navigationContext = React.useMemo(\n () => ({\n basename,\n navigator,\n static: staticProp,\n future: {\n v7_relativeSplatPath: false,\n ...future,\n },\n }),\n [basename, future, navigator, staticProp]\n );\n\n if (typeof locationProp === \"string\") {\n locationProp = parsePath(locationProp);\n }\n\n let {\n pathname = \"/\",\n search = \"\",\n hash = \"\",\n state = null,\n key = \"default\",\n } = locationProp;\n\n let locationContext = React.useMemo(() => {\n let trailingPathname = stripBasename(pathname, basename);\n\n if (trailingPathname == null) {\n return null;\n }\n\n return {\n location: {\n pathname: trailingPathname,\n search,\n hash,\n state,\n key,\n },\n navigationType,\n };\n }, [basename, pathname, search, hash, state, key, navigationType]);\n\n warning(\n locationContext != null,\n `<Router basename=\"${basename}\"> is not able to match the URL ` +\n `\"${pathname}${search}${hash}\" because it does not start with the ` +\n `basename, so the <Router> won't render anything.`\n );\n\n if (locationContext == null) {\n return null;\n }\n\n return (\n <NavigationContext.Provider value={navigationContext}>\n <LocationContext.Provider children={children} value={locationContext} />\n </NavigationContext.Provider>\n );\n}\n\nexport interface RoutesProps {\n children?: React.ReactNode;\n location?: Partial<Location> | string;\n}\n\n/**\n * A container for a nested tree of `<Route>` elements that renders the branch\n * that best matches the current location.\n *\n * @see https://reactrouter.com/v6/components/routes\n */\nexport function Routes({\n children,\n location,\n}: RoutesProps): React.ReactElement | null {\n return useRoutes(createRoutesFromChildren(children), location);\n}\n\nexport interface AwaitResolveRenderFunction {\n (data: Awaited<any>): React.ReactNode;\n}\n\nexport interface AwaitProps {\n children: React.ReactNode | AwaitResolveRenderFunction;\n errorElement?: React.ReactNode;\n resolve: TrackedPromise | any;\n}\n\n/**\n * Component to use for rendering lazily loaded data from returning defer()\n * in a loader function\n */\nexport function Await({ children, errorElement, resolve }: AwaitProps) {\n return (\n <AwaitErrorBoundary resolve={resolve} errorElement={errorElement}>\n <ResolveAwait>{children}</ResolveAwait>\n </AwaitErrorBoundary>\n );\n}\n\ntype AwaitErrorBoundaryProps = React.PropsWithChildren<{\n errorElement?: React.ReactNode;\n resolve: TrackedPromise | any;\n}>;\n\ntype AwaitErrorBoundaryState = {\n error: any;\n};\n\nenum AwaitRenderStatus {\n pending,\n success,\n error,\n}\n\nconst neverSettledPromise = new Promise(() => {});\n\nclass AwaitErrorBoundary extends React.Component<\n AwaitErrorBoundaryProps,\n AwaitErrorBoundaryState\n> {\n constructor(props: AwaitErrorBoundaryProps) {\n super(props);\n this.state = { error: null };\n }\n\n static getDerivedStateFromError(error: any) {\n return { error };\n }\n\n componentDidCatch(error: any, errorInfo: any) {\n console.error(\n \"<Await> caught the following error during render\",\n error,\n errorInfo\n );\n }\n\n render() {\n let { children, errorElement, resolve } = this.props;\n\n let promise: TrackedPromise | null = null;\n let status: AwaitRenderStatus = AwaitRenderStatus.pending;\n\n if (!(resolve instanceof Promise)) {\n // Didn't get a promise - provide as a resolved promise\n status = AwaitRenderStatus.success;\n promise = Promise.resolve();\n Object.defineProperty(promise, \"_tracked\", { get: () => true });\n Object.defineProperty(promise, \"_data\", { get: () => resolve });\n } else if (this.state.error) {\n // Caught a render error, provide it as a rejected promise\n status = AwaitRenderStatus.error;\n let renderError = this.state.error;\n promise = Promise.reject().catch(() => {}); // Avoid unhandled rejection warnings\n Object.defineProperty(promise, \"_tracked\", { get: () => true });\n Object.defineProperty(promise, \"_error\", { get: () => renderError });\n } else if ((resolve as TrackedPromise)._tracked) {\n // Already tracked promise - check contents\n promise = resolve;\n status =\n \"_error\" in promise\n ? AwaitRenderStatus.error\n : \"_data\" in promise\n ? AwaitRenderStatus.success\n : AwaitRenderStatus.pending;\n } else {\n // Raw (untracked) promise - track it\n status = AwaitRenderStatus.pending;\n Object.defineProperty(resolve, \"_tracked\", { get: () => true });\n promise = resolve.then(\n (data: any) =>\n Object.defineProperty(resolve, \"_data\", { get: () => data }),\n (error: any) =>\n Object.defineProperty(resolve, \"_error\", { get: () => error })\n );\n }\n\n if (\n status === AwaitRenderStatus.error &&\n promise._error instanceof AbortedDeferredError\n ) {\n // Freeze the UI by throwing a never resolved promise\n throw neverSettledPromise;\n }\n\n if (status === AwaitRenderStatus.error && !errorElement) {\n // No errorElement, throw to the nearest route-level error boundary\n throw promise._error;\n }\n\n if (status === AwaitRenderStatus.error) {\n // Render via our errorElement\n return <AwaitContext.Provider value={promise} children={errorElement} />;\n }\n\n if (status === AwaitRenderStatus.success) {\n // Render children with resolved value\n return <AwaitContext.Provider value={promise} children={children} />;\n }\n\n // Throw to the suspense boundary\n throw promise;\n }\n}\n\n/**\n * @private\n * Indirection to leverage useAsyncValue for a render-prop API on `<Await>`\n */\nfunction ResolveAwait({\n children,\n}: {\n children: React.ReactNode | AwaitResolveRenderFunction;\n}) {\n let data = useAsyncValue();\n let toRender = typeof children === \"function\" ? children(data) : children;\n return <>{toRender}</>;\n}\n\n///////////////////////////////////////////////////////////////////////////////\n// UTILS\n///////////////////////////////////////////////////////////////////////////////\n\n/**\n * Creates a route config from a React \"children\" object, which is usually\n * either a `<Route>` element or an array of them. Used internally by\n * `<Routes>` to create a route config from its children.\n *\n * @see https://reactrouter.com/v6/utils/create-routes-from-children\n */\nexport function createRoutesFromChildren(\n children: React.ReactNode,\n parentPath: number[] = []\n): RouteObject[] {\n let routes: RouteObject[] = [];\n\n React.Children.forEach(children, (element, index) => {\n if (!React.isValidElement(element)) {\n // Ignore non-elements. This allows people to more easily inline\n // conditionals in their route config.\n return;\n }\n\n let treePath = [...parentPath, index];\n\n if (element.type === React.Fragment) {\n // Transparently support React.Fragment and its children.\n routes.push.apply(\n routes,\n createRoutesFromChildren(element.props.children, treePath)\n );\n return;\n }\n\n invariant(\n element.type === Route,\n `[${\n typeof element.type === \"string\" ? element.type : element.type.name\n }] is not a <Route> component. All component children of <Routes> must be a <Route> or <React.Fragment>`\n );\n\n invariant(\n !element.props.index || !element.props.children,\n \"An index route cannot have child routes.\"\n );\n\n let route: RouteObject = {\n id: element.props.id || treePath.join(\"-\"),\n caseSensitive: element.props.caseSensitive,\n element: element.props.element,\n Component: element.props.Component,\n index: element.props.index,\n path: element.props.path,\n loader: element.props.loader,\n action: element.props.action,\n errorElement: element.props.errorElement,\n ErrorBoundary: element.props.ErrorBoundary,\n hasErrorBoundary:\n element.props.ErrorBoundary != null ||\n element.props.errorElement != null,\n shouldRevalidate: element.props.shouldRevalidate,\n handle: element.props.handle,\n lazy: element.props.lazy,\n };\n\n if (element.props.children) {\n route.children = createRoutesFromChildren(\n element.props.children,\n treePath\n );\n }\n\n routes.push(route);\n });\n\n return routes;\n}\n\n/**\n * Renders the result of `matchRoutes()` into a React element.\n */\nexport function renderMatches(\n matches: RouteMatch[] | null\n): React.ReactElement | null {\n return _renderMatches(matches);\n}\n", "import * as React from \"react\";\nimport type {\n ActionFunction,\n ActionFunctionArgs,\n AgnosticPatchRoutesOnNavigationFunction,\n AgnosticPatchRoutesOnNavigationFunctionArgs,\n Blocker,\n BlockerFunction,\n DataStrategyFunction,\n DataStrategyFunctionArgs,\n DataStrategyMatch,\n DataStrategyResult,\n ErrorResponse,\n Fetcher,\n HydrationState,\n InitialEntry,\n JsonFunction,\n LazyRouteFunction,\n LoaderFunction,\n LoaderFunctionArgs,\n Location,\n Navigation,\n ParamParseKey,\n Params,\n Path,\n PathMatch,\n PathParam,\n PathPattern,\n RedirectFunction,\n RelativeRoutingType,\n Router as RemixRouter,\n FutureConfig as RouterFutureConfig,\n ShouldRevalidateFunction,\n ShouldRevalidateFunctionArgs,\n To,\n UIMatch,\n} from \"@remix-run/router\";\nimport {\n AbortedDeferredError,\n Action as NavigationType,\n createMemoryHistory,\n createPath,\n createRouter,\n defer,\n generatePath,\n isRouteErrorResponse,\n json,\n matchPath,\n matchRoutes,\n parsePath,\n redirect,\n redirectDocument,\n replace,\n resolvePath,\n UNSAFE_warning as warning,\n} from \"@remix-run/router\";\n\nimport type {\n AwaitProps,\n FutureConfig,\n IndexRouteProps,\n LayoutRouteProps,\n MemoryRouterProps,\n NavigateProps,\n OutletProps,\n PathRouteProps,\n RouteProps,\n RouterProps,\n RouterProviderProps,\n RoutesProps,\n} from \"./lib/components\";\nimport {\n Await,\n MemoryRouter,\n Navigate,\n Outlet,\n Route,\n Router,\n RouterProvider,\n Routes,\n createRoutesFromChildren,\n renderMatches,\n} from \"./lib/components\";\nimport type {\n DataRouteMatch,\n DataRouteObject,\n IndexRouteObject,\n NavigateOptions,\n Navigator,\n NonIndexRouteObject,\n RouteMatch,\n RouteObject,\n} from \"./lib/context\";\nimport {\n DataRouterContext,\n DataRouterStateContext,\n LocationContext,\n NavigationContext,\n RouteContext,\n} from \"./lib/context\";\nimport type { NavigateFunction } from \"./lib/hooks\";\nimport {\n useActionData,\n useAsyncError,\n useAsyncValue,\n useBlocker,\n useHref,\n useInRouterContext,\n useLoaderData,\n useLocation,\n useMatch,\n useMatches,\n useNavigate,\n useNavigation,\n useNavigationType,\n useOutlet,\n useOutletContext,\n useParams,\n useResolvedPath,\n useRevalidator,\n useRouteError,\n useRouteId,\n useRouteLoaderData,\n useRoutes,\n useRoutesImpl,\n} from \"./lib/hooks\";\nimport { logV6DeprecationWarnings } from \"./lib/deprecations\";\n\n// Exported for backwards compatibility, but not being used internally anymore\ntype Hash = string;\ntype Pathname = string;\ntype Search = string;\n\n// Expose react-router public API\nexport type {\n ActionFunction,\n ActionFunctionArgs,\n AwaitProps,\n DataRouteMatch,\n DataRouteObject,\n DataStrategyFunction,\n DataStrategyFunctionArgs,\n DataStrategyMatch,\n DataStrategyResult,\n ErrorResponse,\n Fetcher,\n FutureConfig,\n Hash,\n IndexRouteObject,\n IndexRouteProps,\n JsonFunction,\n LayoutRouteProps,\n LazyRouteFunction,\n LoaderFunction,\n LoaderFunctionArgs,\n Location,\n MemoryRouterProps,\n NavigateFunction,\n NavigateOptions,\n NavigateProps,\n Navigation,\n Navigator,\n NonIndexRouteObject,\n OutletProps,\n ParamParseKey,\n Params,\n Path,\n PathMatch,\n PathParam,\n PathPattern,\n PathRouteProps,\n Pathname,\n RedirectFunction,\n RelativeRoutingType,\n RouteMatch,\n RouteObject,\n RouteProps,\n RouterProps,\n RouterProviderProps,\n RoutesProps,\n Search,\n ShouldRevalidateFunction,\n ShouldRevalidateFunctionArgs,\n To,\n UIMatch,\n Blocker,\n BlockerFunction,\n};\nexport {\n AbortedDeferredError,\n Await,\n MemoryRouter,\n Navigate,\n NavigationType,\n Outlet,\n Route,\n Router,\n RouterProvider,\n Routes,\n createPath,\n createRoutesFromChildren,\n createRoutesFromChildren as createRoutesFromElements,\n defer,\n generatePath,\n isRouteErrorResponse,\n json,\n matchPath,\n matchRoutes,\n parsePath,\n redirect,\n redirectDocument,\n replace,\n renderMatches,\n resolvePath,\n useBlocker,\n useActionData,\n useAsyncError,\n useAsyncValue,\n useHref,\n useInRouterContext,\n useLoaderData,\n useLocation,\n useMatch,\n useMatches,\n useNavigate,\n useNavigation,\n useNavigationType,\n useOutlet,\n useOutletContext,\n useParams,\n useResolvedPath,\n useRevalidator,\n useRouteError,\n useRouteLoaderData,\n useRoutes,\n};\n\nexport type PatchRoutesOnNavigationFunctionArgs =\n AgnosticPatchRoutesOnNavigationFunctionArgs<RouteObject, RouteMatch>;\n\nexport type PatchRoutesOnNavigationFunction =\n AgnosticPatchRoutesOnNavigationFunction<RouteObject, RouteMatch>;\n\nfunction mapRouteProperties(route: RouteObject) {\n let updates: Partial<RouteObject> & { hasErrorBoundary: boolean } = {\n // Note: this check also occurs in createRoutesFromChildren so update\n // there if you change this -- please and thank you!\n hasErrorBoundary: route.ErrorBoundary != null || route.errorElement != null,\n };\n\n if (route.Component) {\n if (__DEV__) {\n if (route.element) {\n warning(\n false,\n \"You should not include both `Component` and `element` on your route - \" +\n \"`Component` will be used.\"\n );\n }\n }\n Object.assign(updates, {\n element: React.createElement(route.Component),\n Component: undefined,\n });\n }\n\n if (route.HydrateFallback) {\n if (__DEV__) {\n if (route.hydrateFallbackElement) {\n warning(\n false,\n \"You should not include both `HydrateFallback` and `hydrateFallbackElement` on your route - \" +\n \"`HydrateFallback` will be used.\"\n );\n }\n }\n Object.assign(updates, {\n hydrateFallbackElement: React.createElement(route.HydrateFallback),\n HydrateFallback: undefined,\n });\n }\n\n if (route.ErrorBoundary) {\n if (__DEV__) {\n if (route.errorElement) {\n warning(\n false,\n \"You should not include both `ErrorBoundary` and `errorElement` on your route - \" +\n \"`ErrorBoundary` will be used.\"\n );\n }\n }\n Object.assign(updates, {\n errorElement: React.createElement(route.ErrorBoundary),\n ErrorBoundary: undefined,\n });\n }\n\n return updates;\n}\n\nexport function createMemoryRouter(\n routes: RouteObject[],\n opts?: {\n basename?: string;\n future?: Partial<Omit<RouterFutureConfig, \"v7_prependBasename\">>;\n hydrationData?: HydrationState;\n initialEntries?: InitialEntry[];\n initialIndex?: number;\n dataStrategy?: DataStrategyFunction;\n patchRoutesOnNavigation?: PatchRoutesOnNavigationFunction;\n }\n): RemixRouter {\n return createRouter({\n basename: opts?.basename,\n future: {\n ...opts?.future,\n v7_prependBasename: true,\n },\n history: createMemoryHistory({\n initialEntries: opts?.initialEntries,\n initialIndex: opts?.initialIndex,\n }),\n hydrationData: opts?.hydrationData,\n routes,\n mapRouteProperties,\n dataStrategy: opts?.dataStrategy,\n patchRoutesOnNavigation: opts?.patchRoutesOnNavigation,\n }).initialize();\n}\n\n///////////////////////////////////////////////////////////////////////////////\n// DANGER! PLEASE READ ME!\n// We provide these exports as an escape hatch in the event that you need any\n// routing data that we don't provide an explicit API for. With that said, we\n// want to cover your use case if we can, so if you feel the need to use these\n// we want to hear from you. Let us know what you're building and we'll do our\n// best to make sure we can support you!\n//\n// We consider these exports an implementation detail and do not guarantee\n// against any breaking changes, regardless of the semver release. Use with\n// extreme caution and only if you understand the consequences. Godspeed.\n///////////////////////////////////////////////////////////////////////////////\n\n/** @internal */\nexport {\n DataRouterContext as UNSAFE_DataRouterContext,\n DataRouterStateContext as UNSAFE_DataRouterStateContext,\n LocationContext as UNSAFE_LocationContext,\n NavigationContext as UNSAFE_NavigationContext,\n RouteContext as UNSAFE_RouteContext,\n mapRouteProperties as UNSAFE_mapRouteProperties,\n useRouteId as UNSAFE_useRouteId,\n useRoutesImpl as UNSAFE_useRoutesImpl,\n logV6DeprecationWarnings as UNSAFE_logV6DeprecationWarnings,\n};\n", "import type {\n FormEncType,\n HTMLFormMethod,\n RelativeRoutingType,\n} from \"@remix-run/router\";\nimport { stripBasename, UNSAFE_warning as warning } from \"@remix-run/router\";\n\nexport const defaultMethod: HTMLFormMethod = \"get\";\nconst defaultEncType: FormEncType = \"application/x-www-form-urlencoded\";\n\nexport function isHtmlElement(object: any): object is HTMLElement {\n return object != null && typeof object.tagName === \"string\";\n}\n\nexport function isButtonElement(object: any): object is HTMLButtonElement {\n return isHtmlElement(object) && object.tagName.toLowerCase() === \"button\";\n}\n\nexport function isFormElement(object: any): object is HTMLFormElement {\n return isHtmlElement(object) && object.tagName.toLowerCase() === \"form\";\n}\n\nexport function isInputElement(object: any): object is HTMLInputElement {\n return isHtmlElement(object) && object.tagName.toLowerCase() === \"input\";\n}\n\ntype LimitedMouseEvent = Pick<\n MouseEvent,\n \"button\" | \"metaKey\" | \"altKey\" | \"ctrlKey\" | \"shiftKey\"\n>;\n\nfunction isModifiedEvent(event: LimitedMouseEvent) {\n return !!(event.metaKey || event.altKey || event.ctrlKey || event.shiftKey);\n}\n\nexport function shouldProcessLinkClick(\n event: LimitedMouseEvent,\n target?: string\n) {\n return (\n event.button === 0 && // Ignore everything but left clicks\n (!target || target === \"_self\") && // Let browser handle \"target=_blank\" etc.\n !isModifiedEvent(event) // Ignore clicks with modifier keys\n );\n}\n\nexport type ParamKeyValuePair = [string, string];\n\nexport type URLSearchParamsInit =\n | string\n | ParamKeyValuePair[]\n | Record<string, string | string[]>\n | URLSearchParams;\n\n/**\n * Creates a URLSearchParams object using the given initializer.\n *\n * This is identical to `new URLSearchParams(init)` except it also\n * supports arrays as values in the object form of the initializer\n * instead of just strings. This is convenient when you need multiple\n * values for a given key, but don't want to use an array initializer.\n *\n * For example, instead of:\n *\n * let searchParams = new URLSearchParams([\n * ['sort', 'name'],\n * ['sort', 'price']\n * ]);\n *\n * you can do:\n *\n * let searchParams = createSearchParams({\n * sort: ['name', 'price']\n * });\n */\nexport function createSearchParams(\n init: URLSearchParamsInit = \"\"\n): URLSearchParams {\n return new URLSearchParams(\n typeof init === \"string\" ||\n Array.isArray(init) ||\n init instanceof URLSearchParams\n ? init\n : Object.keys(init).reduce((memo, key) => {\n let value = init[key];\n return memo.concat(\n Array.isArray(value) ? value.map((v) => [key, v]) : [[key, value]]\n );\n }, [] as ParamKeyValuePair[])\n );\n}\n\nexport function getSearchParamsForLocation(\n locationSearch: string,\n defaultSearchParams: URLSearchParams | null\n) {\n let searchParams = createSearchParams(locationSearch);\n\n if (defaultSearchParams) {\n // Use `defaultSearchParams.forEach(...)` here instead of iterating of\n // `defaultSearchParams.keys()` to work-around a bug in Firefox related to\n // web extensions. Relevant Bugzilla tickets:\n // https://bugzilla.mozilla.org/show_bug.cgi?id=1414602\n // https://bugzilla.mozilla.org/show_bug.cgi?id=1023984\n defaultSearchParams.forEach((_, key) => {\n if (!searchParams.has(key)) {\n defaultSearchParams.getAll(key).forEach((value) => {\n searchParams.append(key, value);\n });\n }\n });\n }\n\n return searchParams;\n}\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\nexport type SubmitTarget =\n | HTMLFormElement\n | HTMLButtonElement\n | HTMLInputElement\n | FormData\n | URLSearchParams\n | JsonValue\n | null;\n\n// One-time check for submitter support\nlet _formDataSupportsSubmitter: boolean | null = null;\n\nfunction isFormDataSubmitterSupported() {\n if (_formDataSupportsSubmitter === null) {\n try {\n new FormData(\n document.createElement(\"form\"),\n // @ts-expect-error if FormData supports the submitter parameter, this will throw\n 0\n );\n _formDataSupportsSubmitter = false;\n } catch (e) {\n _formDataSupportsSubmitter = true;\n }\n }\n return _formDataSupportsSubmitter;\n}\n\n/**\n * Submit options shared by both navigations and fetchers\n */\ninterface SharedSubmitOptions {\n /**\n * The HTTP method used to submit the form. Overrides `<form method>`.\n * Defaults to \"GET\".\n */\n method?: HTMLFormMethod;\n\n /**\n * The action URL path used to submit the form. Overrides `<form action>`.\n * Defaults to the path of the current route.\n */\n action?: string;\n\n /**\n * The encoding used to submit the form. Overrides `<form encType>`.\n * Defaults to \"application/x-www-form-urlencoded\".\n */\n encType?: FormEncType;\n\n /**\n * Determines whether the form action is relative to the route hierarchy or\n * the pathname. Use this if you want to opt out of navigating the route\n * hierarchy and want to instead route based on /-delimited URL segments\n */\n relative?: RelativeRoutingType;\n\n /**\n * In browser-based environments, prevent resetting scroll after this\n * navigation when using the <ScrollRestoration> component\n */\n preventScrollReset?: boolean;\n\n /**\n * Enable flushSync for this submission's state updates\n */\n flushSync?: boolean;\n}\n\n/**\n * Submit options available to fetchers\n */\nexport interface FetcherSubmitOptions extends SharedSubmitOptions {}\n\n/**\n * Submit options available to navigations\n */\nexport interface SubmitOptions extends FetcherSubmitOptions {\n /**\n * Set `true` to replace the current entry in the browser's history stack\n * instead of creating a new one (i.e. stay on \"the same page\"). Defaults\n * to `false`.\n */\n replace?: boolean;\n\n /**\n * State object to add to the history stack entry for this navigation\n */\n state?: any;\n\n /**\n * Indicate a specific fetcherKey to use when using navigate=false\n */\n fetcherKey?: string;\n\n /**\n * navigate=false will use a fetcher instead of a navigation\n */\n navigate?: boolean;\n\n /**\n * Enable view transitions on this submission navigation\n */\n viewTransition?: boolean;\n}\n\nconst supportedFormEncTypes: Set<FormEncType> = new Set([\n \"application/x-www-form-urlencoded\",\n \"multipart/form-data\",\n \"text/plain\",\n]);\n\nfunction getFormEncType(encType: string | null) {\n if (encType != null && !supportedFormEncTypes.has(encType as FormEncType)) {\n warning(\n false,\n `\"${encType}\" is not a valid \\`encType\\` for \\`<Form>\\`/\\`<fetcher.Form>\\` ` +\n `and will default to \"${defaultEncType}\"`\n );\n\n return null;\n }\n return encType;\n}\n\nexport function getFormSubmissionInfo(\n target: SubmitTarget,\n basename: string\n): {\n action: string | null;\n method: string;\n encType: string;\n formData: FormData | undefined;\n body: any;\n} {\n let method: string;\n let action: string | null;\n let encType: string;\n let formData: FormData | undefined;\n let body: any;\n\n if (isFormElement(target)) {\n // When grabbing the action from the element, it will have had the basename\n // prefixed to ensure non-JS scenarios work, so strip it since we'll\n // re-prefix in the router\n let attr = target.getAttribute(\"action\");\n action = attr ? stripBasename(attr, basename) : null;\n method = target.getAttribute(\"method\") || defaultMethod;\n encType = getFormEncType(target.getAttribute(\"enctype\")) || defaultEncType;\n\n formData = new FormData(target);\n } else if (\n isButtonElement(target) ||\n (isInputElement(target) &&\n (target.type === \"submit\" || target.type === \"image\"))\n ) {\n let form = target.form;\n\n if (form == null) {\n throw new Error(\n `Cannot submit a <button> or <input type=\"submit\"> without a <form>`\n );\n }\n\n // <button>/<input type=\"submit\"> may override attributes of <form>\n\n // When grabbing the action from the element, it will have had the basename\n // prefixed to ensure non-JS scenarios work, so strip it since we'll\n // re-prefix in the router\n let attr = target.getAttribute(\"formaction\") || form.getAttribute(\"action\");\n action = attr ? stripBasename(attr, basename) : null;\n\n method =\n target.getAttribute(\"formmethod\") ||\n form.getAttribute(\"method\") ||\n defaultMethod;\n encType =\n getFormEncType(target.getAttribute(\"formenctype\")) ||\n getFormEncType(form.getAttribute(\"enctype\")) ||\n defaultEncType;\n\n // Build a FormData object populated from a form and submitter\n formData = new FormData(form, target);\n\n // If this browser doesn't support the `FormData(el, submitter)` format,\n // then tack on the submitter value at the end. This is a lightweight\n // solution that is not 100% spec compliant. For complete support in older\n // browsers, consider using the `formdata-submitter-polyfill` package\n if (!isFormDataSubmitterSupported()) {\n let { name, type, value } = target;\n if (type === \"image\") {\n let prefix = name ? `${name}.` : \"\";\n formData.append(`${prefix}x`, \"0\");\n formData.append(`${prefix}y`, \"0\");\n } else if (name) {\n formData.append(name, value);\n }\n }\n } else if (isHtmlElement(target)) {\n throw new Error(\n `Cannot submit element that is not <form>, <button>, or ` +\n `<input type=\"submit|image\">`\n );\n } else {\n method = defaultMethod;\n action = null;\n encType = defaultEncType;\n body = target;\n }\n\n // Send body for <Form encType=\"text/plain\" so we encode it into text\n if (formData && encType === \"text/plain\") {\n body = formData;\n formData = undefined;\n }\n\n return { action, method: method.toLowerCase(), encType, formData, body };\n}\n", "/**\n * NOTE: If you refactor this to split up the modules into separate files,\n * you'll need to update the rollup config for react-router-dom-v5-compat.\n */\nimport * as React from \"react\";\nimport * as ReactDOM from \"react-dom\";\nimport type {\n DataRouteObject,\n FutureConfig,\n Location,\n NavigateOptions,\n NavigationType,\n Navigator,\n RelativeRoutingType,\n RouteObject,\n RouterProps,\n RouterProviderProps,\n To,\n DataStrategyFunction,\n PatchRoutesOnNavigationFunction,\n} from \"react-router\";\nimport {\n Router,\n createPath,\n useHref,\n useLocation,\n useMatches,\n useNavigate,\n useNavigation,\n useResolvedPath,\n useBlocker,\n UNSAFE_DataRouterContext as DataRouterContext,\n UNSAFE_DataRouterStateContext as DataRouterStateContext,\n UNSAFE_NavigationContext as NavigationContext,\n UNSAFE_RouteContext as RouteContext,\n UNSAFE_logV6DeprecationWarnings as logV6DeprecationWarnings,\n UNSAFE_mapRouteProperties as mapRouteProperties,\n UNSAFE_useRouteId as useRouteId,\n UNSAFE_useRoutesImpl as useRoutesImpl,\n} from \"react-router\";\nimport type {\n BrowserHistory,\n Fetcher,\n FormEncType,\n FormMethod,\n FutureConfig as RouterFutureConfig,\n GetScrollRestorationKeyFunction,\n HashHistory,\n History,\n HTMLFormMethod,\n HydrationState,\n Router as RemixRouter,\n V7_FormMethod,\n RouterState,\n RouterSubscriber,\n BlockerFunction,\n} from \"@remix-run/router\";\nimport {\n createRouter,\n createBrowserHistory,\n createHashHistory,\n joinPaths,\n stripBasename,\n UNSAFE_ErrorResponseImpl as ErrorResponseImpl,\n UNSAFE_invariant as invariant,\n UNSAFE_warning as warning,\n matchPath,\n IDLE_FETCHER,\n} from \"@remix-run/router\";\n\nimport type {\n SubmitOptions,\n ParamKeyValuePair,\n URLSearchParamsInit,\n SubmitTarget,\n FetcherSubmitOptions,\n} from \"./dom\";\nimport {\n createSearchParams,\n defaultMethod,\n getFormSubmissionInfo,\n getSearchParamsForLocation,\n shouldProcessLinkClick,\n} from \"./dom\";\n\n////////////////////////////////////////////////////////////////////////////////\n//#region Re-exports\n////////////////////////////////////////////////////////////////////////////////\n\nexport type {\n FormEncType,\n FormMethod,\n GetScrollRestorationKeyFunction,\n ParamKeyValuePair,\n SubmitOptions,\n URLSearchParamsInit,\n V7_FormMethod,\n};\nexport { createSearchParams, ErrorResponseImpl as UNSAFE_ErrorResponseImpl };\n\n// Note: Keep in sync with react-router exports!\nexport type {\n ActionFunction,\n ActionFunctionArgs,\n AwaitProps,\n Blocker,\n BlockerFunction,\n DataRouteMatch,\n DataRouteObject,\n DataStrategyFunction,\n DataStrategyFunctionArgs,\n DataStrategyMatch,\n DataStrategyResult,\n ErrorResponse,\n Fetcher,\n FutureConfig,\n Hash,\n IndexRouteObject,\n IndexRouteProps,\n JsonFunction,\n LazyRouteFunction,\n LayoutRouteProps,\n LoaderFunction,\n LoaderFunctionArgs,\n Location,\n MemoryRouterProps,\n NavigateFunction,\n NavigateOptions,\n NavigateProps,\n Navigation,\n Navigator,\n NonIndexRouteObject,\n OutletProps,\n Params,\n ParamParseKey,\n PatchRoutesOnNavigationFunction,\n PatchRoutesOnNavigationFunctionArgs,\n Path,\n PathMatch,\n Pathname,\n PathParam,\n PathPattern,\n PathRouteProps,\n RedirectFunction,\n RelativeRoutingType,\n RouteMatch,\n RouteObject,\n RouteProps,\n RouterProps,\n RouterProviderProps,\n RoutesProps,\n Search,\n ShouldRevalidateFunction,\n ShouldRevalidateFunctionArgs,\n To,\n UIMatch,\n} from \"react-router\";\nexport {\n AbortedDeferredError,\n Await,\n MemoryRouter,\n Navigate,\n NavigationType,\n Outlet,\n Route,\n Router,\n Routes,\n createMemoryRouter,\n createPath,\n createRoutesFromChildren,\n createRoutesFromElements,\n defer,\n isRouteErrorResponse,\n generatePath,\n json,\n matchPath,\n matchRoutes,\n parsePath,\n redirect,\n redirectDocument,\n replace,\n renderMatches,\n resolvePath,\n useActionData,\n useAsyncError,\n useAsyncValue,\n useBlocker,\n useHref,\n useInRouterContext,\n useLoaderData,\n useLocation,\n useMatch,\n useMatches,\n useNavigate,\n useNavigation,\n useNavigationType,\n useOutlet,\n useOutletContext,\n useParams,\n useResolvedPath,\n useRevalidator,\n useRouteError,\n useRouteLoaderData,\n useRoutes,\n} from \"react-router\";\n\n///////////////////////////////////////////////////////////////////////////////\n// DANGER! PLEASE READ ME!\n// We provide these exports as an escape hatch in the event that you need any\n// routing data that we don't provide an explicit API for. With that said, we\n// want to cover your use case if we can, so if you feel the need to use these\n// we want to hear from you. Let us know what you're building and we'll do our\n// best to make sure we can support you!\n//\n// We consider these exports an implementation detail and do not guarantee\n// against any breaking changes, regardless of the semver release. Use with\n// extreme caution and only if you understand the consequences. Godspeed.\n///////////////////////////////////////////////////////////////////////////////\n\n/** @internal */\nexport {\n UNSAFE_DataRouterContext,\n UNSAFE_DataRouterStateContext,\n UNSAFE_NavigationContext,\n UNSAFE_LocationContext,\n UNSAFE_RouteContext,\n UNSAFE_useRouteId,\n} from \"react-router\";\n//#endregion\n\ndeclare global {\n var __staticRouterHydrationData: HydrationState | undefined;\n var __reactRouterVersion: string;\n interface Document {\n startViewTransition(cb: () => Promise<void> | void): ViewTransition;\n }\n}\n\n// HEY YOU! DON'T TOUCH THIS VARIABLE!\n//\n// It is replaced with the proper version at build time via a babel plugin in\n// the rollup config.\n//\n// Export a global property onto the window for React Router detection by the\n// Core Web Vitals Technology Report. This way they can configure the `wappalyzer`\n// to detect and properly classify live websites as being built with React Router:\n// https://github.com/HTTPArchive/wappalyzer/blob/main/src/technologies/r.json\nconst REACT_ROUTER_VERSION = \"0\";\ntry {\n window.__reactRouterVersion = REACT_ROUTER_VERSION;\n} catch (e) {\n // no-op\n}\n\n////////////////////////////////////////////////////////////////////////////////\n//#region Routers\n////////////////////////////////////////////////////////////////////////////////\n\ninterface DOMRouterOpts {\n basename?: string;\n future?: Partial<Omit<RouterFutureConfig, \"v7_prependBasename\">>;\n hydrationData?: HydrationState;\n dataStrategy?: DataStrategyFunction;\n patchRoutesOnNavigation?: PatchRoutesOnNavigationFunction;\n window?: Window;\n}\n\nexport function createBrowserRouter(\n routes: RouteObject[],\n opts?: DOMRouterOpts\n): RemixRouter {\n return createRouter({\n basename: opts?.basename,\n future: {\n ...opts?.future,\n v7_prependBasename: true,\n },\n history: createBrowserHistory({ window: opts?.window }),\n hydrationData: opts?.hydrationData || parseHydrationData(),\n routes,\n mapRouteProperties,\n dataStrategy: opts?.dataStrategy,\n patchRoutesOnNavigation: opts?.patchRoutesOnNavigation,\n window: opts?.window,\n }).initialize();\n}\n\nexport function createHashRouter(\n routes: RouteObject[],\n opts?: DOMRouterOpts\n): RemixRouter {\n return createRouter({\n basename: opts?.basename,\n future: {\n ...opts?.future,\n v7_prependBasename: true,\n },\n history: createHashHistory({ window: opts?.window }),\n hydrationData: opts?.hydrationData || parseHydrationData(),\n routes,\n mapRouteProperties,\n dataStrategy: opts?.dataStrategy,\n patchRoutesOnNavigation: opts?.patchRoutesOnNavigation,\n window: opts?.window,\n }).initialize();\n}\n\nfunction parseHydrationData(): HydrationState | undefined {\n let state = window?.__staticRouterHydrationData;\n if (state && state.errors) {\n state = {\n ...state,\n errors: deserializeErrors(state.errors),\n };\n }\n return state;\n}\n\nfunction deserializeErrors(\n errors: RemixRouter[\"state\"][\"errors\"]\n): RemixRouter[\"state\"][\"errors\"] {\n if (!errors) return null;\n let entries = Object.entries(errors);\n let serialized: RemixRouter[\"state\"][\"errors\"] = {};\n for (let [key, val] of entries) {\n // Hey you! If you change this, please change the corresponding logic in\n // serializeErrors in react-router-dom/server.tsx :)\n if (val && val.__type === \"RouteErrorResponse\") {\n serialized[key] = new ErrorResponseImpl(\n val.status,\n val.statusText,\n val.data,\n val.internal === true\n );\n } else if (val && val.__type === \"Error\") {\n // Attempt to reconstruct the right type of Error (i.e., ReferenceError)\n if (val.__subType) {\n let ErrorConstructor = window[val.__subType];\n if (typeof ErrorConstructor === \"function\") {\n try {\n // @ts-expect-error\n let error = new ErrorConstructor(val.message);\n // Wipe away the client-side stack trace. Nothing to fill it in with\n // because we don't serialize SSR stack traces for security reasons\n error.stack = \"\";\n serialized[key] = error;\n } catch (e) {\n // no-op - fall through and create a normal Error\n }\n }\n }\n\n if (serialized[key] == null) {\n let error = new Error(val.message);\n // Wipe away the client-side stack trace. Nothing to fill it in with\n // because we don't serialize SSR stack traces for security reasons\n error.stack = \"\";\n serialized[key] = error;\n }\n } else {\n serialized[key] = val;\n }\n }\n return serialized;\n}\n\n//#endregion\n\n////////////////////////////////////////////////////////////////////////////////\n//#region Contexts\n////////////////////////////////////////////////////////////////////////////////\n\ntype ViewTransitionContextObject =\n | {\n isTransitioning: false;\n }\n | {\n isTransitioning: true;\n flushSync: boolean;\n currentLocation: Location;\n nextLocation: Location;\n };\n\nconst ViewTransitionContext = React.createContext<ViewTransitionContextObject>({\n isTransitioning: false,\n});\nif (__DEV__) {\n ViewTransitionContext.displayName = \"ViewTransition\";\n}\n\nexport { ViewTransitionContext as UNSAFE_ViewTransitionContext };\n\n// TODO: (v7) Change the useFetcher data from `any` to `unknown`\ntype FetchersContextObject = Map<string, any>;\n\nconst FetchersContext = React.createContext<FetchersContextObject>(new Map());\nif (__DEV__) {\n FetchersContext.displayName = \"Fetchers\";\n}\n\nexport { FetchersContext as UNSAFE_FetchersContext };\n\n//#endregion\n\n////////////////////////////////////////////////////////////////////////////////\n//#region Components\n////////////////////////////////////////////////////////////////////////////////\n\n/**\n Webpack + React 17 fails to compile on any of the following because webpack\n complains that `startTransition` doesn't exist in `React`:\n * import { startTransition } from \"react\"\n * import * as React from from \"react\";\n \"startTransition\" in React ? React.startTransition(() => setState()) : setState()\n * import * as React from from \"react\";\n \"startTransition\" in React ? React[\"startTransition\"](() => setState()) : setState()\n\n Moving it to a constant such as the following solves the Webpack/React 17 issue:\n * import * as React from from \"react\";\n const START_TRANSITION = \"startTransition\";\n START_TRANSITION in React ? React[START_TRANSITION](() => setState()) : setState()\n\n However, that introduces webpack/terser minification issues in production builds\n in React 18 where minification/obfuscation ends up removing the call of\n React.startTransition entirely from the first half of the ternary. Grabbing\n this exported reference once up front resolves that issue.\n\n See https://github.com/remix-run/react-router/issues/10579\n*/\nconst START_TRANSITION = \"startTransition\";\nconst startTransitionImpl = React[START_TRANSITION];\nconst FLUSH_SYNC = \"flushSync\";\nconst flushSyncImpl = ReactDOM[FLUSH_SYNC];\nconst USE_ID = \"useId\";\nconst useIdImpl = React[USE_ID];\n\nfunction startTransitionSafe(cb: () => void) {\n if (startTransitionImpl) {\n startTransitionImpl(cb);\n } else {\n cb();\n }\n}\n\nfunction flushSyncSafe(cb: () => void) {\n if (flushSyncImpl) {\n flushSyncImpl(cb);\n } else {\n cb();\n }\n}\n\ninterface ViewTransition {\n finished: Promise<void>;\n ready: Promise<void>;\n updateCallbackDone: Promise<void>;\n skipTransition(): void;\n}\n\nclass Deferred<T> {\n status: \"pending\" | \"resolved\" | \"rejected\" = \"pending\";\n promise: Promise<T>;\n // @ts-expect-error - no initializer\n resolve: (value: T) => void;\n // @ts-expect-error - no initializer\n reject: (reason?: unknown) => void;\n constructor() {\n this.promise = new Promise((resolve, reject) => {\n this.resolve = (value) => {\n if (this.status === \"pending\") {\n this.status = \"resolved\";\n resolve(value);\n }\n };\n this.reject = (reason) => {\n if (this.status === \"pending\") {\n this.status = \"rejected\";\n reject(reason);\n }\n };\n });\n }\n}\n\n/**\n * Given a Remix Router instance, render the appropriate UI\n */\nexport function RouterProvider({\n fallbackElement,\n router,\n future,\n}: RouterProviderProps): React.ReactElement {\n let [state, setStateImpl] = React.useState(router.state);\n let [pendingState, setPendingState] = React.useState<RouterState>();\n let [vtContext, setVtContext] = React.useState<ViewTransitionContextObject>({\n isTransitioning: false,\n });\n let [renderDfd, setRenderDfd] = React.useState<Deferred<void>>();\n let [transition, setTransition] = React.useState<ViewTransition>();\n let [interruption, setInterruption] = React.useState<{\n state: RouterState;\n currentLocation: Location;\n nextLocation: Location;\n }>();\n let fetcherData = React.useRef<Map<string, any>>(new Map());\n let { v7_startTransition } = future || {};\n\n let optInStartTransition = React.useCallback(\n (cb: () => void) => {\n if (v7_startTransition) {\n startTransitionSafe(cb);\n } else {\n cb();\n }\n },\n [v7_startTransition]\n );\n\n let setState = React.useCallback<RouterSubscriber>(\n (\n newState: RouterState,\n {\n deletedFetchers,\n flushSync: flushSync,\n viewTransitionOpts: viewTransitionOpts,\n }\n ) => {\n deletedFetchers.forEach((key) => fetcherData.current.delete(key));\n newState.fetchers.forEach((fetcher, key) => {\n if (fetcher.data !== undefined) {\n fetcherData.current.set(key, fetcher.data);\n }\n });\n\n let isViewTransitionUnavailable =\n router.window == null ||\n router.window.document == null ||\n typeof router.window.document.startViewTransition !== \"function\";\n\n // If this isn't a view transition or it's not available in this browser,\n // just update and be done with it\n if (!viewTransitionOpts || isViewTransitionUnavailable) {\n if (flushSync) {\n flushSyncSafe(() => setStateImpl(newState));\n } else {\n optInStartTransition(() => setStateImpl(newState));\n }\n return;\n }\n\n // flushSync + startViewTransition\n if (flushSync) {\n // Flush through the context to mark DOM elements as transition=ing\n flushSyncSafe(() => {\n // Cancel any pending transitions\n if (transition) {\n renderDfd && renderDfd.resolve();\n transition.skipTransition();\n }\n setVtContext({\n isTransitioning: true,\n flushSync: true,\n currentLocation: viewTransitionOpts.currentLocation,\n nextLocation: viewTransitionOpts.nextLocation,\n });\n });\n\n // Update the DOM\n let t = router.window!.document.startViewTransition(() => {\n flushSyncSafe(() => setStateImpl(newState));\n });\n\n // Clean up after the animation completes\n t.finished.finally(() => {\n flushSyncSafe(() => {\n setRenderDfd(undefined);\n setTransition(undefined);\n setPendingState(undefined);\n setVtContext({ isTransitioning: false });\n });\n });\n\n flushSyncSafe(() => setTransition(t));\n return;\n }\n\n // startTransition + startViewTransition\n if (transition) {\n // Interrupting an in-progress transition, cancel and let everything flush\n // out, and then kick off a new transition from the interruption state\n renderDfd && renderDfd.resolve();\n transition.skipTransition();\n setInterruption({\n state: newState,\n currentLocation: viewTransitionOpts.currentLocation,\n nextLocation: viewTransitionOpts.nextLocation,\n });\n } else {\n // Completed navigation update with opted-in view transitions, let 'er rip\n setPendingState(newState);\n setVtContext({\n isTransitioning: true,\n flushSync: false,\n currentLocation: viewTransitionOpts.currentLocation,\n nextLocation: viewTransitionOpts.nextLocation,\n });\n }\n },\n [router.window, transition, renderDfd, fetcherData, optInStartTransition]\n );\n\n // Need to use a layout effect here so we are subscribed early enough to\n // pick up on any render-driven redirects/navigations (useEffect/<Navigate>)\n React.useLayoutEffect(() => router.subscribe(setState), [router, setState]);\n\n // When we start a view transition, create a Deferred we can use for the\n // eventual \"completed\" render\n React.useEffect(() => {\n if (vtContext.isTransitioning && !vtContext.flushSync) {\n setRenderDfd(new Deferred<void>());\n }\n }, [vtContext]);\n\n // Once the deferred is created, kick off startViewTransition() to update the\n // DOM and then wait on the Deferred to resolve (indicating the DOM update has\n // happened)\n React.useEffect(() => {\n if (renderDfd && pendingState && router.window) {\n let newState = pendingState;\n let renderPromise = renderDfd.promise;\n let transition = router.window.document.startViewTransition(async () => {\n optInStartTransition(() => setStateImpl(newState));\n await renderPromise;\n });\n transition.finished.finally(() => {\n setRenderDfd(undefined);\n setTransition(undefined);\n setPendingState(undefined);\n setVtContext({ isTransitioning: false });\n });\n setTransition(transition);\n }\n }, [optInStartTransition, pendingState, renderDfd, router.window]);\n\n // When the new location finally renders and is committed to the DOM, this\n // effect will run to resolve the transition\n React.useEffect(() => {\n if (\n renderDfd &&\n pendingState &&\n state.location.key === pendingState.location.key\n ) {\n renderDfd.resolve();\n }\n }, [renderDfd, transition, state.location, pendingState]);\n\n // If we get interrupted with a new navigation during a transition, we skip\n // the active transition, let it cleanup, then kick it off again here\n React.useEffect(() => {\n if (!vtContext.isTransitioning && interruption) {\n setPendingState(interruption.state);\n setVtContext({\n isTransitioning: true,\n flushSync: false,\n currentLocation: interruption.currentLocation,\n nextLocation: interruption.nextLocation,\n });\n setInterruption(undefined);\n }\n }, [vtContext.isTransitioning, interruption]);\n\n React.useEffect(() => {\n warning(\n fallbackElement == null || !router.future.v7_partialHydration,\n \"`<RouterProvider fallbackElement>` is deprecated when using \" +\n \"`v7_partialHydration`, use a `HydrateFallback` component instead\"\n );\n // Only log this once on initial mount\n // eslint-disable-next-line react-hooks/exhaustive-deps\n }, []);\n\n let navigator = React.useMemo((): Navigator => {\n return {\n createHref: router.createHref,\n encodeLocation: router.encodeLocation,\n go: (n) => router.navigate(n),\n push: (to, state, opts) =>\n router.navigate(to, {\n state,\n preventScrollReset: opts?.preventScrollReset,\n }),\n replace: (to, state, opts) =>\n router.navigate(to, {\n replace: true,\n state,\n preventScrollReset: opts?.preventScrollReset,\n }),\n };\n }, [router]);\n\n let basename = router.basename || \"/\";\n\n let dataRouterContext = React.useMemo(\n () => ({\n router,\n navigator,\n static: false,\n basename,\n }),\n [router, navigator, basename]\n );\n\n let routerFuture = React.useMemo<RouterProps[\"future\"]>(\n () => ({\n v7_relativeSplatPath: router.future.v7_relativeSplatPath,\n }),\n [router.future.v7_relativeSplatPath]\n );\n\n React.useEffect(\n () => logV6DeprecationWarnings(future, router.future),\n [future, router.future]\n );\n\n // The fragment and {null} here are important! We need them to keep React 18's\n // useId happy when we are server-rendering since we may have a <script> here\n // containing the hydrated server-side staticContext (from StaticRouterProvider).\n // useId relies on the component tree structure to generate deterministic id's\n // so we need to ensure it remains the same on the client even though\n // we don't need the <script> tag\n return (\n <>\n <DataRouterContext.Provider value={dataRouterContext}>\n <DataRouterStateContext.Provider value={state}>\n <FetchersContext.Provider value={fetcherData.current}>\n <ViewTransitionContext.Provider value={vtContext}>\n <Router\n basename={basename}\n location={state.location}\n navigationType={state.historyAction}\n navigator={navigator}\n future={routerFuture}\n >\n {state.initialized || router.future.v7_partialHydration ? (\n <MemoizedDataRoutes\n routes={router.routes}\n future={router.future}\n state={state}\n />\n ) : (\n fallbackElement\n )}\n </Router>\n </ViewTransitionContext.Provider>\n </FetchersContext.Provider>\n </DataRouterStateContext.Provider>\n </DataRouterContext.Provider>\n {null}\n </>\n );\n}\n\n// Memoize to avoid re-renders when updating `ViewTransitionContext`\nconst MemoizedDataRoutes = React.memo(DataRoutes);\n\nfunction DataRoutes({\n routes,\n future,\n state,\n}: {\n routes: DataRouteObject[];\n future: RemixRouter[\"future\"];\n state: RouterState;\n}): React.ReactElement | null {\n return useRoutesImpl(routes, undefined, state, future);\n}\n\nexport interface BrowserRouterProps {\n basename?: string;\n children?: React.ReactNode;\n future?: Partial<FutureConfig>;\n window?: Window;\n}\n\n/**\n * A `<Router>` for use in web browsers. Provides the cleanest URLs.\n */\nexport function BrowserRouter({\n basename,\n children,\n future,\n window,\n}: BrowserRouterProps) {\n let historyRef = React.useRef<BrowserHistory>();\n if (historyRef.current == null) {\n historyRef.current = createBrowserHistory({ window, v5Compat: true });\n }\n\n let history = historyRef.current;\n let [state, setStateImpl] = React.useState({\n action: history.action,\n location: history.location,\n });\n let { v7_startTransition } = future || {};\n let setState = React.useCallback(\n (newState: { action: NavigationType; location: Location }) => {\n v7_startTransition && startTransitionImpl\n ? startTransitionImpl(() => setStateImpl(newState))\n : setStateImpl(newState);\n },\n [setStateImpl, v7_startTransition]\n );\n\n React.useLayoutEffect(() => history.listen(setState), [history, setState]);\n\n React.useEffect(() => logV6DeprecationWarnings(future), [future]);\n\n return (\n <Router\n basename={basename}\n children={children}\n location={state.location}\n navigationType={state.action}\n navigator={history}\n future={future}\n />\n );\n}\n\nexport interface HashRouterProps {\n basename?: string;\n children?: React.ReactNode;\n future?: Partial<FutureConfig>;\n window?: Window;\n}\n\n/**\n * A `<Router>` for use in web browsers. Stores the location in the hash\n * portion of the URL so it is not sent to the server.\n */\nexport function HashRouter({\n basename,\n children,\n future,\n window,\n}: HashRouterProps) {\n let historyRef = React.useRef<HashHistory>();\n if (historyRef.current == null) {\n historyRef.current = createHashHistory({ window, v5Compat: true });\n }\n\n let history = historyRef.current;\n let [state, setStateImpl] = React.useState({\n action: history.action,\n location: history.location,\n });\n let { v7_startTransition } = future || {};\n let setState = React.useCallback(\n (newState: { action: NavigationType; location: Location }) => {\n v7_startTransition && startTransitionImpl\n ? startTransitionImpl(() => setStateImpl(newState))\n : setStateImpl(newState);\n },\n [setStateImpl, v7_startTransition]\n );\n\n React.useLayoutEffect(() => history.listen(setState), [history, setState]);\n\n React.useEffect(() => logV6DeprecationWarnings(future), [future]);\n\n return (\n <Router\n basename={basename}\n children={children}\n location={state.location}\n navigationType={state.action}\n navigator={history}\n future={future}\n />\n );\n}\n\nexport interface HistoryRouterProps {\n basename?: string;\n children?: React.ReactNode;\n future?: FutureConfig;\n history: History;\n}\n\n/**\n * A `<Router>` that accepts a pre-instantiated history object. It's important\n * to note that using your own history object is highly discouraged and may add\n * two versions of the history library to your bundles unless you use the same\n * version of the history library that React Router uses internally.\n */\nfunction HistoryRouter({\n basename,\n children,\n future,\n history,\n}: HistoryRouterProps) {\n let [state, setStateImpl] = React.useState({\n action: history.action,\n location: history.location,\n });\n let { v7_startTransition } = future || {};\n let setState = React.useCallback(\n (newState: { action: NavigationType; location: Location }) => {\n v7_startTransition && startTransitionImpl\n ? startTransitionImpl(() => setStateImpl(newState))\n : setStateImpl(newState);\n },\n [setStateImpl, v7_startTransition]\n );\n\n React.useLayoutEffect(() => history.listen(setState), [history, setState]);\n\n React.useEffect(() => logV6DeprecationWarnings(future), [future]);\n\n return (\n <Router\n basename={basename}\n children={children}\n location={state.location}\n navigationType={state.action}\n navigator={history}\n future={future}\n />\n );\n}\n\nif (__DEV__) {\n HistoryRouter.displayName = \"unstable_HistoryRouter\";\n}\n\nexport { HistoryRouter as unstable_HistoryRouter };\n\nexport interface LinkProps\n extends Omit<React.AnchorHTMLAttributes<HTMLAnchorElement>, \"href\"> {\n reloadDocument?: boolean;\n replace?: boolean;\n state?: any;\n preventScrollReset?: boolean;\n relative?: RelativeRoutingType;\n to: To;\n viewTransition?: boolean;\n}\n\nconst isBrowser =\n typeof window !== \"undefined\" &&\n typeof window.document !== \"undefined\" &&\n typeof window.document.createElement !== \"undefined\";\n\nconst ABSOLUTE_URL_REGEX = /^(?:[a-z][a-z0-9+.-]*:|\\/\\/)/i;\n\n/**\n * The public API for rendering a history-aware `<a>`.\n */\nexport const Link = React.forwardRef<HTMLAnchorElement, LinkProps>(\n function LinkWithRef(\n {\n onClick,\n relative,\n reloadDocument,\n replace,\n state,\n target,\n to,\n preventScrollReset,\n viewTransition,\n ...rest\n },\n ref\n ) {\n let { basename } = React.useContext(NavigationContext);\n\n // Rendered into <a href> for absolute URLs\n let absoluteHref;\n let isExternal = false;\n\n if (typeof to === \"string\" && ABSOLUTE_URL_REGEX.test(to)) {\n // Render the absolute href server- and client-side\n absoluteHref = to;\n\n // Only check for external origins client-side\n if (isBrowser) {\n try {\n let currentUrl = new URL(window.location.href);\n let targetUrl = to.startsWith(\"//\")\n ? new URL(currentUrl.protocol + to)\n : new URL(to);\n let path = stripBasename(targetUrl.pathname, basename);\n\n if (targetUrl.origin === currentUrl.origin && path != null) {\n // Strip the protocol/origin/basename for same-origin absolute URLs\n to = path + targetUrl.search + targetUrl.hash;\n } else {\n isExternal = true;\n }\n } catch (e) {\n // We can't do external URL detection without a valid URL\n warning(\n false,\n `<Link to=\"${to}\"> contains an invalid URL which will probably break ` +\n `when clicked - please update to a valid URL path.`\n );\n }\n }\n }\n\n // Rendered into <a href> for relative URLs\n let href = useHref(to, { relative });\n\n let internalOnClick = useLinkClickHandler(to, {\n replace,\n state,\n target,\n preventScrollReset,\n relative,\n viewTransition,\n });\n function handleClick(\n event: React.MouseEvent<HTMLAnchorElement, MouseEvent>\n ) {\n if (onClick) onClick(event);\n if (!event.defaultPrevented) {\n internalOnClick(event);\n }\n }\n\n return (\n // eslint-disable-next-line jsx-a11y/anchor-has-content\n <a\n {...rest}\n href={absoluteHref || href}\n onClick={isExternal || reloadDocument ? onClick : handleClick}\n ref={ref}\n target={target}\n />\n );\n }\n);\n\nif (__DEV__) {\n Link.displayName = \"Link\";\n}\n\nexport type NavLinkRenderProps = {\n isActive: boolean;\n isPending: boolean;\n isTransitioning: boolean;\n};\n\nexport interface NavLinkProps\n extends Omit<LinkProps, \"className\" | \"style\" | \"children\"> {\n children?: React.ReactNode | ((props: NavLinkRenderProps) => React.ReactNode);\n caseSensitive?: boolean;\n className?: string | ((props: NavLinkRenderProps) => string | undefined);\n end?: boolean;\n style?:\n | React.CSSProperties\n | ((props: NavLinkRenderProps) => React.CSSProperties | undefined);\n}\n\n/**\n * A `<Link>` wrapper that knows if it's \"active\" or not.\n */\nexport const NavLink = React.forwardRef<HTMLAnchorElement, NavLinkProps>(\n function NavLinkWithRef(\n {\n \"aria-current\": ariaCurrentProp = \"page\",\n caseSensitive = false,\n className: classNameProp = \"\",\n end = false,\n style: styleProp,\n to,\n viewTransition,\n children,\n ...rest\n },\n ref\n ) {\n let path = useResolvedPath(to, { relative: rest.relative });\n let location = useLocation();\n let routerState = React.useContext(DataRouterStateContext);\n let { navigator, basename } = React.useContext(NavigationContext);\n let isTransitioning =\n routerState != null &&\n // Conditional usage is OK here because the usage of a data router is static\n // eslint-disable-next-line react-hooks/rules-of-hooks\n useViewTransitionState(path) &&\n viewTransition === true;\n\n let toPathname = navigator.encodeLocation\n ? navigator.encodeLocation(path).pathname\n : path.pathname;\n let locationPathname = location.pathname;\n let nextLocationPathname =\n routerState && routerState.navigation && routerState.navigation.location\n ? routerState.navigation.location.pathname\n : null;\n\n if (!caseSensitive) {\n locationPathname = locationPathname.toLowerCase();\n nextLocationPathname = nextLocationPathname\n ? nextLocationPathname.toLowerCase()\n : null;\n toPathname = toPathname.toLowerCase();\n }\n\n if (nextLocationPathname && basename) {\n nextLocationPathname =\n stripBasename(nextLocationPathname, basename) || nextLocationPathname;\n }\n\n // If the `to` has a trailing slash, look at that exact spot. Otherwise,\n // we're looking for a slash _after_ what's in `to`. For example:\n //\n // <NavLink to=\"/users\"> and <NavLink to=\"/users/\">\n // both want to look for a / at index 6 to match URL `/users/matt`\n const endSlashPosition =\n toPathname !== \"/\" && toPathname.endsWith(\"/\")\n ? toPathname.length - 1\n : toPathname.length;\n let isActive =\n locationPathname === toPathname ||\n (!end &&\n locationPathname.startsWith(toPathname) &&\n locationPathname.charAt(endSlashPosition) === \"/\");\n\n let isPending =\n nextLocationPathname != null &&\n (nextLocationPathname === toPathname ||\n (!end &&\n nextLocationPathname.startsWith(toPathname) &&\n nextLocationPathname.charAt(toPathname.length) === \"/\"));\n\n let renderProps = {\n isActive,\n isPending,\n isTransitioning,\n };\n\n let ariaCurrent = isActive ? ariaCurrentProp : undefined;\n\n let className: string | undefined;\n if (typeof classNameProp === \"function\") {\n className = classNameProp(renderProps);\n } else {\n // If the className prop is not a function, we use a default `active`\n // class for <NavLink />s that are active. In v5 `active` was the default\n // value for `activeClassName`, but we are removing that API and can still\n // use the old default behavior for a cleaner upgrade path and keep the\n // simple styling rules working as they currently do.\n className = [\n classNameProp,\n isActive ? \"active\" : null,\n isPending ? \"pending\" : null,\n isTransitioning ? \"transitioning\" : null,\n ]\n .filter(Boolean)\n .join(\" \");\n }\n\n let style =\n typeof styleProp === \"function\" ? styleProp(renderProps) : styleProp;\n\n return (\n <Link\n {...rest}\n aria-current={ariaCurrent}\n className={className}\n ref={ref}\n style={style}\n to={to}\n viewTransition={viewTransition}\n >\n {typeof children === \"function\" ? children(renderProps) : children}\n </Link>\n );\n }\n);\n\nif (__DEV__) {\n NavLink.displayName = \"NavLink\";\n}\n\n/**\n * Form props shared by navigations and fetchers\n */\ninterface SharedFormProps extends React.FormHTMLAttributes<HTMLFormElement> {\n /**\n * The HTTP verb to use when the form is submit. Supports \"get\", \"post\",\n * \"put\", \"delete\", \"patch\".\n */\n method?: HTMLFormMethod;\n\n /**\n * `<form encType>` - enhancing beyond the normal string type and limiting\n * to the built-in browser supported values\n */\n encType?:\n | \"application/x-www-form-urlencoded\"\n | \"multipart/form-data\"\n | \"text/plain\";\n\n /**\n * Normal `<form action>` but supports React Router's relative paths.\n */\n action?: string;\n\n /**\n * Determines whether the form action is relative to the route hierarchy or\n * the pathname. Use this if you want to opt out of navigating the route\n * hierarchy and want to instead route based on /-delimited URL segments\n */\n relative?: RelativeRoutingType;\n\n /**\n * Prevent the scroll position from resetting to the top of the viewport on\n * completion of the navigation when using the <ScrollRestoration> component\n */\n preventScrollReset?: boolean;\n\n /**\n * A function to call when the form is submitted. If you call\n * `event.preventDefault()` then this form will not do anything.\n */\n onSubmit?: React.FormEventHandler<HTMLFormElement>;\n}\n\n/**\n * Form props available to fetchers\n */\nexport interface FetcherFormProps extends SharedFormProps {}\n\n/**\n * Form props available to navigations\n */\nexport interface FormProps extends SharedFormProps {\n /**\n * Indicate a specific fetcherKey to use when using navigate=false\n */\n fetcherKey?: string;\n\n /**\n * navigate=false will use a fetcher instead of a navigation\n */\n navigate?: boolean;\n\n /**\n * Forces a full document navigation instead of a fetch.\n */\n reloadDocument?: boolean;\n\n /**\n * Replaces the current entry in the browser history stack when the form\n * navigates. Use this if you don't want the user to be able to click \"back\"\n * to the page with the form on it.\n */\n replace?: boolean;\n\n /**\n * State object to add to the history stack entry for this navigation\n */\n state?: any;\n\n /**\n * Enable view transitions on this Form navigation\n */\n viewTransition?: boolean;\n}\n\ntype HTMLSubmitEvent = React.BaseSyntheticEvent<\n SubmitEvent,\n Event,\n HTMLFormElement\n>;\n\ntype HTMLFormSubmitter = HTMLButtonElement | HTMLInputElement;\n\n/**\n * A `@remix-run/router`-aware `<form>`. It behaves like a normal form except\n * that the interaction with the server is with `fetch` instead of new document\n * requests, allowing components to add nicer UX to the page as the form is\n * submitted and returns with data.\n */\nexport const Form = React.forwardRef<HTMLFormElement, FormProps>(\n (\n {\n fetcherKey,\n navigate,\n reloadDocument,\n replace,\n state,\n method = defaultMethod,\n action,\n onSubmit,\n relative,\n preventScrollReset,\n viewTransition,\n ...props\n },\n forwardedRef\n ) => {\n let submit = useSubmit();\n let formAction = useFormAction(action, { relative });\n let formMethod: HTMLFormMethod =\n method.toLowerCase() === \"get\" ? \"get\" : \"post\";\n\n let submitHandler: React.FormEventHandler<HTMLFormElement> = (event) => {\n onSubmit && onSubmit(event);\n if (event.defaultPrevented) return;\n event.preventDefault();\n\n let submitter = (event as unknown as HTMLSubmitEvent).nativeEvent\n .submitter as HTMLFormSubmitter | null;\n\n let submitMethod =\n (submitter?.getAttribute(\"formmethod\") as HTMLFormMethod | undefined) ||\n method;\n\n submit(submitter || event.currentTarget, {\n fetcherKey,\n method: submitMethod,\n navigate,\n replace,\n state,\n relative,\n preventScrollReset,\n viewTransition,\n });\n };\n\n return (\n <form\n ref={forwardedRef}\n method={formMethod}\n action={formAction}\n onSubmit={reloadDocument ? onSubmit : submitHandler}\n {...props}\n />\n );\n }\n);\n\nif (__DEV__) {\n Form.displayName = \"Form\";\n}\n\nexport interface ScrollRestorationProps {\n getKey?: GetScrollRestorationKeyFunction;\n storageKey?: string;\n}\n\n/**\n * This component will emulate the browser's scroll restoration on location\n * changes.\n */\nexport function ScrollRestoration({\n getKey,\n storageKey,\n}: ScrollRestorationProps) {\n useScrollRestoration({ getKey, storageKey });\n return null;\n}\n\nif (__DEV__) {\n ScrollRestoration.displayName = \"ScrollRestoration\";\n}\n//#endregion\n\n////////////////////////////////////////////////////////////////////////////////\n//#region Hooks\n////////////////////////////////////////////////////////////////////////////////\n\nenum DataRouterHook {\n UseScrollRestoration = \"useScrollRestoration\",\n UseSubmit = \"useSubmit\",\n UseSubmitFetcher = \"useSubmitFetcher\",\n UseFetcher = \"useFetcher\",\n useViewTransitionState = \"useViewTransitionState\",\n}\n\nenum DataRouterStateHook {\n UseFetcher = \"useFetcher\",\n UseFetchers = \"useFetchers\",\n UseScrollRestoration = \"useScrollRestoration\",\n}\n\n// Internal hooks\n\nfunction getDataRouterConsoleError(\n hookName: DataRouterHook | DataRouterStateHook\n) {\n return `${hookName} must be used within a data router. See https://reactrouter.com/v6/routers/picking-a-router.`;\n}\n\nfunction useDataRouterContext(hookName: DataRouterHook) {\n let ctx = React.useContext(DataRouterContext);\n invariant(ctx, getDataRouterConsoleError(hookName));\n return ctx;\n}\n\nfunction useDataRouterState(hookName: DataRouterStateHook) {\n let state = React.useContext(DataRouterStateContext);\n invariant(state, getDataRouterConsoleError(hookName));\n return state;\n}\n\n// External hooks\n\n/**\n * Handles the click behavior for router `<Link>` components. This is useful if\n * you need to create custom `<Link>` components with the same click behavior we\n * use in our exported `<Link>`.\n */\nexport function useLinkClickHandler<E extends Element = HTMLAnchorElement>(\n to: To,\n {\n target,\n replace: replaceProp,\n state,\n preventScrollReset,\n relative,\n viewTransition,\n }: {\n target?: React.HTMLAttributeAnchorTarget;\n replace?: boolean;\n state?: any;\n preventScrollReset?: boolean;\n relative?: RelativeRoutingType;\n viewTransition?: boolean;\n } = {}\n): (event: React.MouseEvent<E, MouseEvent>) => void {\n let navigate = useNavigate();\n let location = useLocation();\n let path = useResolvedPath(to, { relative });\n\n return React.useCallback(\n (event: React.MouseEvent<E, MouseEvent>) => {\n if (shouldProcessLinkClick(event, target)) {\n event.preventDefault();\n\n // If the URL hasn't changed, a regular <a> will do a replace instead of\n // a push, so do the same here unless the replace prop is explicitly set\n let replace =\n replaceProp !== undefined\n ? replaceProp\n : createPath(location) === createPath(path);\n\n navigate(to, {\n replace,\n state,\n preventScrollReset,\n relative,\n viewTransition,\n });\n }\n },\n [\n location,\n navigate,\n path,\n replaceProp,\n state,\n target,\n to,\n preventScrollReset,\n relative,\n viewTransition,\n ]\n );\n}\n\n/**\n * A convenient wrapper for reading and writing search parameters via the\n * URLSearchParams interface.\n */\nexport function useSearchParams(\n defaultInit?: URLSearchParamsInit\n): [URLSearchParams, SetURLSearchParams] {\n warning(\n typeof URLSearchParams !== \"undefined\",\n `You cannot use the \\`useSearchParams\\` hook in a browser that does not ` +\n `support the URLSearchParams API. If you need to support Internet ` +\n `Explorer 11, we recommend you load a polyfill such as ` +\n `https://github.com/ungap/url-search-params.`\n );\n\n let defaultSearchParamsRef = React.useRef(createSearchParams(defaultInit));\n let hasSetSearchParamsRef = React.useRef(false);\n\n let location = useLocation();\n let searchParams = React.useMemo(\n () =>\n // Only merge in the defaults if we haven't yet called setSearchParams.\n // Once we call that we want those to take precedence, otherwise you can't\n // remove a param with setSearchParams({}) if it has an initial value\n getSearchParamsForLocation(\n location.search,\n hasSetSearchParamsRef.current ? null : defaultSearchParamsRef.current\n ),\n [location.search]\n );\n\n let navigate = useNavigate();\n let setSearchParams = React.useCallback<SetURLSearchParams>(\n (nextInit, navigateOptions) => {\n const newSearchParams = createSearchParams(\n typeof nextInit === \"function\" ? nextInit(searchParams) : nextInit\n );\n hasSetSearchParamsRef.current = true;\n navigate(\"?\" + newSearchParams, navigateOptions);\n },\n [navigate, searchParams]\n );\n\n return [searchParams, setSearchParams];\n}\n\nexport type SetURLSearchParams = (\n nextInit?:\n | URLSearchParamsInit\n | ((prev: URLSearchParams) => URLSearchParamsInit),\n navigateOpts?: NavigateOptions\n) => void;\n\n/**\n * Submits a HTML `<form>` to the server without reloading the page.\n */\nexport interface SubmitFunction {\n (\n /**\n * Specifies the `<form>` to be submitted to the server, a specific\n * `<button>` or `<input type=\"submit\">` to use to submit the form, or some\n * arbitrary data to submit.\n *\n * Note: When using a `<button>` its `name` and `value` will also be\n * included in the form data that is submitted.\n */\n target: SubmitTarget,\n\n /**\n * Options that override the `<form>`'s own attributes. Required when\n * submitting arbitrary data without a backing `<form>`.\n */\n options?: SubmitOptions\n ): void;\n}\n\n/**\n * Submits a fetcher `<form>` to the server without reloading the page.\n */\nexport interface FetcherSubmitFunction {\n (\n target: SubmitTarget,\n // Fetchers cannot replace or set state because they are not navigation events\n options?: FetcherSubmitOptions\n ): void;\n}\n\nfunction validateClientSideSubmission() {\n if (typeof document === \"undefined\") {\n throw new Error(\n \"You are calling submit during the server render. \" +\n \"Try calling submit within a `useEffect` or callback instead.\"\n );\n }\n}\n\nlet fetcherId = 0;\nlet getUniqueFetcherId = () => `__${String(++fetcherId)}__`;\n\n/**\n * Returns a function that may be used to programmatically submit a form (or\n * some arbitrary data) to the server.\n */\nexport function useSubmit(): SubmitFunction {\n let { router } = useDataRouterContext(DataRouterHook.UseSubmit);\n let { basename } = React.useContext(NavigationContext);\n let currentRouteId = useRouteId();\n\n return React.useCallback<SubmitFunction>(\n (target, options = {}) => {\n validateClientSideSubmission();\n\n let { action, method, encType, formData, body } = getFormSubmissionInfo(\n target,\n basename\n );\n\n if (options.navigate === false) {\n let key = options.fetcherKey || getUniqueFetcherId();\n router.fetch(key, currentRouteId, options.action || action, {\n preventScrollReset: options.preventScrollReset,\n formData,\n body,\n formMethod: options.method || (method as HTMLFormMethod),\n formEncType: options.encType || (encType as FormEncType),\n flushSync: options.flushSync,\n });\n } else {\n router.navigate(options.action || action, {\n preventScrollReset: options.preventScrollReset,\n formData,\n body,\n formMethod: options.method || (method as HTMLFormMethod),\n formEncType: options.encType || (encType as FormEncType),\n replace: options.replace,\n state: options.state,\n fromRouteId: currentRouteId,\n flushSync: options.flushSync,\n viewTransition: options.viewTransition,\n });\n }\n },\n [router, basename, currentRouteId]\n );\n}\n\n// v7: Eventually we should deprecate this entirely in favor of using the\n// router method directly?\nexport function useFormAction(\n action?: string,\n { relative }: { relative?: RelativeRoutingType } = {}\n): string {\n let { basename } = React.useContext(NavigationContext);\n let routeContext = React.useContext(RouteContext);\n invariant(routeContext, \"useFormAction must be used inside a RouteContext\");\n\n let [match] = routeContext.matches.slice(-1);\n // Shallow clone path so we can modify it below, otherwise we modify the\n // object referenced by useMemo inside useResolvedPath\n let path = { ...useResolvedPath(action ? action : \".\", { relative }) };\n\n // If no action was specified, browsers will persist current search params\n // when determining the path, so match that behavior\n // https://github.com/remix-run/remix/issues/927\n let location = useLocation();\n if (action == null) {\n // Safe to write to this directly here since if action was undefined, we\n // would have called useResolvedPath(\".\") which will never include a search\n path.search = location.search;\n\n // When grabbing search params from the URL, remove any included ?index param\n // since it might not apply to our contextual route. We add it back based\n // on match.route.index below\n let params = new URLSearchParams(path.search);\n let indexValues = params.getAll(\"index\");\n let hasNakedIndexParam = indexValues.some((v) => v === \"\");\n if (hasNakedIndexParam) {\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 ((!action || action === \".\") && match.route.index) {\n path.search = path.search\n ? path.search.replace(/^\\?/, \"?index&\")\n : \"?index\";\n }\n\n // If we're operating within a basename, prepend it to the pathname prior\n // to creating the form action. If this is a root navigation, then just use\n // the raw basename which allows the basename to have full control over the\n // presence of a trailing slash on root actions\n if (basename !== \"/\") {\n path.pathname =\n path.pathname === \"/\" ? basename : joinPaths([basename, path.pathname]);\n }\n\n return createPath(path);\n}\n\nexport type FetcherWithComponents<TData> = Fetcher<TData> & {\n Form: React.ForwardRefExoticComponent<\n FetcherFormProps & React.RefAttributes<HTMLFormElement>\n >;\n submit: FetcherSubmitFunction;\n load: (href: string, opts?: { flushSync?: boolean }) => void;\n};\n\n// TODO: (v7) Change the useFetcher generic default from `any` to `unknown`\n\n/**\n * Interacts with route loaders and actions without causing a navigation. Great\n * for any interaction that stays on the same page.\n */\nexport function useFetcher<TData = any>({\n key,\n}: { key?: string } = {}): FetcherWithComponents<TData> {\n let { router } = useDataRouterContext(DataRouterHook.UseFetcher);\n let state = useDataRouterState(DataRouterStateHook.UseFetcher);\n let fetcherData = React.useContext(FetchersContext);\n let route = React.useContext(RouteContext);\n let routeId = route.matches[route.matches.length - 1]?.route.id;\n\n invariant(fetcherData, `useFetcher must be used inside a FetchersContext`);\n invariant(route, `useFetcher must be used inside a RouteContext`);\n invariant(\n routeId != null,\n `useFetcher can only be used on routes that contain a unique \"id\"`\n );\n\n // Fetcher key handling\n // OK to call conditionally to feature detect `useId`\n // eslint-disable-next-line react-hooks/rules-of-hooks\n let defaultKey = useIdImpl ? useIdImpl() : \"\";\n let [fetcherKey, setFetcherKey] = React.useState<string>(key || defaultKey);\n if (key && key !== fetcherKey) {\n setFetcherKey(key);\n } else if (!fetcherKey) {\n // We will only fall through here when `useId` is not available\n setFetcherKey(getUniqueFetcherId());\n }\n\n // Registration/cleanup\n React.useEffect(() => {\n router.getFetcher(fetcherKey);\n return () => {\n // Tell the router we've unmounted - if v7_fetcherPersist is enabled this\n // will not delete immediately but instead queue up a delete after the\n // fetcher returns to an `idle` state\n router.deleteFetcher(fetcherKey);\n };\n }, [router, fetcherKey]);\n\n // Fetcher additions\n let load = React.useCallback(\n (href: string, opts?: { flushSync?: boolean }) => {\n invariant(routeId, \"No routeId available for fetcher.load()\");\n router.fetch(fetcherKey, routeId, href, opts);\n },\n [fetcherKey, routeId, router]\n );\n\n let submitImpl = useSubmit();\n let submit = React.useCallback<FetcherSubmitFunction>(\n (target, opts) => {\n submitImpl(target, {\n ...opts,\n navigate: false,\n fetcherKey,\n });\n },\n [fetcherKey, submitImpl]\n );\n\n let FetcherForm = React.useMemo(() => {\n let FetcherForm = React.forwardRef<HTMLFormElement, FetcherFormProps>(\n (props, ref) => {\n return (\n <Form {...props} navigate={false} fetcherKey={fetcherKey} ref={ref} />\n );\n }\n );\n if (__DEV__) {\n FetcherForm.displayName = \"fetcher.Form\";\n }\n return FetcherForm;\n }, [fetcherKey]);\n\n // Exposed FetcherWithComponents\n let fetcher = state.fetchers.get(fetcherKey) || IDLE_FETCHER;\n let data = fetcherData.get(fetcherKey);\n let fetcherWithComponents = React.useMemo(\n () => ({\n Form: FetcherForm,\n submit,\n load,\n ...fetcher,\n data,\n }),\n [FetcherForm, submit, load, fetcher, data]\n );\n\n return fetcherWithComponents;\n}\n\n/**\n * Provides all fetchers currently on the page. Useful for layouts and parent\n * routes that need to provide pending/optimistic UI regarding the fetch.\n */\nexport function useFetchers(): (Fetcher & { key: string })[] {\n let state = useDataRouterState(DataRouterStateHook.UseFetchers);\n return Array.from(state.fetchers.entries()).map(([key, fetcher]) => ({\n ...fetcher,\n key,\n }));\n}\n\nconst SCROLL_RESTORATION_STORAGE_KEY = \"react-router-scroll-positions\";\nlet savedScrollPositions: Record<string, number> = {};\n\n/**\n * When rendered inside a RouterProvider, will restore scroll positions on navigations\n */\nfunction useScrollRestoration({\n getKey,\n storageKey,\n}: {\n getKey?: GetScrollRestorationKeyFunction;\n storageKey?: string;\n} = {}) {\n let { router } = useDataRouterContext(DataRouterHook.UseScrollRestoration);\n let { restoreScrollPosition, preventScrollReset } = useDataRouterState(\n DataRouterStateHook.UseScrollRestoration\n );\n let { basename } = React.useContext(NavigationContext);\n let location = useLocation();\n let matches = useMatches();\n let navigation = useNavigation();\n\n // Trigger manual scroll restoration while we're active\n React.useEffect(() => {\n window.history.scrollRestoration = \"manual\";\n return () => {\n window.history.scrollRestoration = \"auto\";\n };\n }, []);\n\n // Save positions on pagehide\n usePageHide(\n React.useCallback(() => {\n if (navigation.state === \"idle\") {\n let key = (getKey ? getKey(location, matches) : null) || location.key;\n savedScrollPositions[key] = window.scrollY;\n }\n try {\n sessionStorage.setItem(\n storageKey || SCROLL_RESTORATION_STORAGE_KEY,\n JSON.stringify(savedScrollPositions)\n );\n } catch (error) {\n warning(\n false,\n `Failed to save scroll positions in sessionStorage, <ScrollRestoration /> will not work properly (${error}).`\n );\n }\n window.history.scrollRestoration = \"auto\";\n }, [storageKey, getKey, navigation.state, location, matches])\n );\n\n // Read in any saved scroll locations\n if (typeof document !== \"undefined\") {\n // eslint-disable-next-line react-hooks/rules-of-hooks\n React.useLayoutEffect(() => {\n try {\n let sessionPositions = sessionStorage.getItem(\n storageKey || SCROLL_RESTORATION_STORAGE_KEY\n );\n if (sessionPositions) {\n savedScrollPositions = JSON.parse(sessionPositions);\n }\n } catch (e) {\n // no-op, use default empty object\n }\n }, [storageKey]);\n\n // Enable scroll restoration in the router\n // eslint-disable-next-line react-hooks/rules-of-hooks\n React.useLayoutEffect(() => {\n let getKeyWithoutBasename: GetScrollRestorationKeyFunction | undefined =\n getKey && basename !== \"/\"\n ? (location, matches) =>\n getKey(\n // Strip the basename to match useLocation()\n {\n ...location,\n pathname:\n stripBasename(location.pathname, basename) ||\n location.pathname,\n },\n matches\n )\n : getKey;\n let disableScrollRestoration = router?.enableScrollRestoration(\n savedScrollPositions,\n () => window.scrollY,\n getKeyWithoutBasename\n );\n return () => disableScrollRestoration && disableScrollRestoration();\n }, [router, basename, getKey]);\n\n // Restore scrolling when state.restoreScrollPosition changes\n // eslint-disable-next-line react-hooks/rules-of-hooks\n React.useLayoutEffect(() => {\n // Explicit false means don't do anything (used for submissions)\n if (restoreScrollPosition === false) {\n return;\n }\n\n // been here before, scroll to it\n if (typeof restoreScrollPosition === \"number\") {\n window.scrollTo(0, restoreScrollPosition);\n return;\n }\n\n // try to scroll to the hash\n if (location.hash) {\n let el = document.getElementById(\n decodeURIComponent(location.hash.slice(1))\n );\n if (el) {\n el.scrollIntoView();\n return;\n }\n }\n\n // Don't reset if this navigation opted out\n if (preventScrollReset === true) {\n return;\n }\n\n // otherwise go to the top on new locations\n window.scrollTo(0, 0);\n }, [location, restoreScrollPosition, preventScrollReset]);\n }\n}\n\nexport { useScrollRestoration as UNSAFE_useScrollRestoration };\n\n/**\n * Setup a callback to be fired on the window's `beforeunload` event. This is\n * useful for saving some data to `window.localStorage` just before the page\n * refreshes.\n *\n * Note: The `callback` argument should be a function created with\n * `React.useCallback()`.\n */\nexport function useBeforeUnload(\n callback: (event: BeforeUnloadEvent) => any,\n options?: { capture?: boolean }\n): void {\n let { capture } = options || {};\n React.useEffect(() => {\n let opts = capture != null ? { capture } : undefined;\n window.addEventListener(\"beforeunload\", callback, opts);\n return () => {\n window.removeEventListener(\"beforeunload\", callback, opts);\n };\n }, [callback, capture]);\n}\n\n/**\n * Setup a callback to be fired on the window's `pagehide` event. This is\n * useful for saving some data to `window.localStorage` just before the page\n * refreshes. This event is better supported than beforeunload across browsers.\n *\n * Note: The `callback` argument should be a function created with\n * `React.useCallback()`.\n */\nfunction usePageHide(\n callback: (event: PageTransitionEvent) => any,\n options?: { capture?: boolean }\n): void {\n let { capture } = options || {};\n React.useEffect(() => {\n let opts = capture != null ? { capture } : undefined;\n window.addEventListener(\"pagehide\", callback, opts);\n return () => {\n window.removeEventListener(\"pagehide\", callback, opts);\n };\n }, [callback, capture]);\n}\n\n/**\n * Wrapper around useBlocker to show a window.confirm prompt to users instead\n * of building a custom UI with useBlocker.\n *\n * Warning: This has *a lot of rough edges* and behaves very differently (and\n * very incorrectly in some cases) across browsers if user click addition\n * back/forward navigations while the confirm is open. Use at your own risk.\n */\nfunction usePrompt({\n when,\n message,\n}: {\n when: boolean | BlockerFunction;\n message: string;\n}) {\n let blocker = useBlocker(when);\n\n React.useEffect(() => {\n if (blocker.state === \"blocked\") {\n let proceed = window.confirm(message);\n if (proceed) {\n // This timeout is needed to avoid a weird \"race\" on POP navigations\n // between the `window.history` revert navigation and the result of\n // `window.confirm`\n setTimeout(blocker.proceed, 0);\n } else {\n blocker.reset();\n }\n }\n }, [blocker, message]);\n\n React.useEffect(() => {\n if (blocker.state === \"blocked\" && !when) {\n blocker.reset();\n }\n }, [blocker, when]);\n}\n\nexport { usePrompt as unstable_usePrompt };\n\n/**\n * Return a boolean indicating if there is an active view transition to the\n * given href. You can use this value to render CSS classes or viewTransitionName\n * styles onto your elements\n *\n * @param href The destination href\n * @param [opts.relative] Relative routing type (\"route\" | \"path\")\n */\nfunction useViewTransitionState(\n to: To,\n opts: { relative?: RelativeRoutingType } = {}\n) {\n let vtContext = React.useContext(ViewTransitionContext);\n\n invariant(\n vtContext != null,\n \"`useViewTransitionState` must be used within `react-router-dom`'s `RouterProvider`. \" +\n \"Did you accidentally import `RouterProvider` from `react-router`?\"\n );\n\n let { basename } = useDataRouterContext(\n DataRouterHook.useViewTransitionState\n );\n let path = useResolvedPath(to, { relative: opts.relative });\n if (!vtContext.isTransitioning) {\n return false;\n }\n\n let currentPath =\n stripBasename(vtContext.currentLocation.pathname, basename) ||\n vtContext.currentLocation.pathname;\n let nextPath =\n stripBasename(vtContext.nextLocation.pathname, basename) ||\n vtContext.nextLocation.pathname;\n\n // Transition is active if we're going to or coming from the indicated\n // destination. This ensures that other PUSH navigations that reverse\n // an indicated transition apply. I.e., on the list view you have:\n //\n // <NavLink to=\"/details/1\" viewTransition>\n //\n // If you click the breadcrumb back to the list view:\n //\n // <NavLink to=\"/list\" viewTransition>\n //\n // We should apply the transition because it's indicated as active going\n // from /list -> /details/1 and therefore should be active on the reverse\n // (even though this isn't strictly a POP reverse)\n return (\n matchPath(path.pathname, nextPath) != null ||\n matchPath(path.pathname, currentPath) != null\n );\n}\n\nexport { useViewTransitionState as useViewTransitionState };\n\n//#endregion\n"], 5 "mappings": ";;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;IAOYA;CAAZ,SAAYA,SAAM;AAQhBA,EAAAA,QAAA,KAAA,IAAA;AAOAA,EAAAA,QAAA,MAAA,IAAA;AAMAA,EAAAA,QAAA,SAAA,IAAA;AACF,GAtBYA,WAAAA,SAsBX,CAAA,EAAA;AAqKD,IAAMC,oBAAoB;AAmCV,SAAAC,oBACdC,SAAkC;AAAA,MAAlCA,YAAA,QAAA;AAAAA,cAAgC,CAAA;EAAE;AAElC,MAAI;IAAEC,iBAAiB,CAAC,GAAG;IAAGC;IAAcC,WAAW;EAAO,IAAGH;AACjE,MAAII;AACJA,YAAUH,eAAeI,IAAI,CAACC,OAAOC,WACnCC,qBACEF,OACA,OAAOA,UAAU,WAAW,OAAOA,MAAMG,OACzCF,WAAU,IAAI,YAAYG,MAAS,CACpC;AAEH,MAAIH,QAAQI,WACVT,gBAAgB,OAAOE,QAAQQ,SAAS,IAAIV,YAAY;AAE1D,MAAIW,SAAShB,OAAOiB;AACpB,MAAIC,WAA4B;AAEhC,WAASJ,WAAWK,GAAS;AAC3B,WAAOC,KAAKC,IAAID,KAAKE,IAAIH,GAAG,CAAC,GAAGZ,QAAQQ,SAAS,CAAC;EACpD;AACA,WAASQ,qBAAkB;AACzB,WAAOhB,QAAQG,KAAK;EACtB;AACA,WAASC,qBACPa,IACAZ,OACAa,KAAY;AAAA,QADZb,UAAa,QAAA;AAAbA,cAAa;IAAI;AAGjB,QAAIc,WAAWC,eACbpB,UAAUgB,mBAAkB,EAAGK,WAAW,KAC1CJ,IACAZ,OACAa,GAAG;AAELI,YACEH,SAASE,SAASE,OAAO,CAAC,MAAM,KAAG,6DACwBC,KAAKC,UAC9DR,EAAE,CACD;AAEL,WAAOE;EACT;AAEA,WAASO,WAAWT,IAAM;AACxB,WAAO,OAAOA,OAAO,WAAWA,KAAKU,WAAWV,EAAE;EACpD;AAEA,MAAIW,UAAyB;IAC3B,IAAIzB,QAAK;AACP,aAAOA;;IAET,IAAIM,SAAM;AACR,aAAOA;;IAET,IAAIU,WAAQ;AACV,aAAOH,mBAAkB;;IAE3BU;IACAG,UAAUZ,IAAE;AACV,aAAO,IAAIa,IAAIJ,WAAWT,EAAE,GAAG,kBAAkB;;IAEnDc,eAAed,IAAM;AACnB,UAAIe,OAAO,OAAOf,OAAO,WAAWgB,UAAUhB,EAAE,IAAIA;AACpD,aAAO;QACLI,UAAUW,KAAKX,YAAY;QAC3Ba,QAAQF,KAAKE,UAAU;QACvBC,MAAMH,KAAKG,QAAQ;;;IAGvBC,KAAKnB,IAAIZ,OAAK;AACZI,eAAShB,OAAO4C;AAChB,UAAIC,eAAelC,qBAAqBa,IAAIZ,KAAK;AACjDF,eAAS;AACTH,cAAQuC,OAAOpC,OAAOH,QAAQQ,QAAQ8B,YAAY;AAClD,UAAIvC,YAAYY,UAAU;AACxBA,iBAAS;UAAEF;UAAQU,UAAUmB;UAAcE,OAAO;QAAC,CAAE;MACtD;;IAEHC,QAAQxB,IAAIZ,OAAK;AACfI,eAAShB,OAAOiD;AAChB,UAAIJ,eAAelC,qBAAqBa,IAAIZ,KAAK;AACjDL,cAAQG,KAAK,IAAImC;AACjB,UAAIvC,YAAYY,UAAU;AACxBA,iBAAS;UAAEF;UAAQU,UAAUmB;UAAcE,OAAO;QAAC,CAAE;MACtD;;IAEHG,GAAGH,OAAK;AACN/B,eAAShB,OAAOiB;AAChB,UAAIkC,YAAYrC,WAAWJ,QAAQqC,KAAK;AACxC,UAAIF,eAAetC,QAAQ4C,SAAS;AACpCzC,cAAQyC;AACR,UAAIjC,UAAU;AACZA,iBAAS;UAAEF;UAAQU,UAAUmB;UAAcE;QAAO,CAAA;MACnD;;IAEHK,OAAOC,IAAY;AACjBnC,iBAAWmC;AACX,aAAO,MAAK;AACVnC,mBAAW;;IAEf;;AAGF,SAAOiB;AACT;AAyBgB,SAAAmB,qBACdnD,SAAmC;AAAA,MAAnCA,YAAA,QAAA;AAAAA,cAAiC,CAAA;EAAE;AAEnC,WAASoD,sBACPC,SACAC,eAAgC;AAEhC,QAAI;MAAE7B;MAAUa;MAAQC;QAASc,QAAO9B;AACxC,WAAOC;MACL;MACA;QAAEC;QAAUa;QAAQC;;;MAEnBe,cAAc7C,SAAS6C,cAAc7C,MAAM8C,OAAQ;MACnDD,cAAc7C,SAAS6C,cAAc7C,MAAMa,OAAQ;IAAS;EAEjE;AAEA,WAASkC,kBAAkBH,SAAgBhC,IAAM;AAC/C,WAAO,OAAOA,OAAO,WAAWA,KAAKU,WAAWV,EAAE;EACpD;AAEA,SAAOoC,mBACLL,uBACAI,mBACA,MACAxD,OAAO;AAEX;AA8BgB,SAAA0D,kBACd1D,SAAgC;AAAA,MAAhCA,YAAA,QAAA;AAAAA,cAA8B,CAAA;EAAE;AAEhC,WAAS2D,mBACPN,SACAC,eAAgC;AAEhC,QAAI;MACF7B,WAAW;MACXa,SAAS;MACTC,OAAO;IAAE,IACPF,UAAUgB,QAAO9B,SAASgB,KAAKqB,OAAO,CAAC,CAAC;AAQ5C,QAAI,CAACnC,SAASoC,WAAW,GAAG,KAAK,CAACpC,SAASoC,WAAW,GAAG,GAAG;AAC1DpC,iBAAW,MAAMA;IAClB;AAED,WAAOD;MACL;MACA;QAAEC;QAAUa;QAAQC;;;MAEnBe,cAAc7C,SAAS6C,cAAc7C,MAAM8C,OAAQ;MACnDD,cAAc7C,SAAS6C,cAAc7C,MAAMa,OAAQ;IAAS;EAEjE;AAEA,WAASwC,eAAeT,SAAgBhC,IAAM;AAC5C,QAAI0C,OAAOV,QAAOW,SAASC,cAAc,MAAM;AAC/C,QAAIC,OAAO;AAEX,QAAIH,QAAQA,KAAKI,aAAa,MAAM,GAAG;AACrC,UAAIC,MAAMf,QAAO9B,SAAS2C;AAC1B,UAAIG,YAAYD,IAAIE,QAAQ,GAAG;AAC/BJ,aAAOG,cAAc,KAAKD,MAAMA,IAAIG,MAAM,GAAGF,SAAS;IACvD;AAED,WAAOH,OAAO,OAAO,OAAO7C,OAAO,WAAWA,KAAKU,WAAWV,EAAE;EAClE;AAEA,WAASmD,qBAAqBjD,UAAoBF,IAAM;AACtDK,YACEH,SAASE,SAASE,OAAO,CAAC,MAAM,KAAG,+DAC0BC,KAAKC,UAChER,EAAE,IACH,GAAG;EAER;AAEA,SAAOoC,mBACLE,oBACAG,gBACAU,sBACAxE,OAAO;AAEX;AAegB,SAAAyE,UAAUC,OAAYC,SAAgB;AACpD,MAAID,UAAU,SAASA,UAAU,QAAQ,OAAOA,UAAU,aAAa;AACrE,UAAM,IAAIE,MAAMD,OAAO;EACxB;AACH;AAEgB,SAAAjD,QAAQmD,MAAWF,SAAe;AAChD,MAAI,CAACE,MAAM;AAET,QAAI,OAAOC,YAAY,YAAaA,SAAQC,KAAKJ,OAAO;AAExD,QAAI;AAMF,YAAM,IAAIC,MAAMD,OAAO;IAExB,SAAQK,GAAG;IAAA;EACb;AACH;AAEA,SAASC,YAAS;AAChB,SAAOhE,KAAKiE,OAAM,EAAGC,SAAS,EAAE,EAAEvB,OAAO,GAAG,CAAC;AAC/C;AAKA,SAASwB,gBAAgB7D,UAAoBhB,OAAa;AACxD,SAAO;IACLgD,KAAKhC,SAASd;IACda,KAAKC,SAASD;IACd+D,KAAK9E;;AAET;AAKM,SAAUiB,eACd8D,SACAjE,IACAZ,OACAa,KAAY;AAAA,MADZb,UAAA,QAAA;AAAAA,YAAa;EAAI;AAGjB,MAAIc,WAAQgE,SAAA;IACV9D,UAAU,OAAO6D,YAAY,WAAWA,UAAUA,QAAQ7D;IAC1Da,QAAQ;IACRC,MAAM;KACF,OAAOlB,OAAO,WAAWgB,UAAUhB,EAAE,IAAIA,IAAE;IAC/CZ;;;;;IAKAa,KAAMD,MAAOA,GAAgBC,OAAQA,OAAO2D,UAAS;GACtD;AACD,SAAO1D;AACT;AAKgB,SAAAQ,WAAUyD,MAIV;AAAA,MAJW;IACzB/D,WAAW;IACXa,SAAS;IACTC,OAAO;EACO,IAAAiD;AACd,MAAIlD,UAAUA,WAAW,IACvBb,aAAYa,OAAOX,OAAO,CAAC,MAAM,MAAMW,SAAS,MAAMA;AACxD,MAAIC,QAAQA,SAAS,IACnBd,aAAYc,KAAKZ,OAAO,CAAC,MAAM,MAAMY,OAAO,MAAMA;AACpD,SAAOd;AACT;AAKM,SAAUY,UAAUD,MAAY;AACpC,MAAIqD,aAA4B,CAAA;AAEhC,MAAIrD,MAAM;AACR,QAAIiC,YAAYjC,KAAKkC,QAAQ,GAAG;AAChC,QAAID,aAAa,GAAG;AAClBoB,iBAAWlD,OAAOH,KAAKwB,OAAOS,SAAS;AACvCjC,aAAOA,KAAKwB,OAAO,GAAGS,SAAS;IAChC;AAED,QAAIqB,cAActD,KAAKkC,QAAQ,GAAG;AAClC,QAAIoB,eAAe,GAAG;AACpBD,iBAAWnD,SAASF,KAAKwB,OAAO8B,WAAW;AAC3CtD,aAAOA,KAAKwB,OAAO,GAAG8B,WAAW;IAClC;AAED,QAAItD,MAAM;AACRqD,iBAAWhE,WAAWW;IACvB;EACF;AAED,SAAOqD;AACT;AASA,SAAShC,mBACPkC,aACA7D,YACA8D,kBACA5F,SAA+B;AAAA,MAA/BA,YAAA,QAAA;AAAAA,cAA6B,CAAA;EAAE;AAE/B,MAAI;IAAEqD,QAAAA,UAASW,SAAS6B;IAAc1F,WAAW;EAAO,IAAGH;AAC3D,MAAIsD,gBAAgBD,QAAOrB;AAC3B,MAAInB,SAAShB,OAAOiB;AACpB,MAAIC,WAA4B;AAEhC,MAAIR,QAAQuF,SAAQ;AAIpB,MAAIvF,SAAS,MAAM;AACjBA,YAAQ;AACR+C,kBAAcyC,aAAYR,SAAMjC,CAAAA,GAAAA,cAAc7C,OAAK;MAAE4E,KAAK9E;IAAK,CAAA,GAAI,EAAE;EACtE;AAED,WAASuF,WAAQ;AACf,QAAIrF,QAAQ6C,cAAc7C,SAAS;MAAE4E,KAAK;;AAC1C,WAAO5E,MAAM4E;EACf;AAEA,WAASW,YAAS;AAChBnF,aAAShB,OAAOiB;AAChB,QAAIkC,YAAY8C,SAAQ;AACxB,QAAIlD,QAAQI,aAAa,OAAO,OAAOA,YAAYzC;AACnDA,YAAQyC;AACR,QAAIjC,UAAU;AACZA,eAAS;QAAEF;QAAQU,UAAUS,QAAQT;QAAUqB;MAAK,CAAE;IACvD;EACH;AAEA,WAASJ,KAAKnB,IAAQZ,OAAW;AAC/BI,aAAShB,OAAO4C;AAChB,QAAIlB,WAAWC,eAAeQ,QAAQT,UAAUF,IAAIZ,KAAK;AACzD,QAAImF,iBAAkBA,kBAAiBrE,UAAUF,EAAE;AAEnDd,YAAQuF,SAAQ,IAAK;AACrB,QAAIG,eAAeb,gBAAgB7D,UAAUhB,KAAK;AAClD,QAAI6D,MAAMpC,QAAQF,WAAWP,QAAQ;AAGrC,QAAI;AACF+B,oBAAc4C,UAAUD,cAAc,IAAI7B,GAAG;aACtC+B,OAAO;AAKd,UAAIA,iBAAiBC,gBAAgBD,MAAME,SAAS,kBAAkB;AACpE,cAAMF;MACP;AAGD9C,MAAAA,QAAO9B,SAAS+E,OAAOlC,GAAG;IAC3B;AAED,QAAIjE,YAAYY,UAAU;AACxBA,eAAS;QAAEF;QAAQU,UAAUS,QAAQT;QAAUqB,OAAO;MAAC,CAAE;IAC1D;EACH;AAEA,WAASC,SAAQxB,IAAQZ,OAAW;AAClCI,aAAShB,OAAOiD;AAChB,QAAIvB,WAAWC,eAAeQ,QAAQT,UAAUF,IAAIZ,KAAK;AACzD,QAAImF,iBAAkBA,kBAAiBrE,UAAUF,EAAE;AAEnDd,YAAQuF,SAAQ;AAChB,QAAIG,eAAeb,gBAAgB7D,UAAUhB,KAAK;AAClD,QAAI6D,MAAMpC,QAAQF,WAAWP,QAAQ;AACrC+B,kBAAcyC,aAAaE,cAAc,IAAI7B,GAAG;AAEhD,QAAIjE,YAAYY,UAAU;AACxBA,eAAS;QAAEF;QAAQU,UAAUS,QAAQT;QAAUqB,OAAO;MAAC,CAAE;IAC1D;EACH;AAEA,WAASX,UAAUZ,IAAM;AAIvB,QAAI0C,OACFV,QAAO9B,SAASgF,WAAW,SACvBlD,QAAO9B,SAASgF,SAChBlD,QAAO9B,SAAS2C;AAEtB,QAAIA,OAAO,OAAO7C,OAAO,WAAWA,KAAKU,WAAWV,EAAE;AAItD6C,WAAOA,KAAKrB,QAAQ,MAAM,KAAK;AAC/B4B,cACEV,MACsEG,wEAAAA,IAAM;AAE9E,WAAO,IAAIhC,IAAIgC,MAAMH,IAAI;EAC3B;AAEA,MAAI/B,UAAmB;IACrB,IAAInB,SAAM;AACR,aAAOA;;IAET,IAAIU,WAAQ;AACV,aAAOoE,YAAYtC,SAAQC,aAAa;;IAE1CL,OAAOC,IAAY;AACjB,UAAInC,UAAU;AACZ,cAAM,IAAI6D,MAAM,4CAA4C;MAC7D;AACDvB,MAAAA,QAAOmD,iBAAiB1G,mBAAmBkG,SAAS;AACpDjF,iBAAWmC;AAEX,aAAO,MAAK;AACVG,QAAAA,QAAOoD,oBAAoB3G,mBAAmBkG,SAAS;AACvDjF,mBAAW;;;IAGfe,WAAWT,IAAE;AACX,aAAOS,WAAWuB,SAAQhC,EAAE;;IAE9BY;IACAE,eAAed,IAAE;AAEf,UAAI+C,MAAMnC,UAAUZ,EAAE;AACtB,aAAO;QACLI,UAAU2C,IAAI3C;QACda,QAAQ8B,IAAI9B;QACZC,MAAM6B,IAAI7B;;;IAGdC;IACAK,SAAAA;IACAE,GAAG/B,GAAC;AACF,aAAOsC,cAAcP,GAAG/B,CAAC;IAC3B;;AAGF,SAAOgB;AACT;AC7tBA,IAAY0E;CAAZ,SAAYA,aAAU;AACpBA,EAAAA,YAAA,MAAA,IAAA;AACAA,EAAAA,YAAA,UAAA,IAAA;AACAA,EAAAA,YAAA,UAAA,IAAA;AACAA,EAAAA,YAAA,OAAA,IAAA;AACF,GALYA,eAAAA,aAKX,CAAA,EAAA;AAyRM,IAAMC,qBAAqB,oBAAIC,IAAuB,CAC3D,QACA,iBACA,QACA,MACA,SACA,UAAU,CACX;AAoJD,SAASC,aACPC,OAA0B;AAE1B,SAAOA,MAAMvG,UAAU;AACzB;AAIM,SAAUwG,0BACdC,QACAC,qBACAC,YACAC,UAA4B;AAAA,MAD5BD,eAAuB,QAAA;AAAvBA,iBAAuB,CAAA;EAAE;AAAA,MACzBC,aAAA,QAAA;AAAAA,eAA0B,CAAA;EAAE;AAE5B,SAAOH,OAAO3G,IAAI,CAACyG,OAAOvG,UAAS;AACjC,QAAI6G,WAAW,CAAC,GAAGF,YAAYG,OAAO9G,KAAK,CAAC;AAC5C,QAAI+G,KAAK,OAAOR,MAAMQ,OAAO,WAAWR,MAAMQ,KAAKF,SAASG,KAAK,GAAG;AACpE9C,cACEqC,MAAMvG,UAAU,QAAQ,CAACuG,MAAMU,UAAQ,2CACI;AAE7C/C,cACE,CAAC0C,SAASG,EAAE,GACZ,uCAAqCA,KACnC,kEAAwD;AAG5D,QAAIT,aAAaC,KAAK,GAAG;AACvB,UAAIW,aAAUlC,SAAA,CAAA,GACTuB,OACAG,oBAAmBH,KAAK,GAAC;QAC5BQ;OACD;AACDH,eAASG,EAAE,IAAIG;AACf,aAAOA;IACR,OAAM;AACL,UAAIC,oBAAiBnC,SAAA,CAAA,GAChBuB,OACAG,oBAAmBH,KAAK,GAAC;QAC5BQ;QACAE,UAAU9G;OACX;AACDyG,eAASG,EAAE,IAAII;AAEf,UAAIZ,MAAMU,UAAU;AAClBE,0BAAkBF,WAAWT,0BAC3BD,MAAMU,UACNP,qBACAG,UACAD,QAAQ;MAEX;AAED,aAAOO;IACR;EACH,CAAC;AACH;AAOM,SAAUC,YAGdX,QACAY,aACAC,UAAc;AAAA,MAAdA,aAAQ,QAAA;AAARA,eAAW;EAAG;AAEd,SAAOC,gBAAgBd,QAAQY,aAAaC,UAAU,KAAK;AAC7D;AAEM,SAAUC,gBAGdd,QACAY,aACAC,UACAE,cAAqB;AAErB,MAAIxG,WACF,OAAOqG,gBAAgB,WAAWvF,UAAUuF,WAAW,IAAIA;AAE7D,MAAInG,WAAWuG,cAAczG,SAASE,YAAY,KAAKoG,QAAQ;AAE/D,MAAIpG,YAAY,MAAM;AACpB,WAAO;EACR;AAED,MAAIwG,WAAWC,cAAclB,MAAM;AACnCmB,oBAAkBF,QAAQ;AAE1B,MAAIG,UAAU;AACd,WAASC,IAAI,GAAGD,WAAW,QAAQC,IAAIJ,SAASrH,QAAQ,EAAEyH,GAAG;AAO3D,QAAIC,UAAUC,WAAW9G,QAAQ;AACjC2G,cAAUI,iBACRP,SAASI,CAAC,GACVC,SACAP,YAAY;EAEf;AAED,SAAOK;AACT;AAUgB,SAAAK,2BACdC,OACAC,YAAqB;AAErB,MAAI;IAAE7B;IAAOrF;IAAUmH;EAAM,IAAKF;AAClC,SAAO;IACLpB,IAAIR,MAAMQ;IACV7F;IACAmH;IACAC,MAAMF,WAAW7B,MAAMQ,EAAE;IACzBwB,QAAQhC,MAAMgC;;AAElB;AAmBA,SAASZ,cAGPlB,QACAiB,UACAc,aACA7B,YAAe;AAAA,MAFfe,aAA2C,QAAA;AAA3CA,eAA2C,CAAA;EAAE;AAAA,MAC7Cc,gBAAA,QAAA;AAAAA,kBAA4C,CAAA;EAAE;AAAA,MAC9C7B,eAAU,QAAA;AAAVA,iBAAa;EAAE;AAEf,MAAI8B,eAAeA,CACjBlC,OACAvG,OACA0I,iBACE;AACF,QAAIC,OAAmC;MACrCD,cACEA,iBAAiBvI,SAAYoG,MAAM1E,QAAQ,KAAK6G;MAClDE,eAAerC,MAAMqC,kBAAkB;MACvCC,eAAe7I;MACfuG;;AAGF,QAAIoC,KAAKD,aAAapF,WAAW,GAAG,GAAG;AACrCY,gBACEyE,KAAKD,aAAapF,WAAWqD,UAAU,GACvC,0BAAwBgC,KAAKD,eAAY,0BAAA,MACnC/B,aAAU,mDAA+C,6DACA;AAGjEgC,WAAKD,eAAeC,KAAKD,aAAa1E,MAAM2C,WAAWtG,MAAM;IAC9D;AAED,QAAIwB,OAAOiH,UAAU,CAACnC,YAAYgC,KAAKD,YAAY,CAAC;AACpD,QAAIK,aAAaP,YAAYQ,OAAOL,IAAI;AAKxC,QAAIpC,MAAMU,YAAYV,MAAMU,SAAS5G,SAAS,GAAG;AAC/C6D;;;QAGEqC,MAAMvG,UAAU;QAChB,6DACuC6B,uCAAAA,OAAI;MAAI;AAEjD8F,oBAAcpB,MAAMU,UAAUS,UAAUqB,YAAYlH,IAAI;IACzD;AAID,QAAI0E,MAAM1E,QAAQ,QAAQ,CAAC0E,MAAMvG,OAAO;AACtC;IACD;AAED0H,aAASzF,KAAK;MACZJ;MACAoH,OAAOC,aAAarH,MAAM0E,MAAMvG,KAAK;MACrC+I;IACD,CAAA;;AAEHtC,SAAO0C,QAAQ,CAAC5C,OAAOvG,UAAS;AAAA,QAAAoJ;AAE9B,QAAI7C,MAAM1E,SAAS,MAAM,GAAAuH,cAAC7C,MAAM1E,SAAI,QAAVuH,YAAYC,SAAS,GAAG,IAAG;AACnDZ,mBAAalC,OAAOvG,KAAK;IAC1B,OAAM;AACL,eAASsJ,YAAYC,wBAAwBhD,MAAM1E,IAAI,GAAG;AACxD4G,qBAAalC,OAAOvG,OAAOsJ,QAAQ;MACpC;IACF;EACH,CAAC;AAED,SAAO5B;AACT;AAgBA,SAAS6B,wBAAwB1H,MAAY;AAC3C,MAAI2H,WAAW3H,KAAK4H,MAAM,GAAG;AAC7B,MAAID,SAASnJ,WAAW,EAAG,QAAO,CAAA;AAElC,MAAI,CAACqJ,OAAO,GAAGC,IAAI,IAAIH;AAGvB,MAAII,aAAaF,MAAMG,SAAS,GAAG;AAEnC,MAAIC,WAAWJ,MAAMpH,QAAQ,OAAO,EAAE;AAEtC,MAAIqH,KAAKtJ,WAAW,GAAG;AAGrB,WAAOuJ,aAAa,CAACE,UAAU,EAAE,IAAI,CAACA,QAAQ;EAC/C;AAED,MAAIC,eAAeR,wBAAwBI,KAAK3C,KAAK,GAAG,CAAC;AAEzD,MAAIgD,SAAmB,CAAA;AASvBA,SAAO/H,KACL,GAAG8H,aAAajK,IAAKmK,aACnBA,YAAY,KAAKH,WAAW,CAACA,UAAUG,OAAO,EAAEjD,KAAK,GAAG,CAAC,CAC1D;AAIH,MAAI4C,YAAY;AACdI,WAAO/H,KAAK,GAAG8H,YAAY;EAC5B;AAGD,SAAOC,OAAOlK,IAAKwJ,cACjBzH,KAAKyB,WAAW,GAAG,KAAKgG,aAAa,KAAK,MAAMA,QAAQ;AAE5D;AAEA,SAAS1B,kBAAkBF,UAAuB;AAChDA,WAASwC,KAAK,CAACC,GAAGC,MAChBD,EAAElB,UAAUmB,EAAEnB,QACVmB,EAAEnB,QAAQkB,EAAElB,QACZoB,eACEF,EAAEpB,WAAWjJ,IAAK6I,UAASA,KAAKE,aAAa,GAC7CuB,EAAErB,WAAWjJ,IAAK6I,UAASA,KAAKE,aAAa,CAAC,CAC/C;AAET;AAEA,IAAMyB,UAAU;AAChB,IAAMC,sBAAsB;AAC5B,IAAMC,kBAAkB;AACxB,IAAMC,oBAAoB;AAC1B,IAAMC,qBAAqB;AAC3B,IAAMC,eAAe;AACrB,IAAMC,UAAWC,OAAcA,MAAM;AAErC,SAAS3B,aAAarH,MAAc7B,OAA0B;AAC5D,MAAIwJ,WAAW3H,KAAK4H,MAAM,GAAG;AAC7B,MAAIqB,eAAetB,SAASnJ;AAC5B,MAAImJ,SAASuB,KAAKH,OAAO,GAAG;AAC1BE,oBAAgBH;EACjB;AAED,MAAI3K,OAAO;AACT8K,oBAAgBN;EACjB;AAED,SAAOhB,SACJwB,OAAQH,OAAM,CAACD,QAAQC,CAAC,CAAC,EACzBI,OACC,CAAChC,OAAOiC,YACNjC,SACCqB,QAAQa,KAAKD,OAAO,IACjBX,sBACAW,YAAY,KACZT,oBACAC,qBACNI,YAAY;AAElB;AAEA,SAAST,eAAeF,GAAaC,GAAW;AAC9C,MAAIgB,WACFjB,EAAE9J,WAAW+J,EAAE/J,UAAU8J,EAAEnG,MAAM,GAAG,EAAE,EAAEqH,MAAM,CAAC5K,GAAGqH,MAAMrH,MAAM2J,EAAEtC,CAAC,CAAC;AAEpE,SAAOsD;;;;;IAKHjB,EAAEA,EAAE9J,SAAS,CAAC,IAAI+J,EAAEA,EAAE/J,SAAS,CAAC;;;;IAGhC;;AACN;AAEA,SAAS4H,iBAIPqD,QACApK,UACAsG,cAAoB;AAAA,MAApBA,iBAAY,QAAA;AAAZA,mBAAe;EAAK;AAEpB,MAAI;IAAEuB;EAAY,IAAGuC;AAErB,MAAIC,gBAAgB,CAAA;AACpB,MAAIC,kBAAkB;AACtB,MAAI3D,UAA2D,CAAA;AAC/D,WAASC,IAAI,GAAGA,IAAIiB,WAAW1I,QAAQ,EAAEyH,GAAG;AAC1C,QAAIa,OAAOI,WAAWjB,CAAC;AACvB,QAAI2D,MAAM3D,MAAMiB,WAAW1I,SAAS;AACpC,QAAIqL,oBACFF,oBAAoB,MAChBtK,WACAA,SAAS8C,MAAMwH,gBAAgBnL,MAAM,KAAK;AAChD,QAAI8H,QAAQwD,UACV;MAAE9J,MAAM8G,KAAKD;MAAcE,eAAeD,KAAKC;MAAe6C;OAC9DC,iBAAiB;AAGnB,QAAInF,QAAQoC,KAAKpC;AAEjB,QACE,CAAC4B,SACDsD,OACAjE,gBACA,CAACuB,WAAWA,WAAW1I,SAAS,CAAC,EAAEkG,MAAMvG,OACzC;AACAmI,cAAQwD,UACN;QACE9J,MAAM8G,KAAKD;QACXE,eAAeD,KAAKC;QACpB6C,KAAK;SAEPC,iBAAiB;IAEpB;AAED,QAAI,CAACvD,OAAO;AACV,aAAO;IACR;AAEDyD,WAAO7F,OAAOwF,eAAepD,MAAME,MAAM;AAEzCR,YAAQ5F,KAAK;;MAEXoG,QAAQkD;MACRrK,UAAU4H,UAAU,CAAC0C,iBAAiBrD,MAAMjH,QAAQ,CAAC;MACrD2K,cAAcC,kBACZhD,UAAU,CAAC0C,iBAAiBrD,MAAM0D,YAAY,CAAC,CAAC;MAElDtF;IACD,CAAA;AAED,QAAI4B,MAAM0D,iBAAiB,KAAK;AAC9BL,wBAAkB1C,UAAU,CAAC0C,iBAAiBrD,MAAM0D,YAAY,CAAC;IAClE;EACF;AAED,SAAOhE;AACT;SAOgBkE,aACdC,cACA3D,QAEa;AAAA,MAFbA,WAAAA,QAAAA;AAAAA,aAEI,CAAA;EAAS;AAEb,MAAIxG,OAAemK;AACnB,MAAInK,KAAKgI,SAAS,GAAG,KAAKhI,SAAS,OAAO,CAACA,KAAKgI,SAAS,IAAI,GAAG;AAC9D1I,YACE,OACA,iBAAeU,OACTA,sCAAAA,MAAAA,KAAKS,QAAQ,OAAO,IAAI,IAAsC,uCAAA,sEAE9BT,sCAAAA,KAAKS,QAAQ,OAAO,IAAI,IAAC,KAAI;AAErET,WAAOA,KAAKS,QAAQ,OAAO,IAAI;EAChC;AAGD,QAAM2J,SAASpK,KAAKyB,WAAW,GAAG,IAAI,MAAM;AAE5C,QAAMhC,YAAa4K,OACjBA,KAAK,OAAO,KAAK,OAAOA,MAAM,WAAWA,IAAIpF,OAAOoF,CAAC;AAEvD,QAAM1C,WAAW3H,KACd4H,MAAM,KAAK,EACX3J,IAAI,CAACoL,SAASlL,OAAOmM,UAAS;AAC7B,UAAMC,gBAAgBpM,UAAUmM,MAAM9L,SAAS;AAG/C,QAAI+L,iBAAiBlB,YAAY,KAAK;AACpC,YAAMmB,OAAO;AAEb,aAAO/K,UAAU+G,OAAOgE,IAAI,CAAC;IAC9B;AAED,UAAMC,WAAWpB,QAAQ/C,MAAM,kBAAkB;AACjD,QAAImE,UAAU;AACZ,YAAM,CAAA,EAAGvL,KAAKwL,QAAQ,IAAID;AAC1B,UAAIE,QAAQnE,OAAOtH,GAAsB;AACzCmD,gBAAUqI,aAAa,OAAOC,SAAS,MAAI,eAAezL,MAAG,SAAS;AACtE,aAAOO,UAAUkL,KAAK;IACvB;AAGD,WAAOtB,QAAQ5I,QAAQ,QAAQ,EAAE;GAClC,EAEA0I,OAAQE,aAAY,CAAC,CAACA,OAAO;AAEhC,SAAOe,SAASzC,SAASxC,KAAK,GAAG;AACnC;AAuDgB,SAAA2E,UAIdc,SACAvL,UAAgB;AAEhB,MAAI,OAAOuL,YAAY,UAAU;AAC/BA,cAAU;MAAE5K,MAAM4K;MAAS7D,eAAe;MAAO6C,KAAK;;EACvD;AAED,MAAI,CAACiB,SAASC,cAAc,IAAIC,YAC9BH,QAAQ5K,MACR4K,QAAQ7D,eACR6D,QAAQhB,GAAG;AAGb,MAAItD,QAAQjH,SAASiH,MAAMuE,OAAO;AAClC,MAAI,CAACvE,MAAO,QAAO;AAEnB,MAAIqD,kBAAkBrD,MAAM,CAAC;AAC7B,MAAI0D,eAAeL,gBAAgBlJ,QAAQ,WAAW,IAAI;AAC1D,MAAIuK,gBAAgB1E,MAAMnE,MAAM,CAAC;AACjC,MAAIqE,SAAiBsE,eAAe1B,OAClC,CAAC6B,OAAI7H,MAA6BjF,UAAS;AAAA,QAApC;MAAE+M;MAAWnD;QAAY3E;AAG9B,QAAI8H,cAAc,KAAK;AACrB,UAAIC,aAAaH,cAAc7M,KAAK,KAAK;AACzC6L,qBAAeL,gBACZxH,MAAM,GAAGwH,gBAAgBnL,SAAS2M,WAAW3M,MAAM,EACnDiC,QAAQ,WAAW,IAAI;IAC3B;AAED,UAAM6B,QAAQ0I,cAAc7M,KAAK;AACjC,QAAI4J,cAAc,CAACzF,OAAO;AACxB2I,MAAAA,MAAKC,SAAS,IAAI5M;IACnB,OAAM;AACL2M,MAAAA,MAAKC,SAAS,KAAK5I,SAAS,IAAI7B,QAAQ,QAAQ,GAAG;IACpD;AACD,WAAOwK;KAET,CAAA,CAAE;AAGJ,SAAO;IACLzE;IACAnH,UAAUsK;IACVK;IACAY;;AAEJ;AAIA,SAASG,YACP/K,MACA+G,eACA6C,KAAU;AAAA,MADV7C,kBAAa,QAAA;AAAbA,oBAAgB;EAAK;AAAA,MACrB6C,QAAG,QAAA;AAAHA,UAAM;EAAI;AAEVtK,UACEU,SAAS,OAAO,CAACA,KAAKgI,SAAS,GAAG,KAAKhI,KAAKgI,SAAS,IAAI,GACzD,iBAAehI,OACTA,sCAAAA,MAAAA,KAAKS,QAAQ,OAAO,IAAI,IAAsC,uCAAA,sEACE,sCAChCT,KAAKS,QAAQ,OAAO,IAAI,IAAC,KAAI;AAGrE,MAAI+F,SAA8B,CAAA;AAClC,MAAI4E,eACF,MACApL,KACGS,QAAQ,WAAW,EAAE,EACrBA,QAAQ,QAAQ,GAAG,EACnBA,QAAQ,sBAAsB,MAAM,EACpCA,QACC,qBACA,CAAC4K,GAAWH,WAAmBnD,eAAc;AAC3CvB,WAAOpG,KAAK;MAAE8K;MAAWnD,YAAYA,cAAc;IAAI,CAAE;AACzD,WAAOA,aAAa,iBAAiB;EACvC,CAAC;AAGP,MAAI/H,KAAKgI,SAAS,GAAG,GAAG;AACtBxB,WAAOpG,KAAK;MAAE8K,WAAW;IAAK,CAAA;AAC9BE,oBACEpL,SAAS,OAAOA,SAAS,OACrB,UACA;aACG4J,KAAK;AAEdwB,oBAAgB;aACPpL,SAAS,MAAMA,SAAS,KAAK;AAQtCoL,oBAAgB;EACjB,MAAM;AAIP,MAAIP,UAAU,IAAIS,OAAOF,cAAcrE,gBAAgBzI,SAAY,GAAG;AAEtE,SAAO,CAACuM,SAASrE,MAAM;AACzB;AAEM,SAAUL,WAAW7D,OAAa;AACtC,MAAI;AACF,WAAOA,MACJsF,MAAM,GAAG,EACT3J,IAAKsN,OAAMC,mBAAmBD,CAAC,EAAE9K,QAAQ,OAAO,KAAK,CAAC,EACtD0E,KAAK,GAAG;WACJpB,OAAO;AACdzE,YACE,OACA,mBAAiBgD,QACgD,6GAAA,eAClDyB,QAAK,KAAI;AAG1B,WAAOzB;EACR;AACH;AAKgB,SAAAsD,cACdvG,UACAoG,UAAgB;AAEhB,MAAIA,aAAa,IAAK,QAAOpG;AAE7B,MAAI,CAACA,SAASoM,YAAW,EAAGhK,WAAWgE,SAASgG,YAAW,CAAE,GAAG;AAC9D,WAAO;EACR;AAID,MAAIC,aAAajG,SAASuC,SAAS,GAAG,IAClCvC,SAASjH,SAAS,IAClBiH,SAASjH;AACb,MAAImN,WAAWtM,SAASE,OAAOmM,UAAU;AACzC,MAAIC,YAAYA,aAAa,KAAK;AAEhC,WAAO;EACR;AAED,SAAOtM,SAAS8C,MAAMuJ,UAAU,KAAK;AACvC;SAOgBE,YAAY3M,IAAQ4M,cAAkB;AAAA,MAAlBA,iBAAY,QAAA;AAAZA,mBAAe;EAAG;AACpD,MAAI;IACFxM,UAAUyM;IACV5L,SAAS;IACTC,OAAO;MACL,OAAOlB,OAAO,WAAWgB,UAAUhB,EAAE,IAAIA;AAE7C,MAAII,WAAWyM,aACXA,WAAWrK,WAAW,GAAG,IACvBqK,aACAC,gBAAgBD,YAAYD,YAAY,IAC1CA;AAEJ,SAAO;IACLxM;IACAa,QAAQ8L,gBAAgB9L,MAAM;IAC9BC,MAAM8L,cAAc9L,IAAI;;AAE5B;AAEA,SAAS4L,gBAAgBlF,cAAsBgF,cAAoB;AACjE,MAAIlE,WAAWkE,aAAapL,QAAQ,QAAQ,EAAE,EAAEmH,MAAM,GAAG;AACzD,MAAIsE,mBAAmBrF,aAAae,MAAM,GAAG;AAE7CsE,mBAAiB5E,QAAS+B,aAAW;AACnC,QAAIA,YAAY,MAAM;AAEpB,UAAI1B,SAASnJ,SAAS,EAAGmJ,UAASwE,IAAG;IACtC,WAAU9C,YAAY,KAAK;AAC1B1B,eAASvH,KAAKiJ,OAAO;IACtB;EACH,CAAC;AAED,SAAO1B,SAASnJ,SAAS,IAAImJ,SAASxC,KAAK,GAAG,IAAI;AACpD;AAEA,SAASiH,oBACPC,MACAC,OACAC,MACAvM,MAAmB;AAEnB,SACE,uBAAqBqM,OACbC,0CAAAA,SAAAA,QAAK,cAAa9M,KAAKC,UAC7BO,IAAI,IACL,yCACOuM,SAAAA,OAAI,8DACuD;AAEvE;AAyBM,SAAUC,2BAEdxG,SAAY;AACZ,SAAOA,QAAQmD,OACb,CAAC7C,OAAOnI,UACNA,UAAU,KAAMmI,MAAM5B,MAAM1E,QAAQsG,MAAM5B,MAAM1E,KAAKxB,SAAS,CAAE;AAEtE;AAIgB,SAAAiO,oBAEdzG,SAAc0G,sBAA6B;AAC3C,MAAIC,cAAcH,2BAA2BxG,OAAO;AAKpD,MAAI0G,sBAAsB;AACxB,WAAOC,YAAY1O,IAAI,CAACqI,OAAOrD,QAC7BA,QAAQ0J,YAAYnO,SAAS,IAAI8H,MAAMjH,WAAWiH,MAAM0D,YAAY;EAEvE;AAED,SAAO2C,YAAY1O,IAAKqI,WAAUA,MAAM0D,YAAY;AACtD;AAKM,SAAU4C,UACdC,OACAC,gBACAC,kBACAC,gBAAsB;AAAA,MAAtBA,mBAAc,QAAA;AAAdA,qBAAiB;EAAK;AAEtB,MAAI/N;AACJ,MAAI,OAAO4N,UAAU,UAAU;AAC7B5N,SAAKgB,UAAU4M,KAAK;EACrB,OAAM;AACL5N,SAAEkE,SAAQ0J,CAAAA,GAAAA,KAAK;AAEfxK,cACE,CAACpD,GAAGI,YAAY,CAACJ,GAAGI,SAASmI,SAAS,GAAG,GACzC4E,oBAAoB,KAAK,YAAY,UAAUnN,EAAE,CAAC;AAEpDoD,cACE,CAACpD,GAAGI,YAAY,CAACJ,GAAGI,SAASmI,SAAS,GAAG,GACzC4E,oBAAoB,KAAK,YAAY,QAAQnN,EAAE,CAAC;AAElDoD,cACE,CAACpD,GAAGiB,UAAU,CAACjB,GAAGiB,OAAOsH,SAAS,GAAG,GACrC4E,oBAAoB,KAAK,UAAU,QAAQnN,EAAE,CAAC;EAEjD;AAED,MAAIgO,cAAcJ,UAAU,MAAM5N,GAAGI,aAAa;AAClD,MAAIyM,aAAamB,cAAc,MAAMhO,GAAGI;AAExC,MAAI6N;AAWJ,MAAIpB,cAAc,MAAM;AACtBoB,WAAOH;EACR,OAAM;AACL,QAAII,qBAAqBL,eAAetO,SAAS;AAMjD,QAAI,CAACwO,kBAAkBlB,WAAWrK,WAAW,IAAI,GAAG;AAClD,UAAI2L,aAAatB,WAAWlE,MAAM,GAAG;AAErC,aAAOwF,WAAW,CAAC,MAAM,MAAM;AAC7BA,mBAAWC,MAAK;AAChBF,8BAAsB;MACvB;AAEDlO,SAAGI,WAAW+N,WAAWjI,KAAK,GAAG;IAClC;AAED+H,WAAOC,sBAAsB,IAAIL,eAAeK,kBAAkB,IAAI;EACvE;AAED,MAAInN,OAAO4L,YAAY3M,IAAIiO,IAAI;AAG/B,MAAII,2BACFxB,cAAcA,eAAe,OAAOA,WAAW9D,SAAS,GAAG;AAE7D,MAAIuF,2BACDN,eAAenB,eAAe,QAAQiB,iBAAiB/E,SAAS,GAAG;AACtE,MACE,CAAChI,KAAKX,SAAS2I,SAAS,GAAG,MAC1BsF,4BAA4BC,0BAC7B;AACAvN,SAAKX,YAAY;EAClB;AAED,SAAOW;AACT;IAiBawN,YAAaC,WACxBA,MAAMC,KAAK,GAAG,EAAEC,QAAQ,UAAU,GAAG;IAK1BC,oBAAqBC,cAChCA,SAASF,QAAQ,QAAQ,EAAE,EAAEA,QAAQ,QAAQ,GAAG;AAK3C,IAAMG,kBAAmBC,YAC9B,CAACA,UAAUA,WAAW,MAClB,KACAA,OAAOC,WAAW,GAAG,IACrBD,SACA,MAAMA;AAKL,IAAME,gBAAiBC,UAC5B,CAACA,QAAQA,SAAS,MAAM,KAAKA,KAAKF,WAAW,GAAG,IAAIE,OAAO,MAAMA;AAc5D,IAAMC,OAAqB,SAArBA,MAAsBC,MAAMC,MAAa;AAAA,MAAbA,SAAI,QAAA;AAAJA,WAAO,CAAA;EAAE;AAChD,MAAIC,eAAe,OAAOD,SAAS,WAAW;IAAEE,QAAQF;EAAI,IAAKA;AAEjE,MAAIG,UAAU,IAAIC,QAAQH,aAAaE,OAAO;AAC9C,MAAI,CAACA,QAAQE,IAAI,cAAc,GAAG;AAChCF,YAAQG,IAAI,gBAAgB,iCAAiC;EAC9D;AAED,SAAO,IAAIC,SAASC,KAAKC,UAAUV,IAAI,GAACW,SAAA,CAAA,GACnCT,cAAY;IACfE;EAAO,CAAA,CACR;AACH;AA8BM,IAAOQ,uBAAP,cAAoCC,MAAK;AAAA;IAElCC,qBAAY;EAWvBC,YAAYC,MAA+BC,cAA2B;AAV9D,SAAAC,iBAA8B,oBAAIC,IAAG;AAIrC,SAAAC,cACN,oBAAID,IAAG;AAGT,SAAYE,eAAa,CAAA;AAGvBC,cACEN,QAAQ,OAAOA,SAAS,YAAY,CAACO,MAAMC,QAAQR,IAAI,GACvD,oCAAoC;AAKtC,QAAIS;AACJ,SAAKC,eAAe,IAAIC,QAAQ,CAACC,GAAGC,MAAOJ,SAASI,CAAE;AACtD,SAAKC,aAAa,IAAIC,gBAAe;AACrC,QAAIC,UAAUA,MACZP,OAAO,IAAIb,qBAAqB,uBAAuB,CAAC;AAC1D,SAAKqB,sBAAsB,MACzB,KAAKH,WAAWI,OAAOC,oBAAoB,SAASH,OAAO;AAC7D,SAAKF,WAAWI,OAAOE,iBAAiB,SAASJ,OAAO;AAExD,SAAKhB,OAAOqB,OAAOC,QAAQtB,IAAI,EAAEuB,OAC/B,CAACC,KAAGC,UAAA;AAAA,UAAE,CAACC,KAAKC,KAAK,IAACF;AAAA,aAChBJ,OAAOO,OAAOJ,KAAK;QACjB,CAACE,GAAG,GAAG,KAAKG,aAAaH,KAAKC,KAAK;OACpC;OACH,CAAA,CAAE;AAGJ,QAAI,KAAKG,MAAM;AAEb,WAAKb,oBAAmB;IACzB;AAED,SAAKc,OAAO9B;EACd;EAEQ4B,aACNH,KACAC,OAAiC;AAEjC,QAAI,EAAEA,iBAAiBhB,UAAU;AAC/B,aAAOgB;IACR;AAED,SAAKtB,aAAa2B,KAAKN,GAAG;AAC1B,SAAKxB,eAAe+B,IAAIP,GAAG;AAI3B,QAAIQ,UAA0BvB,QAAQwB,KAAK,CAACR,OAAO,KAAKjB,YAAY,CAAC,EAAE0B,KACpEpC,UAAS,KAAKqC,SAASH,SAASR,KAAKY,QAAWtC,IAAe,GAC/DuC,WAAU,KAAKF,SAASH,SAASR,KAAKa,KAAgB,CAAC;AAK1DL,YAAQM,MAAM,MAAO;IAAA,CAAC;AAEtBnB,WAAOoB,eAAeP,SAAS,YAAY;MAAEQ,KAAKA,MAAM;IAAI,CAAE;AAC9D,WAAOR;EACT;EAEQG,SACNH,SACAR,KACAa,OACAvC,MAAc;AAEd,QACE,KAAKc,WAAWI,OAAOyB,WACvBJ,iBAAiB3C,sBACjB;AACA,WAAKqB,oBAAmB;AACxBI,aAAOoB,eAAeP,SAAS,UAAU;QAAEQ,KAAKA,MAAMH;MAAK,CAAE;AAC7D,aAAO5B,QAAQF,OAAO8B,KAAK;IAC5B;AAED,SAAKrC,eAAe0C,OAAOlB,GAAG;AAE9B,QAAI,KAAKI,MAAM;AAEb,WAAKb,oBAAmB;IACzB;AAID,QAAIsB,UAAUD,UAAatC,SAASsC,QAAW;AAC7C,UAAIO,iBAAiB,IAAIhD,MACvB,4BAA0B6B,MAAG,uFACwB;AAEvDL,aAAOoB,eAAeP,SAAS,UAAU;QAAEQ,KAAKA,MAAMG;MAAc,CAAE;AACtE,WAAKC,KAAK,OAAOpB,GAAG;AACpB,aAAOf,QAAQF,OAAOoC,cAAc;IACrC;AAED,QAAI7C,SAASsC,QAAW;AACtBjB,aAAOoB,eAAeP,SAAS,UAAU;QAAEQ,KAAKA,MAAMH;MAAK,CAAE;AAC7D,WAAKO,KAAK,OAAOpB,GAAG;AACpB,aAAOf,QAAQF,OAAO8B,KAAK;IAC5B;AAEDlB,WAAOoB,eAAeP,SAAS,SAAS;MAAEQ,KAAKA,MAAM1C;IAAI,CAAE;AAC3D,SAAK8C,KAAK,OAAOpB,GAAG;AACpB,WAAO1B;EACT;EAEQ8C,KAAKH,SAAkBI,YAAmB;AAChD,SAAK3C,YAAY4C,QAASC,gBAAeA,WAAWN,SAASI,UAAU,CAAC;EAC1E;EAEAG,UAAUC,IAAmD;AAC3D,SAAK/C,YAAY6B,IAAIkB,EAAE;AACvB,WAAO,MAAM,KAAK/C,YAAYwC,OAAOO,EAAE;EACzC;EAEAC,SAAM;AACJ,SAAKtC,WAAWuC,MAAK;AACrB,SAAKnD,eAAe8C,QAAQ,CAACM,GAAGC,MAAM,KAAKrD,eAAe0C,OAAOW,CAAC,CAAC;AACnE,SAAKT,KAAK,IAAI;EAChB;EAEA,MAAMU,YAAYtC,QAAmB;AACnC,QAAIyB,UAAU;AACd,QAAI,CAAC,KAAKb,MAAM;AACd,UAAId,UAAUA,MAAM,KAAKoC,OAAM;AAC/BlC,aAAOE,iBAAiB,SAASJ,OAAO;AACxC2B,gBAAU,MAAM,IAAIhC,QAAS8C,aAAW;AACtC,aAAKP,UAAWP,CAAAA,aAAW;AACzBzB,iBAAOC,oBAAoB,SAASH,OAAO;AAC3C,cAAI2B,YAAW,KAAKb,MAAM;AACxB2B,oBAAQd,QAAO;UAChB;QACH,CAAC;MACH,CAAC;IACF;AACD,WAAOA;EACT;EAEA,IAAIb,OAAI;AACN,WAAO,KAAK5B,eAAewD,SAAS;EACtC;EAEA,IAAIC,gBAAa;AACfrD,cACE,KAAKN,SAAS,QAAQ,KAAK8B,MAC3B,2DAA2D;AAG7D,WAAOT,OAAOC,QAAQ,KAAKtB,IAAI,EAAEuB,OAC/B,CAACC,KAAGoC,UAAA;AAAA,UAAE,CAAClC,KAAKC,KAAK,IAACiC;AAAA,aAChBvC,OAAOO,OAAOJ,KAAK;QACjB,CAACE,GAAG,GAAGmC,qBAAqBlC,KAAK;OAClC;OACH,CAAA,CAAE;EAEN;EAEA,IAAImC,cAAW;AACb,WAAOvD,MAAMwD,KAAK,KAAK7D,cAAc;EACvC;AACD;AAED,SAAS8D,iBAAiBrC,OAAU;AAClC,SACEA,iBAAiBhB,WAAYgB,MAAyBsC,aAAa;AAEvE;AAEA,SAASJ,qBAAqBlC,OAAU;AACtC,MAAI,CAACqC,iBAAiBrC,KAAK,GAAG;AAC5B,WAAOA;EACR;AAED,MAAIA,MAAMuC,QAAQ;AAChB,UAAMvC,MAAMuC;EACb;AACD,SAAOvC,MAAMwC;AACf;AAWO,IAAMC,QAAuB,SAAvBA,OAAwBpE,MAAM+B,MAAa;AAAA,MAAbA,SAAI,QAAA;AAAJA,WAAO,CAAA;EAAE;AAClD,MAAI9B,eAAe,OAAO8B,SAAS,WAAW;IAAEsC,QAAQtC;EAAI,IAAKA;AAEjE,SAAO,IAAIjC,aAAaE,MAAMC,YAAY;AAC5C;AAWO,IAAMqE,WAA6B,SAA7BA,UAA8BC,KAAKxC,MAAc;AAAA,MAAdA,SAAI,QAAA;AAAJA,WAAO;EAAG;AACxD,MAAI9B,eAAe8B;AACnB,MAAI,OAAO9B,iBAAiB,UAAU;AACpCA,mBAAe;MAAEoE,QAAQpE;;aAChB,OAAOA,aAAaoE,WAAW,aAAa;AACrDpE,iBAAaoE,SAAS;EACvB;AAED,MAAIG,UAAU,IAAIC,QAAQxE,aAAauE,OAAO;AAC9CA,UAAQE,IAAI,YAAYH,GAAG;AAE3B,SAAO,IAAII,SAAS,MAAIC,SAAA,CAAA,GACnB3E,cAAY;IACfuE;EAAO,CAAA,CACR;AACH;IAOaK,mBAAqCA,CAACN,KAAKxC,SAAQ;AAC9D,MAAI+C,WAAWR,SAASC,KAAKxC,IAAI;AACjC+C,WAASN,QAAQE,IAAI,2BAA2B,MAAM;AACtD,SAAOI;AACT;IAQaC,UAA4BA,CAACR,KAAKxC,SAAQ;AACrD,MAAI+C,WAAWR,SAASC,KAAKxC,IAAI;AACjC+C,WAASN,QAAQE,IAAI,mBAAmB,MAAM;AAC9C,SAAOI;AACT;IAgBaE,0BAAiB;EAO5BjF,YACEsE,QACAY,YACAjF,MACAkF,UAAgB;AAAA,QAAhBA,aAAQ,QAAA;AAARA,iBAAW;IAAK;AAEhB,SAAKb,SAASA;AACd,SAAKY,aAAaA,cAAc;AAChC,SAAKC,WAAWA;AAChB,QAAIlF,gBAAgBH,OAAO;AACzB,WAAKG,OAAOA,KAAKmF,SAAQ;AACzB,WAAK5C,QAAQvC;IACd,OAAM;AACL,WAAKA,OAAOA;IACb;EACH;AACD;AAMK,SAAUoF,qBAAqB7C,OAAU;AAC7C,SACEA,SAAS,QACT,OAAOA,MAAM8B,WAAW,YACxB,OAAO9B,MAAM0C,eAAe,YAC5B,OAAO1C,MAAM2C,aAAa,aAC1B,UAAU3C;AAEd;AClgCA,IAAM8C,0BAAgD,CACpD,QACA,OACA,SACA,QAAQ;AAEV,IAAMC,uBAAuB,IAAInF,IAC/BkF,uBAAuB;AAGzB,IAAME,yBAAuC,CAC3C,OACA,GAAGF,uBAAuB;AAE5B,IAAMG,sBAAsB,IAAIrF,IAAgBoF,sBAAsB;AAEtE,IAAME,sBAAsB,oBAAItF,IAAI,CAAC,KAAK,KAAK,KAAK,KAAK,GAAG,CAAC;AAC7D,IAAMuF,oCAAoC,oBAAIvF,IAAI,CAAC,KAAK,GAAG,CAAC;AAErD,IAAMwF,kBAA4C;EACvDC,OAAO;EACPC,UAAUvD;EACVwD,YAAYxD;EACZyD,YAAYzD;EACZ0D,aAAa1D;EACb2D,UAAU3D;EACV4D,MAAM5D;EACN6D,MAAM7D;;AAGD,IAAM8D,eAAsC;EACjDR,OAAO;EACP5F,MAAMsC;EACNwD,YAAYxD;EACZyD,YAAYzD;EACZ0D,aAAa1D;EACb2D,UAAU3D;EACV4D,MAAM5D;EACN6D,MAAM7D;;AAGD,IAAM+D,eAAiC;EAC5CT,OAAO;EACPU,SAAShE;EACTiE,OAAOjE;EACPuD,UAAUvD;;AAGZ,IAAMkE,qBAAqB;AAE3B,IAAMC,4BAAyDC,YAAW;EACxEC,kBAAkBC,QAAQF,MAAMC,gBAAgB;AACjD;AAED,IAAME,0BAA0B;AAW1B,SAAUC,aAAa/E,MAAgB;AAC3C,QAAMgF,eAAehF,KAAKiF,SACtBjF,KAAKiF,SACL,OAAOA,WAAW,cAClBA,SACA1E;AACJ,QAAM2E,aACJ,OAAOF,iBAAiB,eACxB,OAAOA,aAAaG,aAAa,eACjC,OAAOH,aAAaG,SAASC,kBAAkB;AACjD,QAAMC,WAAW,CAACH;AAElB3G,YACEyB,KAAKsF,OAAOC,SAAS,GACrB,2DAA2D;AAG7D,MAAIC;AACJ,MAAIxF,KAAKwF,oBAAoB;AAC3BA,IAAAA,sBAAqBxF,KAAKwF;EAC3B,WAAUxF,KAAKyF,qBAAqB;AAEnC,QAAIA,sBAAsBzF,KAAKyF;AAC/BD,IAAAA,sBAAsBb,YAAW;MAC/BC,kBAAkBa,oBAAoBd,KAAK;IAC5C;EACF,OAAM;AACLa,IAAAA,sBAAqBd;EACtB;AAGD,MAAIgB,WAA0B,CAAA;AAE9B,MAAIC,aAAaC,0BACf5F,KAAKsF,QACLE,qBACAjF,QACAmF,QAAQ;AAEV,MAAIG;AACJ,MAAIC,WAAW9F,KAAK8F,YAAY;AAChC,MAAIC,mBAAmB/F,KAAKgG,gBAAgBC;AAC5C,MAAIC,8BAA8BlG,KAAKmG;AAGvC,MAAIC,SAAMvD,SAAA;IACRwD,mBAAmB;IACnBC,wBAAwB;IACxBC,qBAAqB;IACrBC,oBAAoB;IACpBC,sBAAsB;IACtBC,gCAAgC;KAC7B1G,KAAKoG,MAAM;AAGhB,MAAIO,kBAAuC;AAE3C,MAAItI,cAAc,oBAAID,IAAG;AAEzB,MAAIwI,wBAAsD;AAE1D,MAAIC,0BAAkE;AAEtE,MAAIC,oBAAsD;AAO1D,MAAIC,wBAAwB/G,KAAKgH,iBAAiB;AAElD,MAAIC,iBAAiBC,YAAYvB,YAAY3F,KAAKmH,QAAQrD,UAAUgC,QAAQ;AAC5E,MAAIsB,gBAAkC;AAEtC,MAAIH,kBAAkB,QAAQ,CAACf,6BAA6B;AAG1D,QAAI1F,QAAQ6G,uBAAuB,KAAK;MACtCC,UAAUtH,KAAKmH,QAAQrD,SAASwD;IACjC,CAAA;AACD,QAAI;MAAEC;MAAS5C;IAAK,IAAK6C,uBAAuB7B,UAAU;AAC1DsB,qBAAiBM;AACjBH,oBAAgB;MAAE,CAACzC,MAAM8C,EAAE,GAAGjH;;EAC/B;AAQD,MAAIyG,kBAAkB,CAACjH,KAAKgH,eAAe;AACzC,QAAIU,WAAWC,cACbV,gBACAtB,YACA3F,KAAKmH,QAAQrD,SAASwD,QAAQ;AAEhC,QAAII,SAASE,QAAQ;AACnBX,uBAAiB;IAClB;EACF;AAED,MAAIY;AACJ,MAAI,CAACZ,gBAAgB;AACnBY,kBAAc;AACdZ,qBAAiB,CAAA;AAKjB,QAAIb,OAAOG,qBAAqB;AAC9B,UAAImB,WAAWC,cACb,MACAhC,YACA3F,KAAKmH,QAAQrD,SAASwD,QAAQ;AAEhC,UAAII,SAASE,UAAUF,SAASH,SAAS;AACvCN,yBAAiBS,SAASH;MAC3B;IACF;EACF,WAAUN,eAAea,KAAMC,OAAMA,EAAEpD,MAAMqD,IAAI,GAAG;AAGnDH,kBAAc;EACf,WAAU,CAACZ,eAAea,KAAMC,OAAMA,EAAEpD,MAAMsD,MAAM,GAAG;AAEtDJ,kBAAc;EACf,WAAUzB,OAAOG,qBAAqB;AAIrC,QAAI2B,aAAalI,KAAKgH,gBAAgBhH,KAAKgH,cAAckB,aAAa;AACtE,QAAIC,SAASnI,KAAKgH,gBAAgBhH,KAAKgH,cAAcmB,SAAS;AAE9D,QAAIA,QAAQ;AACV,UAAIC,MAAMnB,eAAeoB,UACtBN,OAAMI,OAAQJ,EAAEpD,MAAM8C,EAAE,MAAMlH,MAAS;AAE1CsH,oBAAcZ,eACXqB,MAAM,GAAGF,MAAM,CAAC,EAChBG,MAAOR,OAAM,CAACS,2BAA2BT,EAAEpD,OAAOuD,YAAYC,MAAM,CAAC;IACzE,OAAM;AACLN,oBAAcZ,eAAesB,MAC1BR,OAAM,CAACS,2BAA2BT,EAAEpD,OAAOuD,YAAYC,MAAM,CAAC;IAElE;EACF,OAAM;AAGLN,kBAAc7H,KAAKgH,iBAAiB;EACrC;AAED,MAAIyB;AACJ,MAAI5E,QAAqB;IACvB6E,eAAe1I,KAAKmH,QAAQwB;IAC5B7E,UAAU9D,KAAKmH,QAAQrD;IACvByD,SAASN;IACTY;IACAe,YAAYhF;;IAEZiF,uBAAuB7I,KAAKgH,iBAAiB,OAAO,QAAQ;IAC5D8B,oBAAoB;IACpBC,cAAc;IACdb,YAAalI,KAAKgH,iBAAiBhH,KAAKgH,cAAckB,cAAe,CAAA;IACrEc,YAAahJ,KAAKgH,iBAAiBhH,KAAKgH,cAAcgC,cAAe;IACrEb,QAASnI,KAAKgH,iBAAiBhH,KAAKgH,cAAcmB,UAAWf;IAC7D6B,UAAU,oBAAIC,IAAG;IACjBC,UAAU,oBAAID,IAAG;;AAKnB,MAAIE,gBAA+BC,OAAcC;AAIjD,MAAIC,4BAA4B;AAGhC,MAAIC;AAGJ,MAAIC,+BAA+B;AAGnC,MAAIC,yBAAmD,oBAAIR,IAAG;AAM9D,MAAIS,8BAAmD;AAIvD,MAAIC,8BAA8B;AAMlC,MAAIC,yBAAyB;AAI7B,MAAIC,0BAAoC,CAAA;AAIxC,MAAIC,wBAAqC,oBAAI3L,IAAG;AAGhD,MAAI4L,mBAAmB,oBAAId,IAAG;AAG9B,MAAIe,qBAAqB;AAKzB,MAAIC,0BAA0B;AAG9B,MAAIC,iBAAiB,oBAAIjB,IAAG;AAG5B,MAAIkB,mBAAmB,oBAAIhM,IAAG;AAG9B,MAAIiM,mBAAmB,oBAAInB,IAAG;AAG9B,MAAIoB,iBAAiB,oBAAIpB,IAAG;AAI5B,MAAIqB,kBAAkB,oBAAInM,IAAG;AAM7B,MAAIoM,kBAAkB,oBAAItB,IAAG;AAI7B,MAAIuB,mBAAmB,oBAAIvB,IAAG;AAW9B,MAAIwB,8BAAwDnK;AAK5D,WAASoK,aAAU;AAGjBhE,sBAAkB3G,KAAKmH,QAAQyD,OAC7BC,UAA+C;AAAA,UAA9C;QAAElC,QAAQD;QAAe5E;QAAUgH;MAAK,IAAED;AAGzC,UAAIH,6BAA6B;AAC/BA,oCAA2B;AAC3BA,sCAA8BnK;AAC9B;MACD;AAEDwK,cACEN,iBAAiB9I,SAAS,KAAKmJ,SAAS,MACxC,4YAK2D;AAG7D,UAAIE,aAAaC,sBAAsB;QACrCC,iBAAiBrH,MAAMC;QACvBqH,cAAcrH;QACd4E;MACD,CAAA;AAED,UAAIsC,cAAcF,SAAS,MAAM;AAE/B,YAAIM,2BAA2B,IAAIxM,QAAe8C,aAAW;AAC3DgJ,wCAA8BhJ;QAChC,CAAC;AACD1B,aAAKmH,QAAQkE,GAAGP,QAAQ,EAAE;AAG1BQ,sBAAcN,YAAY;UACxBnH,OAAO;UACPC;UACAS,UAAO;AACL+G,0BAAcN,YAAa;cACzBnH,OAAO;cACPU,SAAShE;cACTiE,OAAOjE;cACPuD;YACD,CAAA;AAIDsH,qCAAyB/K,KAAK,MAAML,KAAKmH,QAAQkE,GAAGP,KAAK,CAAC;;UAE5DtG,QAAK;AACH,gBAAI2E,WAAW,IAAID,IAAIrF,MAAMsF,QAAQ;AACrCA,qBAASxG,IAAIqI,YAAa1G,YAAY;AACtCiH,wBAAY;cAAEpC;YAAQ,CAAE;UAC1B;QACD,CAAA;AACD;MACD;AAED,aAAOqC,gBAAgB9C,eAAe5E,QAAQ;IAChD,CAAC;AAGH,QAAIoB,YAAW;AAGbuG,gCAA0BzG,cAAc0E,sBAAsB;AAC9D,UAAIgC,0BAA0BA,MAC5BC,0BAA0B3G,cAAc0E,sBAAsB;AAChE1E,mBAAa3F,iBAAiB,YAAYqM,uBAAuB;AACjE/B,oCAA8BA,MAC5B3E,aAAa5F,oBAAoB,YAAYsM,uBAAuB;IACvE;AAOD,QAAI,CAAC7H,MAAMgE,aAAa;AACtB2D,sBAAgBnC,OAAcC,KAAKzF,MAAMC,UAAU;QACjD8H,kBAAkB;MACnB,CAAA;IACF;AAED,WAAOnD;EACT;AAGA,WAASoD,UAAO;AACd,QAAIlF,iBAAiB;AACnBA,sBAAe;IAChB;AACD,QAAIgD,6BAA6B;AAC/BA,kCAA2B;IAC5B;AACDtL,gBAAYyN,MAAK;AACjBtC,mCAA+BA,4BAA4BlI,MAAK;AAChEuC,UAAMoF,SAAShI,QAAQ,CAACpC,GAAGc,QAAQoM,cAAcpM,GAAG,CAAC;AACrDkE,UAAMsF,SAASlI,QAAQ,CAACpC,GAAGc,QAAQqM,cAAcrM,GAAG,CAAC;EACvD;AAGA,WAASwB,UAAUC,IAAoB;AACrC/C,gBAAY6B,IAAIkB,EAAE;AAClB,WAAO,MAAM/C,YAAYwC,OAAOO,EAAE;EACpC;AAGA,WAASmK,YACPU,UACAC,MAGM;AAAA,QAHNA,SAAAA,QAAAA;AAAAA,aAGI,CAAA;IAAE;AAENrI,YAAKhB,SAAA,CAAA,GACAgB,OACAoI,QAAQ;AAKb,QAAIE,oBAA8B,CAAA;AAClC,QAAIC,sBAAgC,CAAA;AAEpC,QAAIhG,OAAOC,mBAAmB;AAC5BxC,YAAMoF,SAAShI,QAAQ,CAACoL,SAAS1M,QAAO;AACtC,YAAI0M,QAAQxI,UAAU,QAAQ;AAC5B,cAAI0G,gBAAgB+B,IAAI3M,GAAG,GAAG;AAE5ByM,gCAAoBnM,KAAKN,GAAG;UAC7B,OAAM;AAGLwM,8BAAkBlM,KAAKN,GAAG;UAC3B;QACF;MACH,CAAC;IACF;AAKD,KAAC,GAAGtB,WAAW,EAAE4C,QAASC,gBACxBA,WAAW2C,OAAO;MAChB0G,iBAAiB6B;MACjBG,oBAAoBL,KAAKK;MACzBC,WAAWN,KAAKM,cAAc;IAC/B,CAAA,CAAC;AAIJ,QAAIpG,OAAOC,mBAAmB;AAC5B8F,wBAAkBlL,QAAStB,SAAQkE,MAAMoF,SAASpI,OAAOlB,GAAG,CAAC;AAC7DyM,0BAAoBnL,QAAStB,SAAQoM,cAAcpM,GAAG,CAAC;IACxD;EACH;AAOA,WAAS8M,mBACP3I,UACAmI,UAA0ES,OAC/B;AAAA,QAAAC,iBAAAC;AAAA,QAA3C;MAAEJ;IAAS,IAAAE,UAAA,SAA8B,CAAA,IAAEA;AAO3C,QAAIG,iBACFhJ,MAAMmF,cAAc,QACpBnF,MAAM+E,WAAW7E,cAAc,QAC/B+I,iBAAiBjJ,MAAM+E,WAAW7E,UAAU,KAC5CF,MAAM+E,WAAW/E,UAAU,eAC3B8I,kBAAA7I,SAASD,UAAK,OAAA,SAAd8I,gBAAgBI,iBAAgB;AAElC,QAAI/D;AACJ,QAAIiD,SAASjD,YAAY;AACvB,UAAI1J,OAAO0N,KAAKf,SAASjD,UAAU,EAAEzD,SAAS,GAAG;AAC/CyD,qBAAaiD,SAASjD;MACvB,OAAM;AAELA,qBAAa;MACd;eACQ6D,gBAAgB;AAEzB7D,mBAAanF,MAAMmF;IACpB,OAAM;AAELA,mBAAa;IACd;AAGD,QAAId,aAAa+D,SAAS/D,aACtB+E,gBACEpJ,MAAMqE,YACN+D,SAAS/D,YACT+D,SAAS1E,WAAW,CAAA,GACpB0E,SAAS9D,MAAM,IAEjBtE,MAAMqE;AAIV,QAAIiB,WAAWtF,MAAMsF;AACrB,QAAIA,SAASxH,OAAO,GAAG;AACrBwH,iBAAW,IAAID,IAAIC,QAAQ;AAC3BA,eAASlI,QAAQ,CAACpC,GAAG2C,MAAM2H,SAASxG,IAAInB,GAAG8C,YAAY,CAAC;IACzD;AAID,QAAIwE,qBACFS,8BAA8B,QAC7B1F,MAAM+E,WAAW7E,cAAc,QAC9B+I,iBAAiBjJ,MAAM+E,WAAW7E,UAAU,OAC5C6I,mBAAA9I,SAASD,UAAT+I,OAAAA,SAAAA,iBAAgBG,iBAAgB;AAGpC,QAAIlH,oBAAoB;AACtBF,mBAAaE;AACbA,2BAAqBtF;IACtB;AAED,QAAIqJ,4BAA6B;aAEtBR,kBAAkBC,OAAcC,IAAK;aAErCF,kBAAkBC,OAAc6D,MAAM;AAC/ClN,WAAKmH,QAAQlH,KAAK6D,UAAUA,SAASD,KAAK;IAC3C,WAAUuF,kBAAkBC,OAAc8D,SAAS;AAClDnN,WAAKmH,QAAQnE,QAAQc,UAAUA,SAASD,KAAK;IAC9C;AAED,QAAI0I;AAGJ,QAAInD,kBAAkBC,OAAcC,KAAK;AAEvC,UAAI8D,aAAa1D,uBAAuB/I,IAAIkD,MAAMC,SAASwD,QAAQ;AACnE,UAAI8F,cAAcA,WAAWd,IAAIxI,SAASwD,QAAQ,GAAG;AACnDiF,6BAAqB;UACnBrB,iBAAiBrH,MAAMC;UACvBqH,cAAcrH;;iBAEP4F,uBAAuB4C,IAAIxI,SAASwD,QAAQ,GAAG;AAGxDiF,6BAAqB;UACnBrB,iBAAiBpH;UACjBqH,cAActH,MAAMC;;MAEvB;eACQ2F,8BAA8B;AAEvC,UAAI4D,UAAU3D,uBAAuB/I,IAAIkD,MAAMC,SAASwD,QAAQ;AAChE,UAAI+F,SAAS;AACXA,gBAAQnN,IAAI4D,SAASwD,QAAQ;MAC9B,OAAM;AACL+F,kBAAU,oBAAIjP,IAAY,CAAC0F,SAASwD,QAAQ,CAAC;AAC7CoC,+BAAuB/G,IAAIkB,MAAMC,SAASwD,UAAU+F,OAAO;MAC5D;AACDd,2BAAqB;QACnBrB,iBAAiBrH,MAAMC;QACvBqH,cAAcrH;;IAEjB;AAEDyH,gBAAW1I,SAAA,CAAA,GAEJoJ,UAAQ;MACXjD;MACAd;MACAQ,eAAeU;MACftF;MACA+D,aAAa;MACbe,YAAYhF;MACZmF,cAAc;MACdF,uBAAuByE,uBACrBxJ,UACAmI,SAAS1E,WAAW1D,MAAM0D,OAAO;MAEnCuB;MACAK;KAEF,GAAA;MACEoD;MACAC,WAAWA,cAAc;IAC1B,CAAA;AAIHpD,oBAAgBC,OAAcC;AAC9BC,gCAA4B;AAC5BE,mCAA+B;AAC/BG,kCAA8B;AAC9BC,6BAAyB;AACzBC,8BAA0B,CAAA;EAC5B;AAIA,iBAAeyD,SACbC,IACAtB,MAA4B;AAE5B,QAAI,OAAOsB,OAAO,UAAU;AAC1BxN,WAAKmH,QAAQkE,GAAGmC,EAAE;AAClB;IACD;AAED,QAAIC,iBAAiBC,YACnB7J,MAAMC,UACND,MAAM0D,SACNzB,UACAM,OAAOI,oBACPgH,IACApH,OAAOK,sBACPyF,QAAAA,OAAAA,SAAAA,KAAMyB,aACNzB,QAAI,OAAA,SAAJA,KAAM0B,QAAQ;AAEhB,QAAI;MAAEC;MAAMC;MAAYtN;IAAK,IAAKuN,yBAChC3H,OAAOE,wBACP,OACAmH,gBACAvB,IAAI;AAGN,QAAIhB,kBAAkBrH,MAAMC;AAC5B,QAAIqH,eAAe6C,eAAenK,MAAMC,UAAU+J,MAAM3B,QAAQA,KAAKrI,KAAK;AAO1EsH,mBAAYtI,SACPsI,CAAAA,GAAAA,cACAnL,KAAKmH,QAAQ8G,eAAe9C,YAAY,CAAC;AAG9C,QAAI+C,cAAchC,QAAQA,KAAKlJ,WAAW,OAAOkJ,KAAKlJ,UAAUzC;AAEhE,QAAImI,gBAAgBW,OAAc6D;AAElC,QAAIgB,gBAAgB,MAAM;AACxBxF,sBAAgBW,OAAc8D;IAC/B,WAAUe,gBAAgB,MAAO;aAGhCJ,cAAc,QACdhB,iBAAiBgB,WAAW/J,UAAU,KACtC+J,WAAW9J,eAAeH,MAAMC,SAASwD,WAAWzD,MAAMC,SAASqK,QACnE;AAKAzF,sBAAgBW,OAAc8D;IAC/B;AAED,QAAIrE,qBACFoD,QAAQ,wBAAwBA,OAC5BA,KAAKpD,uBAAuB,OAC5BvI;AAEN,QAAIiM,aAAaN,QAAQA,KAAKM,eAAe;AAE7C,QAAIxB,aAAaC,sBAAsB;MACrCC;MACAC;MACAzC;IACD,CAAA;AAED,QAAIsC,YAAY;AAEdM,oBAAcN,YAAY;QACxBnH,OAAO;QACPC,UAAUqH;QACV5G,UAAO;AACL+G,wBAAcN,YAAa;YACzBnH,OAAO;YACPU,SAAShE;YACTiE,OAAOjE;YACPuD,UAAUqH;UACX,CAAA;AAEDoC,mBAASC,IAAItB,IAAI;;QAEnB1H,QAAK;AACH,cAAI2E,WAAW,IAAID,IAAIrF,MAAMsF,QAAQ;AACrCA,mBAASxG,IAAIqI,YAAa1G,YAAY;AACtCiH,sBAAY;YAAEpC;UAAQ,CAAE;QAC1B;MACD,CAAA;AACD;IACD;AAED,WAAO,MAAMqC,gBAAgB9C,eAAeyC,cAAc;MACxD2C;;;MAGAM,cAAc5N;MACdsI;MACA9F,SAASkJ,QAAQA,KAAKlJ;MACtBqL,sBAAsBnC,QAAQA,KAAKoC;MACnC9B;IACD,CAAA;EACH;AAKA,WAAS+B,aAAU;AACjBC,yBAAoB;AACpBjD,gBAAY;MAAExC,cAAc;IAAS,CAAE;AAIvC,QAAIlF,MAAM+E,WAAW/E,UAAU,cAAc;AAC3C;IACD;AAKD,QAAIA,MAAM+E,WAAW/E,UAAU,QAAQ;AACrC2H,sBAAgB3H,MAAM6E,eAAe7E,MAAMC,UAAU;QACnD2K,gCAAgC;MACjC,CAAA;AACD;IACD;AAKDjD,oBACEpC,iBAAiBvF,MAAM6E,eACvB7E,MAAM+E,WAAW9E,UACjB;MACE4K,oBAAoB7K,MAAM+E;;MAE1ByF,sBAAsB5E,iCAAiC;IACxD,CAAA;EAEL;AAKA,iBAAe+B,gBACb9C,eACA5E,UACAoI,MAWC;AAKD1C,mCAA+BA,4BAA4BlI,MAAK;AAChEkI,kCAA8B;AAC9BJ,oBAAgBV;AAChBkB,mCACGsC,QAAQA,KAAKuC,oCAAoC;AAIpDE,uBAAmB9K,MAAMC,UAAUD,MAAM0D,OAAO;AAChDgC,iCAA6B2C,QAAQA,KAAKpD,wBAAwB;AAElEW,oCAAgCyC,QAAQA,KAAKmC,0BAA0B;AAEvE,QAAIO,cAAc/I,sBAAsBF;AACxC,QAAIkJ,oBAAoB3C,QAAQA,KAAKwC;AACrC,QAAInH,UAAUL,YAAY0H,aAAa9K,UAAUgC,QAAQ;AACzD,QAAI0G,aAAaN,QAAQA,KAAKM,eAAe;AAE7C,QAAI9E,WAAWC,cAAcJ,SAASqH,aAAa9K,SAASwD,QAAQ;AACpE,QAAII,SAASE,UAAUF,SAASH,SAAS;AACvCA,gBAAUG,SAASH;IACpB;AAGD,QAAI,CAACA,SAAS;AACZ,UAAI;QAAE/G;QAAOsO;QAAiBnK;MAAK,IAAKoK,sBACtCjL,SAASwD,QAAQ;AAEnBmF,yBACE3I,UACA;QACEyD,SAASuH;QACT5G,YAAY,CAAA;QACZC,QAAQ;UACN,CAACxD,MAAM8C,EAAE,GAAGjH;QACb;MACF,GACD;QAAEgM;MAAW,CAAA;AAEf;IACD;AAQD,QACE3I,MAAMgE,eACN,CAACgC,0BACDmF,iBAAiBnL,MAAMC,UAAUA,QAAQ,KACzC,EAAEoI,QAAQA,KAAK4B,cAAchB,iBAAiBZ,KAAK4B,WAAW/J,UAAU,IACxE;AACA0I,yBAAmB3I,UAAU;QAAEyD;MAAS,GAAE;QAAEiF;MAAW,CAAA;AACvD;IACD;AAGDhD,kCAA8B,IAAIxK,gBAAe;AACjD,QAAIiQ,UAAUC,wBACZlP,KAAKmH,SACLrD,UACA0F,4BAA4BrK,QAC5B+M,QAAQA,KAAK4B,UAAU;AAEzB,QAAIqB;AAEJ,QAAIjD,QAAQA,KAAKkC,cAAc;AAK7Be,4BAAsB,CACpBC,oBAAoB7H,OAAO,EAAE5C,MAAM8C,IACnC;QAAE4H,MAAMC,WAAW9O;QAAOA,OAAO0L,KAAKkC;MAAc,CAAA;IAEvD,WACClC,QACAA,KAAK4B,cACLhB,iBAAiBZ,KAAK4B,WAAW/J,UAAU,GAC3C;AAEA,UAAIwL,eAAe,MAAMC,aACvBP,SACAnL,UACAoI,KAAK4B,YACLvG,SACAG,SAASE,QACT;QAAE5E,SAASkJ,KAAKlJ;QAASwJ;MAAS,CAAE;AAGtC,UAAI+C,aAAaE,gBAAgB;AAC/B;MACD;AAID,UAAIF,aAAaJ,qBAAqB;AACpC,YAAI,CAACO,SAASC,MAAM,IAAIJ,aAAaJ;AACrC,YACES,cAAcD,MAAM,KACpBtM,qBAAqBsM,OAAOnP,KAAK,KACjCmP,OAAOnP,MAAM8B,WAAW,KACxB;AACAkH,wCAA8B;AAE9BiD,6BAAmB3I,UAAU;YAC3ByD,SAASgI,aAAahI;YACtBW,YAAY,CAAA;YACZC,QAAQ;cACN,CAACuH,OAAO,GAAGC,OAAOnP;YACnB;UACF,CAAA;AACD;QACD;MACF;AAED+G,gBAAUgI,aAAahI,WAAWA;AAClC4H,4BAAsBI,aAAaJ;AACnCN,0BAAoBgB,qBAAqB/L,UAAUoI,KAAK4B,UAAU;AAClEtB,kBAAY;AAEZ9E,eAASE,SAAS;AAGlBqH,gBAAUC,wBACRlP,KAAKmH,SACL8H,QAAQzM,KACRyM,QAAQ9P,MAAM;IAEjB;AAGD,QAAI;MACFsQ;MACAlI,SAASuI;MACT5H;MACAC;QACE,MAAM4H,cACRd,SACAnL,UACAyD,SACAG,SAASE,QACTiH,mBACA3C,QAAQA,KAAK4B,YACb5B,QAAQA,KAAK8D,mBACb9D,QAAQA,KAAKlJ,SACbkJ,QAAQA,KAAKN,qBAAqB,MAClCY,WACA2C,mBAAmB;AAGrB,QAAIM,gBAAgB;AAClB;IACD;AAKDjG,kCAA8B;AAE9BiD,uBAAmB3I,UAAQjB,SAAA;MACzB0E,SAASuI,kBAAkBvI;OACxB0I,uBAAuBd,mBAAmB,GAAC;MAC9CjH;MACAC;IAAM,CAAA,CACP;EACH;AAIA,iBAAeqH,aACbP,SACAnL,UACAgK,YACAvG,SACA2I,YACAhE,MAAqD;AAAA,QAArDA,SAAAA,QAAAA;AAAAA,aAAmD,CAAA;IAAE;AAErDsC,yBAAoB;AAGpB,QAAI5F,aAAauH,wBAAwBrM,UAAUgK,UAAU;AAC7DvC,gBAAY;MAAE3C;IAAU,GAAI;MAAE4D,WAAWN,KAAKM,cAAc;IAAI,CAAE;AAElE,QAAI0D,YAAY;AACd,UAAIE,iBAAiB,MAAMC,eACzB9I,SACAzD,SAASwD,UACT2H,QAAQ9P,MAAM;AAEhB,UAAIiR,eAAef,SAAS,WAAW;AACrC,eAAO;UAAEI,gBAAgB;;MAC1B,WAAUW,eAAef,SAAS,SAAS;AAC1C,YAAIiB,aAAalB,oBAAoBgB,eAAeG,cAAc,EAC/D5L,MAAM8C;AACT,eAAO;UACLF,SAAS6I,eAAeG;UACxBpB,qBAAqB,CACnBmB,YACA;YACEjB,MAAMC,WAAW9O;YACjBA,OAAO4P,eAAe5P;WACvB;;MAGN,WAAU,CAAC4P,eAAe7I,SAAS;AAClC,YAAI;UAAEuH;UAAiBtO;UAAOmE;QAAK,IAAKoK,sBACtCjL,SAASwD,QAAQ;AAEnB,eAAO;UACLC,SAASuH;UACTK,qBAAqB,CACnBxK,MAAM8C,IACN;YACE4H,MAAMC,WAAW9O;YACjBA;WACD;;MAGN,OAAM;AACL+G,kBAAU6I,eAAe7I;MAC1B;IACF;AAGD,QAAIoI;AACJ,QAAIa,cAAcC,eAAelJ,SAASzD,QAAQ;AAElD,QAAI,CAAC0M,YAAY7L,MAAMgE,UAAU,CAAC6H,YAAY7L,MAAMqD,MAAM;AACxD2H,eAAS;QACPN,MAAMC,WAAW9O;QACjBA,OAAO6G,uBAAuB,KAAK;UACjCqJ,QAAQzB,QAAQyB;UAChBpJ,UAAUxD,SAASwD;UACnBoI,SAASc,YAAY7L,MAAM8C;SAC5B;;IAEJ,OAAM;AACL,UAAIkJ,UAAU,MAAMC,iBAClB,UACA/M,OACAoL,SACA,CAACuB,WAAW,GACZjJ,SACA,IAAI;AAENoI,eAASgB,QAAQH,YAAY7L,MAAM8C,EAAE;AAErC,UAAIwH,QAAQ9P,OAAOyB,SAAS;AAC1B,eAAO;UAAE6O,gBAAgB;;MAC1B;IACF;AAED,QAAIoB,iBAAiBlB,MAAM,GAAG;AAC5B,UAAI3M;AACJ,UAAIkJ,QAAQA,KAAKlJ,WAAW,MAAM;AAChCA,QAAAA,WAAUkJ,KAAKlJ;MAChB,OAAM;AAIL,YAAIc,YAAWgN,0BACbnB,OAAO5M,SAASN,QAAQ9B,IAAI,UAAU,GACtC,IAAIoQ,IAAI9B,QAAQzM,GAAG,GACnBsD,QAAQ;AAEV9C,QAAAA,WAAUc,cAAaD,MAAMC,SAASwD,WAAWzD,MAAMC,SAASqK;MACjE;AACD,YAAM6C,wBAAwB/B,SAASU,QAAQ,MAAM;QACnD7B;QACA9K,SAAAA;MACD,CAAA;AACD,aAAO;QAAEyM,gBAAgB;;IAC1B;AAED,QAAIwB,iBAAiBtB,MAAM,GAAG;AAC5B,YAAMtI,uBAAuB,KAAK;QAAEgI,MAAM;MAAgB,CAAA;IAC3D;AAED,QAAIO,cAAcD,MAAM,GAAG;AAGzB,UAAIuB,gBAAgB9B,oBAAoB7H,SAASiJ,YAAY7L,MAAM8C,EAAE;AAOrE,WAAKyE,QAAQA,KAAKlJ,aAAa,MAAM;AACnCoG,wBAAgBC,OAAc6D;MAC/B;AAED,aAAO;QACL3F;QACA4H,qBAAqB,CAAC+B,cAAcvM,MAAM8C,IAAIkI,MAAM;;IAEvD;AAED,WAAO;MACLpI;MACA4H,qBAAqB,CAACqB,YAAY7L,MAAM8C,IAAIkI,MAAM;;EAEtD;AAIA,iBAAeI,cACbd,SACAnL,UACAyD,SACA2I,YACAxB,oBACAZ,YACAkC,mBACAhN,UACA4I,kBACAY,WACA2C,qBAAyC;AAGzC,QAAIN,oBACFH,sBAAsBmB,qBAAqB/L,UAAUgK,UAAU;AAIjE,QAAIqD,mBACFrD,cACAkC,qBACAoB,4BAA4BvC,iBAAiB;AAQ/C,QAAIwC,8BACF,CAACzH,gCACA,CAACxD,OAAOG,uBAAuB,CAACqF;AAOnC,QAAIsE,YAAY;AACd,UAAImB,6BAA6B;AAC/B,YAAIrI,aAAasI,qBAAqBnC,mBAAmB;AACzD5D,oBAAW1I,SAAA;UAEP+F,YAAYiG;WACR7F,eAAezI,SAAY;UAAEyI;YAAe,CAAA,CAAE,GAEpD;UACEwD;QACD,CAAA;MAEJ;AAED,UAAI4D,iBAAiB,MAAMC,eACzB9I,SACAzD,SAASwD,UACT2H,QAAQ9P,MAAM;AAGhB,UAAIiR,eAAef,SAAS,WAAW;AACrC,eAAO;UAAEI,gBAAgB;;MAC1B,WAAUW,eAAef,SAAS,SAAS;AAC1C,YAAIiB,aAAalB,oBAAoBgB,eAAeG,cAAc,EAC/D5L,MAAM8C;AACT,eAAO;UACLF,SAAS6I,eAAeG;UACxBrI,YAAY,CAAA;UACZC,QAAQ;YACN,CAACmI,UAAU,GAAGF,eAAe5P;UAC9B;;MAEJ,WAAU,CAAC4P,eAAe7I,SAAS;AAClC,YAAI;UAAE/G;UAAOsO;UAAiBnK;QAAK,IAAKoK,sBACtCjL,SAASwD,QAAQ;AAEnB,eAAO;UACLC,SAASuH;UACT5G,YAAY,CAAA;UACZC,QAAQ;YACN,CAACxD,MAAM8C,EAAE,GAAGjH;UACb;;MAEJ,OAAM;AACL+G,kBAAU6I,eAAe7I;MAC1B;IACF;AAED,QAAIqH,cAAc/I,sBAAsBF;AACxC,QAAI,CAAC4L,eAAeC,oBAAoB,IAAIC,iBAC1CzR,KAAKmH,SACLtD,OACA0D,SACA4J,kBACArN,UACAsC,OAAOG,uBAAuBqF,qBAAqB,MACnDxF,OAAOM,gCACPmD,wBACAC,yBACAC,uBACAQ,iBACAF,kBACAD,kBACAwE,aACA9I,UACAqJ,mBAAmB;AAMrBuC,0BACGhC,aACC,EAAEnI,WAAWA,QAAQO,KAAMC,OAAMA,EAAEpD,MAAM8C,OAAOiI,OAAO,MACtD6B,iBAAiBA,cAAczJ,KAAMC,OAAMA,EAAEpD,MAAM8C,OAAOiI,OAAO,CAAE;AAGxExF,8BAA0B,EAAED;AAG5B,QAAIsH,cAAchM,WAAW,KAAKiM,qBAAqBjM,WAAW,GAAG;AACnE,UAAIoM,mBAAkBC,uBAAsB;AAC5CnF,yBACE3I,UAAQjB,SAAA;QAEN0E;QACAW,YAAY,CAAA;;QAEZC,QACEgH,uBAAuBS,cAAcT,oBAAoB,CAAC,CAAC,IACvD;UAAE,CAACA,oBAAoB,CAAC,CAAC,GAAGA,oBAAoB,CAAC,EAAE3O;QAAO,IAC1D;MAAI,GACPyP,uBAAuBd,mBAAmB,GACzCwC,mBAAkB;QAAE1I,UAAU,IAAIC,IAAIrF,MAAMoF,QAAQ;UAAM,CAAA,CAAE,GAElE;QAAEuD;MAAW,CAAA;AAEf,aAAO;QAAEiD,gBAAgB;;IAC1B;AAED,QAAI4B,6BAA6B;AAC/B,UAAIQ,UAAgC,CAAA;AACpC,UAAI,CAAC3B,YAAY;AAEf2B,gBAAQjJ,aAAaiG;AACrB,YAAI7F,aAAasI,qBAAqBnC,mBAAmB;AACzD,YAAInG,eAAezI,QAAW;AAC5BsR,kBAAQ7I,aAAaA;QACtB;MACF;AACD,UAAIwI,qBAAqBjM,SAAS,GAAG;AACnCsM,gBAAQ5I,WAAW6I,+BAA+BN,oBAAoB;MACvE;AACDjG,kBAAYsG,SAAS;QAAErF;MAAS,CAAE;IACnC;AAEDgF,yBAAqBvQ,QAAS8Q,QAAM;AAClCC,mBAAaD,GAAGpS,GAAG;AACnB,UAAIoS,GAAGhT,YAAY;AAIjBiL,yBAAiBrH,IAAIoP,GAAGpS,KAAKoS,GAAGhT,UAAU;MAC3C;IACH,CAAC;AAGD,QAAIkT,iCAAiCA,MACnCT,qBAAqBvQ,QAASiR,OAAMF,aAAaE,EAAEvS,GAAG,CAAC;AACzD,QAAI6J,6BAA6B;AAC/BA,kCAA4BrK,OAAOE,iBACjC,SACA4S,8BAA8B;IAEjC;AAED,QAAI;MAAEE;MAAeC;IAAgB,IACnC,MAAMC,+BACJxO,OACA0D,SACAgK,eACAC,sBACAvC,OAAO;AAGX,QAAIA,QAAQ9P,OAAOyB,SAAS;AAC1B,aAAO;QAAE6O,gBAAgB;;IAC1B;AAKD,QAAIjG,6BAA6B;AAC/BA,kCAA4BrK,OAAOC,oBACjC,SACA6S,8BAA8B;IAEjC;AAEDT,yBAAqBvQ,QAAS8Q,QAAO/H,iBAAiBnJ,OAAOkR,GAAGpS,GAAG,CAAC;AAGpE,QAAI4C,YAAW+P,aAAaH,aAAa;AACzC,QAAI5P,WAAU;AACZ,YAAMyO,wBAAwB/B,SAAS1M,UAASoN,QAAQ,MAAM;QAC5D3M,SAAAA;MACD,CAAA;AACD,aAAO;QAAEyM,gBAAgB;;IAC1B;AAEDlN,IAAAA,YAAW+P,aAAaF,cAAc;AACtC,QAAI7P,WAAU;AAIZ6H,uBAAiBlK,IAAIqC,UAAS5C,GAAG;AACjC,YAAMqR,wBAAwB/B,SAAS1M,UAASoN,QAAQ,MAAM;QAC5D3M,SAAAA;MACD,CAAA;AACD,aAAO;QAAEyM,gBAAgB;;IAC1B;AAGD,QAAI;MAAEvH;MAAYC;QAAWoK,kBAC3B1O,OACA0D,SACA4K,eACAhD,qBACAqC,sBACAY,gBACA5H,eAAe;AAIjBA,oBAAgBvJ,QAAQ,CAACuR,cAAc9C,YAAW;AAChD8C,mBAAarR,UAAWP,aAAW;AAIjC,YAAIA,WAAW4R,aAAazS,MAAM;AAChCyK,0BAAgB3J,OAAO6O,OAAO;QAC/B;MACH,CAAC;IACH,CAAC;AAGD,QAAItJ,OAAOG,uBAAuBqF,oBAAoB/H,MAAMsE,QAAQ;AAClEA,eAAMtF,SAAQgB,CAAAA,GAAAA,MAAMsE,QAAWA,MAAM;IACtC;AAED,QAAIwJ,kBAAkBC,uBAAsB;AAC5C,QAAIa,qBAAqBC,qBAAqBxI,uBAAuB;AACrE,QAAIyI,uBACFhB,mBAAmBc,sBAAsBjB,qBAAqBjM,SAAS;AAEzE,WAAA1C,SAAA;MACE0E;MACAW;MACAC;IAAM,GACFwK,uBAAuB;MAAE1J,UAAU,IAAIC,IAAIrF,MAAMoF,QAAQ;QAAM,CAAA,CAAE;EAEzE;AAEA,WAASqI,qBACPnC,qBAAoD;AAEpD,QAAIA,uBAAuB,CAACS,cAAcT,oBAAoB,CAAC,CAAC,GAAG;AAIjE,aAAO;QACL,CAACA,oBAAoB,CAAC,CAAC,GAAGA,oBAAoB,CAAC,EAAElR;;IAEpD,WAAU4F,MAAMmF,YAAY;AAC3B,UAAI1J,OAAO0N,KAAKnJ,MAAMmF,UAAU,EAAEzD,WAAW,GAAG;AAC9C,eAAO;MACR,OAAM;AACL,eAAO1B,MAAMmF;MACd;IACF;EACH;AAEA,WAAS8I,+BACPN,sBAA2C;AAE3CA,yBAAqBvQ,QAAS8Q,QAAM;AAClC,UAAI1F,UAAUxI,MAAMoF,SAAStI,IAAIoR,GAAGpS,GAAG;AACvC,UAAIiT,sBAAsBC,kBACxBtS,QACA8L,UAAUA,QAAQpO,OAAOsC,MAAS;AAEpCsD,YAAMoF,SAAStG,IAAIoP,GAAGpS,KAAKiT,mBAAmB;IAChD,CAAC;AACD,WAAO,IAAI1J,IAAIrF,MAAMoF,QAAQ;EAC/B;AAGA,WAAS6J,MACPnT,KACA+P,SACAqD,MACA7G,MAAyB;AAEzB,QAAI7G,UAAU;AACZ,YAAM,IAAIvH,MACR,kMAE+C;IAElD;AAEDkU,iBAAarS,GAAG;AAEhB,QAAI6M,aAAaN,QAAQA,KAAKM,eAAe;AAE7C,QAAIoC,cAAc/I,sBAAsBF;AACxC,QAAI8H,iBAAiBC,YACnB7J,MAAMC,UACND,MAAM0D,SACNzB,UACAM,OAAOI,oBACPuM,MACA3M,OAAOK,sBACPiJ,SACAxD,QAAI,OAAA,SAAJA,KAAM0B,QAAQ;AAEhB,QAAIrG,UAAUL,YAAY0H,aAAanB,gBAAgB3H,QAAQ;AAE/D,QAAI4B,WAAWC,cAAcJ,SAASqH,aAAanB,cAAc;AACjE,QAAI/F,SAASE,UAAUF,SAASH,SAAS;AACvCA,gBAAUG,SAASH;IACpB;AAED,QAAI,CAACA,SAAS;AACZyL,sBACErT,KACA+P,SACArI,uBAAuB,KAAK;QAAEC,UAAUmG;OAAgB,GACxD;QAAEjB;MAAS,CAAE;AAEf;IACD;AAED,QAAI;MAAEqB;MAAMC;MAAYtN;IAAK,IAAKuN,yBAChC3H,OAAOE,wBACP,MACAmH,gBACAvB,IAAI;AAGN,QAAI1L,OAAO;AACTwS,sBAAgBrT,KAAK+P,SAASlP,OAAO;QAAEgM;MAAW,CAAA;AAClD;IACD;AAED,QAAIyG,QAAQxC,eAAelJ,SAASsG,IAAI;AAExC,QAAI/E,sBAAsBoD,QAAQA,KAAKpD,wBAAwB;AAE/D,QAAIgF,cAAchB,iBAAiBgB,WAAW/J,UAAU,GAAG;AACzDmP,0BACEvT,KACA+P,SACA7B,MACAoF,OACA1L,SACAG,SAASE,QACT4E,WACA1D,oBACAgF,UAAU;AAEZ;IACD;AAIDzD,qBAAiB1H,IAAIhD,KAAK;MAAE+P;MAAS7B;IAAM,CAAA;AAC3CsF,wBACExT,KACA+P,SACA7B,MACAoF,OACA1L,SACAG,SAASE,QACT4E,WACA1D,oBACAgF,UAAU;EAEd;AAIA,iBAAeoF,oBACbvT,KACA+P,SACA7B,MACAoF,OACAG,gBACAlD,YACA1D,WACA1D,oBACAgF,YAAsB;AAEtBU,yBAAoB;AACpBnE,qBAAiBxJ,OAAOlB,GAAG;AAE3B,aAAS0T,wBAAwBtL,GAAyB;AACxD,UAAI,CAACA,EAAEpD,MAAMgE,UAAU,CAACZ,EAAEpD,MAAMqD,MAAM;AACpC,YAAIxH,QAAQ6G,uBAAuB,KAAK;UACtCqJ,QAAQ5C,WAAW/J;UACnBuD,UAAUuG;UACV6B;QACD,CAAA;AACDsD,wBAAgBrT,KAAK+P,SAASlP,OAAO;UAAEgM;QAAW,CAAA;AAClD,eAAO;MACR;AACD,aAAO;IACT;AAEA,QAAI,CAAC0D,cAAcmD,wBAAwBJ,KAAK,GAAG;AACjD;IACD;AAGD,QAAIK,kBAAkBzP,MAAMoF,SAAStI,IAAIhB,GAAG;AAC5C4T,uBAAmB5T,KAAK6T,qBAAqB1F,YAAYwF,eAAe,GAAG;MACzE9G;IACD,CAAA;AAED,QAAIiH,kBAAkB,IAAIzU,gBAAe;AACzC,QAAI0U,eAAexE,wBACjBlP,KAAKmH,SACL0G,MACA4F,gBAAgBtU,QAChB2O,UAAU;AAGZ,QAAIoC,YAAY;AACd,UAAIE,iBAAiB,MAAMC,eACzB+C,gBACAvF,MACA6F,aAAavU,MAAM;AAGrB,UAAIiR,eAAef,SAAS,WAAW;AACrC;MACD,WAAUe,eAAef,SAAS,SAAS;AAC1C2D,wBAAgBrT,KAAK+P,SAASU,eAAe5P,OAAO;UAAEgM;QAAS,CAAE;AACjE;MACD,WAAU,CAAC4D,eAAe7I,SAAS;AAClCyL,wBACErT,KACA+P,SACArI,uBAAuB,KAAK;UAAEC,UAAUuG;SAAM,GAC9C;UAAErB;QAAS,CAAE;AAEf;MACD,OAAM;AACL4G,yBAAiBhD,eAAe7I;AAChC0L,gBAAQxC,eAAe2C,gBAAgBvF,IAAI;AAE3C,YAAIwF,wBAAwBJ,KAAK,GAAG;AAClC;QACD;MACF;IACF;AAGDjJ,qBAAiBrH,IAAIhD,KAAK8T,eAAe;AAEzC,QAAIE,oBAAoB1J;AACxB,QAAI2J,gBAAgB,MAAMhD,iBACxB,UACA/M,OACA6P,cACA,CAACT,KAAK,GACNG,gBACAzT,GAAG;AAEL,QAAI4P,eAAeqE,cAAcX,MAAMtO,MAAM8C,EAAE;AAE/C,QAAIiM,aAAavU,OAAOyB,SAAS;AAG/B,UAAIoJ,iBAAiBrJ,IAAIhB,GAAG,MAAM8T,iBAAiB;AACjDzJ,yBAAiBnJ,OAAOlB,GAAG;MAC5B;AACD;IACD;AAKD,QAAIyG,OAAOC,qBAAqBkE,gBAAgB+B,IAAI3M,GAAG,GAAG;AACxD,UAAIkR,iBAAiBtB,YAAY,KAAKK,cAAcL,YAAY,GAAG;AACjEgE,2BAAmB5T,KAAKkU,eAAetT,MAAS,CAAC;AACjD;MACD;IAEF,OAAM;AACL,UAAIsQ,iBAAiBtB,YAAY,GAAG;AAClCvF,yBAAiBnJ,OAAOlB,GAAG;AAC3B,YAAIuK,0BAA0ByJ,mBAAmB;AAK/CJ,6BAAmB5T,KAAKkU,eAAetT,MAAS,CAAC;AACjD;QACD,OAAM;AACL6J,2BAAiBlK,IAAIP,GAAG;AACxB4T,6BAAmB5T,KAAKkT,kBAAkB/E,UAAU,CAAC;AACrD,iBAAOkD,wBAAwB0C,cAAcnE,cAAc,OAAO;YAChES,mBAAmBlC;YACnBhF;UACD,CAAA;QACF;MACF;AAGD,UAAI8G,cAAcL,YAAY,GAAG;AAC/ByD,wBAAgBrT,KAAK+P,SAASH,aAAa/O,KAAK;AAChD;MACD;IACF;AAED,QAAIyQ,iBAAiB1B,YAAY,GAAG;AAClC,YAAMlI,uBAAuB,KAAK;QAAEgI,MAAM;MAAgB,CAAA;IAC3D;AAID,QAAIlE,eAAetH,MAAM+E,WAAW9E,YAAYD,MAAMC;AACtD,QAAIgQ,sBAAsB5E,wBACxBlP,KAAKmH,SACLgE,cACAsI,gBAAgBtU,MAAM;AAExB,QAAIyP,cAAc/I,sBAAsBF;AACxC,QAAI4B,UACF1D,MAAM+E,WAAW/E,UAAU,SACvBqD,YAAY0H,aAAa/K,MAAM+E,WAAW9E,UAAUgC,QAAQ,IAC5DjC,MAAM0D;AAEZhJ,cAAUgJ,SAAS,8CAA8C;AAEjE,QAAIwM,SAAS,EAAE9J;AACfE,mBAAexH,IAAIhD,KAAKoU,MAAM;AAE9B,QAAIC,cAAcnB,kBAAkB/E,YAAYyB,aAAatR,IAAI;AACjE4F,UAAMoF,SAAStG,IAAIhD,KAAKqU,WAAW;AAEnC,QAAI,CAACzC,eAAeC,oBAAoB,IAAIC,iBAC1CzR,KAAKmH,SACLtD,OACA0D,SACAuG,YACA3C,cACA,OACA/E,OAAOM,gCACPmD,wBACAC,yBACAC,uBACAQ,iBACAF,kBACAD,kBACAwE,aACA9I,UACA,CAACmN,MAAMtO,MAAM8C,IAAI8H,YAAY,CAAC;AAMhCiC,yBACGyC,OAAQlC,QAAOA,GAAGpS,QAAQA,GAAG,EAC7BsB,QAAS8Q,QAAM;AACd,UAAImC,WAAWnC,GAAGpS;AAClB,UAAI2T,mBAAkBzP,MAAMoF,SAAStI,IAAIuT,QAAQ;AACjD,UAAItB,sBAAsBC,kBACxBtS,QACA+S,mBAAkBA,iBAAgBrV,OAAOsC,MAAS;AAEpDsD,YAAMoF,SAAStG,IAAIuR,UAAUtB,mBAAmB;AAChDZ,mBAAakC,QAAQ;AACrB,UAAInC,GAAGhT,YAAY;AACjBiL,yBAAiBrH,IAAIuR,UAAUnC,GAAGhT,UAAU;MAC7C;IACH,CAAC;AAEHwM,gBAAY;MAAEtC,UAAU,IAAIC,IAAIrF,MAAMoF,QAAQ;IAAC,CAAE;AAEjD,QAAIgJ,iCAAiCA,MACnCT,qBAAqBvQ,QAAS8Q,QAAOC,aAAaD,GAAGpS,GAAG,CAAC;AAE3D8T,oBAAgBtU,OAAOE,iBACrB,SACA4S,8BAA8B;AAGhC,QAAI;MAAEE;MAAeC;IAAgB,IACnC,MAAMC,+BACJxO,OACA0D,SACAgK,eACAC,sBACAsC,mBAAmB;AAGvB,QAAIL,gBAAgBtU,OAAOyB,SAAS;AAClC;IACD;AAED6S,oBAAgBtU,OAAOC,oBACrB,SACA6S,8BAA8B;AAGhC9H,mBAAetJ,OAAOlB,GAAG;AACzBqK,qBAAiBnJ,OAAOlB,GAAG;AAC3B6R,yBAAqBvQ,QAASnC,OAAMkL,iBAAiBnJ,OAAO/B,EAAEa,GAAG,CAAC;AAElE,QAAI4C,YAAW+P,aAAaH,aAAa;AACzC,QAAI5P,WAAU;AACZ,aAAOyO,wBACL8C,qBACAvR,UAASoN,QACT,OACA;QAAE7G;MAAkB,CAAE;IAEzB;AAEDvG,IAAAA,YAAW+P,aAAaF,cAAc;AACtC,QAAI7P,WAAU;AAIZ6H,uBAAiBlK,IAAIqC,UAAS5C,GAAG;AACjC,aAAOqR,wBACL8C,qBACAvR,UAASoN,QACT,OACA;QAAE7G;MAAkB,CAAE;IAEzB;AAGD,QAAI;MAAEZ;MAAYC;QAAWoK,kBAC3B1O,OACA0D,SACA4K,eACA5R,QACAiR,sBACAY,gBACA5H,eAAe;AAKjB,QAAI3G,MAAMoF,SAASqD,IAAI3M,GAAG,GAAG;AAC3B,UAAIwU,cAAcN,eAAetE,aAAatR,IAAI;AAClD4F,YAAMoF,SAAStG,IAAIhD,KAAKwU,WAAW;IACpC;AAEDzB,yBAAqBqB,MAAM;AAK3B,QACElQ,MAAM+E,WAAW/E,UAAU,aAC3BkQ,SAAS7J,yBACT;AACA3L,gBAAU6K,eAAe,yBAAyB;AAClDI,qCAA+BA,4BAA4BlI,MAAK;AAEhEmL,yBAAmB5I,MAAM+E,WAAW9E,UAAU;QAC5CyD;QACAW;QACAC;QACAc,UAAU,IAAIC,IAAIrF,MAAMoF,QAAQ;MACjC,CAAA;IACF,OAAM;AAILsC,kBAAY;QACVpD;QACAD,YAAY+E,gBACVpJ,MAAMqE,YACNA,YACAX,SACAY,MAAM;QAERc,UAAU,IAAIC,IAAIrF,MAAMoF,QAAQ;MACjC,CAAA;AACDY,+BAAyB;IAC1B;EACH;AAGA,iBAAesJ,oBACbxT,KACA+P,SACA7B,MACAoF,OACA1L,SACA2I,YACA1D,WACA1D,oBACAgF,YAAuB;AAEvB,QAAIwF,kBAAkBzP,MAAMoF,SAAStI,IAAIhB,GAAG;AAC5C4T,uBACE5T,KACAkT,kBACE/E,YACAwF,kBAAkBA,gBAAgBrV,OAAOsC,MAAS,GAEpD;MAAEiM;IAAW,CAAA;AAGf,QAAIiH,kBAAkB,IAAIzU,gBAAe;AACzC,QAAI0U,eAAexE,wBACjBlP,KAAKmH,SACL0G,MACA4F,gBAAgBtU,MAAM;AAGxB,QAAI+Q,YAAY;AACd,UAAIE,iBAAiB,MAAMC,eACzB9I,SACAsG,MACA6F,aAAavU,MAAM;AAGrB,UAAIiR,eAAef,SAAS,WAAW;AACrC;MACD,WAAUe,eAAef,SAAS,SAAS;AAC1C2D,wBAAgBrT,KAAK+P,SAASU,eAAe5P,OAAO;UAAEgM;QAAS,CAAE;AACjE;MACD,WAAU,CAAC4D,eAAe7I,SAAS;AAClCyL,wBACErT,KACA+P,SACArI,uBAAuB,KAAK;UAAEC,UAAUuG;SAAM,GAC9C;UAAErB;QAAS,CAAE;AAEf;MACD,OAAM;AACLjF,kBAAU6I,eAAe7I;AACzB0L,gBAAQxC,eAAelJ,SAASsG,IAAI;MACrC;IACF;AAGD7D,qBAAiBrH,IAAIhD,KAAK8T,eAAe;AAEzC,QAAIE,oBAAoB1J;AACxB,QAAI0G,UAAU,MAAMC,iBAClB,UACA/M,OACA6P,cACA,CAACT,KAAK,GACN1L,SACA5H,GAAG;AAEL,QAAIgQ,SAASgB,QAAQsC,MAAMtO,MAAM8C,EAAE;AAMnC,QAAIwJ,iBAAiBtB,MAAM,GAAG;AAC5BA,eACG,MAAMyE,oBAAoBzE,QAAQ+D,aAAavU,QAAQ,IAAI,KAC5DwQ;IACH;AAID,QAAI3F,iBAAiBrJ,IAAIhB,GAAG,MAAM8T,iBAAiB;AACjDzJ,uBAAiBnJ,OAAOlB,GAAG;IAC5B;AAED,QAAI+T,aAAavU,OAAOyB,SAAS;AAC/B;IACD;AAID,QAAI2J,gBAAgB+B,IAAI3M,GAAG,GAAG;AAC5B4T,yBAAmB5T,KAAKkU,eAAetT,MAAS,CAAC;AACjD;IACD;AAGD,QAAIsQ,iBAAiBlB,MAAM,GAAG;AAC5B,UAAIzF,0BAA0ByJ,mBAAmB;AAG/CJ,2BAAmB5T,KAAKkU,eAAetT,MAAS,CAAC;AACjD;MACD,OAAM;AACL6J,yBAAiBlK,IAAIP,GAAG;AACxB,cAAMqR,wBAAwB0C,cAAc/D,QAAQ,OAAO;UACzD7G;QACD,CAAA;AACD;MACD;IACF;AAGD,QAAI8G,cAAcD,MAAM,GAAG;AACzBqD,sBAAgBrT,KAAK+P,SAASC,OAAOnP,KAAK;AAC1C;IACD;AAEDjC,cAAU,CAAC0S,iBAAiBtB,MAAM,GAAG,iCAAiC;AAGtE4D,uBAAmB5T,KAAKkU,eAAelE,OAAO1R,IAAI,CAAC;EACrD;AAqBA,iBAAe+S,wBACb/B,SACA1M,WACA8R,cAAqBC,QAWf;AAAA,QAVN;MACExG;MACAkC;MACAlH;MACA9F,SAAAA;4BAME,CAAA,IAAEsR;AAEN,QAAI/R,UAASQ,SAASN,QAAQ6J,IAAI,oBAAoB,GAAG;AACvDzC,+BAAyB;IAC1B;AAED,QAAI/F,WAAWvB,UAASQ,SAASN,QAAQ9B,IAAI,UAAU;AACvDpC,cAAUuF,UAAU,qDAAqD;AACzEA,eAAWgN,0BACThN,UACA,IAAIiN,IAAI9B,QAAQzM,GAAG,GACnBsD,QAAQ;AAEV,QAAIyO,mBAAmBvG,eAAenK,MAAMC,UAAUA,UAAU;MAC9DiJ,aAAa;IACd,CAAA;AAED,QAAI7H,YAAW;AACb,UAAIsP,mBAAmB;AAEvB,UAAIjS,UAASQ,SAASN,QAAQ6J,IAAI,yBAAyB,GAAG;AAE5DkI,2BAAmB;iBACV/P,mBAAmBgQ,KAAK3Q,QAAQ,GAAG;AAC5C,cAAMtB,MAAMxC,KAAKmH,QAAQuN,UAAU5Q,QAAQ;AAC3C0Q;QAEEhS,IAAImS,WAAW3P,aAAalB,SAAS6Q;QAErCC,cAAcpS,IAAI8E,UAAUxB,QAAQ,KAAK;MAC5C;AAED,UAAI0O,kBAAkB;AACpB,YAAIxR,UAAS;AACXgC,uBAAalB,SAASd,QAAQc,QAAQ;QACvC,OAAM;AACLkB,uBAAalB,SAASjE,OAAOiE,QAAQ;QACtC;AACD;MACD;IACF;AAID0F,kCAA8B;AAE9B,QAAIqL,wBACF7R,aAAY,QAAQT,UAASQ,SAASN,QAAQ6J,IAAI,iBAAiB,IAC/DjD,OAAc8D,UACd9D,OAAc6D;AAIpB,QAAI;MAAEnJ;MAAYC;MAAYC;QAAgBJ,MAAM+E;AACpD,QACE,CAACkF,cACD,CAACkC,qBACDjM,cACAC,cACAC,aACA;AACA6J,mBAAasD,4BAA4BvN,MAAM+E,UAAU;IAC1D;AAKD,QAAIuI,mBAAmBrD,cAAckC;AACrC,QACErM,kCAAkC2I,IAAI/J,UAASQ,SAAST,MAAM,KAC9D6O,oBACArE,iBAAiBqE,iBAAiBpN,UAAU,GAC5C;AACA,YAAMyH,gBAAgBqJ,uBAAuBN,kBAAkB;QAC7DzG,YAAUjL,SAAA,CAAA,GACLsO,kBAAgB;UACnBnN,YAAYF;SACb;;QAEDgF,oBAAoBA,sBAAsBS;QAC1C8E,sBAAsBgG,eAClB5K,+BACAlJ;MACL,CAAA;IACF,OAAM;AAGL,UAAImO,qBAAqBmB,qBACvB0E,kBACAzG,UAAU;AAEZ,YAAMtC,gBAAgBqJ,uBAAuBN,kBAAkB;QAC7D7F;;QAEAsB;;QAEAlH,oBAAoBA,sBAAsBS;QAC1C8E,sBAAsBgG,eAClB5K,+BACAlJ;MACL,CAAA;IACF;EACH;AAIA,iBAAeqQ,iBACbvB,MACAxL,QACAoL,SACAsC,eACAhK,SACAuN,YAAyB;AAEzB,QAAInE;AACJ,QAAIoE,cAA0C,CAAA;AAC9C,QAAI;AACFpE,gBAAU,MAAMqE,qBACdjP,kBACAsJ,MACAxL,QACAoL,SACAsC,eACAhK,SACAuN,YACApP,UACAF,mBAAkB;aAEbyP,GAAG;AAGV1D,oBAActQ,QAAS8G,OAAK;AAC1BgN,oBAAYhN,EAAEpD,MAAM8C,EAAE,IAAI;UACxB4H,MAAMC,WAAW9O;UACjBA,OAAOyU;;MAEX,CAAC;AACD,aAAOF;IACR;AAED,aAAS,CAACrF,SAASC,MAAM,KAAKrQ,OAAOC,QAAQoR,OAAO,GAAG;AACrD,UAAIuE,mCAAmCvF,MAAM,GAAG;AAC9C,YAAI5M,WAAW4M,OAAOA;AACtBoF,oBAAYrF,OAAO,IAAI;UACrBL,MAAMC,WAAW/M;UACjBQ,UAAUoS,yCACRpS,UACAkM,SACAS,SACAnI,SACAzB,UACAM,OAAOK,oBAAoB;;MAGhC,OAAM;AACLsO,oBAAYrF,OAAO,IAAI,MAAM0F,sCAC3BzF,MAAM;MAET;IACF;AAED,WAAOoF;EACT;AAEA,iBAAe1C,+BACbxO,QACA0D,SACAgK,eACA8D,gBACApG,SAAgB;AAEhB,QAAIqG,iBAAiBzR,OAAM0D;AAG3B,QAAIgO,uBAAuB3E,iBACzB,UACA/M,QACAoL,SACAsC,eACAhK,SACA,IAAI;AAGN,QAAIiO,wBAAwB5W,QAAQ6W,IAClCJ,eAAeK,IAAI,OAAOxD,MAAK;AAC7B,UAAIA,EAAE3K,WAAW2K,EAAEe,SAASf,EAAEnT,YAAY;AACxC,YAAI4R,UAAU,MAAMC,iBAClB,UACA/M,QACAqL,wBAAwBlP,KAAKmH,SAAS+K,EAAErE,MAAMqE,EAAEnT,WAAWI,MAAM,GACjE,CAAC+S,EAAEe,KAAK,GACRf,EAAE3K,SACF2K,EAAEvS,GAAG;AAEP,YAAIgQ,SAASgB,QAAQuB,EAAEe,MAAMtO,MAAM8C,EAAE;AAErC,eAAO;UAAE,CAACyK,EAAEvS,GAAG,GAAGgQ;;MACnB,OAAM;AACL,eAAO/Q,QAAQ8C,QAAQ;UACrB,CAACwQ,EAAEvS,GAAG,GAAG;YACP0P,MAAMC,WAAW9O;YACjBA,OAAO6G,uBAAuB,KAAK;cACjCC,UAAU4K,EAAErE;aACb;UACa;QACjB,CAAA;MACF;IACH,CAAC,CAAC;AAGJ,QAAIsE,gBAAgB,MAAMoD;AAC1B,QAAInD,kBAAkB,MAAMoD,uBAAuBhW,OACjD,CAACC,KAAKX,MAAMQ,OAAOO,OAAOJ,KAAKX,CAAC,GAChC,CAAA,CAAE;AAGJ,UAAMF,QAAQ6W,IAAI,CAChBE,iCACEpO,SACA4K,eACAlD,QAAQ9P,QACRmW,gBACAzR,OAAMqE,UAAU,GAElB0N,8BAA8BrO,SAAS6K,gBAAgBiD,cAAc,CAAC,CACvE;AAED,WAAO;MACLlD;MACAC;;EAEJ;AAEA,WAAS5D,uBAAoB;AAE3B3E,6BAAyB;AAIzBC,4BAAwB7J,KAAK,GAAGyR,sBAAqB,CAAE;AAGvDrH,qBAAiBpJ,QAAQ,CAACpC,GAAGc,QAAO;AAClC,UAAIqK,iBAAiBsC,IAAI3M,GAAG,GAAG;AAC7BoK,8BAAsB7J,IAAIP,GAAG;MAC9B;AACDqS,mBAAarS,GAAG;IAClB,CAAC;EACH;AAEA,WAAS4T,mBACP5T,KACA0M,SACAH,MAAkC;AAAA,QAAlCA,SAAAA,QAAAA;AAAAA,aAAgC,CAAA;IAAE;AAElCrI,UAAMoF,SAAStG,IAAIhD,KAAK0M,OAAO;AAC/Bd,gBACE;MAAEtC,UAAU,IAAIC,IAAIrF,MAAMoF,QAAQ;IAAG,GACrC;MAAEuD,YAAYN,QAAQA,KAAKM,eAAe;IAAM,CAAA;EAEpD;AAEA,WAASwG,gBACPrT,KACA+P,SACAlP,OACA0L,MAAkC;AAAA,QAAlCA,SAAA,QAAA;AAAAA,aAAgC,CAAA;IAAE;AAElC,QAAIgF,gBAAgB9B,oBAAoBvL,MAAM0D,SAASmI,OAAO;AAC9D3D,kBAAcpM,GAAG;AACjB4L,gBACE;MACEpD,QAAQ;QACN,CAAC+I,cAAcvM,MAAM8C,EAAE,GAAGjH;;MAE5ByI,UAAU,IAAIC,IAAIrF,MAAMoF,QAAQ;IACjC,GACD;MAAEuD,YAAYN,QAAQA,KAAKM,eAAe;IAAI,CAAE;EAEpD;AAEA,WAASqJ,WAAwBlW,KAAW;AAC1C,QAAIyG,OAAOC,mBAAmB;AAC5BiE,qBAAe3H,IAAIhD,MAAM2K,eAAe3J,IAAIhB,GAAG,KAAK,KAAK,CAAC;AAG1D,UAAI4K,gBAAgB+B,IAAI3M,GAAG,GAAG;AAC5B4K,wBAAgB1J,OAAOlB,GAAG;MAC3B;IACF;AACD,WAAOkE,MAAMoF,SAAStI,IAAIhB,GAAG,KAAK0E;EACpC;AAEA,WAAS0H,cAAcpM,KAAW;AAChC,QAAI0M,UAAUxI,MAAMoF,SAAStI,IAAIhB,GAAG;AAIpC,QACEqK,iBAAiBsC,IAAI3M,GAAG,KACxB,EAAE0M,WAAWA,QAAQxI,UAAU,aAAasG,eAAemC,IAAI3M,GAAG,IAClE;AACAqS,mBAAarS,GAAG;IACjB;AACD0K,qBAAiBxJ,OAAOlB,GAAG;AAC3BwK,mBAAetJ,OAAOlB,GAAG;AACzByK,qBAAiBvJ,OAAOlB,GAAG;AAC3B4K,oBAAgB1J,OAAOlB,GAAG;AAC1BoK,0BAAsBlJ,OAAOlB,GAAG;AAChCkE,UAAMoF,SAASpI,OAAOlB,GAAG;EAC3B;AAEA,WAASmW,4BAA4BnW,KAAW;AAC9C,QAAIyG,OAAOC,mBAAmB;AAC5B,UAAI0P,SAASzL,eAAe3J,IAAIhB,GAAG,KAAK,KAAK;AAC7C,UAAIoW,SAAS,GAAG;AACdzL,uBAAezJ,OAAOlB,GAAG;AACzB4K,wBAAgBrK,IAAIP,GAAG;MACxB,OAAM;AACL2K,uBAAe3H,IAAIhD,KAAKoW,KAAK;MAC9B;IACF,OAAM;AACLhK,oBAAcpM,GAAG;IAClB;AACD4L,gBAAY;MAAEtC,UAAU,IAAIC,IAAIrF,MAAMoF,QAAQ;IAAC,CAAE;EACnD;AAEA,WAAS+I,aAAarS,KAAW;AAC/B,QAAIZ,aAAaiL,iBAAiBrJ,IAAIhB,GAAG;AACzC,QAAIZ,YAAY;AACdA,iBAAWuC,MAAK;AAChB0I,uBAAiBnJ,OAAOlB,GAAG;IAC5B;EACH;AAEA,WAASqW,iBAAiBhJ,MAAc;AACtC,aAASrN,OAAOqN,MAAM;AACpB,UAAIX,UAAUwJ,WAAWlW,GAAG;AAC5B,UAAIwU,cAAcN,eAAexH,QAAQpO,IAAI;AAC7C4F,YAAMoF,SAAStG,IAAIhD,KAAKwU,WAAW;IACpC;EACH;AAEA,WAASvC,yBAAsB;AAC7B,QAAIqE,WAAW,CAAA;AACf,QAAItE,kBAAkB;AACtB,aAAShS,OAAOyK,kBAAkB;AAChC,UAAIiC,UAAUxI,MAAMoF,SAAStI,IAAIhB,GAAG;AACpCpB,gBAAU8N,SAA8B1M,uBAAAA,GAAK;AAC7C,UAAI0M,QAAQxI,UAAU,WAAW;AAC/BuG,yBAAiBvJ,OAAOlB,GAAG;AAC3BsW,iBAAShW,KAAKN,GAAG;AACjBgS,0BAAkB;MACnB;IACF;AACDqE,qBAAiBC,QAAQ;AACzB,WAAOtE;EACT;AAEA,WAASe,qBAAqBwD,UAAgB;AAC5C,QAAIC,aAAa,CAAA;AACjB,aAAS,CAACxW,KAAK8H,EAAE,KAAK0C,gBAAgB;AACpC,UAAI1C,KAAKyO,UAAU;AACjB,YAAI7J,UAAUxI,MAAMoF,SAAStI,IAAIhB,GAAG;AACpCpB,kBAAU8N,SAA8B1M,uBAAAA,GAAK;AAC7C,YAAI0M,QAAQxI,UAAU,WAAW;AAC/BmO,uBAAarS,GAAG;AAChBwK,yBAAetJ,OAAOlB,GAAG;AACzBwW,qBAAWlW,KAAKN,GAAG;QACpB;MACF;IACF;AACDqW,qBAAiBG,UAAU;AAC3B,WAAOA,WAAW5Q,SAAS;EAC7B;AAEA,WAAS6Q,WAAWzW,KAAayB,IAAmB;AAClD,QAAIiV,UAAmBxS,MAAMsF,SAASxI,IAAIhB,GAAG,KAAK2E;AAElD,QAAImG,iBAAiB9J,IAAIhB,GAAG,MAAMyB,IAAI;AACpCqJ,uBAAiB9H,IAAIhD,KAAKyB,EAAE;IAC7B;AAED,WAAOiV;EACT;AAEA,WAASrK,cAAcrM,KAAW;AAChCkE,UAAMsF,SAAStI,OAAOlB,GAAG;AACzB8K,qBAAiB5J,OAAOlB,GAAG;EAC7B;AAGA,WAAS2L,cAAc3L,KAAa2W,YAAmB;AACrD,QAAID,UAAUxS,MAAMsF,SAASxI,IAAIhB,GAAG,KAAK2E;AAIzC/F,cACG8X,QAAQxS,UAAU,eAAeyS,WAAWzS,UAAU,aACpDwS,QAAQxS,UAAU,aAAayS,WAAWzS,UAAU,aACpDwS,QAAQxS,UAAU,aAAayS,WAAWzS,UAAU,gBACpDwS,QAAQxS,UAAU,aAAayS,WAAWzS,UAAU,eACpDwS,QAAQxS,UAAU,gBAAgByS,WAAWzS,UAAU,aAAY,uCACjCwS,QAAQxS,QAAK,SAAOyS,WAAWzS,KAAO;AAG7E,QAAIsF,WAAW,IAAID,IAAIrF,MAAMsF,QAAQ;AACrCA,aAASxG,IAAIhD,KAAK2W,UAAU;AAC5B/K,gBAAY;MAAEpC;IAAQ,CAAE;EAC1B;AAEA,WAAS8B,sBAAqBvL,OAQ7B;AAAA,QAR8B;MAC7BwL;MACAC;MACAzC;IAKD,IAAAhJ;AACC,QAAI+K,iBAAiB9I,SAAS,GAAG;AAC/B;IACD;AAID,QAAI8I,iBAAiB9I,OAAO,GAAG;AAC7BoJ,cAAQ,OAAO,8CAA8C;IAC9D;AAED,QAAIxL,UAAUf,MAAMwD,KAAKyI,iBAAiBlL,QAAO,CAAE;AACnD,QAAI,CAACyL,YAAYuL,eAAe,IAAIhX,QAAQA,QAAQgG,SAAS,CAAC;AAC9D,QAAI8Q,UAAUxS,MAAMsF,SAASxI,IAAIqK,UAAU;AAE3C,QAAIqL,WAAWA,QAAQxS,UAAU,cAAc;AAG7C;IACD;AAID,QAAI0S,gBAAgB;MAAErL;MAAiBC;MAAczC;IAAe,CAAA,GAAG;AACrE,aAAOsC;IACR;EACH;AAEA,WAAS+D,sBAAsBzH,UAAgB;AAC7C,QAAI9G,QAAQ6G,uBAAuB,KAAK;MAAEC;IAAU,CAAA;AACpD,QAAIsH,cAAc/I,sBAAsBF;AACxC,QAAI;MAAE4B;MAAS5C;IAAK,IAAK6C,uBAAuBoH,WAAW;AAG3D8C,0BAAqB;AAErB,WAAO;MAAE5C,iBAAiBvH;MAAS5C;MAAOnE;;EAC5C;AAEA,WAASkR,sBACP8E,WAAwC;AAExC,QAAIC,oBAA8B,CAAA;AAClCjM,oBAAgBvJ,QAAQ,CAACyV,KAAKhH,YAAW;AACvC,UAAI,CAAC8G,aAAaA,UAAU9G,OAAO,GAAG;AAIpCgH,YAAIrV,OAAM;AACVoV,0BAAkBxW,KAAKyP,OAAO;AAC9BlF,wBAAgB3J,OAAO6O,OAAO;MAC/B;IACH,CAAC;AACD,WAAO+G;EACT;AAIA,WAASE,wBACPC,WACAC,aACAC,QAAwC;AAExClQ,IAAAA,wBAAuBgQ;AACvB9P,wBAAoB+P;AACpBhQ,8BAA0BiQ,UAAU;AAKpC,QAAI,CAAC/P,yBAAyBlD,MAAM+E,eAAehF,iBAAiB;AAClEmD,8BAAwB;AACxB,UAAIgQ,IAAIzJ,uBAAuBzJ,MAAMC,UAAUD,MAAM0D,OAAO;AAC5D,UAAIwP,KAAK,MAAM;AACbxL,oBAAY;UAAE1C,uBAAuBkO;QAAC,CAAE;MACzC;IACF;AAED,WAAO,MAAK;AACVnQ,MAAAA,wBAAuB;AACvBE,0BAAoB;AACpBD,gCAA0B;;EAE9B;AAEA,WAASmQ,aAAalT,UAAoByD,SAAiC;AACzE,QAAIV,yBAAyB;AAC3B,UAAIlH,MAAMkH,wBACR/C,UACAyD,QAAQmO,IAAK3N,OAAMkP,2BAA2BlP,GAAGlE,MAAMqE,UAAU,CAAC,CAAC;AAErE,aAAOvI,OAAOmE,SAASnE;IACxB;AACD,WAAOmE,SAASnE;EAClB;AAEA,WAASgP,mBACP7K,UACAyD,SAAiC;AAEjC,QAAIX,yBAAwBE,mBAAmB;AAC7C,UAAInH,MAAMqX,aAAalT,UAAUyD,OAAO;AACxCX,MAAAA,sBAAqBjH,GAAG,IAAImH,kBAAiB;IAC9C;EACH;AAEA,WAASwG,uBACPxJ,UACAyD,SAAiC;AAEjC,QAAIX,uBAAsB;AACxB,UAAIjH,MAAMqX,aAAalT,UAAUyD,OAAO;AACxC,UAAIwP,IAAInQ,sBAAqBjH,GAAG;AAChC,UAAI,OAAOoX,MAAM,UAAU;AACzB,eAAOA;MACR;IACF;AACD,WAAO;EACT;AAEA,WAASpP,cACPJ,SACAqH,aACAtH,UAAgB;AAEhB,QAAIpB,6BAA6B;AAC/B,UAAI,CAACqB,SAAS;AACZ,YAAI2P,aAAaC,gBACfvI,aACAtH,UACAxB,UACA,IAAI;AAGN,eAAO;UAAE8B,QAAQ;UAAML,SAAS2P,cAAc,CAAA;;MAC/C,OAAM;AACL,YAAI5X,OAAO0N,KAAKzF,QAAQ,CAAC,EAAE6P,MAAM,EAAE7R,SAAS,GAAG;AAI7C,cAAIgL,iBAAiB4G,gBACnBvI,aACAtH,UACAxB,UACA,IAAI;AAEN,iBAAO;YAAE8B,QAAQ;YAAML,SAASgJ;;QACjC;MACF;IACF;AAED,WAAO;MAAE3I,QAAQ;MAAOL,SAAS;;EACnC;AAiBA,iBAAe8I,eACb9I,SACAD,UACAnI,QAAmB;AAEnB,QAAI,CAAC+G,6BAA6B;AAChC,aAAO;QAAEmJ,MAAM;QAAW9H;;IAC3B;AAED,QAAIgJ,iBAAkDhJ;AACtD,WAAO,MAAM;AACX,UAAI8P,WAAWxR,sBAAsB;AACrC,UAAI+I,cAAc/I,sBAAsBF;AACxC,UAAI2R,gBAAgB5R;AACpB,UAAI;AACF,cAAMQ,4BAA4B;UAChC2H,MAAMvG;UACNC,SAASgJ;UACTgH,OAAOA,CAAC7H,SAAS8H,aAAY;AAC3B,gBAAIrY,OAAOyB,QAAS;AACpB6W,4BACE/H,SACA8H,UACA5I,aACA0I,eACA9R,mBAAkB;UAEtB;QACD,CAAA;eACMyP,GAAG;AACV,eAAO;UAAE5F,MAAM;UAAS7O,OAAOyU;UAAG1E;;MACnC,UAAA;AAOC,YAAI8G,YAAY,CAAClY,OAAOyB,SAAS;AAC/B+E,uBAAa,CAAC,GAAGA,UAAU;QAC5B;MACF;AAED,UAAIxG,OAAOyB,SAAS;AAClB,eAAO;UAAEyO,MAAM;;MAChB;AAED,UAAIqI,aAAaxQ,YAAY0H,aAAatH,UAAUxB,QAAQ;AAC5D,UAAI4R,YAAY;AACd,eAAO;UAAErI,MAAM;UAAW9H,SAASmQ;;MACpC;AAED,UAAIC,oBAAoBR,gBACtBvI,aACAtH,UACAxB,UACA,IAAI;AAIN,UACE,CAAC6R,qBACApH,eAAehL,WAAWoS,kBAAkBpS,UAC3CgL,eAAehI,MACb,CAACR,GAAG6P,MAAM7P,EAAEpD,MAAM8C,OAAOkQ,kBAAmBC,CAAC,EAAEjT,MAAM8C,EAAE,GAE3D;AACA,eAAO;UAAE4H,MAAM;UAAW9H,SAAS;;MACpC;AAEDgJ,uBAAiBoH;IAClB;EACH;AAEA,WAASE,mBAAmBC,WAAoC;AAC9DpS,eAAW,CAAA;AACXG,yBAAqBD,0BACnBkS,WACAtS,qBACAjF,QACAmF,QAAQ;EAEZ;AAEA,WAASqS,YACPrI,SACA8H,UAA+B;AAE/B,QAAIH,WAAWxR,sBAAsB;AACrC,QAAI+I,cAAc/I,sBAAsBF;AACxC8R,oBACE/H,SACA8H,UACA5I,aACAlJ,UACAF,mBAAkB;AAQpB,QAAI6R,UAAU;AACZ1R,mBAAa,CAAC,GAAGA,UAAU;AAC3B4F,kBAAY,CAAA,CAAE;IACf;EACH;AAEA9C,WAAS;IACP,IAAI3C,WAAQ;AACV,aAAOA;;IAET,IAAIM,SAAM;AACR,aAAOA;;IAET,IAAIvC,QAAK;AACP,aAAOA;;IAET,IAAIyB,SAAM;AACR,aAAOK;;IAET,IAAIV,SAAM;AACR,aAAOD;;IAET2F;IACAxJ;IACAwV;IACApJ;IACAuF;IACAvE;;;IAGAyJ,YAAaxK,QAAWxN,KAAKmH,QAAQ6Q,WAAWxK,EAAE;IAClDS,gBAAiBT,QAAWxN,KAAKmH,QAAQ8G,eAAeT,EAAE;IAC1DqI;IACA9J,eAAe+J;IACfjK;IACAuK;IACApK;IACA+L;IACAE,2BAA2BjO;IAC3BkO,0BAA0B1N;;;IAG1BqN;;AAGF,SAAOpP;AACT;IAOa0P,yBAAyBC,OAAO,UAAU;AAmqBvD,SAASC,uBACPC,MAAgC;AAEhC,SACEA,QAAQ,SACN,cAAcA,QAAQA,KAAKC,YAAY,QACtC,UAAUD,QAAQA,KAAKE,SAASC;AAEvC;AAEA,SAASC,YACPC,UACAC,SACAC,UACAC,iBACAC,IACAC,sBACAC,aACAC,UAA8B;AAE9B,MAAIC;AACJ,MAAIC;AACJ,MAAIH,aAAa;AAGfE,wBAAoB,CAAA;AACpB,aAASE,SAAST,SAAS;AACzBO,wBAAkBG,KAAKD,KAAK;AAC5B,UAAIA,MAAME,MAAMC,OAAOP,aAAa;AAClCG,2BAAmBC;AACnB;MACD;IACF;EACF,OAAM;AACLF,wBAAoBP;AACpBQ,uBAAmBR,QAAQA,QAAQa,SAAS,CAAC;EAC9C;AAGD,MAAIC,OAAOC,UACTZ,KAAKA,KAAK,KACVa,oBAAoBT,mBAAmBH,oBAAoB,GAC3Da,cAAclB,SAASmB,UAAUjB,QAAQ,KAAKF,SAASmB,UACvDZ,aAAa,MAAM;AAMrB,MAAIH,MAAM,MAAM;AACdW,SAAKK,SAASpB,SAASoB;AACvBL,SAAKM,OAAOrB,SAASqB;EACtB;AAGD,OAAKjB,MAAM,QAAQA,OAAO,MAAMA,OAAO,QAAQK,kBAAkB;AAC/D,QAAIa,aAAaC,mBAAmBR,KAAKK,MAAM;AAC/C,QAAIX,iBAAiBG,MAAMY,SAAS,CAACF,YAAY;AAE/CP,WAAKK,SAASL,KAAKK,SACfL,KAAKK,OAAOK,QAAQ,OAAO,SAAS,IACpC;eACK,CAAChB,iBAAiBG,MAAMY,SAASF,YAAY;AAEtD,UAAII,SAAS,IAAIC,gBAAgBZ,KAAKK,MAAM;AAC5C,UAAIQ,cAAcF,OAAOG,OAAO,OAAO;AACvCH,aAAOI,OAAO,OAAO;AACrBF,kBAAYG,OAAQC,OAAMA,CAAC,EAAEC,QAASD,OAAMN,OAAOQ,OAAO,SAASF,CAAC,CAAC;AACrE,UAAIG,KAAKT,OAAOU,SAAQ;AACxBrB,WAAKK,SAASe,KAASA,MAAAA,KAAO;IAC/B;EACF;AAMD,MAAIhC,mBAAmBD,aAAa,KAAK;AACvCa,SAAKI,WACHJ,KAAKI,aAAa,MAAMjB,WAAWmC,UAAU,CAACnC,UAAUa,KAAKI,QAAQ,CAAC;EACzE;AAED,SAAOmB,WAAWvB,IAAI;AACxB;AAIA,SAASwB,yBACPC,qBACAC,WACA1B,MACApB,MAAiC;AAOjC,MAAI,CAACA,QAAQ,CAACD,uBAAuBC,IAAI,GAAG;AAC1C,WAAO;MAAEoB;;EACV;AAED,MAAIpB,KAAK+C,cAAc,CAACC,cAAchD,KAAK+C,UAAU,GAAG;AACtD,WAAO;MACL3B;MACA6B,OAAOC,uBAAuB,KAAK;QAAEC,QAAQnD,KAAK+C;OAAY;;EAEjE;AAED,MAAIK,sBAAsBA,OAAO;IAC/BhC;IACA6B,OAAOC,uBAAuB,KAAK;MAAEG,MAAM;KAAgB;EAC5D;AAGD,MAAIC,gBAAgBtD,KAAK+C,cAAc;AACvC,MAAIA,aAAaF,sBACZS,cAAcC,YAAW,IACzBD,cAAcE,YAAW;AAC9B,MAAIC,aAAaC,kBAAkBtC,IAAI;AAEvC,MAAIpB,KAAKE,SAASC,QAAW;AAC3B,QAAIH,KAAK2D,gBAAgB,cAAc;AAErC,UAAI,CAACC,iBAAiBb,UAAU,GAAG;AACjC,eAAOK,oBAAmB;MAC3B;AAED,UAAIS,OACF,OAAO7D,KAAKE,SAAS,WACjBF,KAAKE,OACLF,KAAKE,gBAAgB4D,YACrB9D,KAAKE,gBAAgB8B;;QAErB+B,MAAMC,KAAKhE,KAAKE,KAAK+D,QAAO,CAAE,EAAEC,OAC9B,CAACC,KAAGC,UAAA;AAAA,cAAE,CAACC,MAAMC,KAAK,IAACF;AAAA,iBAAA,KAAQD,MAAME,OAAI,MAAIC,QAAK;WAC9C,EAAE;UAEJC,OAAOvE,KAAKE,IAAI;AAEtB,aAAO;QACLkB;QACAoD,YAAY;UACVzB;UACAU;UACAE,aAAa3D,KAAK2D;UAClB1D,UAAUE;UACVsE,MAAMtE;UACN0D;QACD;;IAEJ,WAAU7D,KAAK2D,gBAAgB,oBAAoB;AAElD,UAAI,CAACC,iBAAiBb,UAAU,GAAG;AACjC,eAAOK,oBAAmB;MAC3B;AAED,UAAI;AACF,YAAIqB,QACF,OAAOzE,KAAKE,SAAS,WAAWwE,KAAKC,MAAM3E,KAAKE,IAAI,IAAIF,KAAKE;AAE/D,eAAO;UACLkB;UACAoD,YAAY;YACVzB;YACAU;YACAE,aAAa3D,KAAK2D;YAClB1D,UAAUE;YACVsE,MAAAA;YACAZ,MAAM1D;UACP;;eAEIyE,GAAG;AACV,eAAOxB,oBAAmB;MAC3B;IACF;EACF;AAEDyB,YACE,OAAOf,aAAa,YACpB,+CAA+C;AAGjD,MAAIgB;AACJ,MAAI7E;AAEJ,MAAID,KAAKC,UAAU;AACjB6E,mBAAeC,8BAA8B/E,KAAKC,QAAQ;AAC1DA,eAAWD,KAAKC;EACjB,WAAUD,KAAKE,gBAAgB4D,UAAU;AACxCgB,mBAAeC,8BAA8B/E,KAAKE,IAAI;AACtDD,eAAWD,KAAKE;EACjB,WAAUF,KAAKE,gBAAgB8B,iBAAiB;AAC/C8C,mBAAe9E,KAAKE;AACpBD,eAAW+E,8BAA8BF,YAAY;EACtD,WAAU9E,KAAKE,QAAQ,MAAM;AAC5B4E,mBAAe,IAAI9C,gBAAe;AAClC/B,eAAW,IAAI6D,SAAQ;EACxB,OAAM;AACL,QAAI;AACFgB,qBAAe,IAAI9C,gBAAgBhC,KAAKE,IAAI;AAC5CD,iBAAW+E,8BAA8BF,YAAY;aAC9CF,GAAG;AACV,aAAOxB,oBAAmB;IAC3B;EACF;AAED,MAAIoB,aAAyB;IAC3BzB;IACAU;IACAE,aACG3D,QAAQA,KAAK2D,eAAgB;IAChC1D;IACAwE,MAAMtE;IACN0D,MAAM1D;;AAGR,MAAIyD,iBAAiBY,WAAWzB,UAAU,GAAG;AAC3C,WAAO;MAAE3B;MAAMoD;;EAChB;AAGD,MAAIS,aAAaC,UAAU9D,IAAI;AAI/B,MAAI0B,aAAamC,WAAWxD,UAAUG,mBAAmBqD,WAAWxD,MAAM,GAAG;AAC3EqD,iBAAavC,OAAO,SAAS,EAAE;EAChC;AACD0C,aAAWxD,SAAM,MAAOqD;AAExB,SAAO;IAAE1D,MAAMuB,WAAWsC,UAAU;IAAGT;;AACzC;AAIA,SAASW,8BACP7E,SACA8E,YACAC,iBAAuB;AAAA,MAAvBA,oBAAe,QAAA;AAAfA,sBAAkB;EAAK;AAEvB,MAAIxD,QAAQvB,QAAQgF,UAAWC,OAAMA,EAAEtE,MAAMC,OAAOkE,UAAU;AAC9D,MAAIvD,SAAS,GAAG;AACd,WAAOvB,QAAQkF,MAAM,GAAGH,kBAAkBxD,QAAQ,IAAIA,KAAK;EAC5D;AACD,SAAOvB;AACT;AAEA,SAASmF,iBACPC,SACAC,OACArF,SACAkE,YACAnE,UACAuF,kBACAC,6BACAC,wBACAC,yBACAC,uBACAC,iBACAC,kBACAC,kBACAC,aACA7F,UACA8F,qBAAyC;AAEzC,MAAIC,eAAeD,sBACfE,cAAcF,oBAAoB,CAAC,CAAC,IAClCA,oBAAoB,CAAC,EAAEpD,QACvBoD,oBAAoB,CAAC,EAAEG,OACzBrG;AACJ,MAAIsG,aAAaf,QAAQgB,UAAUf,MAAMtF,QAAQ;AACjD,MAAIsG,UAAUjB,QAAQgB,UAAUrG,QAAQ;AAGxC,MAAIuG,kBAAkBtG;AACtB,MAAIsF,oBAAoBD,MAAMkB,QAAQ;AAMpCD,sBAAkBzB,8BAChB7E,SACAwG,OAAOC,KAAKpB,MAAMkB,MAAM,EAAE,CAAC,GAC3B,IAAI;aAEGR,uBAAuBE,cAAcF,oBAAoB,CAAC,CAAC,GAAG;AAGvEO,sBAAkBzB,8BAChB7E,SACA+F,oBAAoB,CAAC,CAAC;EAEzB;AAKD,MAAIW,eAAeX,sBACfA,oBAAoB,CAAC,EAAEY,aACvB9G;AACJ,MAAI+G,yBACFrB,+BAA+BmB,gBAAgBA,gBAAgB;AAEjE,MAAIG,oBAAoBP,gBAAgBxE,OAAO,CAACrB,OAAOc,UAAS;AAC9D,QAAI;MAAEZ;IAAO,IAAGF;AAChB,QAAIE,MAAMmG,MAAM;AAEd,aAAO;IACR;AAED,QAAInG,MAAMoG,UAAU,MAAM;AACxB,aAAO;IACR;AAED,QAAIzB,kBAAkB;AACpB,aAAO0B,2BAA2BrG,OAAO0E,MAAM4B,YAAY5B,MAAMkB,MAAM;IACxE;AAGD,QACEW,YAAY7B,MAAM4B,YAAY5B,MAAMrF,QAAQuB,KAAK,GAAGd,KAAK,KACzDgF,wBAAwB0B,KAAMvG,QAAOA,OAAOH,MAAME,MAAMC,EAAE,GAC1D;AACA,aAAO;IACR;AAMD,QAAIwG,oBAAoB/B,MAAMrF,QAAQuB,KAAK;AAC3C,QAAI8F,iBAAiB5G;AAErB,WAAO6G,uBAAuB7G,OAAK8G,SAAA;MACjCpB;MACAqB,eAAeJ,kBAAkB3F;MACjC4E;MACAoB,YAAYJ,eAAe5F;IAAM,GAC9ByC,YAAU;MACb8B;MACAU;MACAgB,yBAAyBd,yBACrB;;QAEApB,0BACAW,WAAWjF,WAAWiF,WAAWhF,WAC/BkF,QAAQnF,WAAWmF,QAAQlF;QAE7BgF,WAAWhF,WAAWkF,QAAQlF,UAC9BwG,mBAAmBP,mBAAmBC,cAAc;;IAAC,CAAA,CAC1D;EACH,CAAC;AAGD,MAAIO,uBAA8C,CAAA;AAClDhC,mBAAiB5D,QAAQ,CAAC6F,GAAGC,QAAO;AAMlC,QACExC,oBACA,CAACtF,QAAQmH,KAAMlC,OAAMA,EAAEtE,MAAMC,OAAOiH,EAAEE,OAAO,KAC7CpC,gBAAgBqC,IAAIF,GAAG,GACvB;AACA;IACD;AAED,QAAIG,iBAAiBC,YAAYpC,aAAa+B,EAAE/G,MAAMb,QAAQ;AAM9D,QAAI,CAACgI,gBAAgB;AACnBL,2BAAqBlH,KAAK;QACxBoH;QACAC,SAASF,EAAEE;QACXjH,MAAM+G,EAAE/G;QACRd,SAAS;QACTS,OAAO;QACP0H,YAAY;MACb,CAAA;AACD;IACD;AAKD,QAAIC,UAAU/C,MAAMgD,SAASC,IAAIR,GAAG;AACpC,QAAIS,eAAeC,eAAeP,gBAAgBJ,EAAE/G,IAAI;AAExD,QAAI2H,mBAAmB;AACvB,QAAI5C,iBAAiBmC,IAAIF,GAAG,GAAG;AAE7BW,yBAAmB;eACV/C,sBAAsBsC,IAAIF,GAAG,GAAG;AAEzCpC,4BAAsB7D,OAAOiG,GAAG;AAChCW,yBAAmB;IACpB,WACCL,WACAA,QAAQ/C,UAAU,UAClB+C,QAAQlC,SAASrG,QACjB;AAIA4I,yBAAmBjD;IACpB,OAAM;AAGLiD,yBAAmBnB,uBAAuBiB,cAAYhB,SAAA;QACpDpB;QACAqB,eAAenC,MAAMrF,QAAQqF,MAAMrF,QAAQa,SAAS,CAAC,EAAEY;QACvD4E;QACAoB,YAAYzH,QAAQA,QAAQa,SAAS,CAAC,EAAEY;MAAM,GAC3CyC,YAAU;QACb8B;QACAU;QACAgB,yBAAyBd,yBACrB,QACApB;MAAsB,CAAA,CAC3B;IACF;AAED,QAAIiD,kBAAkB;AACpBb,2BAAqBlH,KAAK;QACxBoH;QACAC,SAASF,EAAEE;QACXjH,MAAM+G,EAAE/G;QACRd,SAASiI;QACTxH,OAAO8H;QACPJ,YAAY,IAAIO,gBAAe;MAChC,CAAA;IACF;EACH,CAAC;AAED,SAAO,CAAC7B,mBAAmBe,oBAAoB;AACjD;AAEA,SAASZ,2BACPrG,OACAsG,YACAV,QAAoC;AAGpC,MAAI5F,MAAMmG,MAAM;AACd,WAAO;EACR;AAGD,MAAI,CAACnG,MAAMoG,QAAQ;AACjB,WAAO;EACR;AAED,MAAI4B,UAAU1B,cAAc,QAAQA,WAAWtG,MAAMC,EAAE,MAAMf;AAC7D,MAAI+I,WAAWrC,UAAU,QAAQA,OAAO5F,MAAMC,EAAE,MAAMf;AAGtD,MAAI,CAAC8I,WAAWC,UAAU;AACxB,WAAO;EACR;AAGD,MAAI,OAAOjI,MAAMoG,WAAW,cAAcpG,MAAMoG,OAAO8B,YAAY,MAAM;AACvE,WAAO;EACR;AAGD,SAAO,CAACF,WAAW,CAACC;AACtB;AAEA,SAAS1B,YACP4B,mBACAC,cACAtI,OAA6B;AAE7B,MAAIuI;;IAEF,CAACD;IAEDtI,MAAME,MAAMC,OAAOmI,aAAapI,MAAMC;;AAIxC,MAAIqI,gBAAgBH,kBAAkBrI,MAAME,MAAMC,EAAE,MAAMf;AAG1D,SAAOmJ,SAASC;AAClB;AAEA,SAAStB,mBACPoB,cACAtI,OAA6B;AAE7B,MAAIyI,cAAcH,aAAapI,MAAMG;AACrC;;IAEEiI,aAAa7H,aAAaT,MAAMS;;IAG/BgI,eAAe,QACdA,YAAYC,SAAS,GAAG,KACxBJ,aAAatH,OAAO,GAAG,MAAMhB,MAAMgB,OAAO,GAAG;;AAEnD;AAEA,SAAS6F,uBACP8B,aACAC,KAAiC;AAEjC,MAAID,YAAYzI,MAAM8H,kBAAkB;AACtC,QAAIa,cAAcF,YAAYzI,MAAM8H,iBAAiBY,GAAG;AACxD,QAAI,OAAOC,gBAAgB,WAAW;AACpC,aAAOA;IACR;EACF;AAED,SAAOD,IAAI3B;AACb;AAEA,SAAS6B,gBACPxB,SACAyB,UACA1D,aACA2D,UACAC,qBAA8C;AAAA,MAAAC;AAE9C,MAAIC;AACJ,MAAI7B,SAAS;AACX,QAAIpH,QAAQ8I,SAAS1B,OAAO;AAC5BxD,cACE5D,OACoDoH,sDAAAA,OAAS;AAE/D,QAAI,CAACpH,MAAM6I,UAAU;AACnB7I,YAAM6I,WAAW,CAAA;IAClB;AACDI,sBAAkBjJ,MAAM6I;EACzB,OAAM;AACLI,sBAAkB9D;EACnB;AAKD,MAAI+D,iBAAiBL,SAAS1H,OAC3BgI,cACC,CAACF,gBAAgBzC,KAAM4C,mBACrBC,YAAYF,UAAUC,aAAa,CAAC,CACrC;AAGL,MAAIE,YAAYC,0BACdL,gBACAH,qBACA,CAAC3B,WAAW,KAAK,SAAS9D,SAAO0F,mBAAAC,oBAAe,OAAA,SAAfD,iBAAiB9I,WAAU,GAAG,CAAC,GAChE4I,QAAQ;AAGVG,kBAAgBlJ,KAAK,GAAGuJ,SAAS;AACnC;AAEA,SAASD,YACPF,UACAC,eAAkC;AAGlC,MACE,QAAQD,YACR,QAAQC,iBACRD,SAASlJ,OAAOmJ,cAAcnJ,IAC9B;AACA,WAAO;EACR;AAGD,MACE,EACEkJ,SAASvI,UAAUwI,cAAcxI,SACjCuI,SAAShJ,SAASiJ,cAAcjJ,QAChCgJ,SAASK,kBAAkBJ,cAAcI,gBAE3C;AACA,WAAO;EACR;AAID,OACG,CAACL,SAASN,YAAYM,SAASN,SAAS3I,WAAW,OACnD,CAACkJ,cAAcP,YAAYO,cAAcP,SAAS3I,WAAW,IAC9D;AACA,WAAO;EACR;AAID,SAAOiJ,SAASN,SAAUY,MAAM,CAACC,QAAQC,MAAC;AAAA,QAAAC;AAAA,YAAAA,wBACxCR,cAAcP,aAAQ,OAAA,SAAtBe,sBAAwBpD,KAAMqD,YAAWR,YAAYK,QAAQG,MAAM,CAAC;GACrE;AACH;AAOA,eAAeC,oBACb9J,OACA+I,qBACAD,UAAuB;AAEvB,MAAI,CAAC9I,MAAMmG,MAAM;AACf;EACD;AAED,MAAI4D,YAAY,MAAM/J,MAAMmG,KAAI;AAKhC,MAAI,CAACnG,MAAMmG,MAAM;AACf;EACD;AAED,MAAI6D,gBAAgBlB,SAAS9I,MAAMC,EAAE;AACrC2D,YAAUoG,eAAe,4BAA4B;AAUrD,MAAIC,eAAoC,CAAA;AACxC,WAASC,qBAAqBH,WAAW;AACvC,QAAII,mBACFH,cAAcE,iBAA+C;AAE/D,QAAIE,8BACFD,qBAAqBjL;;IAGrBgL,sBAAsB;AAExBG,YACE,CAACD,6BACD,YAAUJ,cAAc/J,KAAE,8BAA4BiK,oBAAiB,mFAEzCA,8BAAAA,oBAAiB,qBAAoB;AAGrE,QACE,CAACE,+BACD,CAACE,mBAAmBjD,IAAI6C,iBAAsC,GAC9D;AACAD,mBAAaC,iBAAiB,IAC5BH,UAAUG,iBAA2C;IACxD;EACF;AAIDrE,SAAO0E,OAAOP,eAAeC,YAAY;AAKzCpE,SAAO0E,OAAOP,eAAapD,SAKtBmC,CAAAA,GAAAA,oBAAmBiB,aAAa,GAAC;IACpC7D,MAAMjH;EAAS,CAAA,CAChB;AACH;AAGA,eAAesL,oBAAmBC,OAEP;AAAA,MAFQ;IACjCpL;EACyB,IAAAoL;AACzB,MAAIC,gBAAgBrL,QAAQ8B,OAAQmD,OAAMA,EAAEqG,UAAU;AACtD,MAAIC,UAAU,MAAMC,QAAQC,IAAIJ,cAAcK,IAAKzG,OAAMA,EAAE0G,QAAO,CAAE,CAAC;AACrE,SAAOJ,QAAQ3H,OACb,CAACC,KAAK+H,QAAQtB,MACZ9D,OAAO0E,OAAOrH,KAAK;IAAE,CAACwH,cAAcf,CAAC,EAAE3J,MAAMC,EAAE,GAAGgL;EAAM,CAAE,GAC5D,CAAA,CAAE;AAEN;AAEA,eAAeC,qBACbC,kBACA/I,MACAsC,OACA0G,SACAV,eACArL,SACAgM,YACAvC,UACAC,qBACAuC,gBAAwB;AAExB,MAAIC,+BAA+BlM,QAAQ0L,IAAKzG,OAC9CA,EAAEtE,MAAMmG,OACJ2D,oBAAoBxF,EAAEtE,OAAO+I,qBAAoBD,QAAQ,IACzD5J,MAAS;AAGf,MAAIsM,YAAYnM,QAAQ0L,IAAI,CAACjL,OAAO6J,MAAK;AACvC,QAAI8B,mBAAmBF,6BAA6B5B,CAAC;AACrD,QAAIgB,aAAaD,cAAclE,KAAMlC,OAAMA,EAAEtE,MAAMC,OAAOH,MAAME,MAAMC,EAAE;AAKxE,QAAI+K,UAAwC,OAAOU,oBAAmB;AACpE,UACEA,mBACAN,QAAQlJ,WAAW,UAClBpC,MAAME,MAAMmG,QAAQrG,MAAME,MAAMoG,SACjC;AACAuE,qBAAa;MACd;AACD,aAAOA,aACHgB,mBACEvJ,MACAgJ,SACAtL,OACA2L,kBACAC,iBACAJ,cAAc,IAEhBT,QAAQG,QAAQ;QAAE5I,MAAMwJ,WAAWrG;QAAM0F,QAAQ/L;MAAS,CAAE;;AAGlE,WAAA0H,SAAA,CAAA,GACK9G,OAAK;MACR6K;MACAK;IAAO,CAAA;EAEX,CAAC;AAKD,MAAIJ,UAAU,MAAMO,iBAAiB;IACnC9L,SAASmM;IACTJ;IACAtK,QAAQzB,QAAQ,CAAC,EAAEyB;IACnBuK;IACAQ,SAASP;EACV,CAAA;AAKD,MAAI;AACF,UAAMT,QAAQC,IAAIS,4BAA4B;WACvC5H,GAAG;EACV;AAGF,SAAOiH;AACT;AAGA,eAAee,mBACbvJ,MACAgJ,SACAtL,OACA2L,kBACAC,iBACAI,eAAuB;AAEvB,MAAIb;AACJ,MAAIc;AAEJ,MAAIC,aACFC,aAC+B;AAE/B,QAAIC;AAGJ,QAAIC,eAAe,IAAItB,QAA4B,CAACuB,GAAGC,MAAOH,SAASG,CAAE;AACzEN,eAAWA,MAAMG,OAAM;AACvBd,YAAQkB,OAAOC,iBAAiB,SAASR,QAAQ;AAEjD,QAAIS,gBAAiBC,SAAiB;AACpC,UAAI,OAAOR,YAAY,YAAY;AACjC,eAAOpB,QAAQqB,OACb,IAAIQ,MACF,sEAAA,MACMtK,OAAI,iBAAetC,MAAME,MAAMC,KAAE,IAAG,CAC3C;MAEJ;AACD,aAAOgM,QACL;QACEb;QACAtK,QAAQhB,MAAMgB;QACd+K,SAASC;MACV,GACD,GAAIW,QAAQvN,SAAY,CAACuN,GAAG,IAAI,CAAA,CAAG;;AAIvC,QAAIE,kBAA+C,YAAW;AAC5D,UAAI;AACF,YAAIC,MAAM,OAAOlB,kBACbA,gBAAiBe,SAAiBD,cAAcC,GAAG,CAAC,IACpDD,cAAa;AACjB,eAAO;UAAEpK,MAAM;UAAQ6I,QAAQ2B;;eACxBjJ,GAAG;AACV,eAAO;UAAEvB,MAAM;UAAS6I,QAAQtH;;MACjC;IACH,GAAC;AAED,WAAOkH,QAAQgC,KAAK,CAACF,gBAAgBR,YAAY,CAAC;;AAGpD,MAAI;AACF,QAAIF,UAAUnM,MAAME,MAAMoC,IAAI;AAG9B,QAAIqJ,kBAAkB;AACpB,UAAIQ,SAAS;AAEX,YAAIa;AACJ,YAAI,CAACzJ,KAAK,IAAI,MAAMwH,QAAQC,IAAI;;;;UAI9BkB,WAAWC,OAAO,EAAEc,MAAOpJ,OAAK;AAC9BmJ,2BAAenJ;UACjB,CAAC;UACD8H;QAAgB,CACjB;AACD,YAAIqB,iBAAiB5N,QAAW;AAC9B,gBAAM4N;QACP;AACD7B,iBAAS5H;MACV,OAAM;AAEL,cAAMoI;AAENQ,kBAAUnM,MAAME,MAAMoC,IAAI;AAC1B,YAAI6J,SAAS;AAIXhB,mBAAS,MAAMe,WAAWC,OAAO;QAClC,WAAU7J,SAAS,UAAU;AAC5B,cAAI4K,MAAM,IAAIC,IAAI7B,QAAQ4B,GAAG;AAC7B,cAAIzM,WAAWyM,IAAIzM,WAAWyM,IAAIxM;AAClC,gBAAMyB,uBAAuB,KAAK;YAChCC,QAAQkJ,QAAQlJ;YAChB3B;YACA6G,SAAStH,MAAME,MAAMC;UACtB,CAAA;QACF,OAAM;AAGL,iBAAO;YAAEmC,MAAMwJ,WAAWrG;YAAM0F,QAAQ/L;;QACzC;MACF;IACF,WAAU,CAAC+M,SAAS;AACnB,UAAIe,MAAM,IAAIC,IAAI7B,QAAQ4B,GAAG;AAC7B,UAAIzM,WAAWyM,IAAIzM,WAAWyM,IAAIxM;AAClC,YAAMyB,uBAAuB,KAAK;QAChC1B;MACD,CAAA;IACF,OAAM;AACL0K,eAAS,MAAMe,WAAWC,OAAO;IAClC;AAEDrI,cACEqH,OAAOA,WAAW/L,QAClB,kBAAekD,SAAS,WAAW,cAAc,cAC3CtC,iBAAAA,MAAAA,MAAME,MAAMC,KAA8CmC,8CAAAA,OAAS,QAAA,4CACzB;WAE3CuB,GAAG;AAIV,WAAO;MAAEvB,MAAMwJ,WAAW5J;MAAOiJ,QAAQtH;;EAC1C,UAAA;AACC,QAAIoI,UAAU;AACZX,cAAQkB,OAAOY,oBAAoB,SAASnB,QAAQ;IACrD;EACF;AAED,SAAOd;AACT;AAEA,eAAekC,sCACbC,oBAAsC;AAEtC,MAAI;IAAEnC;IAAQ7I;EAAM,IAAGgL;AAEvB,MAAIC,WAAWpC,MAAM,GAAG;AACtB,QAAI1F;AAEJ,QAAI;AACF,UAAI+H,cAAcrC,OAAOsC,QAAQ5F,IAAI,cAAc;AAGnD,UAAI2F,eAAe,wBAAwBE,KAAKF,WAAW,GAAG;AAC5D,YAAIrC,OAAOhM,QAAQ,MAAM;AACvBsG,iBAAO;QACR,OAAM;AACLA,iBAAO,MAAM0F,OAAOzH,KAAI;QACzB;MACF,OAAM;AACL+B,eAAO,MAAM0F,OAAOrI,KAAI;MACzB;aACMe,GAAG;AACV,aAAO;QAAEvB,MAAMwJ,WAAW5J;QAAOA,OAAO2B;;IACzC;AAED,QAAIvB,SAASwJ,WAAW5J,OAAO;AAC7B,aAAO;QACLI,MAAMwJ,WAAW5J;QACjBA,OAAO,IAAIyL,kBAAkBxC,OAAOyC,QAAQzC,OAAO0C,YAAYpI,IAAI;QACnES,YAAYiF,OAAOyC;QACnBH,SAAStC,OAAOsC;;IAEnB;AAED,WAAO;MACLnL,MAAMwJ,WAAWrG;MACjBA;MACAS,YAAYiF,OAAOyC;MACnBH,SAAStC,OAAOsC;;EAEnB;AAED,MAAInL,SAASwJ,WAAW5J,OAAO;AAC7B,QAAI4L,uBAAuB3C,MAAM,GAAG;AAAA,UAAA4C;AAClC,UAAI5C,OAAO1F,gBAAgBmH,OAAO;AAAA,YAAAoB;AAChC,eAAO;UACL1L,MAAMwJ,WAAW5J;UACjBA,OAAOiJ,OAAO1F;UACdS,aAAU8H,eAAE7C,OAAO8C,SAAI,OAAA,SAAXD,aAAaJ;;MAE5B;AAGDzC,eAAS,IAAIwC,oBACXI,gBAAA5C,OAAO8C,SAAI,OAAA,SAAXF,cAAaH,WAAU,KACvBxO,QACA+L,OAAO1F,IAAI;IAEd;AACD,WAAO;MACLnD,MAAMwJ,WAAW5J;MACjBA,OAAOiJ;MACPjF,YAAYgI,qBAAqB/C,MAAM,IAAIA,OAAOyC,SAASxO;;EAE9D;AAED,MAAI+O,eAAehD,MAAM,GAAG;AAAA,QAAAiD,eAAAC;AAC1B,WAAO;MACL/L,MAAMwJ,WAAWwC;MACjBC,cAAcpD;MACdjF,aAAUkI,gBAAEjD,OAAO8C,SAAI,OAAA,SAAXG,cAAaR;MACzBH,WAASY,gBAAAlD,OAAO8C,SAAPI,OAAAA,SAAAA,cAAaZ,YAAW,IAAIe,QAAQrD,OAAO8C,KAAKR,OAAO;;EAEnE;AAED,MAAIK,uBAAuB3C,MAAM,GAAG;AAAA,QAAAsD,eAAAC;AAClC,WAAO;MACLpM,MAAMwJ,WAAWrG;MACjBA,MAAM0F,OAAO1F;MACbS,aAAUuI,gBAAEtD,OAAO8C,SAAI,OAAA,SAAXQ,cAAab;MACzBH,UAASiB,gBAAAvD,OAAO8C,SAAI,QAAXS,cAAajB,UAClB,IAAIe,QAAQrD,OAAO8C,KAAKR,OAAO,IAC/BrO;;EAEP;AAED,SAAO;IAAEkD,MAAMwJ,WAAWrG;IAAMA,MAAM0F;;AACxC;AAGA,SAASwD,yCACPC,UACAtD,SACAhE,SACA/H,SACAC,UACAG,sBAA6B;AAE7B,MAAIL,WAAWsP,SAASnB,QAAQ5F,IAAI,UAAU;AAC9C/D,YACExE,UACA,4EAA4E;AAG9E,MAAI,CAACuP,mBAAmBnB,KAAKpO,QAAQ,GAAG;AACtC,QAAIwP,iBAAiBvP,QAAQkF,MAC3B,GACAlF,QAAQgF,UAAWC,OAAMA,EAAEtE,MAAMC,OAAOmH,OAAO,IAAI,CAAC;AAEtDhI,eAAWD,YACT,IAAI8N,IAAI7B,QAAQ4B,GAAG,GACnB4B,gBACAtP,UACA,MACAF,UACAK,oBAAoB;AAEtBiP,aAASnB,QAAQsB,IAAI,YAAYzP,QAAQ;EAC1C;AAED,SAAOsP;AACT;AAEA,SAASI,0BACP1P,UACAoG,YACAlG,UAAgB;AAEhB,MAAIqP,mBAAmBnB,KAAKpO,QAAQ,GAAG;AAErC,QAAI2P,qBAAqB3P;AACzB,QAAI4N,MAAM+B,mBAAmBC,WAAW,IAAI,IACxC,IAAI/B,IAAIzH,WAAWyJ,WAAWF,kBAAkB,IAChD,IAAI9B,IAAI8B,kBAAkB;AAC9B,QAAIG,iBAAiB5O,cAAc0M,IAAIzM,UAAUjB,QAAQ,KAAK;AAC9D,QAAI0N,IAAImC,WAAW3J,WAAW2J,UAAUD,gBAAgB;AACtD,aAAOlC,IAAIzM,WAAWyM,IAAIxM,SAASwM,IAAIvM;IACxC;EACF;AACD,SAAOrB;AACT;AAKA,SAASgQ,wBACP3K,SACArF,UACAkN,QACA/I,YAAuB;AAEvB,MAAIyJ,MAAMvI,QAAQgB,UAAUhD,kBAAkBrD,QAAQ,CAAC,EAAEoC,SAAQ;AACjE,MAAIuM,OAAoB;IAAEzB;;AAE1B,MAAI/I,cAAcZ,iBAAiBY,WAAWzB,UAAU,GAAG;AACzD,QAAI;MAAEA;MAAYY;IAAa,IAAGa;AAIlCwK,SAAK7L,SAASJ,WAAWQ,YAAW;AAEpC,QAAII,gBAAgB,oBAAoB;AACtCqL,WAAKR,UAAU,IAAIe,QAAQ;QAAE,gBAAgB5L;MAAa,CAAA;AAC1DqL,WAAK9O,OAAOwE,KAAK4L,UAAU9L,WAAWC,IAAI;IAC3C,WAAUd,gBAAgB,cAAc;AAEvCqL,WAAK9O,OAAOsE,WAAWX;eAEvBF,gBAAgB,uCAChBa,WAAWvE,UACX;AAEA+O,WAAK9O,OAAO6E,8BAA8BP,WAAWvE,QAAQ;IAC9D,OAAM;AAEL+O,WAAK9O,OAAOsE,WAAWvE;IACxB;EACF;AAED,SAAO,IAAIsQ,QAAQtC,KAAKe,IAAI;AAC9B;AAEA,SAASjK,8BAA8B9E,UAAkB;AACvD,MAAI6E,eAAe,IAAI9C,gBAAe;AAEtC,WAAS,CAACoG,KAAK9D,KAAK,KAAKrE,SAASgE,QAAO,GAAI;AAE3Ca,iBAAavC,OAAO6F,KAAK,OAAO9D,UAAU,WAAWA,QAAQA,MAAMD,IAAI;EACxE;AAED,SAAOS;AACT;AAEA,SAASE,8BACPF,cAA6B;AAE7B,MAAI7E,WAAW,IAAI6D,SAAQ;AAC3B,WAAS,CAACsE,KAAK9D,KAAK,KAAKQ,aAAab,QAAO,GAAI;AAC/ChE,aAASsC,OAAO6F,KAAK9D,KAAK;EAC3B;AACD,SAAOrE;AACT;AAEA,SAASuQ,uBACPlQ,SACAuL,SACAxF,qBACAoK,iBACAC,yBAAgC;AAQhC,MAAInJ,aAAwC,CAAA;AAC5C,MAAIV,SAAuC;AAC3C,MAAII;AACJ,MAAI0J,aAAa;AACjB,MAAIC,gBAAyC,CAAA;AAC7C,MAAIC,eACFxK,uBAAuBE,cAAcF,oBAAoB,CAAC,CAAC,IACvDA,oBAAoB,CAAC,EAAEpD,QACvB9C;AAGNG,UAAQgC,QAASvB,WAAS;AACxB,QAAI,EAAEA,MAAME,MAAMC,MAAM2K,UAAU;AAChC;IACD;AACD,QAAI3K,KAAKH,MAAME,MAAMC;AACrB,QAAIgL,SAASL,QAAQ3K,EAAE;AACvB2D,cACE,CAACiM,iBAAiB5E,MAAM,GACxB,qDAAqD;AAEvD,QAAI3F,cAAc2F,MAAM,GAAG;AACzB,UAAIjJ,QAAQiJ,OAAOjJ;AAInB,UAAI4N,iBAAiB1Q,QAAW;AAC9B8C,gBAAQ4N;AACRA,uBAAe1Q;MAChB;AAED0G,eAASA,UAAU,CAAA;AAEnB,UAAI6J,yBAAyB;AAC3B7J,eAAO3F,EAAE,IAAI+B;MACd,OAAM;AAIL,YAAI8N,gBAAgBC,oBAAoB1Q,SAASY,EAAE;AACnD,YAAI2F,OAAOkK,cAAc9P,MAAMC,EAAE,KAAK,MAAM;AAC1C2F,iBAAOkK,cAAc9P,MAAMC,EAAE,IAAI+B;QAClC;MACF;AAGDsE,iBAAWrG,EAAE,IAAIf;AAIjB,UAAI,CAACwQ,YAAY;AACfA,qBAAa;AACb1J,qBAAagI,qBAAqB/C,OAAOjJ,KAAK,IAC1CiJ,OAAOjJ,MAAM0L,SACb;MACL;AACD,UAAIzC,OAAOsC,SAAS;AAClBoC,sBAAc1P,EAAE,IAAIgL,OAAOsC;MAC5B;IACF,OAAM;AACL,UAAIyC,iBAAiB/E,MAAM,GAAG;AAC5BuE,wBAAgBX,IAAI5O,IAAIgL,OAAOoD,YAAY;AAC3C/H,mBAAWrG,EAAE,IAAIgL,OAAOoD,aAAa9I;AAGrC,YACE0F,OAAOjF,cAAc,QACrBiF,OAAOjF,eAAe,OACtB,CAAC0J,YACD;AACA1J,uBAAaiF,OAAOjF;QACrB;AACD,YAAIiF,OAAOsC,SAAS;AAClBoC,wBAAc1P,EAAE,IAAIgL,OAAOsC;QAC5B;MACF,OAAM;AACLjH,mBAAWrG,EAAE,IAAIgL,OAAO1F;AAGxB,YAAI0F,OAAOjF,cAAciF,OAAOjF,eAAe,OAAO,CAAC0J,YAAY;AACjE1J,uBAAaiF,OAAOjF;QACrB;AACD,YAAIiF,OAAOsC,SAAS;AAClBoC,wBAAc1P,EAAE,IAAIgL,OAAOsC;QAC5B;MACF;IACF;EACH,CAAC;AAKD,MAAIqC,iBAAiB1Q,UAAakG,qBAAqB;AACrDQ,aAAS;MAAE,CAACR,oBAAoB,CAAC,CAAC,GAAGwK;;AACrCtJ,eAAWlB,oBAAoB,CAAC,CAAC,IAAIlG;EACtC;AAED,SAAO;IACLoH;IACAV;IACAI,YAAYA,cAAc;IAC1B2J;;AAEJ;AAEA,SAASM,kBACPvL,OACArF,SACAuL,SACAxF,qBACA6B,sBACAiJ,gBACAV,iBAA0C;AAK1C,MAAI;IAAElJ;IAAYV;EAAQ,IAAG2J;IAC3BlQ;IACAuL;IACAxF;IACAoK;IACA;;;AAIFvI,uBAAqB5F,QAAS8O,QAAM;AAClC,QAAI;MAAEhJ;MAAKrH;MAAO0H;IAAU,IAAK2I;AACjC,QAAIlF,SAASiF,eAAe/I,GAAG;AAC/BvD,cAAUqH,QAAQ,2CAA2C;AAG7D,QAAIzD,cAAcA,WAAW8E,OAAO8D,SAAS;AAE3C;IACD,WAAU9K,cAAc2F,MAAM,GAAG;AAChC,UAAI6E,gBAAgBC,oBAAoBrL,MAAMrF,SAASS,SAAK,OAAA,SAALA,MAAOE,MAAMC,EAAE;AACtE,UAAI,EAAE2F,UAAUA,OAAOkK,cAAc9P,MAAMC,EAAE,IAAI;AAC/C2F,iBAAMgB,SAAA,CAAA,GACDhB,QAAM;UACT,CAACkK,cAAc9P,MAAMC,EAAE,GAAGgL,OAAOjJ;SAClC;MACF;AACD0C,YAAMgD,SAASxG,OAAOiG,GAAG;IAC1B,WAAU0I,iBAAiB5E,MAAM,GAAG;AAGnCrH,gBAAU,OAAO,yCAAyC;IAC3D,WAAUoM,iBAAiB/E,MAAM,GAAG;AAGnCrH,gBAAU,OAAO,iCAAiC;IACnD,OAAM;AACL,UAAIyM,cAAcC,eAAerF,OAAO1F,IAAI;AAC5Cb,YAAMgD,SAASmH,IAAI1H,KAAKkJ,WAAW;IACpC;EACH,CAAC;AAED,SAAO;IAAE/J;IAAYV;;AACvB;AAEA,SAAS2K,gBACPjK,YACAkK,eACAnR,SACAuG,QAAoC;AAEpC,MAAI6K,mBAAgB7J,SAAA,CAAA,GAAQ4J,aAAa;AACzC,WAAS1Q,SAAST,SAAS;AACzB,QAAIY,KAAKH,MAAME,MAAMC;AACrB,QAAIuQ,cAAcE,eAAezQ,EAAE,GAAG;AACpC,UAAIuQ,cAAcvQ,EAAE,MAAMf,QAAW;AACnCuR,yBAAiBxQ,EAAE,IAAIuQ,cAAcvQ,EAAE;MACxC;IAKF,WAAUqG,WAAWrG,EAAE,MAAMf,UAAaY,MAAME,MAAMoG,QAAQ;AAG7DqK,uBAAiBxQ,EAAE,IAAIqG,WAAWrG,EAAE;IACrC;AAED,QAAI2F,UAAUA,OAAO8K,eAAezQ,EAAE,GAAG;AAEvC;IACD;EACF;AACD,SAAOwQ;AACT;AAEA,SAASE,uBACPvL,qBAAoD;AAEpD,MAAI,CAACA,qBAAqB;AACxB,WAAO,CAAA;EACR;AACD,SAAOE,cAAcF,oBAAoB,CAAC,CAAC,IACvC;;IAEEwL,YAAY,CAAA;EACb,IACD;IACEA,YAAY;MACV,CAACxL,oBAAoB,CAAC,CAAC,GAAGA,oBAAoB,CAAC,EAAEG;IAClD;;AAET;AAKA,SAASwK,oBACP1Q,SACA+H,SAAgB;AAEhB,MAAIyJ,kBAAkBzJ,UAClB/H,QAAQkF,MAAM,GAAGlF,QAAQgF,UAAWC,OAAMA,EAAEtE,MAAMC,OAAOmH,OAAO,IAAI,CAAC,IACrE,CAAC,GAAG/H,OAAO;AACf,SACEwR,gBAAgBC,QAAO,EAAGC,KAAMzM,OAAMA,EAAEtE,MAAMgR,qBAAqB,IAAI,KACvE3R,QAAQ,CAAC;AAEb;AAEA,SAAS4R,uBAAuBC,QAAiC;AAK/D,MAAIlR,QACFkR,OAAOhR,WAAW,IACdgR,OAAO,CAAC,IACRA,OAAOH,KAAM1E,OAAMA,EAAEzL,SAAS,CAACyL,EAAElM,QAAQkM,EAAElM,SAAS,GAAG,KAAK;IAC1DF,IAAE;;AAGV,SAAO;IACLZ,SAAS,CACP;MACEyB,QAAQ,CAAA;MACRP,UAAU;MACV4Q,cAAc;MACdnR;IACD,CAAA;IAEHA;;AAEJ;AAEA,SAASiC,uBACPyL,QAAc0D,QAaR;AAAA,MAZN;IACE7Q;IACA6G;IACAlF;IACAE;IACAiP;0BAOE,CAAA,IAAED;AAEN,MAAIzD,aAAa;AACjB,MAAI2D,eAAe;AAEnB,MAAI5D,WAAW,KAAK;AAClBC,iBAAa;AACb,QAAIzL,UAAU3B,YAAY6G,SAAS;AACjCkK,qBACE,gBAAcpP,SAAM,kBAAgB3B,WACO6G,YAAAA,2CAAAA,UAAO,SACP;IAC9C,WAAUhF,SAAS,gBAAgB;AAClCkP,qBAAe;IAChB,WAAUlP,SAAS,gBAAgB;AAClCkP,qBAAe;IAChB;EACF,WAAU5D,WAAW,KAAK;AACzBC,iBAAa;AACb2D,mBAAyBlK,YAAAA,UAAgC7G,2BAAAA,WAAW;EACrE,WAAUmN,WAAW,KAAK;AACzBC,iBAAa;AACb2D,mBAAY,2BAA4B/Q,WAAW;EACpD,WAAUmN,WAAW,KAAK;AACzBC,iBAAa;AACb,QAAIzL,UAAU3B,YAAY6G,SAAS;AACjCkK,qBACE,gBAAcpP,OAAOI,YAAW,IAAE,kBAAgB/B,WAAQ,YAAA,4CACd6G,UAAO,SACR;eACpClF,QAAQ;AACjBoP,qBAAY,6BAA8BpP,OAAOI,YAAW,IAAK;IAClE;EACF;AAED,SAAO,IAAImL,kBACTC,UAAU,KACVC,YACA,IAAIjB,MAAM4E,YAAY,GACtB,IAAI;AAER;AAGA,SAASC,aACP3G,SAAmC;AAEnC,MAAI5H,UAAU6C,OAAO7C,QAAQ4H,OAAO;AACpC,WAASjB,IAAI3G,QAAQ9C,SAAS,GAAGyJ,KAAK,GAAGA,KAAK;AAC5C,QAAI,CAACxC,KAAK8D,MAAM,IAAIjI,QAAQ2G,CAAC;AAC7B,QAAIkG,iBAAiB5E,MAAM,GAAG;AAC5B,aAAO;QAAE9D;QAAK8D;;IACf;EACF;AACH;AAEA,SAASxI,kBAAkBtC,MAAQ;AACjC,MAAI6D,aAAa,OAAO7D,SAAS,WAAW8D,UAAU9D,IAAI,IAAIA;AAC9D,SAAOuB,WAAUkF,SAAA,CAAA,GAAM5C,YAAU;IAAEvD,MAAM;EAAE,CAAA,CAAE;AAC/C;AAEA,SAAS+Q,iBAAiBC,GAAaC,GAAW;AAChD,MAAID,EAAElR,aAAamR,EAAEnR,YAAYkR,EAAEjR,WAAWkR,EAAElR,QAAQ;AACtD,WAAO;EACR;AAED,MAAIiR,EAAEhR,SAAS,IAAI;AAEjB,WAAOiR,EAAEjR,SAAS;aACTgR,EAAEhR,SAASiR,EAAEjR,MAAM;AAE5B,WAAO;EACR,WAAUiR,EAAEjR,SAAS,IAAI;AAExB,WAAO;EACR;AAID,SAAO;AACT;AAgBA,SAASkR,mCAAmCC,QAA0B;AACpE,SACEC,WAAWD,OAAOA,MAAM,KAAKE,oBAAoBC,IAAIH,OAAOA,OAAOI,MAAM;AAE7E;AAEA,SAASC,iBAAiBL,QAAkB;AAC1C,SAAOA,OAAOM,SAASC,WAAWC;AACpC;AAEA,SAASC,cAAcT,QAAkB;AACvC,SAAOA,OAAOM,SAASC,WAAWG;AACpC;AAEA,SAASC,iBAAiBX,QAAmB;AAC3C,UAAQA,UAAUA,OAAOM,UAAUC,WAAWK;AAChD;AAEM,SAAUC,uBACdC,OAAU;AAEV,SACE,OAAOA,UAAU,YACjBA,SAAS,QACT,UAAUA,SACV,UAAUA,SACV,UAAUA,SACVA,MAAMR,SAAS;AAEnB;AAEM,SAAUS,eAAeD,OAAU;AACvC,MAAIN,WAAyBM;AAC7B,SACEN,YACA,OAAOA,aAAa,YACpB,OAAOA,SAASQ,SAAS,YACzB,OAAOR,SAASS,cAAc,cAC9B,OAAOT,SAASU,WAAW,cAC3B,OAAOV,SAASW,gBAAgB;AAEpC;AAEA,SAASlB,WAAWa,OAAU;AAC5B,SACEA,SAAS,QACT,OAAOA,MAAMV,WAAW,YACxB,OAAOU,MAAMM,eAAe,YAC5B,OAAON,MAAMO,YAAY,YACzB,OAAOP,MAAMQ,SAAS;AAE1B;AAYA,SAASC,cAAcC,QAAc;AACnC,SAAOC,oBAAoBC,IAAIF,OAAOG,YAAW,CAAgB;AACnE;AAEA,SAASC,iBACPJ,QAAc;AAEd,SAAOK,qBAAqBH,IAAIF,OAAOG,YAAW,CAAwB;AAC5E;AAEA,eAAeG,iCACbC,SACAC,SACAC,QACAC,gBACAC,mBAA4B;AAE5B,MAAIC,UAAUC,OAAOD,QAAQJ,OAAO;AACpC,WAASM,QAAQ,GAAGA,QAAQF,QAAQG,QAAQD,SAAS;AACnD,QAAI,CAACE,SAASC,MAAM,IAAIL,QAAQE,KAAK;AACrC,QAAII,QAAQX,QAAQY,KAAMC,QAAMA,KAAC,OAAA,SAADA,EAAGC,MAAMC,QAAON,OAAO;AAIvD,QAAI,CAACE,OAAO;AACV;IACD;AAED,QAAIK,eAAeb,eAAeS,KAC/BC,OAAMA,EAAEC,MAAMC,OAAOJ,MAAOG,MAAMC,EAAE;AAEvC,QAAIE,uBACFD,gBAAgB,QAChB,CAACE,mBAAmBF,cAAcL,KAAK,MACtCP,qBAAqBA,kBAAkBO,MAAMG,MAAMC,EAAE,OAAOI;AAE/D,QAAIC,iBAAiBV,MAAM,KAAKO,sBAAsB;AAIpD,YAAMI,oBAAoBX,QAAQR,QAAQ,KAAK,EAAEoB,KAAMZ,CAAAA,YAAU;AAC/D,YAAIA,SAAQ;AACVT,kBAAQQ,OAAO,IAAIC;QACpB;MACH,CAAC;IACF;EACF;AACH;AAEA,eAAea,8BACbvB,SACAC,SACAuB,sBAA2C;AAE3C,WAASjB,QAAQ,GAAGA,QAAQiB,qBAAqBhB,QAAQD,SAAS;AAChE,QAAI;MAAEkB;MAAKhB;MAASiB;IAAY,IAAGF,qBAAqBjB,KAAK;AAC7D,QAAIG,SAAST,QAAQwB,GAAG;AACxB,QAAId,QAAQX,QAAQY,KAAMC,QAAMA,KAAC,OAAA,SAADA,EAAGC,MAAMC,QAAON,OAAO;AAIvD,QAAI,CAACE,OAAO;AACV;IACD;AAED,QAAIS,iBAAiBV,MAAM,GAAG;AAI5BiB,gBACED,YACA,sEAAsE;AAExE,YAAML,oBAAoBX,QAAQgB,WAAWxB,QAAQ,IAAI,EAAEoB,KACxDZ,CAAAA,YAAU;AACT,YAAIA,SAAQ;AACVT,kBAAQwB,GAAG,IAAIf;QAChB;MACH,CAAC;IAEJ;EACF;AACH;AAEA,eAAeW,oBACbX,QACAR,QACA0B,QAAc;AAAA,MAAdA,WAAM,QAAA;AAANA,aAAS;EAAK;AAEd,MAAIC,UAAU,MAAMnB,OAAOoB,aAAaC,YAAY7B,MAAM;AAC1D,MAAI2B,SAAS;AACX;EACD;AAED,MAAID,QAAQ;AACV,QAAI;AACF,aAAO;QACLI,MAAMC,WAAWC;QACjBA,MAAMxB,OAAOoB,aAAaK;;aAErBC,GAAG;AAEV,aAAO;QACLJ,MAAMC,WAAWI;QACjBA,OAAOD;;IAEV;EACF;AAED,SAAO;IACLJ,MAAMC,WAAWC;IACjBA,MAAMxB,OAAOoB,aAAaI;;AAE9B;AAEA,SAASI,mBAAmBC,QAAc;AACxC,SAAO,IAAIC,gBAAgBD,MAAM,EAAEE,OAAO,OAAO,EAAEC,KAAMC,OAAMA,MAAM,EAAE;AACzE;AAEA,SAASC,eACP5C,SACA6C,UAA2B;AAE3B,MAAIN,SACF,OAAOM,aAAa,WAAWC,UAAUD,QAAQ,EAAEN,SAASM,SAASN;AACvE,MACEvC,QAAQA,QAAQQ,SAAS,CAAC,EAAEM,MAAMP,SAClC+B,mBAAmBC,UAAU,EAAE,GAC/B;AAEA,WAAOvC,QAAQA,QAAQQ,SAAS,CAAC;EAClC;AAGD,MAAIuC,cAAcC,2BAA2BhD,OAAO;AACpD,SAAO+C,YAAYA,YAAYvC,SAAS,CAAC;AAC3C;AAEA,SAASyC,4BACPC,YAAsB;AAEtB,MAAI;IAAEC;IAAYC;IAAYC;IAAaC;IAAMC;IAAUC,MAAAA;EAAM,IAC/DN;AACF,MAAI,CAACC,cAAc,CAACC,cAAc,CAACC,aAAa;AAC9C;EACD;AAED,MAAIC,QAAQ,MAAM;AAChB,WAAO;MACLH;MACAC;MACAC;MACAE,UAAUpC;MACVqC,MAAMrC;MACNmC;;EAEH,WAAUC,YAAY,MAAM;AAC3B,WAAO;MACLJ;MACAC;MACAC;MACAE;MACAC,MAAMrC;MACNmC,MAAMnC;;EAET,WAAUqC,UAASrC,QAAW;AAC7B,WAAO;MACLgC;MACAC;MACAC;MACAE,UAAUpC;MACVqC,MAAAA;MACAF,MAAMnC;;EAET;AACH;AAEA,SAASsC,qBACPZ,UACAa,YAAuB;AAEvB,MAAIA,YAAY;AACd,QAAIR,aAA0C;MAC5CS,OAAO;MACPd;MACAM,YAAYO,WAAWP;MACvBC,YAAYM,WAAWN;MACvBC,aAAaK,WAAWL;MACxBE,UAAUG,WAAWH;MACrBC,MAAME,WAAWF;MACjBF,MAAMI,WAAWJ;;AAEnB,WAAOJ;EACR,OAAM;AACL,QAAIA,aAA0C;MAC5CS,OAAO;MACPd;MACAM,YAAYhC;MACZiC,YAAYjC;MACZkC,aAAalC;MACboC,UAAUpC;MACVqC,MAAMrC;MACNmC,MAAMnC;;AAER,WAAO+B;EACR;AACH;AAEA,SAASU,wBACPf,UACAa,YAAsB;AAEtB,MAAIR,aAA6C;IAC/CS,OAAO;IACPd;IACAM,YAAYO,WAAWP;IACvBC,YAAYM,WAAWN;IACvBC,aAAaK,WAAWL;IACxBE,UAAUG,WAAWH;IACrBC,MAAME,WAAWF;IACjBF,MAAMI,WAAWJ;;AAEnB,SAAOJ;AACT;AAEA,SAASW,kBACPH,YACAxB,MAAsB;AAEtB,MAAIwB,YAAY;AACd,QAAII,UAAoC;MACtCH,OAAO;MACPR,YAAYO,WAAWP;MACvBC,YAAYM,WAAWN;MACvBC,aAAaK,WAAWL;MACxBE,UAAUG,WAAWH;MACrBC,MAAME,WAAWF;MACjBF,MAAMI,WAAWJ;MACjBpB;;AAEF,WAAO4B;EACR,OAAM;AACL,QAAIA,UAAoC;MACtCH,OAAO;MACPR,YAAYhC;MACZiC,YAAYjC;MACZkC,aAAalC;MACboC,UAAUpC;MACVqC,MAAMrC;MACNmC,MAAMnC;MACNe;;AAEF,WAAO4B;EACR;AACH;AAEA,SAASC,qBACPL,YACAM,iBAAyB;AAEzB,MAAIF,UAAuC;IACzCH,OAAO;IACPR,YAAYO,WAAWP;IACvBC,YAAYM,WAAWN;IACvBC,aAAaK,WAAWL;IACxBE,UAAUG,WAAWH;IACrBC,MAAME,WAAWF;IACjBF,MAAMI,WAAWJ;IACjBpB,MAAM8B,kBAAkBA,gBAAgB9B,OAAOf;;AAEjD,SAAO2C;AACT;AAEA,SAASG,eAAe/B,MAAqB;AAC3C,MAAI4B,UAAiC;IACnCH,OAAO;IACPR,YAAYhC;IACZiC,YAAYjC;IACZkC,aAAalC;IACboC,UAAUpC;IACVqC,MAAMrC;IACNmC,MAAMnC;IACNe;;AAEF,SAAO4B;AACT;AAEA,SAASI,0BACPC,SACAC,aAAqC;AAErC,MAAI;AACF,QAAIC,mBAAmBF,QAAQG,eAAeC,QAC5CC,uBAAuB;AAEzB,QAAIH,kBAAkB;AACpB,UAAIb,QAAOiB,KAAKC,MAAML,gBAAgB;AACtC,eAAS,CAACM,GAAGhC,CAAC,KAAKrC,OAAOD,QAAQmD,SAAQ,CAAA,CAAE,GAAG;AAC7C,YAAIb,KAAKiC,MAAMC,QAAQlC,CAAC,GAAG;AACzByB,sBAAYU,IAAIH,GAAG,IAAII,IAAIpC,KAAK,CAAA,CAAE,CAAC;QACpC;MACF;IACF;WACMP,GAAG;EACV;AAEJ;AAEA,SAAS4C,0BACPb,SACAC,aAAqC;AAErC,MAAIA,YAAYa,OAAO,GAAG;AACxB,QAAIzB,QAAiC,CAAA;AACrC,aAAS,CAACmB,GAAGhC,CAAC,KAAKyB,aAAa;AAC9BZ,MAAAA,MAAKmB,CAAC,IAAI,CAAC,GAAGhC,CAAC;IAChB;AACD,QAAI;AACFwB,cAAQG,eAAeY,QACrBV,yBACAC,KAAKU,UAAU3B,KAAI,CAAC;aAEfnB,OAAO;AACd+C,cACE,OAC8D/C,gEAAAA,QAAK,IAAI;IAE1E;EACF;AACH;;;;;;;;;;;;;;;;;AClvLO,IAAMgD,oBACLC,oBAA8C,IAAI;AAC1D,IAAAC,MAAa;AACXF,oBAAkBG,cAAc;AAClC;AAEO,IAAMC,yBAA+BH,oBAE1C,IAAI;AACN,IAAAC,MAAa;AACXE,yBAAuBD,cAAc;AACvC;AAEO,IAAME,eAAqBJ,oBAAqC,IAAI;AAC3E,IAAAC,MAAa;AACXG,eAAaF,cAAc;AAC7B;AAsCO,IAAMG,oBAA0BL,oBACrC,IACF;AAEA,IAAAC,MAAa;AACXI,oBAAkBH,cAAc;AAClC;AAOO,IAAMI,kBAAwBN,oBACnC,IACF;AAEA,IAAAC,MAAa;AACXK,kBAAgBJ,cAAc;AAChC;IAQaK,eAAqBP,oBAAkC;EAClEQ,QAAQ;EACRC,SAAS,CAAA;EACTC,aAAa;AACf,CAAC;AAED,IAAAT,MAAa;AACXM,eAAaL,cAAc;AAC7B;AAEO,IAAMS,oBAA0BX,oBAAmB,IAAI;AAE9D,IAAAC,MAAa;AACXU,oBAAkBT,cAAc;AAClC;ACvHO,SAASU,QACdC,IAAMC,OAEE;AAAA,MADR;IAAEC;EAA6C,IAACD,UAAA,SAAG,CAAA,IAAEA;AAErD,GACEE,mBAAkB,IAAEf,OADtBgB;IAEE;;;IACA;EAAA,IAHFA,UAAS,KAAA,IAAA;AAOT,MAAI;IAAEC;IAAUC;EAAU,IAAUC,iBAAWf,iBAAiB;AAChE,MAAI;IAAEgB;IAAMC;IAAUC;EAAO,IAAIC,gBAAgBX,IAAI;IAAEE;EAAS,CAAC;AAEjE,MAAIU,iBAAiBH;AAMrB,MAAIJ,aAAa,KAAK;AACpBO,qBACEH,aAAa,MAAMJ,WAAWQ,UAAU,CAACR,UAAUI,QAAQ,CAAC;EAChE;AAEA,SAAOH,UAAUQ,WAAW;IAAEL,UAAUG;IAAgBF;IAAQF;EAAK,CAAC;AACxE;AAOO,SAASL,qBAA8B;AAC5C,SAAaI,iBAAWd,eAAe,KAAK;AAC9C;AAYO,SAASsB,cAAwB;AACtC,GACEZ,mBAAkB,IAAEf,OADtBgB;IAEE;;;IACA;EAAA,IAHFA,UAAS,KAAA,IAAA;AAOT,SAAaG,iBAAWd,eAAe,EAAEuB;AAC3C;AAQO,SAASC,oBAAoC;AAClD,SAAaV,iBAAWd,eAAe,EAAEyB;AAC3C;AASO,SAASC,SAGdC,SAA+D;AAC/D,GACEjB,mBAAkB,IAAEf,OADtBgB;IAEE;;;IACA;EAAA,IAHFA,UAAS,KAAA,IAAA;AAOT,MAAI;IAAEK;MAAaM,YAAW;AAC9B,SAAaM,cACX,MAAMC,UAA0BF,SAASG,WAAWd,QAAQ,CAAC,GAC7D,CAACA,UAAUW,OAAO,CACpB;AACF;AAUA,IAAMI,wBACJ;AAIF,SAASC,0BACPC,IACA;AACA,MAAIC,WAAiBpB,iBAAWf,iBAAiB,EAAEoC;AACnD,MAAI,CAACD,UAAU;AAIbE,IAAMC,sBAAgBJ,EAAE;EAC1B;AACF;AAQO,SAASK,cAAgC;AAC9C,MAAI;IAAElC;EAAY,IAAUU,iBAAWb,YAAY;AAGnD,SAAOG,cAAcmC,kBAAiB,IAAKC,oBAAmB;AAChE;AAEA,SAASA,sBAAwC;AAC/C,GACE9B,mBAAkB,IAAEf,OADtBgB;IAEE;;;IACA;EAAA,IAHFA,UAAS,KAAA,IAAA;AAOT,MAAI8B,oBAA0B3B,iBAAWrB,iBAAiB;AAC1D,MAAI;IAAEmB;IAAU8B;IAAQ7B;EAAU,IAAUC,iBAAWf,iBAAiB;AACxE,MAAI;IAAEI;EAAQ,IAAUW,iBAAWb,YAAY;AAC/C,MAAI;IAAEe,UAAU2B;MAAqBrB,YAAW;AAEhD,MAAIsB,qBAAqBC,KAAKC,UAC5BC,oBAAoB5C,SAASuC,OAAOM,oBAAoB,CAC1D;AAEA,MAAIC,YAAkBC,aAAO,KAAK;AAClClB,4BAA0B,MAAM;AAC9BiB,cAAUE,UAAU;EACtB,CAAC;AAED,MAAIC,WAAmCC,kBACrC,SAAC9C,IAAiB+C,SAAkC;AAAA,QAAlCA,YAAwB,QAAA;AAAxBA,gBAA2B,CAAA;IAAE;AAC7C3D,WAAA4D,QAAQN,UAAUE,SAASpB,qBAAqB,IAAC;AAIjD,QAAI,CAACkB,UAAUE,QAAS;AAExB,QAAI,OAAO5C,OAAO,UAAU;AAC1BM,gBAAU2C,GAAGjD,EAAE;AACf;IACF;AAEA,QAAIkD,OAAOC,UACTnD,IACAsC,KAAKc,MAAMf,kBAAkB,GAC7BD,kBACAW,QAAQ7C,aAAa,MACvB;AAQA,QAAIgC,qBAAqB,QAAQ7B,aAAa,KAAK;AACjD6C,WAAKzC,WACHyC,KAAKzC,aAAa,MACdJ,WACAQ,UAAU,CAACR,UAAU6C,KAAKzC,QAAQ,CAAC;IAC3C;AAEA,KAAC,CAAC,CAACsC,QAAQM,UAAU/C,UAAU+C,UAAU/C,UAAUgD,MACjDJ,MACAH,QAAQQ,OACRR,OACF;EACF,GACA,CACE1C,UACAC,WACA+B,oBACAD,kBACAF,iBAAiB,CAErB;AAEA,SAAOW;AACT;AAEA,IAAMW,gBAAsBrE,oBAAuB,IAAI;AAOhD,SAASsE,mBAA+C;AAC7D,SAAalD,iBAAWiD,aAAa;AACvC;AAQO,SAASE,UAAUC,SAA8C;AACtE,MAAIhE,SAAeY,iBAAWb,YAAY,EAAEC;AAC5C,MAAIA,QAAQ;AACV,WACEiE,oBAACJ,cAAcK,UAAQ;MAACC,OAAOH;IAAQ,GAAEhE,MAA+B;EAE5E;AACA,SAAOA;AACT;AAQO,SAASoE,YAId;AACA,MAAI;IAAEnE;EAAQ,IAAUW,iBAAWb,YAAY;AAC/C,MAAIsE,aAAapE,QAAQA,QAAQqE,SAAS,CAAC;AAC3C,SAAOD,aAAcA,WAAWE,SAAiB,CAAA;AACnD;AAOO,SAASvD,gBACdX,IAAMmE,QAEA;AAAA,MADN;IAAEjE;EAA6C,IAACiE,WAAA,SAAG,CAAA,IAAEA;AAErD,MAAI;IAAEhC;EAAO,IAAU5B,iBAAWf,iBAAiB;AACnD,MAAI;IAAEI;EAAQ,IAAUW,iBAAWb,YAAY;AAC/C,MAAI;IAAEe,UAAU2B;MAAqBrB,YAAW;AAChD,MAAIsB,qBAAqBC,KAAKC,UAC5BC,oBAAoB5C,SAASuC,OAAOM,oBAAoB,CAC1D;AAEA,SAAapB,cACX,MACE8B,UACEnD,IACAsC,KAAKc,MAAMf,kBAAkB,GAC7BD,kBACAlC,aAAa,MACf,GACF,CAACF,IAAIqC,oBAAoBD,kBAAkBlC,QAAQ,CACrD;AACF;AAUO,SAASkE,UACdC,QACAC,aAC2B;AAC3B,SAAOC,cAAcF,QAAQC,WAAW;AAC1C;AAGO,SAASC,cACdF,QACAC,aACAE,iBACArC,QAC2B;AAC3B,GACEhC,mBAAkB,IAAEf,OADtBgB;IAEE;;;IACA;EAAA,IAHFA,UAAS,KAAA,IAAA;AAOT,MAAI;IAAEE;EAAU,IAAUC,iBAAWf,iBAAiB;AACtD,MAAI;IAAEI,SAAS6E;EAAc,IAAUlE,iBAAWb,YAAY;AAC9D,MAAIsE,aAAaS,cAAcA,cAAcR,SAAS,CAAC;AACvD,MAAIS,eAAeV,aAAaA,WAAWE,SAAS,CAAA;AACpD,MAAIS,iBAAiBX,aAAaA,WAAWvD,WAAW;AACxD,MAAImE,qBAAqBZ,aAAaA,WAAWa,eAAe;AAChE,MAAIC,cAAcd,cAAcA,WAAWe;AAE3C,MAAA3F,MAAa;AAqBX,QAAI4F,aAAcF,eAAeA,YAAY5B,QAAS;AACtD+B,gBACEN,gBACA,CAACG,eAAeE,WAAWE,SAAS,GAAG,GACvC,oEAAA,MACMP,iBAAuCK,2BAAAA,aAAwB,kBAAA;;KAI1BA,2CAAAA,aAAU,oBAC1CA,YAAAA,eAAe,MAAM,MAASA,aAAU,QAAI,MACzD;EACF;AAEA,MAAIG,sBAAsBpE,YAAW;AAErC,MAAIC;AACJ,MAAIsD,aAAa;AAAA,QAAAc;AACf,QAAIC,oBACF,OAAOf,gBAAgB,WAAWgB,UAAUhB,WAAW,IAAIA;AAE7D,MACEM,uBAAuB,SAAGQ,wBACxBC,kBAAkB5E,aAAQ,OAAA,SAA1B2E,sBAA4BG,WAAWX,kBAAkB,MAACxF,OAF9DgB,UAAS,OAGP,8KACmF,iEAClBwE,qBAAkB,SAAI,mBACpES,kBAAkB5E,WAAQ,sCAAuC,IANtFL,UAAS,KAAA,IAAA;AASTY,eAAWqE;EACb,OAAO;AACLrE,eAAWmE;EACb;AAEA,MAAI1E,WAAWO,SAASP,YAAY;AAEpC,MAAI+E,oBAAoB/E;AACxB,MAAImE,uBAAuB,KAAK;AAe9B,QAAIa,iBAAiBb,mBAAmBvB,QAAQ,OAAO,EAAE,EAAEqC,MAAM,GAAG;AACpE,QAAIC,WAAWlF,SAAS4C,QAAQ,OAAO,EAAE,EAAEqC,MAAM,GAAG;AACpDF,wBAAoB,MAAMG,SAASC,MAAMH,eAAexB,MAAM,EAAE4B,KAAK,GAAG;EAC1E;AAEA,MAAIjG,UAAUkG,YAAYzB,QAAQ;IAAE5D,UAAU+E;EAAkB,CAAC;AAEjE,MAAApG,MAAa;AACXA,WAAA4D,QACE8B,eAAelF,WAAW,MAAI,iCACCoB,SAASP,WAAWO,SAASN,SAASM,SAASR,OAAI,IACpF,IAAC;AAEDpB,WAAA4D,QACEpD,WAAW,QACTA,QAAQA,QAAQqE,SAAS,CAAC,EAAEc,MAAMgB,YAAYC,UAC9CpG,QAAQA,QAAQqE,SAAS,CAAC,EAAEc,MAAMkB,cAAcD,UAChDpG,QAAQA,QAAQqE,SAAS,CAAC,EAAEc,MAAMmB,SAASF,QAC7C,qCAAmChF,SAASP,WAAWO,SAASN,SAASM,SAASR,OAAI,6IAGxF,IAAC;EACH;AAEA,MAAI2F,kBAAkBC,eACpBxG,WACEA,QAAQyG,IAAKC,WACXC,OAAOC,OAAO,CAAA,GAAIF,OAAO;IACvBpC,QAAQqC,OAAOC,OAAO,CAAA,GAAI9B,cAAc4B,MAAMpC,MAAM;IACpDzD,UAAUI,UAAU;MAClB+D;;MAEAtE,UAAUmG,iBACNnG,UAAUmG,eAAeH,MAAM7F,QAAQ,EAAEA,WACzC6F,MAAM7F;IAAQ,CACnB;IACDoE,cACEyB,MAAMzB,iBAAiB,MACnBD,qBACA/D,UAAU;MACR+D;;MAEAtE,UAAUmG,iBACNnG,UAAUmG,eAAeH,MAAMzB,YAAY,EAAEpE,WAC7C6F,MAAMzB;IAAY,CACvB;GACR,CACH,GACFJ,eACAD,iBACArC,MACF;AAKA,MAAImC,eAAe6B,iBAAiB;AAClC,WACEvC,oBAACnE,gBAAgBoE,UAAQ;MACvBC,OAAO;QACL9C,UAAQ0F,UAAA;UACNjG,UAAU;UACVC,QAAQ;UACRF,MAAM;UACN+C,OAAO;UACPoD,KAAK;QAAS,GACX3F,QAAQ;QAEbE,gBAAgB0F,OAAeC;MACjC;IAAE,GAEDV,eACuB;EAE9B;AAEA,SAAOA;AACT;AAEA,SAASW,wBAAwB;AAC/B,MAAIC,QAAQC,cAAa;AACzB,MAAIC,UAAUC,qBAAqBH,KAAK,IACjCA,MAAMI,SAAUJ,MAAAA,MAAMK,aACzBL,iBAAiBM,QACjBN,MAAME,UACN3E,KAAKC,UAAUwE,KAAK;AACxB,MAAIO,QAAQP,iBAAiBM,QAAQN,MAAMO,QAAQ;AACnD,MAAIC,YAAY;AAChB,MAAIC,YAAY;IAAEC,SAAS;IAAUC,iBAAiBH;;AACtD,MAAII,aAAa;IAAEF,SAAS;IAAWC,iBAAiBH;;AAExD,MAAIK,UAAU;AACd,MAAAxI,MAAa;AACXyI,YAAQd,MACN,wDACAA,KACF;AAEAa,cACEhE,oBAAAkE,gBACEjG,MAAA+B,oBAAA,KAAA,MAAG,qBAAsB,GACzBA,oBAAA,KAAA,MAAG,gGAEqBA,oBAAA,QAAA;MAAMmE,OAAOJ;OAAY,eAAmB,GAAI,OAAC,KACvE/D,oBAAA,QAAA;MAAMmE,OAAOJ;IAAW,GAAC,cAAkB,GAC1C,sBAAA,CACH;EAEN;AAEA,SACE/D,oBAAAkE,gBAAA,MACElE,oBAAI,MAAA,MAAA,+BAAiC,GACrCA,oBAAA,MAAA;IAAImE,OAAO;MAAEC,WAAW;IAAS;EAAE,GAAEf,OAAY,GAChDK,QAAQ1D,oBAAA,OAAA;IAAKmE,OAAOP;EAAU,GAAEF,KAAW,IAAI,MAC/CM,OACD;AAEN;AAEA,IAAMK,sBAAsBrE,oBAACkD,uBAAqB,IAAE;AAgB7C,IAAMoB,sBAAN,cAAwCjC,gBAG7C;EACAkC,YAAYC,OAAiC;AAC3C,UAAMA,KAAK;AACX,SAAK7E,QAAQ;MACXvC,UAAUoH,MAAMpH;MAChBqH,cAAcD,MAAMC;MACpBtB,OAAOqB,MAAMrB;;EAEjB;EAEA,OAAOuB,yBAAyBvB,OAAY;AAC1C,WAAO;MAAEA;;EACX;EAEA,OAAOwB,yBACLH,OACA7E,OACA;AASA,QACEA,MAAMvC,aAAaoH,MAAMpH,YACxBuC,MAAM8E,iBAAiB,UAAUD,MAAMC,iBAAiB,QACzD;AACA,aAAO;QACLtB,OAAOqB,MAAMrB;QACb/F,UAAUoH,MAAMpH;QAChBqH,cAAcD,MAAMC;;IAExB;AAMA,WAAO;MACLtB,OAAOqB,MAAMrB,UAAUf,SAAYoC,MAAMrB,QAAQxD,MAAMwD;MACvD/F,UAAUuC,MAAMvC;MAChBqH,cAAcD,MAAMC,gBAAgB9E,MAAM8E;;EAE9C;EAEAG,kBAAkBzB,OAAY0B,WAAgB;AAC5CZ,YAAQd,MACN,yDACAA,OACA0B,SACF;EACF;EAEAC,SAAS;AACP,WAAO,KAAKnF,MAAMwD,UAAUf,SAC1BpC,oBAAClE,aAAamE,UAAQ;MAACC,OAAO,KAAKsE,MAAMO;IAAa,GACpD/E,oBAAC9D,kBAAkB+D,UAAQ;MACzBC,OAAO,KAAKP,MAAMwD;MAClB6B,UAAU,KAAKR,MAAMS;IAAU,CAChC,CACoB,IAEvB,KAAKT,MAAMQ;EAEf;AACF;AAQA,SAASE,cAAaC,MAAwD;AAAA,MAAvD;IAAEJ;IAAcrC;IAAOsC;EAA6B,IAACG;AAC1E,MAAI7G,oBAA0B3B,iBAAWrB,iBAAiB;AAI1D,MACEgD,qBACAA,kBAAkBN,UAClBM,kBAAkB8G,kBACjB1C,MAAMvB,MAAMkE,gBAAgB3C,MAAMvB,MAAMmE,gBACzC;AACAhH,sBAAkB8G,cAAcG,6BAA6B7C,MAAMvB,MAAMqE;EAC3E;AAEA,SACExF,oBAAClE,aAAamE,UAAQ;IAACC,OAAO6E;EAAa,GACxCC,QACoB;AAE3B;AAEO,SAASxC,eACdxG,SACA6E,eACAD,iBACArC,QAC2B;AAAA,MAAAkH;AAAA,MAH3B5E,kBAA2B,QAAA;AAA3BA,oBAA8B,CAAA;EAAE;AAAA,MAChCD,oBAA4C,QAAA;AAA5CA,sBAA+C;EAAI;AAAA,MACnDrC,WAAoC,QAAA;AAApCA,aAAuC;EAAI;AAE3C,MAAIvC,WAAW,MAAM;AAAA,QAAA0J;AACnB,QAAI,CAAC9E,iBAAiB;AACpB,aAAO;IACT;AAEA,QAAIA,gBAAgB+E,QAAQ;AAG1B3J,gBAAU4E,gBAAgB5E;IAC5B,YACE0J,UAAAnH,WAAAmH,QAAAA,QAAQE,uBACR/E,cAAcR,WAAW,KACzB,CAACO,gBAAgBiF,eACjBjF,gBAAgB5E,QAAQqE,SAAS,GACjC;AAOArE,gBAAU4E,gBAAgB5E;IAC5B,OAAO;AACL,aAAO;IACT;EACF;AAEA,MAAIuG,kBAAkBvG;AAGtB,MAAI2J,UAAMF,mBAAG7E,oBAAA6E,OAAAA,SAAAA,iBAAiBE;AAC9B,MAAIA,UAAU,MAAM;AAClB,QAAIG,aAAavD,gBAAgBwD,UAC9BC,OAAMA,EAAE7E,MAAMqE,OAAMG,UAAM,OAAA,SAANA,OAASK,EAAE7E,MAAMqE,EAAE,OAAMpD,MAChD;AACA,MACE0D,cAAc,KAACtK,OADjBgB,UAAS,OAAA,8DAEqDmG,OAAOsD,KACjEN,MACF,EAAE1D,KAAK,GAAG,CAAC,IAJbzF,UAAS,KAAA,IAAA;AAMT+F,sBAAkBA,gBAAgBP,MAChC,GACAkE,KAAKC,IAAI5D,gBAAgBlC,QAAQyF,aAAa,CAAC,CACjD;EACF;AAIA,MAAIM,iBAAiB;AACrB,MAAIC,gBAAgB;AACpB,MAAIzF,mBAAmBrC,UAAUA,OAAOqH,qBAAqB;AAC3D,aAASU,IAAI,GAAGA,IAAI/D,gBAAgBlC,QAAQiG,KAAK;AAC/C,UAAI5D,QAAQH,gBAAgB+D,CAAC;AAE7B,UAAI5D,MAAMvB,MAAMoF,mBAAmB7D,MAAMvB,MAAMqF,wBAAwB;AACrEH,wBAAgBC;MAClB;AAEA,UAAI5D,MAAMvB,MAAMqE,IAAI;AAClB,YAAI;UAAEiB;UAAYd,QAAAA;QAAO,IAAI/E;AAC7B,YAAI8F,mBACFhE,MAAMvB,MAAMwF,UACZF,WAAW/D,MAAMvB,MAAMqE,EAAE,MAAMpD,WAC9B,CAACuD,WAAUA,QAAOjD,MAAMvB,MAAMqE,EAAE,MAAMpD;AACzC,YAAIM,MAAMvB,MAAMmB,QAAQoE,kBAAkB;AAIxCN,2BAAiB;AACjB,cAAIC,iBAAiB,GAAG;AACtB9D,8BAAkBA,gBAAgBP,MAAM,GAAGqE,gBAAgB,CAAC;UAC9D,OAAO;AACL9D,8BAAkB,CAACA,gBAAgB,CAAC,CAAC;UACvC;AACA;QACF;MACF;IACF;EACF;AAEA,SAAOA,gBAAgBqE,YAAY,CAAC7K,QAAQ2G,OAAOmE,UAAU;AAE3D,QAAI1D;AACJ,QAAI2D,8BAA8B;AAClC,QAAIzB,eAAuC;AAC3C,QAAImB,yBAAiD;AACrD,QAAI5F,iBAAiB;AACnBuC,cAAQwC,UAAUjD,MAAMvB,MAAMqE,KAAKG,OAAOjD,MAAMvB,MAAMqE,EAAE,IAAIpD;AAC5DiD,qBAAe3C,MAAMvB,MAAMkE,gBAAgBhB;AAE3C,UAAI+B,gBAAgB;AAClB,YAAIC,gBAAgB,KAAKQ,UAAU,GAAG;AACpCxF,sBACE,kBACA,OACA,0EACF;AACAyF,wCAA8B;AAC9BN,mCAAyB;QAC3B,WAAWH,kBAAkBQ,OAAO;AAClCC,wCAA8B;AAC9BN,mCAAyB9D,MAAMvB,MAAMqF,0BAA0B;QACjE;MACF;IACF;AAEA,QAAIxK,WAAU6E,cAAckG,OAAOxE,gBAAgBP,MAAM,GAAG6E,QAAQ,CAAC,CAAC;AACtE,QAAIG,cAAcA,MAAM;AACtB,UAAIhC;AACJ,UAAI7B,OAAO;AACT6B,mBAAWK;iBACFyB,6BAA6B;AACtC9B,mBAAWwB;MACb,WAAW9D,MAAMvB,MAAMkB,WAAW;AAOhC2C,mBAAWhF,oBAAC0C,MAAMvB,MAAMkB,WAAS,IAAE;MACrC,WAAWK,MAAMvB,MAAMgB,SAAS;AAC9B6C,mBAAWtC,MAAMvB,MAAMgB;MACzB,OAAO;AACL6C,mBAAWjJ;MACb;AACA,aACEiE,oBAACkF,eAAa;QACZxC;QACAqC,cAAc;UACZhJ;UACAC,SAAAA;UACAC,aAAa2E,mBAAmB;;QAElCoE;MAAmB,CACpB;;AAML,WAAOpE,oBACJ8B,MAAMvB,MAAMmE,iBAAiB5C,MAAMvB,MAAMkE,gBAAgBwB,UAAU,KACpE7G,oBAACsE,qBAAmB;MAClBlH,UAAUwD,gBAAgBxD;MAC1BqH,cAAc7D,gBAAgB6D;MAC9BQ,WAAWI;MACXlC;MACA6B,UAAUgC,YAAW;MACrBjC,cAAc;QAAEhJ,QAAQ;QAAMC,SAAAA;QAASC,aAAa;MAAK;IAAE,CAC5D,IAED+K,YAAW;KAEZ,IAAiC;AACtC;AAAC,IAEIC,iBAAc,SAAdA,iBAAc;AAAdA,EAAAA,gBAAc,YAAA,IAAA;AAAdA,EAAAA,gBAAc,gBAAA,IAAA;AAAdA,EAAAA,gBAAc,mBAAA,IAAA;AAAA,SAAdA;AAAc,EAAdA,kBAAc,CAAA,CAAA;AAAA,IAMdC,sBAAmB,SAAnBA,sBAAmB;AAAnBA,EAAAA,qBAAmB,YAAA,IAAA;AAAnBA,EAAAA,qBAAmB,eAAA,IAAA;AAAnBA,EAAAA,qBAAmB,eAAA,IAAA;AAAnBA,EAAAA,qBAAmB,eAAA,IAAA;AAAnBA,EAAAA,qBAAmB,eAAA,IAAA;AAAnBA,EAAAA,qBAAmB,oBAAA,IAAA;AAAnBA,EAAAA,qBAAmB,YAAA,IAAA;AAAnBA,EAAAA,qBAAmB,gBAAA,IAAA;AAAnBA,EAAAA,qBAAmB,mBAAA,IAAA;AAAnBA,EAAAA,qBAAmB,YAAA,IAAA;AAAA,SAAnBA;AAAmB,EAAnBA,uBAAmB,CAAA,CAAA;AAaxB,SAASC,0BACPC,UACA;AACA,SAAUA,WAAQ;AACpB;AAEA,SAASC,qBAAqBD,UAA0B;AACtD,MAAIE,MAAY3K,iBAAWrB,iBAAiB;AAC5C,GAAUgM,MAAG9L,OAAbgB,UAAS,OAAM2K,0BAA0BC,QAAQ,CAAC,IAAlD5K,UAAS,KAAA,IAAA;AACT,SAAO8K;AACT;AAEA,SAASC,mBAAmBH,UAA+B;AACzD,MAAIzH,QAAchD,iBAAWjB,sBAAsB;AACnD,GAAUiE,QAAKnE,OAAfgB,UAAS,OAAQ2K,0BAA0BC,QAAQ,CAAC,IAApD5K,UAAS,KAAA,IAAA;AACT,SAAOmD;AACT;AAEA,SAAS6H,gBAAgBJ,UAA+B;AACtD,MAAIjG,QAAcxE,iBAAWb,YAAY;AACzC,GAAUqF,QAAK3F,OAAfgB,UAAS,OAAQ2K,0BAA0BC,QAAQ,CAAC,IAApD5K,UAAS,KAAA,IAAA;AACT,SAAO2E;AACT;AAGA,SAASsG,kBAAkBL,UAA+B;AACxD,MAAIjG,QAAQqG,gBAAgBJ,QAAQ;AACpC,MAAIM,YAAYvG,MAAMnF,QAAQmF,MAAMnF,QAAQqE,SAAS,CAAC;AACtD,GACEqH,UAAUvG,MAAMqE,KAAEhK,OADpBgB,UAEK4K,OAAAA,WAAQ,wDAAA,IAFb5K,UAAS,KAAA,IAAA;AAIT,SAAOkL,UAAUvG,MAAMqE;AACzB;AAKO,SAASmC,aAAa;AAC3B,SAAOF,kBAAkBP,oBAAoBU,UAAU;AACzD;AAMO,SAASC,gBAAgB;AAC9B,MAAIlI,QAAQ4H,mBAAmBL,oBAAoBY,aAAa;AAChE,SAAOnI,MAAMoI;AACf;AAMO,SAASC,iBAAiB;AAC/B,MAAI1J,oBAAoB+I,qBAAqBJ,eAAegB,cAAc;AAC1E,MAAItI,QAAQ4H,mBAAmBL,oBAAoBe,cAAc;AACjE,SAAaxK,cACX,OAAO;IACLyK,YAAY5J,kBAAkB6J,OAAOD;IACrCvI,OAAOA,MAAM8E;EACf,IACA,CAACnG,kBAAkB6J,OAAOD,YAAYvI,MAAM8E,YAAY,CAC1D;AACF;AAMO,SAAS2D,aAAwB;AACtC,MAAI;IAAEpM;IAASyK;EAAW,IAAIc,mBAC5BL,oBAAoBmB,UACtB;AACA,SAAa5K,cACX,MAAMzB,QAAQyG,IAAKuD,OAAMsC,2BAA2BtC,GAAGS,UAAU,CAAC,GAClE,CAACzK,SAASyK,UAAU,CACtB;AACF;AAKO,SAAS8B,gBAAyB;AACvC,MAAI5I,QAAQ4H,mBAAmBL,oBAAoBsB,aAAa;AAChE,MAAIC,UAAUhB,kBAAkBP,oBAAoBsB,aAAa;AAEjE,MAAI7I,MAAMgG,UAAUhG,MAAMgG,OAAO8C,OAAO,KAAK,MAAM;AACjDxE,YAAQd,MACuDsF,6DAAAA,UAAO,GACtE;AACA,WAAOrG;EACT;AACA,SAAOzC,MAAM8G,WAAWgC,OAAO;AACjC;AAKO,SAASC,mBAAmBD,SAA0B;AAC3D,MAAI9I,QAAQ4H,mBAAmBL,oBAAoByB,kBAAkB;AACrE,SAAOhJ,MAAM8G,WAAWgC,OAAO;AACjC;AAKO,SAASG,gBAAyB;AACvC,MAAIjJ,QAAQ4H,mBAAmBL,oBAAoB2B,aAAa;AAChE,MAAIJ,UAAUhB,kBAAkBP,oBAAoBsB,aAAa;AACjE,SAAO7I,MAAMmJ,aAAanJ,MAAMmJ,WAAWL,OAAO,IAAIrG;AACxD;AAOO,SAASgB,gBAAyB;AAAA,MAAA2F;AACvC,MAAI5F,QAAcxG,iBAAWT,iBAAiB;AAC9C,MAAIyD,QAAQ4H,mBAAmBL,oBAAoB8B,aAAa;AAChE,MAAIP,UAAUhB,kBAAkBP,oBAAoB8B,aAAa;AAIjE,MAAI7F,UAAUf,QAAW;AACvB,WAAOe;EACT;AAGA,UAAA4F,gBAAOpJ,MAAMgG,WAANoD,OAAAA,SAAAA,cAAeN,OAAO;AAC/B;AAKO,SAASQ,gBAAyB;AACvC,MAAI/I,QAAcvD,iBAAWhB,YAAY;AACzC,SAAOuE,SAAK,OAAA,SAALA,MAAOgJ;AAChB;AAKO,SAASC,gBAAyB;AACvC,MAAIjJ,QAAcvD,iBAAWhB,YAAY;AACzC,SAAOuE,SAAK,OAAA,SAALA,MAAOkJ;AAChB;AAEA,IAAIC,YAAY;AAQT,SAASC,WAAWC,aAAiD;AAC1E,MAAI;IAAEpB;IAAQ1L;EAAS,IAAI4K,qBAAqBJ,eAAeuC,UAAU;AACzE,MAAI7J,QAAQ4H,mBAAmBL,oBAAoBsC,UAAU;AAE7D,MAAI,CAACC,YAAYC,aAAa,IAAUC,eAAS,EAAE;AACnD,MAAIC,kBAAwB1K,kBACzB2K,SAAQ;AACP,QAAI,OAAON,gBAAgB,YAAY;AACrC,aAAO,CAAC,CAACA;IACX;AACA,QAAI9M,aAAa,KAAK;AACpB,aAAO8M,YAAYM,GAAG;IACxB;AAKA,QAAI;MAAEC;MAAiBC;MAAcC;IAAc,IAAIH;AACvD,WAAON,YAAY;MACjBO,iBAAehH,UAAA,CAAA,GACVgH,iBAAe;QAClBjN,UACEoN,cAAcH,gBAAgBjN,UAAUJ,QAAQ,KAChDqN,gBAAgBjN;OACnB;MACDkN,cAAYjH,UAAA,CAAA,GACPiH,cAAY;QACflN,UACEoN,cAAcF,aAAalN,UAAUJ,QAAQ,KAC7CsN,aAAalN;OAChB;MACDmN;IACF,CAAC;EACH,GACA,CAACvN,UAAU8M,WAAW,CACxB;AAIAtL,EAAMiM,gBAAU,MAAM;AACpB,QAAInH,MAAMoH,OAAO,EAAEd,SAAS;AAC5BK,kBAAc3G,GAAG;AACjB,WAAO,MAAMoF,OAAOiC,cAAcrH,GAAG;EACvC,GAAG,CAACoF,MAAM,CAAC;AAMXlK,EAAMiM,gBAAU,MAAM;AACpB,QAAIT,eAAe,IAAI;AACrBtB,aAAOkC,WAAWZ,YAAYG,eAAe;IAC/C;KACC,CAACzB,QAAQsB,YAAYG,eAAe,CAAC;AAIxC,SAAOH,cAAc9J,MAAM2K,SAASC,IAAId,UAAU,IAC9C9J,MAAM2K,SAASE,IAAIf,UAAU,IAC7BgB;AACN;AAMA,SAASrM,oBAAsC;AAC7C,MAAI;IAAE+J;EAAO,IAAId,qBAAqBJ,eAAeyD,iBAAiB;AACtE,MAAIlF,KAAKiC,kBAAkBP,oBAAoBwD,iBAAiB;AAEhE,MAAI5L,YAAkBC,aAAO,KAAK;AAClClB,4BAA0B,MAAM;AAC9BiB,cAAUE,UAAU;EACtB,CAAC;AAED,MAAIC,WAAmCC,kBACrC,SAAC9C,IAAiB+C,SAAkC;AAAA,QAAlCA,YAAwB,QAAA;AAAxBA,gBAA2B,CAAA;IAAE;AAC7C3D,WAAA4D,QAAQN,UAAUE,SAASpB,qBAAqB,IAAC;AAIjD,QAAI,CAACkB,UAAUE,QAAS;AAExB,QAAI,OAAO5C,OAAO,UAAU;AAC1B+L,aAAOlJ,SAAS7C,EAAE;IACpB,OAAO;AACL+L,aAAOlJ,SAAS7C,IAAE0G,UAAA;QAAI6H,aAAanF;SAAOrG,OAAO,CAAE;IACrD;EACF,GACA,CAACgJ,QAAQ3C,EAAE,CACb;AAEA,SAAOvG;AACT;AAEA,IAAM2L,kBAAyC,CAAA;AAE/C,SAASvJ,YAAY0B,KAAa8H,MAAexH,SAAiB;AAChE,MAAI,CAACwH,QAAQ,CAACD,gBAAc7H,GAAG,GAAG;AAChC6H,oBAAc7H,GAAG,IAAI;AACrBvH,WAAA4D,QAAQ,OAAOiE,OAAO,IAAC;EACzB;AACF;AC9lCA,IAAMuH,gBAA4C,CAAA;AAE3C,SAASE,SAAS/H,KAAaM,SAAuB;AAC3D,MAAI,CAACuH,cAAcvH,OAAO,GAAG;AAC3BuH,kBAAcvH,OAAO,IAAI;AACzBY,YAAQ8G,KAAK1H,OAAO;EACtB;AACF;AAEA,IAAM2H,iBAAiBA,CAACC,MAAcC,KAAaC,SACjDL,SACEG,MACA,0CAAwCC,MAAG,QAAA,sBACpBD,OAAsC,sCAAA,+BAC9BE,OAAI,IACrC;AAEK,SAASC,yBACdC,cACAC,cACA;AACA,MAAI,EAACD,gBAAY,QAAZA,aAAcE,qBAAoB;AACrCP,mBACE,sBACA,mFACA,gEACF;EACF;AAEA,MACE,EAACK,gBAAAA,QAAAA,aAAcxM,0BACd,CAACyM,gBAAgB,CAACA,aAAazM,uBAChC;AACAmM,mBACE,wBACA,mEACA,kEACF;EACF;AAEA,MAAIM,cAAc;AAChB,QAAI,CAACA,aAAaE,mBAAmB;AACnCR,qBACE,qBACA,0DACA,+DACF;IACF;AAEA,QAAI,CAACM,aAAaG,wBAAwB;AACxCT,qBACE,0BACA,wEACA,oEACF;IACF;AAEA,QAAI,CAACM,aAAa1F,qBAAqB;AACrCoF,qBACE,uBACA,yDACA,iEACF;IACF;AAEA,QAAI,CAACM,aAAaI,gCAAgC;AAChDV,qBACE,kCACA,gFACA,4EACF;IACF;EACF;AACF;ACWA,IAAMW,mBAAmB;AACzB,IAAMC,sBAAsB3N,MAAM0N,gBAAgB;AAuI3C,SAASE,aAAYC,OAMc;AAAA,MANb;IAC3BC;IACAC;IACAC;IACAC;IACAC;EACiB,IAACL;AAClB,MAAIM,aAAmBC,aAAM;AAC7B,MAAID,WAAWE,WAAW,MAAM;AAC9BF,eAAWE,UAAUC,oBAAoB;MACvCN;MACAC;MACAM,UAAU;IACZ,CAAC;EACH;AAEA,MAAIC,UAAUL,WAAWE;AACzB,MAAI,CAACI,OAAOC,YAAY,IAAUC,eAAS;IACzCC,QAAQJ,QAAQI;IAChBC,UAAUL,QAAQK;EACpB,CAAC;AACD,MAAI;IAAEC;EAAmB,IAAIZ,UAAU,CAAA;AACvC,MAAIa,WAAiBC,kBAClBC,cAA6D;AAC5DH,0BAAsBI,sBAClBA,oBAAoB,MAAMR,aAAaO,QAAQ,CAAC,IAChDP,aAAaO,QAAQ;EAC3B,GACA,CAACP,cAAcI,kBAAkB,CACnC;AAEAK,EAAMC,sBAAgB,MAAMZ,QAAQa,OAAON,QAAQ,GAAG,CAACP,SAASO,QAAQ,CAAC;AAEzEI,EAAMG,gBAAU,MAAMC,yBAAyBrB,MAAM,GAAG,CAACA,MAAM,CAAC;AAEhE,SACEsB,oBAACC,QAAM;IACL3B;IACAC;IACAc,UAAUJ,MAAMI;IAChBa,gBAAgBjB,MAAMG;IACtBe,WAAWnB;IACXN;EAAe,CAChB;AAEL;AAkBO,SAAS0B,SAAQC,OAKA;AAAA,MALC;IACvBC;IACAC,SAAAA;IACAtB;IACAuB;EACa,IAACH;AACd,GACEI,mBAAkB,IAAEC,OADtBC;IAEE;;;IACA;EAAA,IAHFA,UAAS,KAAA,IAAA;AAOT,MAAI;IAAEjC;IAAQkC,QAAQC;EAAS,IAAUC,iBAAWC,iBAAiB;AAErEL,SAAAM,QACE,CAACH,UACD,uNAGF,IAAC;AAED,MAAI;IAAEI;EAAQ,IAAUH,iBAAWI,YAAY;AAC/C,MAAI;IAAEC,UAAUC;MAAqBC,YAAW;AAChD,MAAIC,WAAWC,YAAW;AAI1B,MAAIC,OAAOC,UACTnB,IACAoB,oBAAoBT,SAASvC,OAAOiD,oBAAoB,GACxDP,kBACAZ,aAAa,MACf;AACA,MAAIoB,WAAWC,KAAKC,UAAUN,IAAI;AAElC7B,EAAMG,gBACJ,MAAMwB,SAASO,KAAKE,MAAMH,QAAQ,GAAG;IAAErB,SAAAA;IAAStB;IAAOuB;EAAS,CAAC,GACjE,CAACc,UAAUM,UAAUpB,UAAUD,UAAStB,KAAK,CAC/C;AAEA,SAAO;AACT;AAWO,SAAS+C,OAAOC,OAA+C;AACpE,SAAOC,UAAUD,MAAME,OAAO;AAChC;AAmDO,SAASC,MAAMC,QAA+C;AAE5D3B,SADPC,UAAS,OAEP,sIACoE,IAHtEA,UAAS,KAAA;AAKX;AAqBO,SAASV,OAAMqC,OAQqB;AAAA,MARpB;IACrBhE,UAAUiE,eAAe;IACzBhE,WAAW;IACXc,UAAUmD;IACVtC,iBAAiBuC,OAAeC;IAChCvC;IACAS,QAAQ+B,aAAa;IACrBjE;EACW,IAAC4D;AACZ,GACE,CAAC7B,mBAAkB,IAAEC,OADvBC,UAEE,OAAA,wGACqD,IAHvDA,UAAS,KAAA,IAAA;AAQT,MAAIrC,WAAWiE,aAAahC,QAAQ,QAAQ,GAAG;AAC/C,MAAIqC,oBAA0BC,cAC5B,OAAO;IACLvE;IACA6B;IACAS,QAAQ+B;IACRjE,QAAMoE,UAAA;MACJnB,sBAAsB;IAAK,GACxBjD,MAAM;MAGb,CAACJ,UAAUI,QAAQyB,WAAWwC,UAAU,CAC1C;AAEA,MAAI,OAAOH,iBAAiB,UAAU;AACpCA,mBAAeO,UAAUP,YAAY;EACvC;AAEA,MAAI;IACFrB,WAAW;IACX6B,SAAS;IACTC,OAAO;IACPhE,QAAQ;IACRiE,MAAM;EACR,IAAIV;AAEJ,MAAIW,kBAAwBN,cAAQ,MAAM;AACxC,QAAIO,mBAAmBC,cAAclC,UAAU7C,QAAQ;AAEvD,QAAI8E,oBAAoB,MAAM;AAC5B,aAAO;IACT;AAEA,WAAO;MACL/D,UAAU;QACR8B,UAAUiC;QACVJ;QACAC;QACAhE;QACAiE;;MAEFhD;;EAEJ,GAAG,CAAC5B,UAAU6C,UAAU6B,QAAQC,MAAMhE,OAAOiE,KAAKhD,cAAc,CAAC;AAEjEQ,SAAAM,QACEmC,mBAAmB,MACnB,uBAAqB7E,WAAQ,sCAAA,MACvB6C,WAAW6B,SAASC,OAA2C,2CAAA,kDAEvE,IAAC;AAED,MAAIE,mBAAmB,MAAM;AAC3B,WAAO;EACT;AAEA,SACEnD,oBAACe,kBAAkBuC,UAAQ;IAACC,OAAOX;EAAkB,GACnD5C,oBAACwD,gBAAgBF,UAAQ;IAAC/E;IAAoBgF,OAAOJ;EAAgB,CAAE,CAC7C;AAEhC;AAaO,SAASM,OAAMC,OAGqB;AAAA,MAHpB;IACrBnF;IACAc;EACW,IAACqE;AACZ,SAAOC,UAAUC,yBAAyBrF,QAAQ,GAAGc,QAAQ;AAC/D;AAgBO,SAASwE,MAAKC,OAAkD;AAAA,MAAjD;IAAEvF;IAAUwF;IAAcC;EAAoB,IAACF;AACnE,SACE9D,oBAACiE,oBAAkB;IAACD;IAAkBD;KACpC/D,oBAACkE,cAAc3F,MAAAA,QAAuB,CACpB;AAExB;AAAC,IAWI4F,oBAAiB,SAAjBA,oBAAiB;AAAjBA,EAAAA,mBAAAA,mBAAiB,SAAA,IAAA,CAAA,IAAA;AAAjBA,EAAAA,mBAAAA,mBAAiB,SAAA,IAAA,CAAA,IAAA;AAAjBA,EAAAA,mBAAAA,mBAAiB,OAAA,IAAA,CAAA,IAAA;AAAA,SAAjBA;AAAiB,EAAjBA,qBAAiB,CAAA,CAAA;AAMtB,IAAMC,sBAAsB,IAAIC,QAAQ,MAAM;AAAA,CAAE;AAEhD,IAAMJ,qBAAN,cAAuCK,gBAGrC;EACAC,YAAYtC,OAAgC;AAC1C,UAAMA,KAAK;AACX,SAAKhD,QAAQ;MAAEuF,OAAO;;EACxB;EAEA,OAAOC,yBAAyBD,OAAY;AAC1C,WAAO;MAAEA;;EACX;EAEAE,kBAAkBF,OAAYG,WAAgB;AAC5CC,YAAQJ,MACN,oDACAA,OACAG,SACF;EACF;EAEAE,SAAS;AACP,QAAI;MAAEtG;MAAUwF;MAAcC;QAAY,KAAK/B;AAE/C,QAAI6C,UAAiC;AACrC,QAAIC,SAA4BZ,kBAAkBa;AAElD,QAAI,EAAEhB,mBAAmBK,UAAU;AAEjCU,eAASZ,kBAAkBc;AAC3BH,gBAAUT,QAAQL,QAAO;AACzBkB,aAAOC,eAAeL,SAAS,YAAY;QAAEM,KAAKA,MAAM;MAAK,CAAC;AAC9DF,aAAOC,eAAeL,SAAS,SAAS;QAAEM,KAAKA,MAAMpB;MAAQ,CAAC;IAChE,WAAW,KAAK/E,MAAMuF,OAAO;AAE3BO,eAASZ,kBAAkBK;AAC3B,UAAIa,cAAc,KAAKpG,MAAMuF;AAC7BM,gBAAUT,QAAQiB,OAAM,EAAGC,MAAM,MAAM;MAAA,CAAE;AACzCL,aAAOC,eAAeL,SAAS,YAAY;QAAEM,KAAKA,MAAM;MAAK,CAAC;AAC9DF,aAAOC,eAAeL,SAAS,UAAU;QAAEM,KAAKA,MAAMC;MAAY,CAAC;IACrE,WAAYrB,QAA2BwB,UAAU;AAE/CV,gBAAUd;AACVe,eACE,YAAYD,UACRX,kBAAkBK,QAClB,WAAWM,UACXX,kBAAkBc,UAClBd,kBAAkBa;IAC1B,OAAO;AAELD,eAASZ,kBAAkBa;AAC3BE,aAAOC,eAAenB,SAAS,YAAY;QAAEoB,KAAKA,MAAM;MAAK,CAAC;AAC9DN,gBAAUd,QAAQyB,KACfC,UACCR,OAAOC,eAAenB,SAAS,SAAS;QAAEoB,KAAKA,MAAMM;OAAM,GAC5DlB,WACCU,OAAOC,eAAenB,SAAS,UAAU;QAAEoB,KAAKA,MAAMZ;MAAM,CAAC,CACjE;IACF;AAEA,QACEO,WAAWZ,kBAAkBK,SAC7BM,QAAQa,kBAAkBC,sBAC1B;AAEA,YAAMxB;IACR;AAEA,QAAIW,WAAWZ,kBAAkBK,SAAS,CAACT,cAAc;AAEvD,YAAMe,QAAQa;IAChB;AAEA,QAAIZ,WAAWZ,kBAAkBK,OAAO;AAEtC,aAAOxE,oBAAC6F,aAAavC,UAAQ;QAACC,OAAOuB;QAASvG,UAAUwF;MAAa,CAAE;IACzE;AAEA,QAAIgB,WAAWZ,kBAAkBc,SAAS;AAExC,aAAOjF,oBAAC6F,aAAavC,UAAQ;QAACC,OAAOuB;QAASvG;MAAmB,CAAE;IACrE;AAGA,UAAMuG;EACR;AACF;AAMA,SAASZ,aAAY4B,OAIlB;AAAA,MAJmB;IACpBvH;EAGF,IAACuH;AACC,MAAIJ,OAAOK,cAAa;AACxB,MAAIC,WAAW,OAAOzH,aAAa,aAAaA,SAASmH,IAAI,IAAInH;AACjE,SAAOyB,oBAAAiG,gBAAGD,MAAAA,QAAW;AACvB;AAaO,SAASpC,yBACdrF,UACA2H,YACe;AAAA,MADfA,eAAoB,QAAA;AAApBA,iBAAuB,CAAA;EAAE;AAEzB,MAAIC,SAAwB,CAAA;AAE5BxG,EAAMyG,eAASC,QAAQ9H,UAAU,CAAC+H,SAASC,UAAU;AACnD,QAAI,CAAOC,qBAAeF,OAAO,GAAG;AAGlC;IACF;AAEA,QAAIG,WAAW,CAAC,GAAGP,YAAYK,KAAK;AAEpC,QAAID,QAAQI,SAAeT,gBAAU;AAEnCE,aAAOQ,KAAKC,MACVT,QACAvC,yBAAyB0C,QAAQrE,MAAM1D,UAAUkI,QAAQ,CAC3D;AACA;IACF;AAEA,MACEH,QAAQI,SAAStE,SAAK1B,OADxBC,UAGI,OAAA,OAAA,OAAO2F,QAAQI,SAAS,WAAWJ,QAAQI,OAAOJ,QAAQI,KAAKG,QAAI,wGAAA,IAHvElG,UAAS,KAAA,IAAA;AAOT,MACE,CAAC2F,QAAQrE,MAAMsE,SAAS,CAACD,QAAQrE,MAAM1D,YAAQmC,OADjDC,UAAS,OAEP,0CAA0C,IAF5CA,UAAS,KAAA,IAAA;AAKT,QAAImG,QAAqB;MACvBC,IAAIT,QAAQrE,MAAM8E,MAAMN,SAASO,KAAK,GAAG;MACzCC,eAAeX,QAAQrE,MAAMgF;MAC7BX,SAASA,QAAQrE,MAAMqE;MACvBhC,WAAWgC,QAAQrE,MAAMqC;MACzBiC,OAAOD,QAAQrE,MAAMsE;MACrB/E,MAAM8E,QAAQrE,MAAMT;MACpB0F,QAAQZ,QAAQrE,MAAMiF;MACtB9H,QAAQkH,QAAQrE,MAAM7C;MACtB2E,cAAcuC,QAAQrE,MAAM8B;MAC5BoD,eAAeb,QAAQrE,MAAMkF;MAC7BC,kBACEd,QAAQrE,MAAMkF,iBAAiB,QAC/Bb,QAAQrE,MAAM8B,gBAAgB;MAChCsD,kBAAkBf,QAAQrE,MAAMoF;MAChCC,QAAQhB,QAAQrE,MAAMqF;MACtBC,MAAMjB,QAAQrE,MAAMsF;;AAGtB,QAAIjB,QAAQrE,MAAM1D,UAAU;AAC1BuI,YAAMvI,WAAWqF,yBACf0C,QAAQrE,MAAM1D,UACdkI,QACF;IACF;AAEAN,WAAOQ,KAAKG,KAAK;EACnB,CAAC;AAED,SAAOX;AACT;AAKO,SAASqB,cACdvG,SAC2B;AAC3B,SAAOwG,eAAexG,OAAO;AAC/B;ACtfA,SAASyG,mBAAmBZ,OAAoB;AAC9C,MAAIa,UAAgE;;;IAGlEP,kBAAkBN,MAAMK,iBAAiB,QAAQL,MAAM/C,gBAAgB;;AAGzE,MAAI+C,MAAMxC,WAAW;AACnB,QAAA5D,MAAa;AACX,UAAIoG,MAAMR,SAAS;AACjB5F,eAAAM,QACE,OACA,iGAEF,IAAC;MACH;IACF;AACAkE,WAAO0C,OAAOD,SAAS;MACrBrB,SAAetG,oBAAc8G,MAAMxC,SAAS;MAC5CA,WAAWuD;IACb,CAAC;EACH;AAEA,MAAIf,MAAMgB,iBAAiB;AACzB,QAAApH,MAAa;AACX,UAAIoG,MAAMiB,wBAAwB;AAChCrH,eAAAM,QACE,OACA,4HAEF,IAAC;MACH;IACF;AACAkE,WAAO0C,OAAOD,SAAS;MACrBI,wBAA8B/H,oBAAc8G,MAAMgB,eAAe;MACjEA,iBAAiBD;IACnB,CAAC;EACH;AAEA,MAAIf,MAAMK,eAAe;AACvB,QAAAzG,MAAa;AACX,UAAIoG,MAAM/C,cAAc;AACtBrD,eAAAM,QACE,OACA,8GAEF,IAAC;MACH;IACF;AACAkE,WAAO0C,OAAOD,SAAS;MACrB5D,cAAoB/D,oBAAc8G,MAAMK,aAAa;MACrDA,eAAeU;IACjB,CAAC;EACH;AAEA,SAAOF;AACT;AAEO,SAASK,mBACd7B,QACA8B,MASa;AACb,SAAOC,aAAa;IAClB5J,UAAU2J,QAAAA,OAAAA,SAAAA,KAAM3J;IAChBI,QAAMoE,UAAA,CAAA,GACDmF,QAAAA,OAAAA,SAAAA,KAAMvJ,QAAM;MACfyJ,oBAAoB;KACrB;IACDnJ,SAASF,oBAAoB;MAC3BN,gBAAgByJ,QAAAA,OAAAA,SAAAA,KAAMzJ;MACtBC,cAAcwJ,QAAAA,OAAAA,SAAAA,KAAMxJ;IACtB,CAAC;IACD2J,eAAeH,QAAAA,OAAAA,SAAAA,KAAMG;IACrBjC;IACAuB;IACAW,cAAcJ,QAAAA,OAAAA,SAAAA,KAAMI;IACpBC,yBAAyBL,QAAAA,OAAAA,SAAAA,KAAMK;EACjC,CAAC,EAAEC,WAAU;AACf;;;;;;;;;;;;;;;;;;;;;;;;;;;;;AClUO,IAAMC,gBAAgC;AAC7C,IAAMC,iBAA8B;AAE9B,SAAUC,cAAcC,QAAW;AACvC,SAAOA,UAAU,QAAQ,OAAOA,OAAOC,YAAY;AACrD;AAEM,SAAUC,gBAAgBF,QAAW;AACzC,SAAOD,cAAcC,MAAM,KAAKA,OAAOC,QAAQE,YAAW,MAAO;AACnE;AAEM,SAAUC,cAAcJ,QAAW;AACvC,SAAOD,cAAcC,MAAM,KAAKA,OAAOC,QAAQE,YAAW,MAAO;AACnE;AAEM,SAAUE,eAAeL,QAAW;AACxC,SAAOD,cAAcC,MAAM,KAAKA,OAAOC,QAAQE,YAAW,MAAO;AACnE;AAOA,SAASG,gBAAgBC,OAAwB;AAC/C,SAAO,CAAC,EAAEA,MAAMC,WAAWD,MAAME,UAAUF,MAAMG,WAAWH,MAAMI;AACpE;AAEgB,SAAAC,uBACdL,OACAM,QAAe;AAEf,SACEN,MAAMO,WAAW;GAChB,CAACD,UAAUA,WAAW;EACvB,CAACP,gBAAgBC,KAAK;AAE1B;AA+BgB,SAAAQ,mBACdC,MAA8B;AAAA,MAA9BA,SAAA,QAAA;AAAAA,WAA4B;EAAE;AAE9B,SAAO,IAAIC,gBACT,OAAOD,SAAS,YAChBE,MAAMC,QAAQH,IAAI,KAClBA,gBAAgBC,kBACZD,OACAI,OAAOC,KAAKL,IAAI,EAAEM,OAAO,CAACC,OAAMC,QAAO;AACrC,QAAIC,QAAQT,KAAKQ,GAAG;AACpB,WAAOD,MAAKG,OACVR,MAAMC,QAAQM,KAAK,IAAIA,MAAME,IAAKC,OAAM,CAACJ,KAAKI,CAAC,CAAC,IAAI,CAAC,CAACJ,KAAKC,KAAK,CAAC,CAAC;KAEnE,CAAA,CAAyB,CAAC;AAErC;AAEgB,SAAAI,2BACdC,gBACAC,qBAA2C;AAE3C,MAAIC,eAAejB,mBAAmBe,cAAc;AAEpD,MAAIC,qBAAqB;AAMvBA,wBAAoBE,QAAQ,CAACC,GAAGV,QAAO;AACrC,UAAI,CAACQ,aAAaG,IAAIX,GAAG,GAAG;AAC1BO,4BAAoBK,OAAOZ,GAAG,EAAES,QAASR,WAAS;AAChDO,uBAAaK,OAAOb,KAAKC,KAAK;QAChC,CAAC;MACF;IACH,CAAC;EACF;AAED,SAAOO;AACT;AAoBA,IAAIM,6BAA6C;AAEjD,SAASC,+BAA4B;AACnC,MAAID,+BAA+B,MAAM;AACvC,QAAI;AACF,UAAIE;QACFC,SAASC,cAAc,MAAM;;QAE7B;MAAC;AAEHJ,mCAA6B;aACtBK,GAAG;AACVL,mCAA6B;IAC9B;EACF;AACD,SAAOA;AACT;AAgFA,IAAMM,wBAA0C,oBAAIC,IAAI,CACtD,qCACA,uBACA,YAAY,CACb;AAED,SAASC,eAAeC,SAAsB;AAC5C,MAAIA,WAAW,QAAQ,CAACH,sBAAsBT,IAAIY,OAAsB,GAAG;AACzEC,WAAAC,QACE,OACA,MAAIF,UACsBjD,+DAAAA,0BAAAA,iBAAc,IAAG,IAC5C;AAED,WAAO;EACR;AACD,SAAOiD;AACT;AAEgB,SAAAG,sBACdrC,QACAsC,UAAgB;AAQhB,MAAIC;AACJ,MAAIC;AACJ,MAAIN;AACJ,MAAIO;AACJ,MAAIC;AAEJ,MAAInD,cAAcS,MAAM,GAAG;AAIzB,QAAI2C,OAAO3C,OAAO4C,aAAa,QAAQ;AACvCJ,aAASG,OAAOE,cAAcF,MAAML,QAAQ,IAAI;AAChDC,aAASvC,OAAO4C,aAAa,QAAQ,KAAK5D;AAC1CkD,cAAUD,eAAejC,OAAO4C,aAAa,SAAS,CAAC,KAAK3D;AAE5DwD,eAAW,IAAId,SAAS3B,MAAM;aAE9BX,gBAAgBW,MAAM,KACrBR,eAAeQ,MAAM,MACnBA,OAAO8C,SAAS,YAAY9C,OAAO8C,SAAS,UAC/C;AACA,QAAIC,OAAO/C,OAAO+C;AAElB,QAAIA,QAAQ,MAAM;AAChB,YAAM,IAAIC,MAAK,oEACuD;IAEvE;AAOD,QAAIL,OAAO3C,OAAO4C,aAAa,YAAY,KAAKG,KAAKH,aAAa,QAAQ;AAC1EJ,aAASG,OAAOE,cAAcF,MAAML,QAAQ,IAAI;AAEhDC,aACEvC,OAAO4C,aAAa,YAAY,KAChCG,KAAKH,aAAa,QAAQ,KAC1B5D;AACFkD,cACED,eAAejC,OAAO4C,aAAa,aAAa,CAAC,KACjDX,eAAec,KAAKH,aAAa,SAAS,CAAC,KAC3C3D;AAGFwD,eAAW,IAAId,SAASoB,MAAM/C,MAAM;AAMpC,QAAI,CAAC0B,6BAA4B,GAAI;AACnC,UAAI;QAAEuB;QAAMH;QAAMlC;MAAK,IAAKZ;AAC5B,UAAI8C,SAAS,SAAS;AACpB,YAAII,SAASD,OAAUA,OAAI,MAAM;AACjCR,iBAASjB,OAAU0B,SAAM,KAAK,GAAG;AACjCT,iBAASjB,OAAU0B,SAAM,KAAK,GAAG;iBACxBD,MAAM;AACfR,iBAASjB,OAAOyB,MAAMrC,KAAK;MAC5B;IACF;EACF,WAAU1B,cAAcc,MAAM,GAAG;AAChC,UAAM,IAAIgD,MACR,oFAC+B;EAElC,OAAM;AACLT,aAASvD;AACTwD,aAAS;AACTN,cAAUjD;AACVyD,WAAO1C;EACR;AAGD,MAAIyC,YAAYP,YAAY,cAAc;AACxCQ,WAAOD;AACPA,eAAWU;EACZ;AAED,SAAO;IAAEX;IAAQD,QAAQA,OAAOjD,YAAW;IAAI4C;IAASO;IAAUC;;AACpE;;;;AC/FA,IAAAU,uBAAA;AAEA,IAAI;AACFC,SAAOC,uBAAuBF;AAC/B,SAAQtB,GAAG;AACV;AAgBc,SAAAyB,oBACdC,QACAC,MAAoB;AAEpB,SAAOC,aAAa;IAClBpB,UAAUmB,QAAAA,OAAAA,SAAAA,KAAMnB;IAChBqB,QAAMC,UAAA,CAAA,GACDH,QAAAA,OAAAA,SAAAA,KAAME,QAAM;MACfE,oBAAoB;KACrB;IACDC,SAASC,qBAAqB;MAAEV,QAAQI,QAAAA,OAAAA,SAAAA,KAAMJ;IAAM,CAAE;IACtDW,gBAAeP,QAAAA,OAAAA,SAAAA,KAAMO,kBAAiBC,mBAAkB;IACxDT;;IAEAU,cAAcT,QAAAA,OAAAA,SAAAA,KAAMS;IACpBC,yBAAyBV,QAAAA,OAAAA,SAAAA,KAAMU;IAC/Bd,QAAQI,QAAAA,OAAAA,SAAAA,KAAMJ;GACf,EAAEe,WAAU;AACf;AAEgB,SAAAC,iBACdb,QACAC,MAAoB;AAEpB,SAAOC,aAAa;IAClBpB,UAAUmB,QAAAA,OAAAA,SAAAA,KAAMnB;IAChBqB,QAAMC,UAAA,CAAA,GACDH,QAAAA,OAAAA,SAAAA,KAAME,QAAM;MACfE,oBAAoB;KACrB;IACDC,SAASQ,kBAAkB;MAAEjB,QAAQI,QAAAA,OAAAA,SAAAA,KAAMJ;IAAM,CAAE;IACnDW,gBAAeP,QAAAA,OAAAA,SAAAA,KAAMO,kBAAiBC,mBAAkB;IACxDT;;IAEAU,cAAcT,QAAAA,OAAAA,SAAAA,KAAMS;IACpBC,yBAAyBV,QAAAA,OAAAA,SAAAA,KAAMU;IAC/Bd,QAAQI,QAAAA,OAAAA,SAAAA,KAAMJ;GACf,EAAEe,WAAU;AACf;AAEA,SAASH,qBAAkB;AAAA,MAAAM;AACzB,MAAIC,SAAKD,UAAGlB,WAAAkB,OAAAA,SAAAA,QAAQE;AACpB,MAAID,SAASA,MAAME,QAAQ;AACzBF,YAAKZ,UAAA,CAAA,GACAY,OAAK;MACRE,QAAQC,kBAAkBH,MAAME,MAAM;KACvC;EACF;AACD,SAAOF;AACT;AAEA,SAASG,kBACPD,QAAsC;AAEtC,MAAI,CAACA,OAAQ,QAAO;AACpB,MAAIE,UAAUrE,OAAOqE,QAAQF,MAAM;AACnC,MAAIG,aAA6C,CAAA;AACjD,WAAS,CAAClE,KAAKmE,GAAG,KAAKF,SAAS;AAG9B,QAAIE,OAAOA,IAAIC,WAAW,sBAAsB;AAC9CF,iBAAWlE,GAAG,IAAI,IAAIqE,kBACpBF,IAAIG,QACJH,IAAII,YACJJ,IAAIK,MACJL,IAAIM,aAAa,IAAI;eAEdN,OAAOA,IAAIC,WAAW,SAAS;AAExC,UAAID,IAAIO,WAAW;AACjB,YAAIC,mBAAmBjC,OAAOyB,IAAIO,SAAS;AAC3C,YAAI,OAAOC,qBAAqB,YAAY;AAC1C,cAAI;AAEF,gBAAIC,QAAQ,IAAID,iBAAiBR,IAAIU,OAAO;AAG5CD,kBAAME,QAAQ;AACdZ,uBAAWlE,GAAG,IAAI4E;mBACXzD,GAAG;UACV;QAEH;MACF;AAED,UAAI+C,WAAWlE,GAAG,KAAK,MAAM;AAC3B,YAAI4E,QAAQ,IAAIvC,MAAM8B,IAAIU,OAAO;AAGjCD,cAAME,QAAQ;AACdZ,mBAAWlE,GAAG,IAAI4E;MACnB;IACF,OAAM;AACLV,iBAAWlE,GAAG,IAAImE;IACnB;EACF;AACD,SAAOD;AACT;AAmBA,IAAMa,wBAA8BC,qBAA2C;EAC7EC,iBAAiB;AAClB,CAAA;AACD,IAAAzD,MAAa;AACXuD,wBAAsBG,cAAc;AACrC;AAOKC,IAAAA,kBAAwBH,qBAAqC,oBAAII,IAAG,CAAE;AAC5E,IAAA5D,MAAa;AACX2D,kBAAgBD,cAAc;AAC/B;AA+BD,IAAMG,oBAAmB;AACzB,IAAMC,uBAAsBC,OAAMF,iBAAgB;AAClD,IAAMG,aAAa;AACnB,IAAMC,gBAAgBC,SAASF,UAAU;AACzC,IAAMG,SAAS;AACf,IAAMC,YAAYL,OAAMI,MAAM;AAE9B,SAASE,oBAAoBC,IAAc;AACzC,MAAIR,sBAAqB;AACvBA,IAAAA,qBAAoBQ,EAAE;EACvB,OAAM;AACLA,OAAE;EACH;AACH;AAEA,SAASC,cAAcD,IAAc;AACnC,MAAIL,eAAe;AACjBA,kBAAcK,EAAE;EACjB,OAAM;AACLA,OAAE;EACH;AACH;AASA,IAAME,WAAN,MAAc;EAOZC,cAAA;AANA,SAAM3B,SAAwC;AAO5C,SAAK4B,UAAU,IAAIC,QAAQ,CAACC,SAASC,WAAU;AAC7C,WAAKD,UAAWnG,WAAS;AACvB,YAAI,KAAKqE,WAAW,WAAW;AAC7B,eAAKA,SAAS;AACd8B,kBAAQnG,KAAK;QACd;;AAEH,WAAKoG,SAAUC,YAAU;AACvB,YAAI,KAAKhC,WAAW,WAAW;AAC7B,eAAKA,SAAS;AACd+B,iBAAOC,MAAM;QACd;;IAEL,CAAC;EACH;AACD;AAKK,SAAUC,eAAcC,MAIR;AAAA,MAJS;IAC7BC;IACAC;IACA1D;EACoB,IAAAwD;AACpB,MAAI,CAAC3C,OAAO8C,YAAY,IAAUC,gBAASF,OAAO7C,KAAK;AACvD,MAAI,CAACgD,cAAcC,eAAe,IAAUF,gBAAQ;AACpD,MAAI,CAACG,WAAWC,YAAY,IAAUJ,gBAAsC;IAC1E3B,iBAAiB;EAClB,CAAA;AACD,MAAI,CAACgC,WAAWC,YAAY,IAAUN,gBAAQ;AAC9C,MAAI,CAACO,YAAYC,aAAa,IAAUR,gBAAQ;AAChD,MAAI,CAACS,cAAcC,eAAe,IAAUV,gBAAQ;AAKpD,MAAIW,cAAoBC,cAAyB,oBAAIpC,IAAG,CAAE;AAC1D,MAAI;IAAEqC;EAAkB,IAAKzE,UAAU,CAAA;AAEvC,MAAI0E,uBAA6BC,mBAC9B7B,QAAkB;AACjB,QAAI2B,oBAAoB;AACtB5B,0BAAoBC,EAAE;IACvB,OAAM;AACLA,SAAE;IACH;EACH,GACA,CAAC2B,kBAAkB,CAAC;AAGtB,MAAIG,WAAiBD,mBACnB,CACEE,UAAqBC,UAMnB;AAAA,QALF;MACEC;MACAC;MACAC;IACD,IAAAH;AAEDC,oBAAgBtH,QAAST,SAAQuH,YAAYW,QAAQC,OAAOnI,GAAG,CAAC;AAChE6H,aAASO,SAAS3H,QAAQ,CAAC4H,SAASrI,QAAO;AACzC,UAAIqI,QAAQ7D,SAAShC,QAAW;AAC9B+E,oBAAYW,QAAQI,IAAItI,KAAKqI,QAAQ7D,IAAI;MAC1C;IACH,CAAC;AAED,QAAI+D,8BACF7B,OAAOhE,UAAU,QACjBgE,OAAOhE,OAAOzB,YAAY,QAC1B,OAAOyF,OAAOhE,OAAOzB,SAASuH,wBAAwB;AAIxD,QAAI,CAACP,sBAAsBM,6BAA6B;AACtD,UAAIP,WAAW;AACbjC,sBAAc,MAAMY,aAAakB,QAAQ,CAAC;MAC3C,OAAM;AACLH,6BAAqB,MAAMf,aAAakB,QAAQ,CAAC;MAClD;AACD;IACD;AAGD,QAAIG,WAAW;AAEbjC,oBAAc,MAAK;AAEjB,YAAIoB,YAAY;AACdF,uBAAaA,UAAUb,QAAO;AAC9Be,qBAAWsB,eAAc;QAC1B;AACDzB,qBAAa;UACX/B,iBAAiB;UACjB+C,WAAW;UACXU,iBAAiBT,mBAAmBS;UACpCC,cAAcV,mBAAmBU;QAClC,CAAA;MACH,CAAC;AAGD,UAAIC,IAAIlC,OAAOhE,OAAQzB,SAASuH,oBAAoB,MAAK;AACvDzC,sBAAc,MAAMY,aAAakB,QAAQ,CAAC;MAC5C,CAAC;AAGDe,QAAEC,SAASC,QAAQ,MAAK;AACtB/C,sBAAc,MAAK;AACjBmB,uBAAa1E,MAAS;AACtB4E,wBAAc5E,MAAS;AACvBsE,0BAAgBtE,MAAS;AACzBwE,uBAAa;YAAE/B,iBAAiB;UAAK,CAAE;QACzC,CAAC;MACH,CAAC;AAEDc,oBAAc,MAAMqB,cAAcwB,CAAC,CAAC;AACpC;IACD;AAGD,QAAIzB,YAAY;AAGdF,mBAAaA,UAAUb,QAAO;AAC9Be,iBAAWsB,eAAc;AACzBnB,sBAAgB;QACdzD,OAAOgE;QACPa,iBAAiBT,mBAAmBS;QACpCC,cAAcV,mBAAmBU;MAClC,CAAA;IACF,OAAM;AAEL7B,sBAAgBe,QAAQ;AACxBb,mBAAa;QACX/B,iBAAiB;QACjB+C,WAAW;QACXU,iBAAiBT,mBAAmBS;QACpCC,cAAcV,mBAAmBU;MAClC,CAAA;IACF;EACH,GACA,CAACjC,OAAOhE,QAAQyE,YAAYF,WAAWM,aAAaG,oBAAoB,CAAC;AAK3EnC,EAAMwD,uBAAgB,MAAMrC,OAAOsC,UAAUpB,QAAQ,GAAG,CAAClB,QAAQkB,QAAQ,CAAC;AAI1ErC,EAAM0D,iBAAU,MAAK;AACnB,QAAIlC,UAAU9B,mBAAmB,CAAC8B,UAAUiB,WAAW;AACrDd,mBAAa,IAAIlB,SAAQ,CAAQ;IAClC;EACH,GAAG,CAACe,SAAS,CAAC;AAKdxB,EAAM0D,iBAAU,MAAK;AACnB,QAAIhC,aAAaJ,gBAAgBH,OAAOhE,QAAQ;AAC9C,UAAImF,WAAWhB;AACf,UAAIqC,gBAAgBjC,UAAUf;AAC9B,UAAIiB,cAAaT,OAAOhE,OAAOzB,SAASuH,oBAAoB,YAAW;AACrEd,6BAAqB,MAAMf,aAAakB,QAAQ,CAAC;AACjD,cAAMqB;MACR,CAAC;AACD/B,MAAAA,YAAW0B,SAASC,QAAQ,MAAK;AAC/B5B,qBAAa1E,MAAS;AACtB4E,sBAAc5E,MAAS;AACvBsE,wBAAgBtE,MAAS;AACzBwE,qBAAa;UAAE/B,iBAAiB;QAAK,CAAE;MACzC,CAAC;AACDmC,oBAAcD,WAAU;IACzB;EACH,GAAG,CAACO,sBAAsBb,cAAcI,WAAWP,OAAOhE,MAAM,CAAC;AAIjE6C,EAAM0D,iBAAU,MAAK;AACnB,QACEhC,aACAJ,gBACAhD,MAAMsF,SAASnJ,QAAQ6G,aAAasC,SAASnJ,KAC7C;AACAiH,gBAAUb,QAAO;IAClB;EACH,GAAG,CAACa,WAAWE,YAAYtD,MAAMsF,UAAUtC,YAAY,CAAC;AAIxDtB,EAAM0D,iBAAU,MAAK;AACnB,QAAI,CAAClC,UAAU9B,mBAAmBoC,cAAc;AAC9CP,sBAAgBO,aAAaxD,KAAK;AAClCmD,mBAAa;QACX/B,iBAAiB;QACjB+C,WAAW;QACXU,iBAAiBrB,aAAaqB;QAC9BC,cAActB,aAAasB;MAC5B,CAAA;AACDrB,sBAAgB9E,MAAS;IAC1B;KACA,CAACuE,UAAU9B,iBAAiBoC,YAAY,CAAC;AAE5C9B,EAAM0D,iBAAU,MAAK;AACnBzH,WAAAC,QACEgF,mBAAmB,QAAQ,CAACC,OAAO1D,OAAOoG,qBAC1C,8HACoE,IACrE;KAGA,CAAA,CAAE;AAEL,MAAIC,YAAkBC,eAAQ,MAAgB;AAC5C,WAAO;MACLC,YAAY7C,OAAO6C;MACnBC,gBAAgB9C,OAAO8C;MACvBC,IAAKC,OAAMhD,OAAOiD,SAASD,CAAC;MAC5BE,MAAMA,CAACC,IAAIhG,QAAOf,SAChB4D,OAAOiD,SAASE,IAAI;QAClBhG,OAAAA;QACAiG,oBAAoBhH,QAAAA,OAAAA,SAAAA,KAAMgH;OAC3B;MACHC,SAASA,CAACF,IAAIhG,QAAOf,SACnB4D,OAAOiD,SAASE,IAAI;QAClBE,SAAS;QACTlG,OAAAA;QACAiG,oBAAoBhH,QAAAA,OAAAA,SAAAA,KAAMgH;OAC3B;;EAEP,GAAG,CAACpD,MAAM,CAAC;AAEX,MAAI/E,WAAW+E,OAAO/E,YAAY;AAElC,MAAIqI,oBAA0BV,eAC5B,OAAO;IACL5C;IACA2C;IACAY,QAAQ;IACRtI;MAEF,CAAC+E,QAAQ2C,WAAW1H,QAAQ,CAAC;AAG/B,MAAIuI,eAAqBZ,eACvB,OAAO;IACLa,sBAAsBzD,OAAO1D,OAAOmH;MAEtC,CAACzD,OAAO1D,OAAOmH,oBAAoB,CAAC;AAGtC5E,EAAM0D,iBACJ,MAAMmB,yBAAyBpH,QAAQ0D,OAAO1D,MAAM,GACpD,CAACA,QAAQ0D,OAAO1D,MAAM,CAAC;AASzB,SACE9B,qBAAAmJ,iBAAA,MACEnJ,qBAACoJ,kBAAkBC,UAAS;IAAAtK,OAAO+J;KACjC9I,qBAACsJ,uBAAuBD,UAAS;IAAAtK,OAAO4D;KACrC3C,qBAAAiE,gBAAgBoF,UAAQ;IAACtK,OAAOsH,YAAYW;KAC3ChH,qBAAC6D,sBAAsBwF,UAAS;IAAAtK,OAAO8G;EAAS,GAC9C7F,qBAACuJ,QAAM;IACL9I;IACAwH,UAAUtF,MAAMsF;IAChBuB,gBAAgB7G,MAAM8G;IACtBtB;IACArG,QAAQkH;EAEP,GAAArG,MAAM+G,eAAelE,OAAO1D,OAAOoG,sBAClClI,qBAAC2J,oBACC;IAAAhI,QAAQ6D,OAAO7D;IACfG,QAAQ0D,OAAO1D;IACfa;GAAY,IAGd4C,eACD,CACM,CACsB,CACR,CACK,GAEnC,IAAI;AAGX;AAGA,IAAMoE,qBAA2B9K,YAAK+K,UAAU;AAEhD,SAASA,WAAUC,OAQlB;AAAA,MARmB;IAClBlI;IACAG;IACAa;EAKD,IAAAkH;AACC,SAAOC,cAAcnI,QAAQL,QAAWqB,OAAOb,MAAM;AACvD;AAYM,SAAUiI,cAAaC,OAKR;AAAA,MALS;IAC5BvJ;IACAwJ;IACAnI;IACAN,QAAAA;EACmB,IAAAwI;AACnB,MAAIE,aAAmB5D,cAAM;AAC7B,MAAI4D,WAAWlD,WAAW,MAAM;AAC9BkD,eAAWlD,UAAU9E,qBAAqB;MAAEV,QAAAA;MAAQ2I,UAAU;IAAI,CAAE;EACrE;AAED,MAAIlI,UAAUiI,WAAWlD;AACzB,MAAI,CAACrE,OAAO8C,YAAY,IAAUC,gBAAS;IACzC/E,QAAQsB,QAAQtB;IAChBsH,UAAUhG,QAAQgG;EACnB,CAAA;AACD,MAAI;IAAE1B;EAAkB,IAAKzE,UAAU,CAAA;AACvC,MAAI4E,WAAiBD,mBAClBE,cAA4D;AAC3DJ,0BAAsBnC,uBAClBA,qBAAoB,MAAMqB,aAAakB,QAAQ,CAAC,IAChDlB,aAAakB,QAAQ;EAC3B,GACA,CAAClB,cAAcc,kBAAkB,CAAC;AAGpClC,EAAMwD,uBAAgB,MAAM5F,QAAQmI,OAAO1D,QAAQ,GAAG,CAACzE,SAASyE,QAAQ,CAAC;AAEzErC,EAAM0D,iBAAU,MAAMmB,yBAAyBpH,MAAM,GAAG,CAACA,MAAM,CAAC;AAEhE,SACE9B,qBAACuJ,QAAM;IACL9I;IACAwJ;IACAhC,UAAUtF,MAAMsF;IAChBuB,gBAAgB7G,MAAMhC;IACtBwH,WAAWlG;IACXH;EAAc,CAAA;AAGpB;AAaM,SAAUuI,WAAUC,OAKR;AAAA,MALS;IACzB7J;IACAwJ;IACAnI;IACAN,QAAAA;EACgB,IAAA8I;AAChB,MAAIJ,aAAmB5D,cAAM;AAC7B,MAAI4D,WAAWlD,WAAW,MAAM;AAC9BkD,eAAWlD,UAAUvE,kBAAkB;MAAEjB,QAAAA;MAAQ2I,UAAU;IAAI,CAAE;EAClE;AAED,MAAIlI,UAAUiI,WAAWlD;AACzB,MAAI,CAACrE,OAAO8C,YAAY,IAAUC,gBAAS;IACzC/E,QAAQsB,QAAQtB;IAChBsH,UAAUhG,QAAQgG;EACnB,CAAA;AACD,MAAI;IAAE1B;EAAkB,IAAKzE,UAAU,CAAA;AACvC,MAAI4E,WAAiBD,mBAClBE,cAA4D;AAC3DJ,0BAAsBnC,uBAClBA,qBAAoB,MAAMqB,aAAakB,QAAQ,CAAC,IAChDlB,aAAakB,QAAQ;EAC3B,GACA,CAAClB,cAAcc,kBAAkB,CAAC;AAGpClC,EAAMwD,uBAAgB,MAAM5F,QAAQmI,OAAO1D,QAAQ,GAAG,CAACzE,SAASyE,QAAQ,CAAC;AAEzErC,EAAM0D,iBAAU,MAAMmB,yBAAyBpH,MAAM,GAAG,CAACA,MAAM,CAAC;AAEhE,SACE9B,qBAACuJ,QAAM;IACL9I;IACAwJ;IACAhC,UAAUtF,MAAMsF;IAChBuB,gBAAgB7G,MAAMhC;IACtBwH,WAAWlG;IACXH;EAAc,CAAA;AAGpB;AAeA,SAASyI,cAAaC,OAKD;AAAA,MALE;IACrB/J;IACAwJ;IACAnI;IACAG;EACmB,IAAAuI;AACnB,MAAI,CAAC7H,OAAO8C,YAAY,IAAUC,gBAAS;IACzC/E,QAAQsB,QAAQtB;IAChBsH,UAAUhG,QAAQgG;EACnB,CAAA;AACD,MAAI;IAAE1B;EAAkB,IAAKzE,UAAU,CAAA;AACvC,MAAI4E,WAAiBD,mBAClBE,cAA4D;AAC3DJ,0BAAsBnC,uBAClBA,qBAAoB,MAAMqB,aAAakB,QAAQ,CAAC,IAChDlB,aAAakB,QAAQ;EAC3B,GACA,CAAClB,cAAcc,kBAAkB,CAAC;AAGpClC,EAAMwD,uBAAgB,MAAM5F,QAAQmI,OAAO1D,QAAQ,GAAG,CAACzE,SAASyE,QAAQ,CAAC;AAEzErC,EAAM0D,iBAAU,MAAMmB,yBAAyBpH,MAAM,GAAG,CAACA,MAAM,CAAC;AAEhE,SACE9B,qBAACuJ,QAAM;IACL9I;IACAwJ;IACAhC,UAAUtF,MAAMsF;IAChBuB,gBAAgB7G,MAAMhC;IACtBwH,WAAWlG;IACXH;EAAc,CAAA;AAGpB;AAEA,IAAAxB,MAAa;AACXiK,gBAAcvG,cAAc;AAC7B;AAeD,IAAMyG,YACJ,OAAOjJ,WAAW,eAClB,OAAOA,OAAOzB,aAAa,eAC3B,OAAOyB,OAAOzB,SAASC,kBAAkB;AAE3C,IAAM0K,sBAAqB;AAKdC,IAAAA,OAAaC,kBACxB,SAASC,YAAWC,OAalBC,KAAG;AAAA,MAZH;IACEC;IACAC;IACAC;IACArC,SAAAA;IACAlG;IACAxE;IACAwK;IACAC;IACAuC;EACO,IACRL,OADIM,OAAIC,8BAAAP,OAAAQ,SAAA;AAIT,MAAI;IAAE7K;EAAQ,IAAW8K,kBAAWC,iBAAiB;AAGrD,MAAIC;AACJ,MAAIC,aAAa;AAEjB,MAAI,OAAO/C,OAAO,YAAY+B,oBAAmBiB,KAAKhD,EAAE,GAAG;AAEzD8C,mBAAe9C;AAGf,QAAI8B,WAAW;AACb,UAAI;AACF,YAAImB,aAAa,IAAIC,IAAIrK,OAAOyG,SAAS6D,IAAI;AAC7C,YAAIC,YAAYpD,GAAGqD,WAAW,IAAI,IAC9B,IAAIH,IAAID,WAAWK,WAAWtD,EAAE,IAChC,IAAIkD,IAAIlD,EAAE;AACd,YAAIuD,OAAOlL,cAAc+K,UAAUI,UAAU1L,QAAQ;AAErD,YAAIsL,UAAUK,WAAWR,WAAWQ,UAAUF,QAAQ,MAAM;AAE1DvD,eAAKuD,OAAOH,UAAUM,SAASN,UAAUO;QAC1C,OAAM;AACLZ,uBAAa;QACd;eACMzL,GAAG;AAEVK,eAAAC,QACE,OACA,eAAaoI,KAAE,wGACsC,IACtD;MACF;IACF;EACF;AAGD,MAAImD,OAAOS,QAAQ5D,IAAI;IAAEsC;EAAU,CAAA;AAEnC,MAAIuB,kBAAkBC,oBAAoB9D,IAAI;IAC5CE,SAAAA;IACAlG;IACAxE;IACAyK;IACAqC;IACAE;EACD,CAAA;AACD,WAASuB,YACP7O,OAAsD;AAEtD,QAAImN,QAASA,SAAQnN,KAAK;AAC1B,QAAI,CAACA,MAAM8O,kBAAkB;AAC3BH,sBAAgB3O,KAAK;IACtB;EACH;AAEA;;IAEEmC,qBAAA,KAAA+B,UAAA,CAAA,GACMqJ,MAAI;MACRU,MAAML,gBAAgBK;MACtBd,SAASU,cAAcR,iBAAiBF,UAAU0B;MAClD3B;MACA5M;KAAc,CAAA;;AAGpB,CAAC;AAGH,IAAAmC,MAAa;AACXqK,OAAK3G,cAAc;AACpB;AAsBY4I,IAAAA,UAAgBhC,kBAC3B,SAASiC,eAAcC,OAYrB/B,KAAG;AAAA,MAXH;IACE,gBAAgBgC,kBAAkB;IAClCC,gBAAgB;IAChBC,WAAWC,gBAAgB;IAC3BC,MAAM;IACNC,OAAOC;IACP1E;IACAwC;IACAlB;EAED,IAAA6C,OADI1B,OAAIC,8BAAAyB,OAAAQ,UAAA;AAIT,MAAIpB,OAAOqB,gBAAgB5E,IAAI;IAAEsC,UAAUG,KAAKH;EAAQ,CAAE;AAC1D,MAAIhD,WAAWuF,YAAW;AAC1B,MAAIC,cAAoBlC,kBAAWjC,sBAAsB;AACzD,MAAI;IAAEnB;IAAW1H;EAAU,IAAS8K,kBAAWC,iBAAiB;AAChE,MAAIzH,kBACF0J,eAAe;;EAGfC,uBAAuBxB,IAAI,KAC3Bf,mBAAmB;AAErB,MAAIwC,aAAaxF,UAAUG,iBACvBH,UAAUG,eAAe4D,IAAI,EAAEC,WAC/BD,KAAKC;AACT,MAAIyB,mBAAmB3F,SAASkE;AAChC,MAAI0B,uBACFJ,eAAeA,YAAYK,cAAcL,YAAYK,WAAW7F,WAC5DwF,YAAYK,WAAW7F,SAASkE,WAChC;AAEN,MAAI,CAACa,eAAe;AAClBY,uBAAmBA,iBAAiBnQ,YAAW;AAC/CoQ,2BAAuBA,uBACnBA,qBAAqBpQ,YAAW,IAChC;AACJkQ,iBAAaA,WAAWlQ,YAAW;EACpC;AAED,MAAIoQ,wBAAwBpN,UAAU;AACpCoN,2BACE7M,cAAc6M,sBAAsBpN,QAAQ,KAAKoN;EACpD;AAOD,QAAME,mBACJJ,eAAe,OAAOA,WAAWK,SAAS,GAAG,IACzCL,WAAWM,SAAS,IACpBN,WAAWM;AACjB,MAAIC,WACFN,qBAAqBD,cACpB,CAACR,OACAS,iBAAiB5B,WAAW2B,UAAU,KACtCC,iBAAiBO,OAAOJ,gBAAgB,MAAM;AAElD,MAAIK,YACFP,wBAAwB,SACvBA,yBAAyBF,cACvB,CAACR,OACAU,qBAAqB7B,WAAW2B,UAAU,KAC1CE,qBAAqBM,OAAOR,WAAWM,MAAM,MAAM;AAEzD,MAAII,cAAc;IAChBH;IACAE;IACArK;;AAGF,MAAIuK,cAAcJ,WAAWnB,kBAAkBzL;AAE/C,MAAI2L;AACJ,MAAI,OAAOC,kBAAkB,YAAY;AACvCD,gBAAYC,cAAcmB,WAAW;EACtC,OAAM;AAMLpB,gBAAY,CACVC,eACAgB,WAAW,WAAW,MACtBE,YAAY,YAAY,MACxBrK,kBAAkB,kBAAkB,IAAI,EAEvCwK,OAAOC,OAAO,EACdC,KAAK,GAAG;EACZ;AAED,MAAIrB,QACF,OAAOC,cAAc,aAAaA,UAAUgB,WAAW,IAAIhB;AAE7D,SACEhJ,qBAACsG,MAAI5I,UAAA,CAAA,GACCqJ,MAAI;IACM,gBAAAkD;IACdrB;IACAlC;IACAqC;IACAzE;IACAwC;GAEC,GAAA,OAAOlB,aAAa,aAAaA,SAASoE,WAAW,IAAIpE,QAAQ;AAGxE,CAAC;AAGH,IAAA3J,MAAa;AACXsM,UAAQ5I,cAAc;AACvB;AAsGM,IAAM0K,OAAa9D,kBACxB,CAAA+D,OAeEC,iBACE;AAAA,MAfF;IACEC;IACApG;IACAyC;IACArC,SAAAA;IACAlG;IACAjC,SAASvD;IACTwD;IACAmO;IACA7D;IACArC;IACAuC;MAEDwD,OADII,QAAK1D,8BAAAsD,OAAAK,UAAA;AAIV,MAAIC,SAASC,UAAS;AACtB,MAAIC,aAAaC,cAAczO,QAAQ;IAAEsK;EAAU,CAAA;AACnD,MAAIoE,aACF3O,OAAOjD,YAAW,MAAO,QAAQ,QAAQ;AAE3C,MAAI6R,gBAA0DzR,WAAS;AACrEiR,gBAAYA,SAASjR,KAAK;AAC1B,QAAIA,MAAM8O,iBAAkB;AAC5B9O,UAAM0R,eAAc;AAEpB,QAAIC,YAAa3R,MAAqC4R,YACnDD;AAEH,QAAIE,gBACDF,aAAAA,OAAAA,SAAAA,UAAWzO,aAAa,YAAY,MACrCL;AAEFuO,WAAOO,aAAa3R,MAAM8R,eAAe;MACvCd;MACAnO,QAAQgP;MACRjH;MACAI,SAAAA;MACAlG;MACAsI;MACArC;MACAuC;IACD,CAAA;;AAGH,SACEnL,qBAAA,QAAA+B,UAAA;IACEgJ,KAAK6D;IACLlO,QAAQ2O;IACR1O,QAAQwO;IACRL,UAAU5D,iBAAiB4D,WAAWQ;KAClCP,KAAK,CAAA;AAGf,CAAC;AAGH,IAAAzO,MAAa;AACXoO,OAAK1K,cAAc;AACpB;SAWe4L,kBAAiBC,QAGR;AAAA,MAHS;IAChCC;IACAC;EACuB,IAAAF;AACvBG,uBAAqB;IAAEF;IAAQC;EAAU,CAAE;AAC3C,SAAO;AACT;AAEA,IAAAzP,MAAa;AACXsP,oBAAkB5L,cAAc;AACjC;AAOD,IAAKiM;CAAL,SAAKA,iBAAc;AACjBA,EAAAA,gBAAA,sBAAA,IAAA;AACAA,EAAAA,gBAAA,WAAA,IAAA;AACAA,EAAAA,gBAAA,kBAAA,IAAA;AACAA,EAAAA,gBAAA,YAAA,IAAA;AACAA,EAAAA,gBAAA,wBAAA,IAAA;AACF,GANKA,oBAAAA,kBAMJ,CAAA,EAAA;AAED,IAAKC;CAAL,SAAKA,sBAAmB;AACtBA,EAAAA,qBAAA,YAAA,IAAA;AACAA,EAAAA,qBAAA,aAAA,IAAA;AACAA,EAAAA,qBAAA,sBAAA,IAAA;AACF,GAJKA,yBAAAA,uBAIJ,CAAA,EAAA;AAID,SAASC,2BACPC,UAA8C;AAE9C,SAAUA,WAAQ;AACpB;AAEA,SAASC,sBAAqBD,UAAwB;AACpD,MAAIE,MAAY/E,kBAAWnC,iBAAiB;AAC5C,GAAUkH,MAAGhQ,OAAbiQ,UAAS,OAAMJ,2BAA0BC,QAAQ,CAAC,IAAlDG,UAAS,KAAA,IAAA;AACT,SAAOD;AACT;AAEA,SAASE,oBAAmBJ,UAA6B;AACvD,MAAIzN,QAAc4I,kBAAWjC,sBAAsB;AACnD,GAAU3G,QAAKrC,OAAfiQ,UAAS,OAAQJ,2BAA0BC,QAAQ,CAAC,IAApDG,UAAS,KAAA,IAAA;AACT,SAAO5N;AACT;AASM,SAAU8J,oBACd9D,IAAM8H,OAeA;AAAA,MAdN;IACEtS;IACA0K,SAAS6H;IACT/N;IACAiG;IACAqC;IACAE;yBAQE,CAAA,IAAEsF;AAEN,MAAIhI,WAAWkI,YAAW;AAC1B,MAAI1I,WAAWuF,YAAW;AAC1B,MAAItB,OAAOqB,gBAAgB5E,IAAI;IAAEsC;EAAU,CAAA;AAE3C,SAAaxE,mBACV5I,WAA0C;AACzC,QAAIK,uBAAuBL,OAAOM,MAAM,GAAG;AACzCN,YAAM0R,eAAc;AAIpB,UAAI1G,WACF6H,gBAAgBpP,SACZoP,cACAE,WAAW3I,QAAQ,MAAM2I,WAAW1E,IAAI;AAE9CzD,eAASE,IAAI;QACXE,SAAAA;QACAlG;QACAiG;QACAqC;QACAE;MACD,CAAA;IACF;KAEH,CACElD,UACAQ,UACAyD,MACAwE,aACA/N,OACAxE,QACAwK,IACAC,oBACAqC,UACAE,cAAc,CACf;AAEL;AAMM,SAAU0F,gBACdC,aAAiC;AAEjCxQ,SAAAC,QACE,OAAOhC,oBAAoB,aAC3B,yOAG+C,IAChD;AAED,MAAIwS,yBAA+BzK,cAAOjI,mBAAmByS,WAAW,CAAC;AACzE,MAAIE,wBAA8B1K,cAAO,KAAK;AAE9C,MAAI2B,WAAWuF,YAAW;AAC1B,MAAIlO,eAAqB8I,eACvB;;;;IAIEjJ,2BACE8I,SAASoE,QACT2E,sBAAsBhK,UAAU,OAAO+J,uBAAuB/J,OAAO;KAEzE,CAACiB,SAASoE,MAAM,CAAC;AAGnB,MAAI5D,WAAWkI,YAAW;AAC1B,MAAIM,kBAAwBxK,mBAC1B,CAACyK,UAAUC,oBAAmB;AAC5B,UAAMC,kBAAkB/S,mBACtB,OAAO6S,aAAa,aAAaA,SAAS5R,YAAY,IAAI4R,QAAQ;AAEpEF,0BAAsBhK,UAAU;AAChCyB,aAAS,MAAM2I,iBAAiBD,eAAe;EACjD,GACA,CAAC1I,UAAUnJ,YAAY,CAAC;AAG1B,SAAO,CAACA,cAAc2R,eAAe;AACvC;AA2CA,SAASI,+BAA4B;AACnC,MAAI,OAAOtR,aAAa,aAAa;AACnC,UAAM,IAAIoB,MACR,+GACgE;EAEnE;AACH;AAEA,IAAImQ,YAAY;AAChB,IAAIC,qBAAqBA,MAAA,OAAWC,OAAO,EAAEF,SAAS,IAAK;SAM3CpC,YAAS;AACvB,MAAI;IAAE1J;EAAM,IAAK6K,sBAAqBJ,gBAAewB,SAAS;AAC9D,MAAI;IAAEhR;EAAQ,IAAW8K,kBAAWC,iBAAiB;AACrD,MAAIkG,iBAAiBC,WAAU;AAE/B,SAAalL,mBACX,SAACtI,QAAQyT,SAAgB;AAAA,QAAhBA,YAAO,QAAA;AAAPA,gBAAU,CAAA;IAAE;AACnBP,iCAA4B;AAE5B,QAAI;MAAE1Q;MAAQD;MAAQL;MAASO;MAAUC;IAAI,IAAKL,sBAChDrC,QACAsC,QAAQ;AAGV,QAAImR,QAAQnJ,aAAa,OAAO;AAC9B,UAAI3J,MAAM8S,QAAQ/C,cAAc0C,mBAAkB;AAClD/L,aAAOqM,MAAM/S,KAAK4S,gBAAgBE,QAAQjR,UAAUA,QAAQ;QAC1DiI,oBAAoBgJ,QAAQhJ;QAC5BhI;QACAC;QACAwO,YAAYuC,QAAQlR,UAAWA;QAC/BoR,aAAaF,QAAQvR,WAAYA;QACjCyG,WAAW8K,QAAQ9K;MACpB,CAAA;IACF,OAAM;AACLtB,aAAOiD,SAASmJ,QAAQjR,UAAUA,QAAQ;QACxCiI,oBAAoBgJ,QAAQhJ;QAC5BhI;QACAC;QACAwO,YAAYuC,QAAQlR,UAAWA;QAC/BoR,aAAaF,QAAQvR,WAAYA;QACjCwI,SAAS+I,QAAQ/I;QACjBlG,OAAOiP,QAAQjP;QACfoP,aAAaL;QACb5K,WAAW8K,QAAQ9K;QACnBqE,gBAAgByG,QAAQzG;MACzB,CAAA;IACF;KAEH,CAAC3F,QAAQ/E,UAAUiR,cAAc,CAAC;AAEtC;AAIM,SAAUtC,cACdzO,QAAeqR,QACsC;AAAA,MAArD;IAAE/G;0BAAiD,CAAA,IAAE+G;AAErD,MAAI;IAAEvR;EAAQ,IAAW8K,kBAAWC,iBAAiB;AACrD,MAAIyG,eAAqB1G,kBAAW2G,YAAY;AAChD,GAAUD,eAAY3R,OAAtBiQ,UAAS,OAAe,kDAAkD,IAA1EA,UAAS,KAAA,IAAA;AAET,MAAI,CAAC4B,KAAK,IAAIF,aAAaG,QAAQC,MAAM,EAAE;AAG3C,MAAInG,OAAInK,UAAQwL,CAAAA,GAAAA,gBAAgB5M,SAASA,SAAS,KAAK;IAAEsK;EAAQ,CAAE,CAAC;AAKpE,MAAIhD,WAAWuF,YAAW;AAC1B,MAAI7M,UAAU,MAAM;AAGlBuL,SAAKG,SAASpE,SAASoE;AAKvB,QAAIiG,SAAS,IAAI/T,gBAAgB2N,KAAKG,MAAM;AAC5C,QAAIkG,cAAcD,OAAO5S,OAAO,OAAO;AACvC,QAAI8S,qBAAqBD,YAAYE,KAAMvT,OAAMA,MAAM,EAAE;AACzD,QAAIsT,oBAAoB;AACtBF,aAAOrL,OAAO,OAAO;AACrBsL,kBAAYhE,OAAQrP,OAAMA,CAAC,EAAEK,QAASL,OAAMoT,OAAO3S,OAAO,SAAST,CAAC,CAAC;AACrE,UAAIwT,KAAKJ,OAAOK,SAAQ;AACxBzG,WAAKG,SAASqG,KAASA,MAAAA,KAAO;IAC/B;EACF;AAED,OAAK,CAAC/R,UAAUA,WAAW,QAAQwR,MAAMS,MAAMC,OAAO;AACpD3G,SAAKG,SAASH,KAAKG,SACfH,KAAKG,OAAOxD,QAAQ,OAAO,SAAS,IACpC;EACL;AAMD,MAAIpI,aAAa,KAAK;AACpByL,SAAKC,WACHD,KAAKC,aAAa,MAAM1L,WAAWqS,UAAU,CAACrS,UAAUyL,KAAKC,QAAQ,CAAC;EACzE;AAED,SAAOyE,WAAW1E,IAAI;AACxB;SAgBgB6G,WAAUC,QAEF;AAAA,MAAAC;AAAA,MAFgB;IACtCnU;0BACoB,CAAA,IAAEkU;AACtB,MAAI;IAAExN;EAAM,IAAK6K,sBAAqBJ,gBAAeiD,UAAU;AAC/D,MAAIvQ,QAAQ6N,oBAAmBN,qBAAoBgD,UAAU;AAC7D,MAAI7M,cAAoBkF,kBAAWtH,eAAe;AAClD,MAAI2O,QAAcrH,kBAAW2G,YAAY;AACzC,MAAIiB,WAAOF,iBAAGL,MAAMR,QAAQQ,MAAMR,QAAQnE,SAAS,CAAC,MAAC,OAAA,SAAvCgF,eAAyCL,MAAMQ;AAE7D,GAAU/M,cAAW/F,OAArBiQ,UAAS,OAAA,kDAAA,IAATA,UAAS,KAAA,IAAA;AACT,GAAUqC,QAAKtS,OAAfiQ,UAAS,OAAA,+CAAA,IAATA,UAAS,KAAA,IAAA;AACT,IACE4C,WAAW,QAAI7S,OADjBiQ,UAAS,OAAA,kEAAA,IAATA,UAAS,KAAA,IAAA;AAQT,MAAI8C,aAAa3O,YAAYA,UAAS,IAAK;AAC3C,MAAI,CAACmK,YAAYyE,aAAa,IAAU5N,gBAAiB5G,OAAOuU,UAAU;AAC1E,MAAIvU,OAAOA,QAAQ+P,YAAY;AAC7ByE,kBAAcxU,GAAG;EAClB,WAAU,CAAC+P,YAAY;AAEtByE,kBAAc/B,mBAAkB,CAAE;EACnC;AAGDlN,EAAM0D,iBAAU,MAAK;AACnBvC,WAAO+N,WAAW1E,UAAU;AAC5B,WAAO,MAAK;AAIVrJ,aAAOgO,cAAc3E,UAAU;;EAEnC,GAAG,CAACrJ,QAAQqJ,UAAU,CAAC;AAGvB,MAAI4E,OAAahN,mBACf,CAACqF,MAAclK,SAAkC;AAC/C,KAAUuR,UAAO7S,OAAjBiQ,UAAS,OAAU,yCAAyC,IAA5DA,UAAS,KAAA,IAAA;AACT/K,WAAOqM,MAAMhD,YAAYsE,SAASrH,MAAMlK,IAAI;KAE9C,CAACiN,YAAYsE,SAAS3N,MAAM,CAAC;AAG/B,MAAIkO,aAAaxE,UAAS;AAC1B,MAAID,SAAexI,mBACjB,CAACtI,QAAQyD,SAAQ;AACf8R,eAAWvV,QAAM4D,UAAA,CAAA,GACZH,MAAI;MACP6G,UAAU;MACVoG;IAAU,CAAA,CACX;EACH,GACA,CAACA,YAAY6E,UAAU,CAAC;AAG1B,MAAIC,cAAoBvL,eAAQ,MAAK;AACnC,QAAIuL,eAAoB/I,kBACtB,CAACmE,OAAOhE,QAAO;AACb,aACG/K,qBAAA0O,MAAI3M,UAAA,CAAA,GAAKgN,OAAK;QAAEtG,UAAU;QAAOoG;QAAwB9D;MAAQ,CAAA,CAAA;IAEtE,CAAC;AAEH,QAAAzK,MAAa;AACXqT,MAAAA,aAAY3P,cAAc;IAC3B;AACD,WAAO2P;EACT,GAAG,CAAC9E,UAAU,CAAC;AAGf,MAAI1H,UAAUxE,MAAMuE,SAAS0M,IAAI/E,UAAU,KAAKgF;AAChD,MAAIvQ,OAAO+C,YAAYuN,IAAI/E,UAAU;AACrC,MAAIiF,wBAA8B1L,eAChC,MAAArG,UAAA;IACE2M,MAAMiF;IACN1E;IACAwE;EAAI,GACDtM,SAAO;IACV7D;EAAI,CAAA,GAEN,CAACqQ,aAAa1E,QAAQwE,MAAMtM,SAAS7D,IAAI,CAAC;AAG5C,SAAOwQ;AACT;SAMgBC,cAAW;AACzB,MAAIpR,QAAQ6N,oBAAmBN,qBAAoB8D,WAAW;AAC9D,SAAOxV,MAAMyV,KAAKtR,MAAMuE,SAASnE,QAAO,CAAE,EAAE9D,IAAIiV,YAAA;AAAA,QAAC,CAACpV,KAAKqI,OAAO,IAAC+M;AAAA,WAAAnS,UAAA,CAAA,GAC1DoF,SAAO;MACVrI;IAAG,CAAA;EAAA,CACH;AACJ;AAEA,IAAMqV,iCAAiC;AACvC,IAAIC,uBAA+C,CAAA;AAKnD,SAASpE,qBAAoBqE,QAMvB;AAAA,MANwB;IAC5BvE;IACAC;0BAIE,CAAA,IAAEsE;AACJ,MAAI;IAAE7O;EAAM,IAAK6K,sBAAqBJ,gBAAeqE,oBAAoB;AACzE,MAAI;IAAEC;IAAuB3L;EAAoB,IAAG4H,oBAClDN,qBAAoBoE,oBAAoB;AAE1C,MAAI;IAAE7T;EAAQ,IAAW8K,kBAAWC,iBAAiB;AACrD,MAAIvD,WAAWuF,YAAW;AAC1B,MAAI4E,UAAUoC,WAAU;AACxB,MAAI1G,aAAa2G,cAAa;AAG9BpQ,EAAM0D,iBAAU,MAAK;AACnBvG,WAAOS,QAAQyS,oBAAoB;AACnC,WAAO,MAAK;AACVlT,aAAOS,QAAQyS,oBAAoB;;KAEpC,CAAA,CAAE;AAGLC,cACQlO,mBAAY,MAAK;AACrB,QAAIqH,WAAWnL,UAAU,QAAQ;AAC/B,UAAI7D,OAAOgR,SAASA,OAAO7H,UAAUmK,OAAO,IAAI,SAASnK,SAASnJ;AAClEsV,2BAAqBtV,GAAG,IAAI0C,OAAOoT;IACpC;AACD,QAAI;AACFC,qBAAeC,QACb/E,cAAcoE,gCACdY,KAAKC,UAAUZ,oBAAoB,CAAC;aAE/B1Q,OAAO;AACdpD,aAAAC,QACE,OAAK,sGAC+FmD,QAAK,IAAI,IAC9G;IACF;AACDlC,WAAOS,QAAQyS,oBAAoB;EACrC,GAAG,CAAC3E,YAAYD,QAAQhC,WAAWnL,OAAOsF,UAAUmK,OAAO,CAAC,CAAC;AAI/D,MAAI,OAAOrS,aAAa,aAAa;AAEnCsE,IAAMwD,uBAAgB,MAAK;AACzB,UAAI;AACF,YAAIoN,mBAAmBJ,eAAeK,QACpCnF,cAAcoE,8BAA8B;AAE9C,YAAIc,kBAAkB;AACpBb,iCAAuBW,KAAKI,MAAMF,gBAAgB;QACnD;eACMhV,GAAG;MACV;IAEJ,GAAG,CAAC8P,UAAU,CAAC;AAIf1L,IAAMwD,uBAAgB,MAAK;AACzB,UAAIuN,wBACFtF,UAAUrP,aAAa,MACnB,CAACwH,WAAUmK,aACTtC;;QACE/N,UAAA,CAAA,GAEKkG,WAAQ;UACXkE,UACEnL,cAAciH,UAASkE,UAAU1L,QAAQ,KACzCwH,UAASkE;SAEbiG;QAAAA;MAAO,IAEXtC;AACN,UAAIuF,2BAA2B7P,UAAAA,OAAAA,SAAAA,OAAQ8P,wBACrClB,sBACA,MAAM5S,OAAOoT,SACbQ,qBAAqB;AAEvB,aAAO,MAAMC,4BAA4BA,yBAAwB;OAChE,CAAC7P,QAAQ/E,UAAUqP,MAAM,CAAC;AAI7BzL,IAAMwD,uBAAgB,MAAK;AAEzB,UAAI0M,0BAA0B,OAAO;AACnC;MACD;AAGD,UAAI,OAAOA,0BAA0B,UAAU;AAC7C/S,eAAO+T,SAAS,GAAGhB,qBAAqB;AACxC;MACD;AAGD,UAAItM,SAASqE,MAAM;AACjB,YAAIkJ,KAAKzV,SAAS0V,eAChBC,mBAAmBzN,SAASqE,KAAK+F,MAAM,CAAC,CAAC,CAAC;AAE5C,YAAImD,IAAI;AACNA,aAAGG,eAAc;AACjB;QACD;MACF;AAGD,UAAI/M,uBAAuB,MAAM;AAC/B;MACD;AAGDpH,aAAO+T,SAAS,GAAG,CAAC;OACnB,CAACtN,UAAUsM,uBAAuB3L,kBAAkB,CAAC;EACzD;AACH;AAYgB,SAAAgN,gBACdC,UACAjE,SAA+B;AAE/B,MAAI;IAAEkE;EAAO,IAAKlE,WAAW,CAAA;AAC7BvN,EAAM0D,iBAAU,MAAK;AACnB,QAAInG,OAAOkU,WAAW,OAAO;MAAEA;IAAS,IAAGxU;AAC3CE,WAAOuU,iBAAiB,gBAAgBF,UAAUjU,IAAI;AACtD,WAAO,MAAK;AACVJ,aAAOwU,oBAAoB,gBAAgBH,UAAUjU,IAAI;;EAE7D,GAAG,CAACiU,UAAUC,OAAO,CAAC;AACxB;AAUA,SAASnB,YACPkB,UACAjE,SAA+B;AAE/B,MAAI;IAAEkE;EAAO,IAAKlE,WAAW,CAAA;AAC7BvN,EAAM0D,iBAAU,MAAK;AACnB,QAAInG,OAAOkU,WAAW,OAAO;MAAEA;IAAS,IAAGxU;AAC3CE,WAAOuU,iBAAiB,YAAYF,UAAUjU,IAAI;AAClD,WAAO,MAAK;AACVJ,aAAOwU,oBAAoB,YAAYH,UAAUjU,IAAI;;EAEzD,GAAG,CAACiU,UAAUC,OAAO,CAAC;AACxB;AAUA,SAASG,UAASC,QAMjB;AAAA,MANkB;IACjBC;IACAxS;EAID,IAAAuS;AACC,MAAIE,UAAUC,WAAWF,IAAI;AAE7B9R,EAAM0D,iBAAU,MAAK;AACnB,QAAIqO,QAAQzT,UAAU,WAAW;AAC/B,UAAI2T,UAAU9U,OAAO+U,QAAQ5S,OAAO;AACpC,UAAI2S,SAAS;AAIXE,mBAAWJ,QAAQE,SAAS,CAAC;MAC9B,OAAM;AACLF,gBAAQK,MAAK;MACd;IACF;EACH,GAAG,CAACL,SAASzS,OAAO,CAAC;AAErBU,EAAM0D,iBAAU,MAAK;AACnB,QAAIqO,QAAQzT,UAAU,aAAa,CAACwT,MAAM;AACxCC,cAAQK,MAAK;IACd;EACH,GAAG,CAACL,SAASD,IAAI,CAAC;AACpB;AAYA,SAASzI,uBACP/E,IACA/G,MAA6C;AAAA,MAA7CA,SAAAA,QAAAA;AAAAA,WAA2C,CAAA;EAAE;AAE7C,MAAIiE,YAAkB0F,kBAAW1H,qBAAqB;AAEtD,IACEgC,aAAa,QAAIvF,OADnBiQ,UAEE,OAAA,wJACqE,IAHvEA,UAAS,KAAA,IAAA;AAMT,MAAI;IAAE9P;EAAQ,IAAK4P,sBACjBJ,gBAAevC,sBAAsB;AAEvC,MAAIxB,OAAOqB,gBAAgB5E,IAAI;IAAEsC,UAAUrJ,KAAKqJ;EAAQ,CAAE;AAC1D,MAAI,CAACpF,UAAU9B,iBAAiB;AAC9B,WAAO;EACR;AAED,MAAI2S,cACF1V,cAAc6E,UAAU2B,gBAAgB2E,UAAU1L,QAAQ,KAC1DoF,UAAU2B,gBAAgB2E;AAC5B,MAAIwK,WACF3V,cAAc6E,UAAU4B,aAAa0E,UAAU1L,QAAQ,KACvDoF,UAAU4B,aAAa0E;AAezB,SACEyK,UAAU1K,KAAKC,UAAUwK,QAAQ,KAAK,QACtCC,UAAU1K,KAAKC,UAAUuK,WAAW,KAAK;AAE7C;", 6 "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", "resolvePath", "fromPathname", "toPathname", "resolvePathname", "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", "joinPaths", "paths", "join", "replace", "normalizePathname", "pathname", "normalizeSearch", "search", "startsWith", "normalizeHash", "hash", "json", "data", "init", "responseInit", "status", "headers", "Headers", "has", "set", "Response", "JSON", "stringify", "_extends", "AbortedDeferredError", "Error", "DeferredData", "constructor", "data", "responseInit", "pendingKeysSet", "Set", "subscribers", "deferredKeys", "invariant", "Array", "isArray", "reject", "abortPromise", "Promise", "_", "r", "controller", "AbortController", "onAbort", "unlistenAbortSignal", "signal", "removeEventListener", "addEventListener", "Object", "entries", "reduce", "acc", "_ref2", "key", "value", "assign", "trackPromise", "done", "init", "push", "add", "promise", "race", "then", "onSettle", "undefined", "error", "catch", "defineProperty", "get", "aborted", "delete", "undefinedError", "emit", "settledKey", "forEach", "subscriber", "subscribe", "fn", "cancel", "abort", "v", "k", "resolveData", "resolve", "size", "unwrappedData", "_ref3", "unwrapTrackedPromise", "pendingKeys", "from", "isTrackedPromise", "_tracked", "_error", "_data", "defer", "status", "redirect", "url", "headers", "Headers", "set", "Response", "_extends", "redirectDocument", "response", "replace", "ErrorResponseImpl", "statusText", "internal", "toString", "isRouteErrorResponse", "validMutationMethodsArr", "validMutationMethods", "validRequestMethodsArr", "validRequestMethods", "redirectStatusCodes", "redirectPreserveMethodStatusCodes", "IDLE_NAVIGATION", "state", "location", "formMethod", "formAction", "formEncType", "formData", "json", "text", "IDLE_FETCHER", "IDLE_BLOCKER", "proceed", "reset", "ABSOLUTE_URL_REGEX", "defaultMapRouteProperties", "route", "hasErrorBoundary", "Boolean", "TRANSITIONS_STORAGE_KEY", "createRouter", "routerWindow", "window", "isBrowser", "document", "createElement", "isServer", "routes", "length", "mapRouteProperties", "detectErrorBoundary", "manifest", "dataRoutes", "convertRoutesToDataRoutes", "inFlightDataRoutes", "basename", "dataStrategyImpl", "dataStrategy", "defaultDataStrategy", "patchRoutesOnNavigationImpl", "patchRoutesOnNavigation", "future", "v7_fetcherPersist", "v7_normalizeFormMethod", "v7_partialHydration", "v7_prependBasename", "v7_relativeSplatPath", "v7_skipActionErrorRevalidation", "unlistenHistory", "savedScrollPositions", "getScrollRestorationKey", "getScrollPosition", "initialScrollRestored", "hydrationData", "initialMatches", "matchRoutes", "history", "initialErrors", "getInternalRouterError", "pathname", "matches", "getShortCircuitMatches", "id", "fogOfWar", "checkFogOfWar", "active", "initialized", "some", "m", "lazy", "loader", "loaderData", "errors", "idx", "findIndex", "slice", "every", "shouldLoadRouteOnHydration", "router", "historyAction", "action", "navigation", "restoreScrollPosition", "preventScrollReset", "revalidation", "actionData", "fetchers", "Map", "blockers", "pendingAction", "HistoryAction", "Pop", "pendingPreventScrollReset", "pendingNavigationController", "pendingViewTransitionEnabled", "appliedViewTransitions", "removePageHideEventListener", "isUninterruptedRevalidation", "isRevalidationRequired", "cancelledDeferredRoutes", "cancelledFetcherLoads", "fetchControllers", "incrementingLoadId", "pendingNavigationLoadId", "fetchReloadIds", "fetchRedirectIds", "fetchLoadMatches", "activeFetchers", "deletedFetchers", "activeDeferreds", "blockerFunctions", "unblockBlockerHistoryUpdate", "initialize", "listen", "_ref", "delta", "warning", "blockerKey", "shouldBlockNavigation", "currentLocation", "nextLocation", "nextHistoryUpdatePromise", "go", "updateBlocker", "updateState", "startNavigation", "restoreAppliedTransitions", "_saveAppliedTransitions", "persistAppliedTransitions", "initialHydration", "dispose", "clear", "deleteFetcher", "deleteBlocker", "newState", "opts", "completedFetchers", "deletedFetchersKeys", "fetcher", "has", "viewTransitionOpts", "flushSync", "completeNavigation", "_temp", "_location$state", "_location$state2", "isActionReload", "isMutationMethod", "_isRedirect", "keys", "mergeLoaderData", "Push", "Replace", "priorPaths", "toPaths", "getSavedScrollPosition", "navigate", "to", "normalizedPath", "normalizeTo", "fromRouteId", "relative", "path", "submission", "normalizeNavigateOptions", "createLocation", "encodeLocation", "userReplace", "search", "pendingError", "enableViewTransition", "viewTransition", "revalidate", "interruptActiveLoads", "startUninterruptedRevalidation", "overrideNavigation", "saveScrollPosition", "routesToUse", "loadingNavigation", "notFoundMatches", "handleNavigational404", "isHashChangeOnly", "request", "createClientSideRequest", "pendingActionResult", "findNearestBoundary", "type", "ResultType", "actionResult", "handleAction", "shortCircuited", "routeId", "result", "isErrorResult", "getLoadingNavigation", "updatedMatches", "handleLoaders", "fetcherSubmission", "getActionDataForCommit", "isFogOfWar", "getSubmittingNavigation", "discoverResult", "discoverRoutes", "boundaryId", "partialMatches", "actionMatch", "getTargetMatch", "method", "results", "callDataStrategy", "isRedirectResult", "normalizeRedirectLocation", "URL", "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", "href", "setFetcherError", "match", "handleFetcherAction", "handleFetcherLoader", "requestMatches", "detectAndHandle405Error", "existingFetcher", "updateFetcherState", "getSubmittingFetcher", "abortController", "fetchRequest", "originatingLoadId", "actionResults", "getDoneFetcher", "revalidationRequest", "loadId", "loadFetcher", "filter", "staleKey", "doneFetcher", "resolveDeferredData", "isNavigation", "_temp2", "redirectLocation", "isDocumentReload", "test", "createURL", "origin", "stripBasename", "redirectHistoryAction", "fetcherKey", "dataResults", "callDataStrategyImpl", "e", "isRedirectDataStrategyResultResult", "normalizeRelativeRoutingRedirectResponse", "convertDataStrategyResultToDataResult", "fetchersToLoad", "currentMatches", "loaderResultsPromise", "fetcherResultsPromise", "all", "map", "resolveNavigationDeferredResults", "resolveFetcherDeferredResults", "getFetcher", "deleteFetcherAndUpdateState", "count", "markFetchersDone", "doneKeys", "landedId", "yeetedKeys", "getBlocker", "blocker", "newBlocker", "blockerFunction", "predicate", "cancelledRouteIds", "dfd", "enableScrollRestoration", "positions", "getPosition", "getKey", "y", "getScrollKey", "convertRouteMatchToUiMatch", "fogMatches", "matchRoutesImpl", "params", "isNonHMR", "localManifest", "patch", "children", "patchRoutesImpl", "newMatches", "newPartialMatches", "i", "_internalSetRoutes", "newRoutes", "patchRoutes", "createHref", "_internalFetchControllers", "_internalActiveDeferreds", "UNSAFE_DEFERRED_SYMBOL", "Symbol", "isSubmissionNavigation", "opts", "formData", "body", "undefined", "normalizeTo", "location", "matches", "basename", "prependBasename", "to", "v7_relativeSplatPath", "fromRouteId", "relative", "contextualMatches", "activeRouteMatch", "match", "push", "route", "id", "length", "path", "resolveTo", "getResolveToMatches", "stripBasename", "pathname", "search", "hash", "nakedIndex", "hasNakedIndexQuery", "index", "replace", "params", "URLSearchParams", "indexValues", "getAll", "delete", "filter", "v", "forEach", "append", "qs", "toString", "joinPaths", "createPath", "normalizeNavigateOptions", "normalizeFormMethod", "isFetcher", "formMethod", "isValidMethod", "error", "getInternalRouterError", "method", "getInvalidBodyError", "type", "rawFormMethod", "toUpperCase", "toLowerCase", "formAction", "stripHashFromPath", "formEncType", "isMutationMethod", "text", "FormData", "Array", "from", "entries", "reduce", "acc", "_ref3", "name", "value", "String", "submission", "json", "JSON", "parse", "e", "invariant", "searchParams", "convertFormDataToSearchParams", "convertSearchParamsToFormData", "parsedPath", "parsePath", "getLoaderMatchesUntilBoundary", "boundaryId", "includeBoundary", "findIndex", "m", "slice", "getMatchesToLoad", "history", "state", "initialHydration", "skipActionErrorRevalidation", "isRevalidationRequired", "cancelledDeferredRoutes", "cancelledFetcherLoads", "deletedFetchers", "fetchLoadMatches", "fetchRedirectIds", "routesToUse", "pendingActionResult", "actionResult", "isErrorResult", "data", "currentUrl", "createURL", "nextUrl", "boundaryMatches", "errors", "Object", "keys", "actionStatus", "statusCode", "shouldSkipRevalidation", "navigationMatches", "lazy", "loader", "shouldLoadRouteOnHydration", "loaderData", "isNewLoader", "some", "currentRouteMatch", "nextRouteMatch", "shouldRevalidateLoader", "_extends", "currentParams", "nextParams", "defaultShouldRevalidate", "isNewRouteInstance", "revalidatingFetchers", "f", "key", "routeId", "has", "fetcherMatches", "matchRoutes", "controller", "fetcher", "fetchers", "get", "fetcherMatch", "getTargetMatch", "shouldRevalidate", "AbortController", "hasData", "hasError", "hydrate", "currentLoaderData", "currentMatch", "isNew", "isMissingData", "currentPath", "endsWith", "loaderMatch", "arg", "routeChoice", "patchRoutesImpl", "children", "manifest", "mapRouteProperties", "_childrenToPatch", "childrenToPatch", "uniqueChildren", "newRoute", "existingRoute", "isSameRoute", "newRoutes", "convertRoutesToDataRoutes", "caseSensitive", "every", "aChild", "i", "_existingRoute$childr", "bChild", "loadLazyRouteModule", "lazyRoute", "routeToUpdate", "routeUpdates", "lazyRouteProperty", "staticRouteValue", "isPropertyStaticallyDefined", "warning", "immutableRouteKeys", "assign", "defaultDataStrategy", "_ref4", "matchesToLoad", "shouldLoad", "results", "Promise", "all", "map", "resolve", "result", "callDataStrategyImpl", "dataStrategyImpl", "request", "fetcherKey", "requestContext", "loadRouteDefinitionsPromises", "dsMatches", "loadRoutePromise", "handlerOverride", "callLoaderOrAction", "ResultType", "context", "staticContext", "onReject", "runHandler", "handler", "reject", "abortPromise", "_", "r", "signal", "addEventListener", "actualHandler", "ctx", "Error", "handlerPromise", "val", "race", "handlerError", "catch", "url", "URL", "removeEventListener", "convertDataStrategyResultToDataResult", "dataStrategyResult", "isResponse", "contentType", "headers", "test", "ErrorResponseImpl", "status", "statusText", "isDataWithResponseInit", "_result$init2", "_result$init", "init", "isRouteErrorResponse", "isDeferredData", "_result$init3", "_result$init4", "deferred", "deferredData", "Headers", "_result$init5", "_result$init6", "normalizeRelativeRoutingRedirectResponse", "response", "ABSOLUTE_URL_REGEX", "trimmedMatches", "set", "normalizeRedirectLocation", "normalizedLocation", "startsWith", "protocol", "isSameBasename", "origin", "createClientSideRequest", "stringify", "Request", "processRouteLoaderData", "activeDeferreds", "skipLoaderErrorBubbling", "foundError", "loaderHeaders", "pendingError", "isRedirectResult", "boundaryMatch", "findNearestBoundary", "isDeferredResult", "processLoaderData", "fetcherResults", "rf", "aborted", "doneFetcher", "getDoneFetcher", "mergeLoaderData", "newLoaderData", "mergedLoaderData", "hasOwnProperty", "getActionDataForCommit", "actionData", "eligibleMatches", "reverse", "find", "hasErrorBoundary", "getShortCircuitMatches", "routes", "pathnameBase", "_temp5", "message", "errorMessage", "findRedirect", "isHashChangeOnly", "a", "b", "isRedirectDataStrategyResultResult", "result", "isResponse", "redirectStatusCodes", "has", "status", "isDeferredResult", "type", "ResultType", "deferred", "isErrorResult", "error", "isRedirectResult", "redirect", "isDataWithResponseInit", "value", "isDeferredData", "data", "subscribe", "cancel", "resolveData", "statusText", "headers", "body", "isValidMethod", "method", "validRequestMethods", "has", "toLowerCase", "isMutationMethod", "validMutationMethods", "resolveNavigationDeferredResults", "matches", "results", "signal", "currentMatches", "currentLoaderData", "entries", "Object", "index", "length", "routeId", "result", "match", "find", "m", "route", "id", "currentMatch", "isRevalidatingLoader", "isNewRouteInstance", "undefined", "isDeferredResult", "resolveDeferredData", "then", "resolveFetcherDeferredResults", "revalidatingFetchers", "key", "controller", "invariant", "unwrap", "aborted", "deferredData", "resolveData", "type", "ResultType", "data", "unwrappedData", "e", "error", "hasNakedIndexQuery", "search", "URLSearchParams", "getAll", "some", "v", "getTargetMatch", "location", "parsePath", "pathMatches", "getPathContributingMatches", "getSubmissionFromNavigation", "navigation", "formMethod", "formAction", "formEncType", "text", "formData", "json", "getLoadingNavigation", "submission", "state", "getSubmittingNavigation", "getLoadingFetcher", "fetcher", "getSubmittingFetcher", "existingFetcher", "getDoneFetcher", "restoreAppliedTransitions", "_window", "transitions", "sessionPositions", "sessionStorage", "getItem", "TRANSITIONS_STORAGE_KEY", "JSON", "parse", "k", "Array", "isArray", "set", "Set", "persistAppliedTransitions", "size", "setItem", "stringify", "warning", "DataRouterContext", "createContext", "process", "displayName", "DataRouterStateContext", "AwaitContext", "NavigationContext", "LocationContext", "RouteContext", "outlet", "matches", "isDataRoute", "RouteErrorContext", "useHref", "to", "_temp", "relative", "useInRouterContext", "invariant", "basename", "navigator", "useContext", "hash", "pathname", "search", "useResolvedPath", "joinedPathname", "joinPaths", "createHref", "useLocation", "location", "useNavigationType", "navigationType", "useMatch", "pattern", "useMemo", "matchPath", "decodePath", "navigateEffectWarning", "useIsomorphicLayoutEffect", "cb", "isStatic", "static", "React", "useLayoutEffect", "useNavigate", "useNavigateStable", "useNavigateUnstable", "dataRouterContext", "future", "locationPathname", "routePathnamesJson", "JSON", "stringify", "getResolveToMatches", "v7_relativeSplatPath", "activeRef", "useRef", "current", "navigate", "useCallback", "options", "warning", "go", "path", "resolveTo", "parse", "replace", "push", "state", "OutletContext", "useOutletContext", "useOutlet", "context", "createElement", "Provider", "value", "useParams", "routeMatch", "length", "params", "_temp2", "useRoutes", "routes", "locationArg", "useRoutesImpl", "dataRouterState", "parentMatches", "parentParams", "parentPathname", "parentPathnameBase", "pathnameBase", "parentRoute", "route", "parentPath", "warningOnce", "endsWith", "locationFromContext", "_parsedLocationArg$pa", "parsedLocationArg", "parsePath", "startsWith", "remainingPathname", "parentSegments", "split", "segments", "slice", "join", "matchRoutes", "element", "undefined", "Component", "lazy", "renderedMatches", "_renderMatches", "map", "match", "Object", "assign", "encodeLocation", "_extends", "key", "NavigationType", "Pop", "DefaultErrorComponent", "error", "useRouteError", "message", "isRouteErrorResponse", "status", "statusText", "Error", "stack", "lightgrey", "preStyles", "padding", "backgroundColor", "codeStyles", "devInfo", "console", "Fragment", "style", "fontStyle", "defaultErrorElement", "RenderErrorBoundary", "constructor", "props", "revalidation", "getDerivedStateFromError", "getDerivedStateFromProps", "componentDidCatch", "errorInfo", "render", "routeContext", "children", "component", "RenderedRoute", "_ref", "staticContext", "errorElement", "ErrorBoundary", "_deepestRenderedBoundaryId", "id", "_dataRouterState", "_future", "errors", "v7_partialHydration", "initialized", "errorIndex", "findIndex", "m", "keys", "Math", "min", "renderFallback", "fallbackIndex", "i", "HydrateFallback", "hydrateFallbackElement", "loaderData", "needsToRunLoader", "loader", "reduceRight", "index", "shouldRenderHydrateFallback", "concat", "getChildren", "DataRouterHook", "DataRouterStateHook", "getDataRouterConsoleError", "hookName", "useDataRouterContext", "ctx", "useDataRouterState", "useRouteContext", "useCurrentRouteId", "thisRoute", "useRouteId", "UseRouteId", "useNavigation", "UseNavigation", "navigation", "useRevalidator", "UseRevalidator", "revalidate", "router", "useMatches", "UseMatches", "convertRouteMatchToUiMatch", "useLoaderData", "UseLoaderData", "routeId", "useRouteLoaderData", "UseRouteLoaderData", "useActionData", "UseActionData", "actionData", "_state$errors", "UseRouteError", "useAsyncValue", "_data", "useAsyncError", "_error", "blockerId", "useBlocker", "shouldBlock", "UseBlocker", "blockerKey", "setBlockerKey", "useState", "blockerFunction", "arg", "currentLocation", "nextLocation", "historyAction", "stripBasename", "useEffect", "String", "deleteBlocker", "getBlocker", "blockers", "has", "get", "IDLE_BLOCKER", "UseNavigateStable", "fromRouteId", "alreadyWarned", "cond", "warnOnce", "warn", "logDeprecation", "flag", "msg", "link", "logV6DeprecationWarnings", "renderFuture", "routerFuture", "v7_startTransition", "v7_fetcherPersist", "v7_normalizeFormMethod", "v7_skipActionErrorRevalidation", "START_TRANSITION", "startTransitionImpl", "MemoryRouter", "_ref3", "basename", "children", "initialEntries", "initialIndex", "future", "historyRef", "useRef", "current", "createMemoryHistory", "v5Compat", "history", "state", "setStateImpl", "useState", "action", "location", "v7_startTransition", "setState", "useCallback", "newState", "startTransitionImpl", "React", "useLayoutEffect", "listen", "useEffect", "logV6DeprecationWarnings", "createElement", "Router", "navigationType", "navigator", "Navigate", "_ref4", "to", "replace", "relative", "useInRouterContext", "process", "invariant", "static", "isStatic", "useContext", "NavigationContext", "warning", "matches", "RouteContext", "pathname", "locationPathname", "useLocation", "navigate", "useNavigate", "path", "resolveTo", "getResolveToMatches", "v7_relativeSplatPath", "jsonPath", "JSON", "stringify", "parse", "Outlet", "props", "useOutlet", "context", "Route", "_props", "_ref5", "basenameProp", "locationProp", "NavigationType", "Pop", "staticProp", "navigationContext", "useMemo", "_extends", "parsePath", "search", "hash", "key", "locationContext", "trailingPathname", "stripBasename", "Provider", "value", "LocationContext", "Routes", "_ref6", "useRoutes", "createRoutesFromChildren", "Await", "_ref7", "errorElement", "resolve", "AwaitErrorBoundary", "ResolveAwait", "AwaitRenderStatus", "neverSettledPromise", "Promise", "Component", "constructor", "error", "getDerivedStateFromError", "componentDidCatch", "errorInfo", "console", "render", "promise", "status", "pending", "success", "Object", "defineProperty", "get", "renderError", "reject", "catch", "_tracked", "then", "data", "_error", "AbortedDeferredError", "AwaitContext", "_ref8", "useAsyncValue", "toRender", "Fragment", "parentPath", "routes", "Children", "forEach", "element", "index", "isValidElement", "treePath", "type", "push", "apply", "name", "route", "id", "join", "caseSensitive", "loader", "ErrorBoundary", "hasErrorBoundary", "shouldRevalidate", "handle", "lazy", "renderMatches", "_renderMatches", "mapRouteProperties", "updates", "assign", "undefined", "HydrateFallback", "hydrateFallbackElement", "createMemoryRouter", "opts", "createRouter", "v7_prependBasename", "hydrationData", "dataStrategy", "patchRoutesOnNavigation", "initialize", "defaultMethod", "defaultEncType", "isHtmlElement", "object", "tagName", "isButtonElement", "toLowerCase", "isFormElement", "isInputElement", "isModifiedEvent", "event", "metaKey", "altKey", "ctrlKey", "shiftKey", "shouldProcessLinkClick", "target", "button", "createSearchParams", "init", "URLSearchParams", "Array", "isArray", "Object", "keys", "reduce", "memo", "key", "value", "concat", "map", "v", "getSearchParamsForLocation", "locationSearch", "defaultSearchParams", "searchParams", "forEach", "_", "has", "getAll", "append", "_formDataSupportsSubmitter", "isFormDataSubmitterSupported", "FormData", "document", "createElement", "e", "supportedFormEncTypes", "Set", "getFormEncType", "encType", "process", "warning", "getFormSubmissionInfo", "basename", "method", "action", "formData", "body", "attr", "getAttribute", "stripBasename", "type", "form", "Error", "name", "prefix", "undefined", "REACT_ROUTER_VERSION", "window", "__reactRouterVersion", "createBrowserRouter", "routes", "opts", "createRouter", "future", "_extends", "v7_prependBasename", "history", "createBrowserHistory", "hydrationData", "parseHydrationData", "dataStrategy", "patchRoutesOnNavigation", "initialize", "createHashRouter", "createHashHistory", "_window", "state", "__staticRouterHydrationData", "errors", "deserializeErrors", "entries", "serialized", "val", "__type", "ErrorResponseImpl", "status", "statusText", "data", "internal", "__subType", "ErrorConstructor", "error", "message", "stack", "ViewTransitionContext", "createContext", "isTransitioning", "displayName", "FetchersContext", "Map", "START_TRANSITION", "startTransitionImpl", "React", "FLUSH_SYNC", "flushSyncImpl", "ReactDOM", "USE_ID", "useIdImpl", "startTransitionSafe", "cb", "flushSyncSafe", "Deferred", "constructor", "promise", "Promise", "resolve", "reject", "reason", "RouterProvider", "_ref", "fallbackElement", "router", "setStateImpl", "useState", "pendingState", "setPendingState", "vtContext", "setVtContext", "renderDfd", "setRenderDfd", "transition", "setTransition", "interruption", "setInterruption", "fetcherData", "useRef", "v7_startTransition", "optInStartTransition", "useCallback", "setState", "newState", "_ref2", "deletedFetchers", "flushSync", "viewTransitionOpts", "current", "delete", "fetchers", "fetcher", "set", "isViewTransitionUnavailable", "startViewTransition", "skipTransition", "currentLocation", "nextLocation", "t", "finished", "finally", "useLayoutEffect", "subscribe", "useEffect", "renderPromise", "location", "v7_partialHydration", "navigator", "useMemo", "createHref", "encodeLocation", "go", "n", "navigate", "push", "to", "preventScrollReset", "replace", "dataRouterContext", "static", "routerFuture", "v7_relativeSplatPath", "logV6DeprecationWarnings", "Fragment", "DataRouterContext", "Provider", "DataRouterStateContext", "Router", "navigationType", "historyAction", "initialized", "MemoizedDataRoutes", "DataRoutes", "_ref3", "useRoutesImpl", "BrowserRouter", "_ref4", "children", "historyRef", "v5Compat", "listen", "HashRouter", "_ref5", "HistoryRouter", "_ref6", "isBrowser", "ABSOLUTE_URL_REGEX", "Link", "forwardRef", "LinkWithRef", "_ref7", "ref", "onClick", "relative", "reloadDocument", "viewTransition", "rest", "_objectWithoutPropertiesLoose", "_excluded", "useContext", "NavigationContext", "absoluteHref", "isExternal", "test", "currentUrl", "URL", "href", "targetUrl", "startsWith", "protocol", "path", "pathname", "origin", "search", "hash", "useHref", "internalOnClick", "useLinkClickHandler", "handleClick", "defaultPrevented", "NavLink", "NavLinkWithRef", "_ref8", "ariaCurrentProp", "caseSensitive", "className", "classNameProp", "end", "style", "styleProp", "_excluded2", "useResolvedPath", "useLocation", "routerState", "useViewTransitionState", "toPathname", "locationPathname", "nextLocationPathname", "navigation", "endSlashPosition", "endsWith", "length", "isActive", "charAt", "isPending", "renderProps", "ariaCurrent", "filter", "Boolean", "join", "Form", "_ref9", "forwardedRef", "fetcherKey", "onSubmit", "props", "_excluded3", "submit", "useSubmit", "formAction", "useFormAction", "formMethod", "submitHandler", "preventDefault", "submitter", "nativeEvent", "submitMethod", "currentTarget", "ScrollRestoration", "_ref10", "getKey", "storageKey", "useScrollRestoration", "DataRouterHook", "DataRouterStateHook", "getDataRouterConsoleError", "hookName", "useDataRouterContext", "ctx", "invariant", "useDataRouterState", "_temp", "replaceProp", "useNavigate", "createPath", "useSearchParams", "defaultInit", "defaultSearchParamsRef", "hasSetSearchParamsRef", "setSearchParams", "nextInit", "navigateOptions", "newSearchParams", "validateClientSideSubmission", "fetcherId", "getUniqueFetcherId", "String", "UseSubmit", "currentRouteId", "useRouteId", "options", "fetch", "formEncType", "fromRouteId", "_temp2", "routeContext", "RouteContext", "match", "matches", "slice", "params", "indexValues", "hasNakedIndexParam", "some", "qs", "toString", "route", "index", "joinPaths", "useFetcher", "_temp3", "_route$matches", "UseFetcher", "routeId", "id", "defaultKey", "setFetcherKey", "getFetcher", "deleteFetcher", "load", "submitImpl", "FetcherForm", "get", "IDLE_FETCHER", "fetcherWithComponents", "useFetchers", "UseFetchers", "from", "_ref11", "SCROLL_RESTORATION_STORAGE_KEY", "savedScrollPositions", "_temp4", "UseScrollRestoration", "restoreScrollPosition", "useMatches", "useNavigation", "scrollRestoration", "usePageHide", "scrollY", "sessionStorage", "setItem", "JSON", "stringify", "sessionPositions", "getItem", "parse", "getKeyWithoutBasename", "disableScrollRestoration", "enableScrollRestoration", "scrollTo", "el", "getElementById", "decodeURIComponent", "scrollIntoView", "useBeforeUnload", "callback", "capture", "addEventListener", "removeEventListener", "usePrompt", "_ref12", "when", "blocker", "useBlocker", "proceed", "confirm", "setTimeout", "reset", "currentPath", "nextPath", "matchPath"] 7 7 }
Note:
See TracChangeset
for help on using the changeset viewer.