@tanstack/router-generator 1.145.1 → 1.145.2

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -185,11 +185,12 @@ async function getRouteNodes(config, root) {
185
185
  if (originalRoutePath === config.indexToken) {
186
186
  originalRoutePath = "/";
187
187
  }
188
- routePath = routePath.replace(new RegExp(`/${config.indexToken}$`), "/") || "/";
188
+ const isLayoutRoute = routeType === "layout";
189
+ routePath = routePath.replace(new RegExp(`/${config.indexToken}$`), "/") || (isLayoutRoute ? "" : "/");
189
190
  originalRoutePath = originalRoutePath.replace(
190
191
  new RegExp(`/${config.indexToken}$`),
191
192
  "/"
192
- ) || "/";
193
+ ) || (isLayoutRoute ? "" : "/");
193
194
  }
194
195
  routeNodes.push({
195
196
  filePath,
@@ -1 +1 @@
1
- {"version":3,"file":"getRouteNodes.cjs","sources":["../../../../src/filesystem/physical/getRouteNodes.ts"],"sourcesContent":["import path from 'node:path'\nimport * as fsp from 'node:fs/promises'\nimport {\n determineInitialRoutePath,\n hasEscapedLeadingUnderscore,\n removeExt,\n replaceBackslash,\n routePathToVariable,\n} from '../../utils'\nimport { getRouteNodes as getRouteNodesVirtual } from '../virtual/getRouteNodes'\nimport { loadConfigFile } from '../virtual/loadConfigFile'\nimport { logging } from '../../logger'\nimport { rootPathId } from './rootPathId'\nimport type {\n VirtualRootRoute,\n VirtualRouteSubtreeConfig,\n} from '@tanstack/virtual-file-routes'\nimport type { FsRouteType, GetRouteNodesResult, RouteNode } from '../../types'\nimport type { Config } from '../../config'\n\nconst disallowedRouteGroupConfiguration = /\\(([^)]+)\\).(ts|js|tsx|jsx|vue)/\n\nconst virtualConfigFileRegExp = /__virtual\\.[mc]?[jt]s$/\nexport function isVirtualConfigFile(fileName: string): boolean {\n return virtualConfigFileRegExp.test(fileName)\n}\n\nexport async function getRouteNodes(\n config: Pick<\n Config,\n | 'routesDirectory'\n | 'routeFilePrefix'\n | 'routeFileIgnorePrefix'\n | 'routeFileIgnorePattern'\n | 'disableLogging'\n | 'routeToken'\n | 'indexToken'\n >,\n root: string,\n): Promise<GetRouteNodesResult> {\n const { routeFilePrefix, routeFileIgnorePrefix, routeFileIgnorePattern } =\n config\n\n const logger = logging({ disabled: config.disableLogging })\n const routeFileIgnoreRegExp = new RegExp(routeFileIgnorePattern ?? '', 'g')\n\n const routeNodes: Array<RouteNode> = []\n const allPhysicalDirectories: Array<string> = []\n\n async function recurse(dir: string) {\n const fullDir = path.resolve(config.routesDirectory, dir)\n let dirList = await fsp.readdir(fullDir, { withFileTypes: true })\n\n dirList = dirList.filter((d) => {\n if (\n d.name.startsWith('.') ||\n (routeFileIgnorePrefix && d.name.startsWith(routeFileIgnorePrefix))\n ) {\n return false\n }\n\n if (routeFilePrefix) {\n if (routeFileIgnorePattern) {\n return (\n d.name.startsWith(routeFilePrefix) &&\n !d.name.match(routeFileIgnoreRegExp)\n )\n }\n\n return d.name.startsWith(routeFilePrefix)\n }\n\n if (routeFileIgnorePattern) {\n return !d.name.match(routeFileIgnoreRegExp)\n }\n\n return true\n })\n\n const virtualConfigFile = dirList.find((dirent) => {\n return dirent.isFile() && isVirtualConfigFile(dirent.name)\n })\n\n if (virtualConfigFile !== undefined) {\n const virtualRouteConfigExport = await loadConfigFile(\n path.resolve(fullDir, virtualConfigFile.name),\n )\n let virtualRouteSubtreeConfig: VirtualRouteSubtreeConfig\n if (typeof virtualRouteConfigExport.default === 'function') {\n virtualRouteSubtreeConfig = await virtualRouteConfigExport.default()\n } else {\n virtualRouteSubtreeConfig = virtualRouteConfigExport.default\n }\n const dummyRoot: VirtualRootRoute = {\n type: 'root',\n file: '',\n children: virtualRouteSubtreeConfig,\n }\n const { routeNodes: virtualRouteNodes, physicalDirectories } =\n await getRouteNodesVirtual(\n {\n ...config,\n routesDirectory: fullDir,\n virtualRouteConfig: dummyRoot,\n },\n root,\n )\n allPhysicalDirectories.push(...physicalDirectories)\n virtualRouteNodes.forEach((node) => {\n const filePath = replaceBackslash(path.join(dir, node.filePath))\n const routePath = `/${dir}${node.routePath}`\n\n node.variableName = routePathToVariable(\n `${dir}/${removeExt(node.filePath)}`,\n )\n node.routePath = routePath\n // Keep originalRoutePath aligned with routePath for escape detection\n if (node.originalRoutePath) {\n node.originalRoutePath = `/${dir}${node.originalRoutePath}`\n }\n node.filePath = filePath\n })\n\n routeNodes.push(...virtualRouteNodes)\n\n return\n }\n\n await Promise.all(\n dirList.map(async (dirent) => {\n const fullPath = replaceBackslash(path.join(fullDir, dirent.name))\n const relativePath = path.posix.join(dir, dirent.name)\n\n if (dirent.isDirectory()) {\n await recurse(relativePath)\n } else if (fullPath.match(/\\.(tsx|ts|jsx|js|vue)$/)) {\n const filePath = replaceBackslash(path.join(dir, dirent.name))\n const filePathNoExt = removeExt(filePath)\n const {\n routePath: initialRoutePath,\n originalRoutePath: initialOriginalRoutePath,\n } = determineInitialRoutePath(filePathNoExt)\n\n let routePath = initialRoutePath\n let originalRoutePath = initialOriginalRoutePath\n\n if (routeFilePrefix) {\n routePath = routePath.replaceAll(routeFilePrefix, '')\n originalRoutePath = originalRoutePath.replaceAll(\n routeFilePrefix,\n '',\n )\n }\n\n if (disallowedRouteGroupConfiguration.test(dirent.name)) {\n const errorMessage = `A route configuration for a route group was found at \\`${filePath}\\`. This is not supported. Did you mean to use a layout/pathless route instead?`\n logger.error(`ERROR: ${errorMessage}`)\n throw new Error(errorMessage)\n }\n\n const meta = getRouteMeta(routePath, originalRoutePath, config)\n const variableName = meta.variableName\n let routeType: FsRouteType = meta.fsRouteType\n\n if (routeType === 'lazy') {\n routePath = routePath.replace(/\\/lazy$/, '')\n originalRoutePath = originalRoutePath.replace(/\\/lazy$/, '')\n }\n\n // this check needs to happen after the lazy route has been cleaned up\n // since the routePath is used to determine if a route is pathless\n if (\n isValidPathlessLayoutRoute(\n routePath,\n originalRoutePath,\n routeType,\n config,\n )\n ) {\n routeType = 'pathless_layout'\n }\n\n // Only show deprecation warning for .tsx/.ts files, not .vue files\n // Vue files using .component.vue is the Vue-native way\n const isVueFile = filePath.endsWith('.vue')\n if (!isVueFile) {\n ;(\n [\n ['component', 'component'],\n ['errorComponent', 'errorComponent'],\n ['notFoundComponent', 'notFoundComponent'],\n ['pendingComponent', 'pendingComponent'],\n ['loader', 'loader'],\n ] satisfies Array<[FsRouteType, string]>\n ).forEach(([matcher, type]) => {\n if (routeType === matcher) {\n logger.warn(\n `WARNING: The \\`.${type}.tsx\\` suffix used for the ${filePath} file is deprecated. Use the new \\`.lazy.tsx\\` suffix instead.`,\n )\n }\n })\n }\n\n // Get the last segment of originalRoutePath to check for escaping\n const originalSegments = originalRoutePath.split('/').filter(Boolean)\n const lastOriginalSegmentForSuffix =\n originalSegments[originalSegments.length - 1] || ''\n\n // List of special suffixes that can be escaped\n const specialSuffixes = [\n 'component',\n 'errorComponent',\n 'notFoundComponent',\n 'pendingComponent',\n 'loader',\n config.routeToken,\n 'lazy',\n ]\n\n // Only strip the suffix if it wasn't escaped (not wrapped in brackets)\n const suffixToStrip = specialSuffixes.find((suffix) => {\n const endsWithSuffix = routePath.endsWith(`/${suffix}`)\n const isEscaped = lastOriginalSegmentForSuffix === `[${suffix}]`\n return endsWithSuffix && !isEscaped\n })\n\n if (suffixToStrip) {\n routePath = routePath.replace(new RegExp(`/${suffixToStrip}$`), '')\n originalRoutePath = originalRoutePath.replace(\n new RegExp(`/${suffixToStrip}$`),\n '',\n )\n }\n\n // Check if the index token should be treated specially or as a literal path\n // If it's escaped (wrapped in brackets in originalRoutePath), it should be literal\n const lastOriginalSegment =\n originalRoutePath.split('/').filter(Boolean).pop() || ''\n const isIndexEscaped =\n lastOriginalSegment === `[${config.indexToken}]`\n\n if (!isIndexEscaped) {\n if (routePath === config.indexToken) {\n routePath = '/'\n }\n\n if (originalRoutePath === config.indexToken) {\n originalRoutePath = '/'\n }\n\n routePath =\n routePath.replace(new RegExp(`/${config.indexToken}$`), '/') ||\n '/'\n\n originalRoutePath =\n originalRoutePath.replace(\n new RegExp(`/${config.indexToken}$`),\n '/',\n ) || '/'\n }\n\n routeNodes.push({\n filePath,\n fullPath,\n routePath,\n variableName,\n _fsRouteType: routeType,\n originalRoutePath,\n })\n }\n }),\n )\n\n return routeNodes\n }\n\n await recurse('./')\n\n // Find the root route node - prefer the actual route file over component/loader files\n const rootRouteNode =\n routeNodes.find(\n (d) =>\n d.routePath === `/${rootPathId}` &&\n ![\n 'component',\n 'errorComponent',\n 'notFoundComponent',\n 'pendingComponent',\n 'loader',\n 'lazy',\n ].includes(d._fsRouteType),\n ) ?? routeNodes.find((d) => d.routePath === `/${rootPathId}`)\n if (rootRouteNode) {\n rootRouteNode._fsRouteType = '__root'\n rootRouteNode.variableName = 'root'\n }\n\n return {\n rootRouteNode,\n routeNodes,\n physicalDirectories: allPhysicalDirectories,\n }\n}\n\n/**\n * Determines the metadata for a given route path based on the provided configuration.\n *\n * @param routePath - The determined initial routePath (with brackets removed).\n * @param originalRoutePath - The original route path (may contain brackets for escaped content).\n * @param config - The user configuration object.\n * @returns An object containing the type of the route and the variable name derived from the route path.\n */\nexport function getRouteMeta(\n routePath: string,\n originalRoutePath: string,\n config: Pick<Config, 'routeToken' | 'indexToken'>,\n): {\n // `__root` is can be more easily determined by filtering down to routePath === /${rootPathId}\n // `pathless` is needs to determined after `lazy` has been cleaned up from the routePath\n fsRouteType: Extract<\n FsRouteType,\n | 'static'\n | 'layout'\n | 'api'\n | 'lazy'\n | 'loader'\n | 'component'\n | 'pendingComponent'\n | 'errorComponent'\n | 'notFoundComponent'\n >\n variableName: string\n} {\n let fsRouteType: FsRouteType = 'static'\n\n // Get the last segment from the original path to check for escaping\n const originalSegments = originalRoutePath.split('/').filter(Boolean)\n const lastOriginalSegment =\n originalSegments[originalSegments.length - 1] || ''\n\n // Helper to check if a specific suffix is escaped\n const isSuffixEscaped = (suffix: string): boolean => {\n return lastOriginalSegment === `[${suffix}]`\n }\n\n if (\n routePath.endsWith(`/${config.routeToken}`) &&\n !isSuffixEscaped(config.routeToken)\n ) {\n // layout routes, i.e `/foo/route.tsx` or `/foo/_layout/route.tsx`\n fsRouteType = 'layout'\n } else if (routePath.endsWith('/lazy') && !isSuffixEscaped('lazy')) {\n // lazy routes, i.e. `/foo.lazy.tsx`\n fsRouteType = 'lazy'\n } else if (routePath.endsWith('/loader') && !isSuffixEscaped('loader')) {\n // loader routes, i.e. `/foo.loader.tsx`\n fsRouteType = 'loader'\n } else if (\n routePath.endsWith('/component') &&\n !isSuffixEscaped('component')\n ) {\n // component routes, i.e. `/foo.component.tsx`\n fsRouteType = 'component'\n } else if (\n routePath.endsWith('/pendingComponent') &&\n !isSuffixEscaped('pendingComponent')\n ) {\n // pending component routes, i.e. `/foo.pendingComponent.tsx`\n fsRouteType = 'pendingComponent'\n } else if (\n routePath.endsWith('/errorComponent') &&\n !isSuffixEscaped('errorComponent')\n ) {\n // error component routes, i.e. `/foo.errorComponent.tsx`\n fsRouteType = 'errorComponent'\n } else if (\n routePath.endsWith('/notFoundComponent') &&\n !isSuffixEscaped('notFoundComponent')\n ) {\n // not found component routes, i.e. `/foo.notFoundComponent.tsx`\n fsRouteType = 'notFoundComponent'\n }\n\n const variableName = routePathToVariable(routePath)\n\n return { fsRouteType, variableName }\n}\n\n/**\n * Used to validate if a route is a pathless layout route\n * @param normalizedRoutePath Normalized route path, i.e `/foo/_layout/route.tsx` and `/foo._layout.route.tsx` to `/foo/_layout/route`\n * @param originalRoutePath Original route path with brackets for escaped content\n * @param routeType The route type determined from file extension\n * @param config The `router-generator` configuration object\n * @returns Boolean indicating if the route is a pathless layout route\n */\nfunction isValidPathlessLayoutRoute(\n normalizedRoutePath: string,\n originalRoutePath: string,\n routeType: FsRouteType,\n config: Pick<Config, 'routeToken' | 'indexToken'>,\n): boolean {\n if (routeType === 'lazy') {\n return false\n }\n\n const segments = normalizedRoutePath.split('/').filter(Boolean)\n const originalSegments = originalRoutePath.split('/').filter(Boolean)\n\n if (segments.length === 0) {\n return false\n }\n\n const lastRouteSegment = segments[segments.length - 1]!\n const lastOriginalSegment =\n originalSegments[originalSegments.length - 1] || ''\n const secondToLastRouteSegment = segments[segments.length - 2]\n const secondToLastOriginalSegment =\n originalSegments[originalSegments.length - 2]\n\n // If segment === __root, then exit as false\n if (lastRouteSegment === rootPathId) {\n return false\n }\n\n // If segment === config.routeToken and secondToLastSegment is a string that starts with _, then exit as true\n // Since the route is actually a configuration route for a layout/pathless route\n // i.e. /foo/_layout/route.tsx === /foo/_layout.tsx\n // But if the underscore is escaped, it's not a pathless layout\n if (\n lastRouteSegment === config.routeToken &&\n typeof secondToLastRouteSegment === 'string' &&\n typeof secondToLastOriginalSegment === 'string'\n ) {\n // Check if the underscore is escaped\n if (hasEscapedLeadingUnderscore(secondToLastOriginalSegment)) {\n return false\n }\n return secondToLastRouteSegment.startsWith('_')\n }\n\n // Segment starts with _ but check if it's escaped\n // If the original segment has [_] at the start, the underscore is escaped and it's not a pathless layout\n if (hasEscapedLeadingUnderscore(lastOriginalSegment)) {\n return false\n }\n\n return (\n lastRouteSegment !== config.indexToken &&\n lastRouteSegment !== config.routeToken &&\n lastRouteSegment.startsWith('_')\n )\n}\n"],"names":["logger","logging","fsp","loadConfigFile","getRouteNodesVirtual","replaceBackslash","routePathToVariable","removeExt","determineInitialRoutePath","rootPathId","hasEscapedLeadingUnderscore"],"mappings":";;;;;;;;;;;;;;;;;;;;;;;;;;AAoBA,MAAM,oCAAoC;AAE1C,MAAM,0BAA0B;AACzB,SAAS,oBAAoB,UAA2B;AAC7D,SAAO,wBAAwB,KAAK,QAAQ;AAC9C;AAEA,eAAsB,cACpB,QAUA,MAC8B;AAC9B,QAAM,EAAE,iBAAiB,uBAAuB,uBAAA,IAC9C;AAEF,QAAMA,WAASC,OAAAA,QAAQ,EAAE,UAAU,OAAO,gBAAgB;AAC1D,QAAM,wBAAwB,IAAI,OAAO,0BAA0B,IAAI,GAAG;AAE1E,QAAM,aAA+B,CAAA;AACrC,QAAM,yBAAwC,CAAA;AAE9C,iBAAe,QAAQ,KAAa;AAClC,UAAM,UAAU,KAAK,QAAQ,OAAO,iBAAiB,GAAG;AACxD,QAAI,UAAU,MAAMC,eAAI,QAAQ,SAAS,EAAE,eAAe,MAAM;AAEhE,cAAU,QAAQ,OAAO,CAAC,MAAM;AAC9B,UACE,EAAE,KAAK,WAAW,GAAG,KACpB,yBAAyB,EAAE,KAAK,WAAW,qBAAqB,GACjE;AACA,eAAO;AAAA,MACT;AAEA,UAAI,iBAAiB;AACnB,YAAI,wBAAwB;AAC1B,iBACE,EAAE,KAAK,WAAW,eAAe,KACjC,CAAC,EAAE,KAAK,MAAM,qBAAqB;AAAA,QAEvC;AAEA,eAAO,EAAE,KAAK,WAAW,eAAe;AAAA,MAC1C;AAEA,UAAI,wBAAwB;AAC1B,eAAO,CAAC,EAAE,KAAK,MAAM,qBAAqB;AAAA,MAC5C;AAEA,aAAO;AAAA,IACT,CAAC;AAED,UAAM,oBAAoB,QAAQ,KAAK,CAAC,WAAW;AACjD,aAAO,OAAO,OAAA,KAAY,oBAAoB,OAAO,IAAI;AAAA,IAC3D,CAAC;AAED,QAAI,sBAAsB,QAAW;AACnC,YAAM,2BAA2B,MAAMC,eAAAA;AAAAA,QACrC,KAAK,QAAQ,SAAS,kBAAkB,IAAI;AAAA,MAAA;AAE9C,UAAI;AACJ,UAAI,OAAO,yBAAyB,YAAY,YAAY;AAC1D,oCAA4B,MAAM,yBAAyB,QAAA;AAAA,MAC7D,OAAO;AACL,oCAA4B,yBAAyB;AAAA,MACvD;AACA,YAAM,YAA8B;AAAA,QAClC,MAAM;AAAA,QACN,MAAM;AAAA,QACN,UAAU;AAAA,MAAA;AAEZ,YAAM,EAAE,YAAY,mBAAmB,oBAAA,IACrC,MAAMC,gBAAAA;AAAAA,QACJ;AAAA,UACE,GAAG;AAAA,UACH,iBAAiB;AAAA,UACjB,oBAAoB;AAAA,QAAA;AAAA,QAEtB;AAAA,MAAA;AAEJ,6BAAuB,KAAK,GAAG,mBAAmB;AAClD,wBAAkB,QAAQ,CAAC,SAAS;AAClC,cAAM,WAAWC,MAAAA,iBAAiB,KAAK,KAAK,KAAK,KAAK,QAAQ,CAAC;AAC/D,cAAM,YAAY,IAAI,GAAG,GAAG,KAAK,SAAS;AAE1C,aAAK,eAAeC,MAAAA;AAAAA,UAClB,GAAG,GAAG,IAAIC,MAAAA,UAAU,KAAK,QAAQ,CAAC;AAAA,QAAA;AAEpC,aAAK,YAAY;AAEjB,YAAI,KAAK,mBAAmB;AAC1B,eAAK,oBAAoB,IAAI,GAAG,GAAG,KAAK,iBAAiB;AAAA,QAC3D;AACA,aAAK,WAAW;AAAA,MAClB,CAAC;AAED,iBAAW,KAAK,GAAG,iBAAiB;AAEpC;AAAA,IACF;AAEA,UAAM,QAAQ;AAAA,MACZ,QAAQ,IAAI,OAAO,WAAW;AAC5B,cAAM,WAAWF,MAAAA,iBAAiB,KAAK,KAAK,SAAS,OAAO,IAAI,CAAC;AACjE,cAAM,eAAe,KAAK,MAAM,KAAK,KAAK,OAAO,IAAI;AAErD,YAAI,OAAO,eAAe;AACxB,gBAAM,QAAQ,YAAY;AAAA,QAC5B,WAAW,SAAS,MAAM,wBAAwB,GAAG;AACnD,gBAAM,WAAWA,MAAAA,iBAAiB,KAAK,KAAK,KAAK,OAAO,IAAI,CAAC;AAC7D,gBAAM,gBAAgBE,MAAAA,UAAU,QAAQ;AACxC,gBAAM;AAAA,YACJ,WAAW;AAAA,YACX,mBAAmB;AAAA,UAAA,IACjBC,MAAAA,0BAA0B,aAAa;AAE3C,cAAI,YAAY;AAChB,cAAI,oBAAoB;AAExB,cAAI,iBAAiB;AACnB,wBAAY,UAAU,WAAW,iBAAiB,EAAE;AACpD,gCAAoB,kBAAkB;AAAA,cACpC;AAAA,cACA;AAAA,YAAA;AAAA,UAEJ;AAEA,cAAI,kCAAkC,KAAK,OAAO,IAAI,GAAG;AACvD,kBAAM,eAAe,0DAA0D,QAAQ;AACvFR,qBAAO,MAAM,UAAU,YAAY,EAAE;AACrC,kBAAM,IAAI,MAAM,YAAY;AAAA,UAC9B;AAEA,gBAAM,OAAO,aAAa,WAAW,mBAAmB,MAAM;AAC9D,gBAAM,eAAe,KAAK;AAC1B,cAAI,YAAyB,KAAK;AAElC,cAAI,cAAc,QAAQ;AACxB,wBAAY,UAAU,QAAQ,WAAW,EAAE;AAC3C,gCAAoB,kBAAkB,QAAQ,WAAW,EAAE;AAAA,UAC7D;AAIA,cACE;AAAA,YACE;AAAA,YACA;AAAA,YACA;AAAA,YACA;AAAA,UAAA,GAEF;AACA,wBAAY;AAAA,UACd;AAIA,gBAAM,YAAY,SAAS,SAAS,MAAM;AAC1C,cAAI,CAAC,WAAW;AAEZ;AAAA,cACE,CAAC,aAAa,WAAW;AAAA,cACzB,CAAC,kBAAkB,gBAAgB;AAAA,cACnC,CAAC,qBAAqB,mBAAmB;AAAA,cACzC,CAAC,oBAAoB,kBAAkB;AAAA,cACvC,CAAC,UAAU,QAAQ;AAAA,YAAA,EAErB,QAAQ,CAAC,CAAC,SAAS,IAAI,MAAM;AAC7B,kBAAI,cAAc,SAAS;AACzBA,yBAAO;AAAA,kBACL,mBAAmB,IAAI,8BAA8B,QAAQ;AAAA,gBAAA;AAAA,cAEjE;AAAA,YACF,CAAC;AAAA,UACH;AAGA,gBAAM,mBAAmB,kBAAkB,MAAM,GAAG,EAAE,OAAO,OAAO;AACpE,gBAAM,+BACJ,iBAAiB,iBAAiB,SAAS,CAAC,KAAK;AAGnD,gBAAM,kBAAkB;AAAA,YACtB;AAAA,YACA;AAAA,YACA;AAAA,YACA;AAAA,YACA;AAAA,YACA,OAAO;AAAA,YACP;AAAA,UAAA;AAIF,gBAAM,gBAAgB,gBAAgB,KAAK,CAAC,WAAW;AACrD,kBAAM,iBAAiB,UAAU,SAAS,IAAI,MAAM,EAAE;AACtD,kBAAM,YAAY,iCAAiC,IAAI,MAAM;AAC7D,mBAAO,kBAAkB,CAAC;AAAA,UAC5B,CAAC;AAED,cAAI,eAAe;AACjB,wBAAY,UAAU,QAAQ,IAAI,OAAO,IAAI,aAAa,GAAG,GAAG,EAAE;AAClE,gCAAoB,kBAAkB;AAAA,cACpC,IAAI,OAAO,IAAI,aAAa,GAAG;AAAA,cAC/B;AAAA,YAAA;AAAA,UAEJ;AAIA,gBAAM,sBACJ,kBAAkB,MAAM,GAAG,EAAE,OAAO,OAAO,EAAE,IAAA,KAAS;AACxD,gBAAM,iBACJ,wBAAwB,IAAI,OAAO,UAAU;AAE/C,cAAI,CAAC,gBAAgB;AACnB,gBAAI,cAAc,OAAO,YAAY;AACnC,0BAAY;AAAA,YACd;AAEA,gBAAI,sBAAsB,OAAO,YAAY;AAC3C,kCAAoB;AAAA,YACtB;AAEA,wBACE,UAAU,QAAQ,IAAI,OAAO,IAAI,OAAO,UAAU,GAAG,GAAG,GAAG,KAC3D;AAEF,gCACE,kBAAkB;AAAA,cAChB,IAAI,OAAO,IAAI,OAAO,UAAU,GAAG;AAAA,cACnC;AAAA,YAAA,KACG;AAAA,UACT;AAEA,qBAAW,KAAK;AAAA,YACd;AAAA,YACA;AAAA,YACA;AAAA,YACA;AAAA,YACA,cAAc;AAAA,YACd;AAAA,UAAA,CACD;AAAA,QACH;AAAA,MACF,CAAC;AAAA,IAAA;AAGH,WAAO;AAAA,EACT;AAEA,QAAM,QAAQ,IAAI;AAGlB,QAAM,gBACJ,WAAW;AAAA,IACT,CAAC,MACC,EAAE,cAAc,IAAIS,WAAAA,UAAU,MAC9B,CAAC;AAAA,MACC;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,IAAA,EACA,SAAS,EAAE,YAAY;AAAA,EAAA,KACxB,WAAW,KAAK,CAAC,MAAM,EAAE,cAAc,IAAIA,WAAAA,UAAU,EAAE;AAC9D,MAAI,eAAe;AACjB,kBAAc,eAAe;AAC7B,kBAAc,eAAe;AAAA,EAC/B;AAEA,SAAO;AAAA,IACL;AAAA,IACA;AAAA,IACA,qBAAqB;AAAA,EAAA;AAEzB;AAUO,SAAS,aACd,WACA,mBACA,QAiBA;AACA,MAAI,cAA2B;AAG/B,QAAM,mBAAmB,kBAAkB,MAAM,GAAG,EAAE,OAAO,OAAO;AACpE,QAAM,sBACJ,iBAAiB,iBAAiB,SAAS,CAAC,KAAK;AAGnD,QAAM,kBAAkB,CAAC,WAA4B;AACnD,WAAO,wBAAwB,IAAI,MAAM;AAAA,EAC3C;AAEA,MACE,UAAU,SAAS,IAAI,OAAO,UAAU,EAAE,KAC1C,CAAC,gBAAgB,OAAO,UAAU,GAClC;AAEA,kBAAc;AAAA,EAChB,WAAW,UAAU,SAAS,OAAO,KAAK,CAAC,gBAAgB,MAAM,GAAG;AAElE,kBAAc;AAAA,EAChB,WAAW,UAAU,SAAS,SAAS,KAAK,CAAC,gBAAgB,QAAQ,GAAG;AAEtE,kBAAc;AAAA,EAChB,WACE,UAAU,SAAS,YAAY,KAC/B,CAAC,gBAAgB,WAAW,GAC5B;AAEA,kBAAc;AAAA,EAChB,WACE,UAAU,SAAS,mBAAmB,KACtC,CAAC,gBAAgB,kBAAkB,GACnC;AAEA,kBAAc;AAAA,EAChB,WACE,UAAU,SAAS,iBAAiB,KACpC,CAAC,gBAAgB,gBAAgB,GACjC;AAEA,kBAAc;AAAA,EAChB,WACE,UAAU,SAAS,oBAAoB,KACvC,CAAC,gBAAgB,mBAAmB,GACpC;AAEA,kBAAc;AAAA,EAChB;AAEA,QAAM,eAAeH,MAAAA,oBAAoB,SAAS;AAElD,SAAO,EAAE,aAAa,aAAA;AACxB;AAUA,SAAS,2BACP,qBACA,mBACA,WACA,QACS;AACT,MAAI,cAAc,QAAQ;AACxB,WAAO;AAAA,EACT;AAEA,QAAM,WAAW,oBAAoB,MAAM,GAAG,EAAE,OAAO,OAAO;AAC9D,QAAM,mBAAmB,kBAAkB,MAAM,GAAG,EAAE,OAAO,OAAO;AAEpE,MAAI,SAAS,WAAW,GAAG;AACzB,WAAO;AAAA,EACT;AAEA,QAAM,mBAAmB,SAAS,SAAS,SAAS,CAAC;AACrD,QAAM,sBACJ,iBAAiB,iBAAiB,SAAS,CAAC,KAAK;AACnD,QAAM,2BAA2B,SAAS,SAAS,SAAS,CAAC;AAC7D,QAAM,8BACJ,iBAAiB,iBAAiB,SAAS,CAAC;AAG9C,MAAI,qBAAqBG,WAAAA,YAAY;AACnC,WAAO;AAAA,EACT;AAMA,MACE,qBAAqB,OAAO,cAC5B,OAAO,6BAA6B,YACpC,OAAO,gCAAgC,UACvC;AAEA,QAAIC,MAAAA,4BAA4B,2BAA2B,GAAG;AAC5D,aAAO;AAAA,IACT;AACA,WAAO,yBAAyB,WAAW,GAAG;AAAA,EAChD;AAIA,MAAIA,MAAAA,4BAA4B,mBAAmB,GAAG;AACpD,WAAO;AAAA,EACT;AAEA,SACE,qBAAqB,OAAO,cAC5B,qBAAqB,OAAO,cAC5B,iBAAiB,WAAW,GAAG;AAEnC;;;;"}
1
+ {"version":3,"file":"getRouteNodes.cjs","sources":["../../../../src/filesystem/physical/getRouteNodes.ts"],"sourcesContent":["import path from 'node:path'\nimport * as fsp from 'node:fs/promises'\nimport {\n determineInitialRoutePath,\n hasEscapedLeadingUnderscore,\n removeExt,\n replaceBackslash,\n routePathToVariable,\n} from '../../utils'\nimport { getRouteNodes as getRouteNodesVirtual } from '../virtual/getRouteNodes'\nimport { loadConfigFile } from '../virtual/loadConfigFile'\nimport { logging } from '../../logger'\nimport { rootPathId } from './rootPathId'\nimport type {\n VirtualRootRoute,\n VirtualRouteSubtreeConfig,\n} from '@tanstack/virtual-file-routes'\nimport type { FsRouteType, GetRouteNodesResult, RouteNode } from '../../types'\nimport type { Config } from '../../config'\n\nconst disallowedRouteGroupConfiguration = /\\(([^)]+)\\).(ts|js|tsx|jsx|vue)/\n\nconst virtualConfigFileRegExp = /__virtual\\.[mc]?[jt]s$/\nexport function isVirtualConfigFile(fileName: string): boolean {\n return virtualConfigFileRegExp.test(fileName)\n}\n\nexport async function getRouteNodes(\n config: Pick<\n Config,\n | 'routesDirectory'\n | 'routeFilePrefix'\n | 'routeFileIgnorePrefix'\n | 'routeFileIgnorePattern'\n | 'disableLogging'\n | 'routeToken'\n | 'indexToken'\n >,\n root: string,\n): Promise<GetRouteNodesResult> {\n const { routeFilePrefix, routeFileIgnorePrefix, routeFileIgnorePattern } =\n config\n\n const logger = logging({ disabled: config.disableLogging })\n const routeFileIgnoreRegExp = new RegExp(routeFileIgnorePattern ?? '', 'g')\n\n const routeNodes: Array<RouteNode> = []\n const allPhysicalDirectories: Array<string> = []\n\n async function recurse(dir: string) {\n const fullDir = path.resolve(config.routesDirectory, dir)\n let dirList = await fsp.readdir(fullDir, { withFileTypes: true })\n\n dirList = dirList.filter((d) => {\n if (\n d.name.startsWith('.') ||\n (routeFileIgnorePrefix && d.name.startsWith(routeFileIgnorePrefix))\n ) {\n return false\n }\n\n if (routeFilePrefix) {\n if (routeFileIgnorePattern) {\n return (\n d.name.startsWith(routeFilePrefix) &&\n !d.name.match(routeFileIgnoreRegExp)\n )\n }\n\n return d.name.startsWith(routeFilePrefix)\n }\n\n if (routeFileIgnorePattern) {\n return !d.name.match(routeFileIgnoreRegExp)\n }\n\n return true\n })\n\n const virtualConfigFile = dirList.find((dirent) => {\n return dirent.isFile() && isVirtualConfigFile(dirent.name)\n })\n\n if (virtualConfigFile !== undefined) {\n const virtualRouteConfigExport = await loadConfigFile(\n path.resolve(fullDir, virtualConfigFile.name),\n )\n let virtualRouteSubtreeConfig: VirtualRouteSubtreeConfig\n if (typeof virtualRouteConfigExport.default === 'function') {\n virtualRouteSubtreeConfig = await virtualRouteConfigExport.default()\n } else {\n virtualRouteSubtreeConfig = virtualRouteConfigExport.default\n }\n const dummyRoot: VirtualRootRoute = {\n type: 'root',\n file: '',\n children: virtualRouteSubtreeConfig,\n }\n const { routeNodes: virtualRouteNodes, physicalDirectories } =\n await getRouteNodesVirtual(\n {\n ...config,\n routesDirectory: fullDir,\n virtualRouteConfig: dummyRoot,\n },\n root,\n )\n allPhysicalDirectories.push(...physicalDirectories)\n virtualRouteNodes.forEach((node) => {\n const filePath = replaceBackslash(path.join(dir, node.filePath))\n const routePath = `/${dir}${node.routePath}`\n\n node.variableName = routePathToVariable(\n `${dir}/${removeExt(node.filePath)}`,\n )\n node.routePath = routePath\n // Keep originalRoutePath aligned with routePath for escape detection\n if (node.originalRoutePath) {\n node.originalRoutePath = `/${dir}${node.originalRoutePath}`\n }\n node.filePath = filePath\n })\n\n routeNodes.push(...virtualRouteNodes)\n\n return\n }\n\n await Promise.all(\n dirList.map(async (dirent) => {\n const fullPath = replaceBackslash(path.join(fullDir, dirent.name))\n const relativePath = path.posix.join(dir, dirent.name)\n\n if (dirent.isDirectory()) {\n await recurse(relativePath)\n } else if (fullPath.match(/\\.(tsx|ts|jsx|js|vue)$/)) {\n const filePath = replaceBackslash(path.join(dir, dirent.name))\n const filePathNoExt = removeExt(filePath)\n const {\n routePath: initialRoutePath,\n originalRoutePath: initialOriginalRoutePath,\n } = determineInitialRoutePath(filePathNoExt)\n\n let routePath = initialRoutePath\n let originalRoutePath = initialOriginalRoutePath\n\n if (routeFilePrefix) {\n routePath = routePath.replaceAll(routeFilePrefix, '')\n originalRoutePath = originalRoutePath.replaceAll(\n routeFilePrefix,\n '',\n )\n }\n\n if (disallowedRouteGroupConfiguration.test(dirent.name)) {\n const errorMessage = `A route configuration for a route group was found at \\`${filePath}\\`. This is not supported. Did you mean to use a layout/pathless route instead?`\n logger.error(`ERROR: ${errorMessage}`)\n throw new Error(errorMessage)\n }\n\n const meta = getRouteMeta(routePath, originalRoutePath, config)\n const variableName = meta.variableName\n let routeType: FsRouteType = meta.fsRouteType\n\n if (routeType === 'lazy') {\n routePath = routePath.replace(/\\/lazy$/, '')\n originalRoutePath = originalRoutePath.replace(/\\/lazy$/, '')\n }\n\n // this check needs to happen after the lazy route has been cleaned up\n // since the routePath is used to determine if a route is pathless\n if (\n isValidPathlessLayoutRoute(\n routePath,\n originalRoutePath,\n routeType,\n config,\n )\n ) {\n routeType = 'pathless_layout'\n }\n\n // Only show deprecation warning for .tsx/.ts files, not .vue files\n // Vue files using .component.vue is the Vue-native way\n const isVueFile = filePath.endsWith('.vue')\n if (!isVueFile) {\n ;(\n [\n ['component', 'component'],\n ['errorComponent', 'errorComponent'],\n ['notFoundComponent', 'notFoundComponent'],\n ['pendingComponent', 'pendingComponent'],\n ['loader', 'loader'],\n ] satisfies Array<[FsRouteType, string]>\n ).forEach(([matcher, type]) => {\n if (routeType === matcher) {\n logger.warn(\n `WARNING: The \\`.${type}.tsx\\` suffix used for the ${filePath} file is deprecated. Use the new \\`.lazy.tsx\\` suffix instead.`,\n )\n }\n })\n }\n\n // Get the last segment of originalRoutePath to check for escaping\n const originalSegments = originalRoutePath.split('/').filter(Boolean)\n const lastOriginalSegmentForSuffix =\n originalSegments[originalSegments.length - 1] || ''\n\n // List of special suffixes that can be escaped\n const specialSuffixes = [\n 'component',\n 'errorComponent',\n 'notFoundComponent',\n 'pendingComponent',\n 'loader',\n config.routeToken,\n 'lazy',\n ]\n\n // Only strip the suffix if it wasn't escaped (not wrapped in brackets)\n const suffixToStrip = specialSuffixes.find((suffix) => {\n const endsWithSuffix = routePath.endsWith(`/${suffix}`)\n const isEscaped = lastOriginalSegmentForSuffix === `[${suffix}]`\n return endsWithSuffix && !isEscaped\n })\n\n if (suffixToStrip) {\n routePath = routePath.replace(new RegExp(`/${suffixToStrip}$`), '')\n originalRoutePath = originalRoutePath.replace(\n new RegExp(`/${suffixToStrip}$`),\n '',\n )\n }\n\n // Check if the index token should be treated specially or as a literal path\n // If it's escaped (wrapped in brackets in originalRoutePath), it should be literal\n const lastOriginalSegment =\n originalRoutePath.split('/').filter(Boolean).pop() || ''\n const isIndexEscaped =\n lastOriginalSegment === `[${config.indexToken}]`\n\n if (!isIndexEscaped) {\n if (routePath === config.indexToken) {\n routePath = '/'\n }\n\n if (originalRoutePath === config.indexToken) {\n originalRoutePath = '/'\n }\n\n // For layout routes, don't use '/' fallback - an empty path means\n // \"layout for the parent path\" which is important for physical() mounts\n // where route.tsx at root should have empty path, not '/'\n const isLayoutRoute = routeType === 'layout'\n\n routePath =\n routePath.replace(new RegExp(`/${config.indexToken}$`), '/') ||\n (isLayoutRoute ? '' : '/')\n\n originalRoutePath =\n originalRoutePath.replace(\n new RegExp(`/${config.indexToken}$`),\n '/',\n ) || (isLayoutRoute ? '' : '/')\n }\n\n routeNodes.push({\n filePath,\n fullPath,\n routePath,\n variableName,\n _fsRouteType: routeType,\n originalRoutePath,\n })\n }\n }),\n )\n\n return routeNodes\n }\n\n await recurse('./')\n\n // Find the root route node - prefer the actual route file over component/loader files\n const rootRouteNode =\n routeNodes.find(\n (d) =>\n d.routePath === `/${rootPathId}` &&\n ![\n 'component',\n 'errorComponent',\n 'notFoundComponent',\n 'pendingComponent',\n 'loader',\n 'lazy',\n ].includes(d._fsRouteType),\n ) ?? routeNodes.find((d) => d.routePath === `/${rootPathId}`)\n if (rootRouteNode) {\n rootRouteNode._fsRouteType = '__root'\n rootRouteNode.variableName = 'root'\n }\n\n return {\n rootRouteNode,\n routeNodes,\n physicalDirectories: allPhysicalDirectories,\n }\n}\n\n/**\n * Determines the metadata for a given route path based on the provided configuration.\n *\n * @param routePath - The determined initial routePath (with brackets removed).\n * @param originalRoutePath - The original route path (may contain brackets for escaped content).\n * @param config - The user configuration object.\n * @returns An object containing the type of the route and the variable name derived from the route path.\n */\nexport function getRouteMeta(\n routePath: string,\n originalRoutePath: string,\n config: Pick<Config, 'routeToken' | 'indexToken'>,\n): {\n // `__root` is can be more easily determined by filtering down to routePath === /${rootPathId}\n // `pathless` is needs to determined after `lazy` has been cleaned up from the routePath\n fsRouteType: Extract<\n FsRouteType,\n | 'static'\n | 'layout'\n | 'api'\n | 'lazy'\n | 'loader'\n | 'component'\n | 'pendingComponent'\n | 'errorComponent'\n | 'notFoundComponent'\n >\n variableName: string\n} {\n let fsRouteType: FsRouteType = 'static'\n\n // Get the last segment from the original path to check for escaping\n const originalSegments = originalRoutePath.split('/').filter(Boolean)\n const lastOriginalSegment =\n originalSegments[originalSegments.length - 1] || ''\n\n // Helper to check if a specific suffix is escaped\n const isSuffixEscaped = (suffix: string): boolean => {\n return lastOriginalSegment === `[${suffix}]`\n }\n\n if (\n routePath.endsWith(`/${config.routeToken}`) &&\n !isSuffixEscaped(config.routeToken)\n ) {\n // layout routes, i.e `/foo/route.tsx` or `/foo/_layout/route.tsx`\n fsRouteType = 'layout'\n } else if (routePath.endsWith('/lazy') && !isSuffixEscaped('lazy')) {\n // lazy routes, i.e. `/foo.lazy.tsx`\n fsRouteType = 'lazy'\n } else if (routePath.endsWith('/loader') && !isSuffixEscaped('loader')) {\n // loader routes, i.e. `/foo.loader.tsx`\n fsRouteType = 'loader'\n } else if (\n routePath.endsWith('/component') &&\n !isSuffixEscaped('component')\n ) {\n // component routes, i.e. `/foo.component.tsx`\n fsRouteType = 'component'\n } else if (\n routePath.endsWith('/pendingComponent') &&\n !isSuffixEscaped('pendingComponent')\n ) {\n // pending component routes, i.e. `/foo.pendingComponent.tsx`\n fsRouteType = 'pendingComponent'\n } else if (\n routePath.endsWith('/errorComponent') &&\n !isSuffixEscaped('errorComponent')\n ) {\n // error component routes, i.e. `/foo.errorComponent.tsx`\n fsRouteType = 'errorComponent'\n } else if (\n routePath.endsWith('/notFoundComponent') &&\n !isSuffixEscaped('notFoundComponent')\n ) {\n // not found component routes, i.e. `/foo.notFoundComponent.tsx`\n fsRouteType = 'notFoundComponent'\n }\n\n const variableName = routePathToVariable(routePath)\n\n return { fsRouteType, variableName }\n}\n\n/**\n * Used to validate if a route is a pathless layout route\n * @param normalizedRoutePath Normalized route path, i.e `/foo/_layout/route.tsx` and `/foo._layout.route.tsx` to `/foo/_layout/route`\n * @param originalRoutePath Original route path with brackets for escaped content\n * @param routeType The route type determined from file extension\n * @param config The `router-generator` configuration object\n * @returns Boolean indicating if the route is a pathless layout route\n */\nfunction isValidPathlessLayoutRoute(\n normalizedRoutePath: string,\n originalRoutePath: string,\n routeType: FsRouteType,\n config: Pick<Config, 'routeToken' | 'indexToken'>,\n): boolean {\n if (routeType === 'lazy') {\n return false\n }\n\n const segments = normalizedRoutePath.split('/').filter(Boolean)\n const originalSegments = originalRoutePath.split('/').filter(Boolean)\n\n if (segments.length === 0) {\n return false\n }\n\n const lastRouteSegment = segments[segments.length - 1]!\n const lastOriginalSegment =\n originalSegments[originalSegments.length - 1] || ''\n const secondToLastRouteSegment = segments[segments.length - 2]\n const secondToLastOriginalSegment =\n originalSegments[originalSegments.length - 2]\n\n // If segment === __root, then exit as false\n if (lastRouteSegment === rootPathId) {\n return false\n }\n\n // If segment === config.routeToken and secondToLastSegment is a string that starts with _, then exit as true\n // Since the route is actually a configuration route for a layout/pathless route\n // i.e. /foo/_layout/route.tsx === /foo/_layout.tsx\n // But if the underscore is escaped, it's not a pathless layout\n if (\n lastRouteSegment === config.routeToken &&\n typeof secondToLastRouteSegment === 'string' &&\n typeof secondToLastOriginalSegment === 'string'\n ) {\n // Check if the underscore is escaped\n if (hasEscapedLeadingUnderscore(secondToLastOriginalSegment)) {\n return false\n }\n return secondToLastRouteSegment.startsWith('_')\n }\n\n // Segment starts with _ but check if it's escaped\n // If the original segment has [_] at the start, the underscore is escaped and it's not a pathless layout\n if (hasEscapedLeadingUnderscore(lastOriginalSegment)) {\n return false\n }\n\n return (\n lastRouteSegment !== config.indexToken &&\n lastRouteSegment !== config.routeToken &&\n lastRouteSegment.startsWith('_')\n )\n}\n"],"names":["logger","logging","fsp","loadConfigFile","getRouteNodesVirtual","replaceBackslash","routePathToVariable","removeExt","determineInitialRoutePath","rootPathId","hasEscapedLeadingUnderscore"],"mappings":";;;;;;;;;;;;;;;;;;;;;;;;;;AAoBA,MAAM,oCAAoC;AAE1C,MAAM,0BAA0B;AACzB,SAAS,oBAAoB,UAA2B;AAC7D,SAAO,wBAAwB,KAAK,QAAQ;AAC9C;AAEA,eAAsB,cACpB,QAUA,MAC8B;AAC9B,QAAM,EAAE,iBAAiB,uBAAuB,uBAAA,IAC9C;AAEF,QAAMA,WAASC,OAAAA,QAAQ,EAAE,UAAU,OAAO,gBAAgB;AAC1D,QAAM,wBAAwB,IAAI,OAAO,0BAA0B,IAAI,GAAG;AAE1E,QAAM,aAA+B,CAAA;AACrC,QAAM,yBAAwC,CAAA;AAE9C,iBAAe,QAAQ,KAAa;AAClC,UAAM,UAAU,KAAK,QAAQ,OAAO,iBAAiB,GAAG;AACxD,QAAI,UAAU,MAAMC,eAAI,QAAQ,SAAS,EAAE,eAAe,MAAM;AAEhE,cAAU,QAAQ,OAAO,CAAC,MAAM;AAC9B,UACE,EAAE,KAAK,WAAW,GAAG,KACpB,yBAAyB,EAAE,KAAK,WAAW,qBAAqB,GACjE;AACA,eAAO;AAAA,MACT;AAEA,UAAI,iBAAiB;AACnB,YAAI,wBAAwB;AAC1B,iBACE,EAAE,KAAK,WAAW,eAAe,KACjC,CAAC,EAAE,KAAK,MAAM,qBAAqB;AAAA,QAEvC;AAEA,eAAO,EAAE,KAAK,WAAW,eAAe;AAAA,MAC1C;AAEA,UAAI,wBAAwB;AAC1B,eAAO,CAAC,EAAE,KAAK,MAAM,qBAAqB;AAAA,MAC5C;AAEA,aAAO;AAAA,IACT,CAAC;AAED,UAAM,oBAAoB,QAAQ,KAAK,CAAC,WAAW;AACjD,aAAO,OAAO,OAAA,KAAY,oBAAoB,OAAO,IAAI;AAAA,IAC3D,CAAC;AAED,QAAI,sBAAsB,QAAW;AACnC,YAAM,2BAA2B,MAAMC,eAAAA;AAAAA,QACrC,KAAK,QAAQ,SAAS,kBAAkB,IAAI;AAAA,MAAA;AAE9C,UAAI;AACJ,UAAI,OAAO,yBAAyB,YAAY,YAAY;AAC1D,oCAA4B,MAAM,yBAAyB,QAAA;AAAA,MAC7D,OAAO;AACL,oCAA4B,yBAAyB;AAAA,MACvD;AACA,YAAM,YAA8B;AAAA,QAClC,MAAM;AAAA,QACN,MAAM;AAAA,QACN,UAAU;AAAA,MAAA;AAEZ,YAAM,EAAE,YAAY,mBAAmB,oBAAA,IACrC,MAAMC,gBAAAA;AAAAA,QACJ;AAAA,UACE,GAAG;AAAA,UACH,iBAAiB;AAAA,UACjB,oBAAoB;AAAA,QAAA;AAAA,QAEtB;AAAA,MAAA;AAEJ,6BAAuB,KAAK,GAAG,mBAAmB;AAClD,wBAAkB,QAAQ,CAAC,SAAS;AAClC,cAAM,WAAWC,MAAAA,iBAAiB,KAAK,KAAK,KAAK,KAAK,QAAQ,CAAC;AAC/D,cAAM,YAAY,IAAI,GAAG,GAAG,KAAK,SAAS;AAE1C,aAAK,eAAeC,MAAAA;AAAAA,UAClB,GAAG,GAAG,IAAIC,MAAAA,UAAU,KAAK,QAAQ,CAAC;AAAA,QAAA;AAEpC,aAAK,YAAY;AAEjB,YAAI,KAAK,mBAAmB;AAC1B,eAAK,oBAAoB,IAAI,GAAG,GAAG,KAAK,iBAAiB;AAAA,QAC3D;AACA,aAAK,WAAW;AAAA,MAClB,CAAC;AAED,iBAAW,KAAK,GAAG,iBAAiB;AAEpC;AAAA,IACF;AAEA,UAAM,QAAQ;AAAA,MACZ,QAAQ,IAAI,OAAO,WAAW;AAC5B,cAAM,WAAWF,MAAAA,iBAAiB,KAAK,KAAK,SAAS,OAAO,IAAI,CAAC;AACjE,cAAM,eAAe,KAAK,MAAM,KAAK,KAAK,OAAO,IAAI;AAErD,YAAI,OAAO,eAAe;AACxB,gBAAM,QAAQ,YAAY;AAAA,QAC5B,WAAW,SAAS,MAAM,wBAAwB,GAAG;AACnD,gBAAM,WAAWA,MAAAA,iBAAiB,KAAK,KAAK,KAAK,OAAO,IAAI,CAAC;AAC7D,gBAAM,gBAAgBE,MAAAA,UAAU,QAAQ;AACxC,gBAAM;AAAA,YACJ,WAAW;AAAA,YACX,mBAAmB;AAAA,UAAA,IACjBC,MAAAA,0BAA0B,aAAa;AAE3C,cAAI,YAAY;AAChB,cAAI,oBAAoB;AAExB,cAAI,iBAAiB;AACnB,wBAAY,UAAU,WAAW,iBAAiB,EAAE;AACpD,gCAAoB,kBAAkB;AAAA,cACpC;AAAA,cACA;AAAA,YAAA;AAAA,UAEJ;AAEA,cAAI,kCAAkC,KAAK,OAAO,IAAI,GAAG;AACvD,kBAAM,eAAe,0DAA0D,QAAQ;AACvFR,qBAAO,MAAM,UAAU,YAAY,EAAE;AACrC,kBAAM,IAAI,MAAM,YAAY;AAAA,UAC9B;AAEA,gBAAM,OAAO,aAAa,WAAW,mBAAmB,MAAM;AAC9D,gBAAM,eAAe,KAAK;AAC1B,cAAI,YAAyB,KAAK;AAElC,cAAI,cAAc,QAAQ;AACxB,wBAAY,UAAU,QAAQ,WAAW,EAAE;AAC3C,gCAAoB,kBAAkB,QAAQ,WAAW,EAAE;AAAA,UAC7D;AAIA,cACE;AAAA,YACE;AAAA,YACA;AAAA,YACA;AAAA,YACA;AAAA,UAAA,GAEF;AACA,wBAAY;AAAA,UACd;AAIA,gBAAM,YAAY,SAAS,SAAS,MAAM;AAC1C,cAAI,CAAC,WAAW;AAEZ;AAAA,cACE,CAAC,aAAa,WAAW;AAAA,cACzB,CAAC,kBAAkB,gBAAgB;AAAA,cACnC,CAAC,qBAAqB,mBAAmB;AAAA,cACzC,CAAC,oBAAoB,kBAAkB;AAAA,cACvC,CAAC,UAAU,QAAQ;AAAA,YAAA,EAErB,QAAQ,CAAC,CAAC,SAAS,IAAI,MAAM;AAC7B,kBAAI,cAAc,SAAS;AACzBA,yBAAO;AAAA,kBACL,mBAAmB,IAAI,8BAA8B,QAAQ;AAAA,gBAAA;AAAA,cAEjE;AAAA,YACF,CAAC;AAAA,UACH;AAGA,gBAAM,mBAAmB,kBAAkB,MAAM,GAAG,EAAE,OAAO,OAAO;AACpE,gBAAM,+BACJ,iBAAiB,iBAAiB,SAAS,CAAC,KAAK;AAGnD,gBAAM,kBAAkB;AAAA,YACtB;AAAA,YACA;AAAA,YACA;AAAA,YACA;AAAA,YACA;AAAA,YACA,OAAO;AAAA,YACP;AAAA,UAAA;AAIF,gBAAM,gBAAgB,gBAAgB,KAAK,CAAC,WAAW;AACrD,kBAAM,iBAAiB,UAAU,SAAS,IAAI,MAAM,EAAE;AACtD,kBAAM,YAAY,iCAAiC,IAAI,MAAM;AAC7D,mBAAO,kBAAkB,CAAC;AAAA,UAC5B,CAAC;AAED,cAAI,eAAe;AACjB,wBAAY,UAAU,QAAQ,IAAI,OAAO,IAAI,aAAa,GAAG,GAAG,EAAE;AAClE,gCAAoB,kBAAkB;AAAA,cACpC,IAAI,OAAO,IAAI,aAAa,GAAG;AAAA,cAC/B;AAAA,YAAA;AAAA,UAEJ;AAIA,gBAAM,sBACJ,kBAAkB,MAAM,GAAG,EAAE,OAAO,OAAO,EAAE,IAAA,KAAS;AACxD,gBAAM,iBACJ,wBAAwB,IAAI,OAAO,UAAU;AAE/C,cAAI,CAAC,gBAAgB;AACnB,gBAAI,cAAc,OAAO,YAAY;AACnC,0BAAY;AAAA,YACd;AAEA,gBAAI,sBAAsB,OAAO,YAAY;AAC3C,kCAAoB;AAAA,YACtB;AAKA,kBAAM,gBAAgB,cAAc;AAEpC,wBACE,UAAU,QAAQ,IAAI,OAAO,IAAI,OAAO,UAAU,GAAG,GAAG,GAAG,MAC1D,gBAAgB,KAAK;AAExB,gCACE,kBAAkB;AAAA,cAChB,IAAI,OAAO,IAAI,OAAO,UAAU,GAAG;AAAA,cACnC;AAAA,YAAA,MACI,gBAAgB,KAAK;AAAA,UAC/B;AAEA,qBAAW,KAAK;AAAA,YACd;AAAA,YACA;AAAA,YACA;AAAA,YACA;AAAA,YACA,cAAc;AAAA,YACd;AAAA,UAAA,CACD;AAAA,QACH;AAAA,MACF,CAAC;AAAA,IAAA;AAGH,WAAO;AAAA,EACT;AAEA,QAAM,QAAQ,IAAI;AAGlB,QAAM,gBACJ,WAAW;AAAA,IACT,CAAC,MACC,EAAE,cAAc,IAAIS,WAAAA,UAAU,MAC9B,CAAC;AAAA,MACC;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,IAAA,EACA,SAAS,EAAE,YAAY;AAAA,EAAA,KACxB,WAAW,KAAK,CAAC,MAAM,EAAE,cAAc,IAAIA,WAAAA,UAAU,EAAE;AAC9D,MAAI,eAAe;AACjB,kBAAc,eAAe;AAC7B,kBAAc,eAAe;AAAA,EAC/B;AAEA,SAAO;AAAA,IACL;AAAA,IACA;AAAA,IACA,qBAAqB;AAAA,EAAA;AAEzB;AAUO,SAAS,aACd,WACA,mBACA,QAiBA;AACA,MAAI,cAA2B;AAG/B,QAAM,mBAAmB,kBAAkB,MAAM,GAAG,EAAE,OAAO,OAAO;AACpE,QAAM,sBACJ,iBAAiB,iBAAiB,SAAS,CAAC,KAAK;AAGnD,QAAM,kBAAkB,CAAC,WAA4B;AACnD,WAAO,wBAAwB,IAAI,MAAM;AAAA,EAC3C;AAEA,MACE,UAAU,SAAS,IAAI,OAAO,UAAU,EAAE,KAC1C,CAAC,gBAAgB,OAAO,UAAU,GAClC;AAEA,kBAAc;AAAA,EAChB,WAAW,UAAU,SAAS,OAAO,KAAK,CAAC,gBAAgB,MAAM,GAAG;AAElE,kBAAc;AAAA,EAChB,WAAW,UAAU,SAAS,SAAS,KAAK,CAAC,gBAAgB,QAAQ,GAAG;AAEtE,kBAAc;AAAA,EAChB,WACE,UAAU,SAAS,YAAY,KAC/B,CAAC,gBAAgB,WAAW,GAC5B;AAEA,kBAAc;AAAA,EAChB,WACE,UAAU,SAAS,mBAAmB,KACtC,CAAC,gBAAgB,kBAAkB,GACnC;AAEA,kBAAc;AAAA,EAChB,WACE,UAAU,SAAS,iBAAiB,KACpC,CAAC,gBAAgB,gBAAgB,GACjC;AAEA,kBAAc;AAAA,EAChB,WACE,UAAU,SAAS,oBAAoB,KACvC,CAAC,gBAAgB,mBAAmB,GACpC;AAEA,kBAAc;AAAA,EAChB;AAEA,QAAM,eAAeH,MAAAA,oBAAoB,SAAS;AAElD,SAAO,EAAE,aAAa,aAAA;AACxB;AAUA,SAAS,2BACP,qBACA,mBACA,WACA,QACS;AACT,MAAI,cAAc,QAAQ;AACxB,WAAO;AAAA,EACT;AAEA,QAAM,WAAW,oBAAoB,MAAM,GAAG,EAAE,OAAO,OAAO;AAC9D,QAAM,mBAAmB,kBAAkB,MAAM,GAAG,EAAE,OAAO,OAAO;AAEpE,MAAI,SAAS,WAAW,GAAG;AACzB,WAAO;AAAA,EACT;AAEA,QAAM,mBAAmB,SAAS,SAAS,SAAS,CAAC;AACrD,QAAM,sBACJ,iBAAiB,iBAAiB,SAAS,CAAC,KAAK;AACnD,QAAM,2BAA2B,SAAS,SAAS,SAAS,CAAC;AAC7D,QAAM,8BACJ,iBAAiB,iBAAiB,SAAS,CAAC;AAG9C,MAAI,qBAAqBG,WAAAA,YAAY;AACnC,WAAO;AAAA,EACT;AAMA,MACE,qBAAqB,OAAO,cAC5B,OAAO,6BAA6B,YACpC,OAAO,gCAAgC,UACvC;AAEA,QAAIC,MAAAA,4BAA4B,2BAA2B,GAAG;AAC5D,aAAO;AAAA,IACT;AACA,WAAO,yBAAyB,WAAW,GAAG;AAAA,EAChD;AAIA,MAAIA,MAAAA,4BAA4B,mBAAmB,GAAG;AACpD,WAAO;AAAA,EACT;AAEA,SACE,qBAAqB,OAAO,cAC5B,qBAAqB,OAAO,cAC5B,iBAAiB,WAAW,GAAG;AAEnC;;;;"}
@@ -945,7 +945,20 @@ ${acc.routeTree.map((child) => `${child.variableName}Route: typeof ${utils.getRe
945
945
  return this.crawlingResult;
946
946
  }
947
947
  static handleNode(node, acc, prefixMap, config) {
948
- const parentRoute = utils.hasParentRoute(prefixMap, node, node.routePath);
948
+ let parentRoute = utils.hasParentRoute(prefixMap, node, node.routePath);
949
+ if (!parentRoute && node.routePath) {
950
+ let searchPath = node.routePath;
951
+ while (searchPath.length > 0) {
952
+ const lastSlash = searchPath.lastIndexOf("/");
953
+ if (lastSlash <= 0) break;
954
+ searchPath = searchPath.substring(0, lastSlash);
955
+ const candidate = acc.routeNodesByPath.get(searchPath);
956
+ if (candidate && candidate.routePath !== node.routePath) {
957
+ parentRoute = candidate;
958
+ break;
959
+ }
960
+ }
961
+ }
949
962
  if (parentRoute) node.parent = parentRoute;
950
963
  node.path = utils.determineNodePath(node);
951
964
  const trimmedPath = utils.trimPathLeft(node.path ?? "");
@@ -1032,7 +1045,7 @@ ${acc.routeTree.map((child) => `${child.variableName}Route: typeof ${utils.getRe
1032
1045
  acc.routeTree.push(node);
1033
1046
  }
1034
1047
  acc.routeNodes.push(node);
1035
- if (node.routePath && !node.isVirtual) {
1048
+ if (node.routePath) {
1036
1049
  acc.routeNodesByPath.set(node.routePath, node);
1037
1050
  }
1038
1051
  }
@@ -1 +1 @@
1
- {"version":3,"file":"generator.cjs","sources":["../../src/generator.ts"],"sourcesContent":["import path from 'node:path'\nimport * as fsp from 'node:fs/promises'\nimport { existsSync, mkdirSync } from 'node:fs'\nimport crypto from 'node:crypto'\nimport { rootRouteId } from '@tanstack/router-core'\nimport { logging } from './logger'\nimport {\n isVirtualConfigFile,\n getRouteNodes as physicalGetRouteNodes,\n} from './filesystem/physical/getRouteNodes'\nimport { getRouteNodes as virtualGetRouteNodes } from './filesystem/virtual/getRouteNodes'\nimport { rootPathId } from './filesystem/physical/rootPathId'\nimport {\n RoutePrefixMap,\n buildFileRoutesByPathInterface,\n buildImportString,\n buildRouteTreeConfig,\n checkFileExists,\n checkRouteFullPathUniqueness,\n createRouteNodesByFullPath,\n createRouteNodesById,\n createRouteNodesByTo,\n determineNodePath,\n findParent,\n format,\n getImportForRouteNode,\n getImportPath,\n getResolvedRouteNodeVariableName,\n hasParentRoute,\n isRouteNodeValidForAugmentation,\n isSegmentPathless,\n mergeImportDeclarations,\n multiSortBy,\n removeExt,\n removeGroups,\n removeLastSegmentFromPath,\n removeLayoutSegmentsWithEscape,\n removeTrailingSlash,\n removeUnderscoresWithEscape,\n replaceBackslash,\n trimPathLeft,\n} from './utils'\nimport { fillTemplate, getTargetTemplate } from './template'\nimport { transform } from './transform/transform'\nimport type { GeneratorPlugin } from './plugin/types'\nimport type { TargetTemplate } from './template'\nimport type {\n FsRouteType,\n GetRouteNodesResult,\n GetRoutesByFileMapResult,\n HandleNodeAccumulator,\n ImportDeclaration,\n RouteNode,\n} from './types'\nimport type { Config } from './config'\nimport type { Logger } from './logger'\n\ninterface fs {\n stat: (\n filePath: string,\n ) => Promise<{ mtimeMs: bigint; mode: number; uid: number; gid: number }>\n rename: (oldPath: string, newPath: string) => Promise<void>\n writeFile: (filePath: string, content: string) => Promise<void>\n readFile: (\n filePath: string,\n ) => Promise<\n { stat: { mtimeMs: bigint }; fileContent: string } | 'file-not-existing'\n >\n chmod: (filePath: string, mode: number) => Promise<void>\n chown: (filePath: string, uid: number, gid: number) => Promise<void>\n}\n\nconst DefaultFileSystem: fs = {\n stat: async (filePath) => {\n const res = await fsp.stat(filePath, { bigint: true })\n return {\n mtimeMs: res.mtimeMs,\n mode: Number(res.mode),\n uid: Number(res.uid),\n gid: Number(res.gid),\n }\n },\n rename: (oldPath, newPath) => fsp.rename(oldPath, newPath),\n writeFile: (filePath, content) => fsp.writeFile(filePath, content),\n readFile: async (filePath: string) => {\n try {\n const fileHandle = await fsp.open(filePath, 'r')\n const stat = await fileHandle.stat({ bigint: true })\n const fileContent = (await fileHandle.readFile()).toString()\n await fileHandle.close()\n return { stat, fileContent }\n } catch (e: any) {\n if ('code' in e) {\n if (e.code === 'ENOENT') {\n return 'file-not-existing'\n }\n }\n throw e\n }\n },\n chmod: (filePath, mode) => fsp.chmod(filePath, mode),\n chown: (filePath, uid, gid) => fsp.chown(filePath, uid, gid),\n}\n\ninterface Rerun {\n rerun: true\n msg?: string\n event: GeneratorEvent\n}\nfunction rerun(opts: { msg?: string; event?: GeneratorEvent }): Rerun {\n const { event, ...rest } = opts\n return { rerun: true, event: event ?? { type: 'rerun' }, ...rest }\n}\n\nfunction isRerun(result: unknown): result is Rerun {\n return (\n typeof result === 'object' &&\n result !== null &&\n 'rerun' in result &&\n result.rerun === true\n )\n}\n\nexport type FileEventType = 'create' | 'update' | 'delete'\nexport type FileEvent = {\n type: FileEventType\n path: string\n}\nexport type GeneratorEvent = FileEvent | { type: 'rerun' }\n\ntype FileCacheChange<TCacheEntry extends GeneratorCacheEntry> =\n | {\n result: false\n cacheEntry: TCacheEntry\n }\n | { result: true; mtimeMs: bigint; cacheEntry: TCacheEntry }\n | {\n result: 'file-not-in-cache'\n }\n | {\n result: 'cannot-stat-file'\n }\n\ninterface GeneratorCacheEntry {\n mtimeMs: bigint\n fileContent: string\n}\n\ninterface RouteNodeCacheEntry extends GeneratorCacheEntry {\n routeId: string\n node: RouteNode\n}\n\ntype GeneratorRouteNodeCache = Map</** filePath **/ string, RouteNodeCacheEntry>\n\ninterface CrawlingResult {\n rootRouteNode: RouteNode\n routeFileResult: Array<RouteNode>\n acc: HandleNodeAccumulator\n}\n\nexport class Generator {\n /**\n * why do we have two caches for the route files?\n * During processing, we READ from the cache and WRITE to the shadow cache.\n *\n * After a route file is processed, we write to the shadow cache.\n * If during processing we bail out and re-run, we don't lose this modification\n * but still can track whether the file contributed changes and thus the route tree file needs to be regenerated.\n * After all files are processed, we swap the shadow cache with the main cache and initialize a new shadow cache.\n * That way we also ensure deleted/renamed files don't stay in the cache forever.\n */\n private routeNodeCache: GeneratorRouteNodeCache = new Map()\n private routeNodeShadowCache: GeneratorRouteNodeCache = new Map()\n\n private routeTreeFileCache: GeneratorCacheEntry | undefined\n\n private crawlingResult: CrawlingResult | undefined\n public config: Config\n public targetTemplate: TargetTemplate\n\n private root: string\n private routesDirectoryPath: string\n private sessionId?: string\n private fs: fs\n private logger: Logger\n private generatedRouteTreePath: string\n private runPromise: Promise<void> | undefined\n private fileEventQueue: Array<GeneratorEvent> = []\n private plugins: Array<GeneratorPlugin> = []\n private static routeGroupPatternRegex = /\\(.+\\)/\n private physicalDirectories: Array<string> = []\n\n private indexTokenRegex: RegExp\n private routeTokenRegex: RegExp\n private static componentPieceRegex =\n /[./](component|errorComponent|notFoundComponent|pendingComponent|loader|lazy)[.]/\n\n constructor(opts: { config: Config; root: string; fs?: fs }) {\n this.config = opts.config\n this.logger = logging({ disabled: this.config.disableLogging })\n this.root = opts.root\n this.fs = opts.fs || DefaultFileSystem\n this.generatedRouteTreePath = this.getGeneratedRouteTreePath()\n this.targetTemplate = getTargetTemplate(this.config)\n\n this.routesDirectoryPath = this.getRoutesDirectoryPath()\n this.plugins.push(...(opts.config.plugins || []))\n\n this.indexTokenRegex = new RegExp(`[./]${this.config.indexToken}[.]`)\n this.routeTokenRegex = new RegExp(`[./]${this.config.routeToken}[.]`)\n\n for (const plugin of this.plugins) {\n plugin.init?.({ generator: this })\n }\n }\n\n private getGeneratedRouteTreePath() {\n const generatedRouteTreePath = path.isAbsolute(\n this.config.generatedRouteTree,\n )\n ? this.config.generatedRouteTree\n : path.resolve(this.root, this.config.generatedRouteTree)\n\n const generatedRouteTreeDir = path.dirname(generatedRouteTreePath)\n\n if (!existsSync(generatedRouteTreeDir)) {\n mkdirSync(generatedRouteTreeDir, { recursive: true })\n }\n\n return generatedRouteTreePath\n }\n\n private getRoutesDirectoryPath() {\n return path.isAbsolute(this.config.routesDirectory)\n ? this.config.routesDirectory\n : path.resolve(this.root, this.config.routesDirectory)\n }\n\n public getRoutesByFileMap(): GetRoutesByFileMapResult {\n return new Map(\n [...this.routeNodeCache.entries()].map(([filePath, cacheEntry]) => [\n filePath,\n { routePath: cacheEntry.routeId },\n ]),\n )\n }\n\n public async run(event?: GeneratorEvent): Promise<void> {\n if (\n event &&\n event.type !== 'rerun' &&\n !this.isFileRelevantForRouteTreeGeneration(event.path)\n ) {\n return\n }\n this.fileEventQueue.push(event ?? { type: 'rerun' })\n // only allow a single run at a time\n if (this.runPromise) {\n return this.runPromise\n }\n\n this.runPromise = (async () => {\n do {\n // synchronously copy and clear the queue since we are going to iterate asynchronously over it\n // and while we do so, a new event could be put into the queue\n const tempQueue = this.fileEventQueue\n this.fileEventQueue = []\n // if we only have 'update' events in the queue\n // and we already have the affected files' latest state in our cache, we can exit early\n const remainingEvents = (\n await Promise.all(\n tempQueue.map(async (e) => {\n if (e.type === 'update') {\n let cacheEntry: GeneratorCacheEntry | undefined\n if (e.path === this.generatedRouteTreePath) {\n cacheEntry = this.routeTreeFileCache\n } else {\n // we only check the routeNodeCache here\n // if the file's state is only up-to-date in the shadow cache we need to re-run\n cacheEntry = this.routeNodeCache.get(e.path)\n }\n const change = await this.didFileChangeComparedToCache(\n { path: e.path },\n cacheEntry,\n )\n if (change.result === false) {\n return null\n }\n }\n return e\n }),\n )\n ).filter((e) => e !== null)\n\n if (remainingEvents.length === 0) {\n break\n }\n\n try {\n await this.generatorInternal()\n } catch (err) {\n const errArray = !Array.isArray(err) ? [err] : err\n\n const recoverableErrors = errArray.filter((e) => isRerun(e))\n if (recoverableErrors.length === errArray.length) {\n this.fileEventQueue.push(...recoverableErrors.map((e) => e.event))\n recoverableErrors.forEach((e) => {\n if (e.msg) {\n this.logger.info(e.msg)\n }\n })\n } else {\n const unrecoverableErrors = errArray.filter((e) => !isRerun(e))\n this.runPromise = undefined\n throw new Error(\n unrecoverableErrors.map((e) => (e as Error).message).join(),\n )\n }\n }\n } while (this.fileEventQueue.length)\n this.runPromise = undefined\n })()\n return this.runPromise\n }\n\n private async generatorInternal() {\n let writeRouteTreeFile: boolean | 'force' = false\n\n let getRouteNodesResult: GetRouteNodesResult\n\n if (this.config.virtualRouteConfig) {\n getRouteNodesResult = await virtualGetRouteNodes(this.config, this.root)\n } else {\n getRouteNodesResult = await physicalGetRouteNodes(this.config, this.root)\n }\n\n const {\n rootRouteNode,\n routeNodes: beforeRouteNodes,\n physicalDirectories,\n } = getRouteNodesResult\n if (rootRouteNode === undefined) {\n let errorMessage = `rootRouteNode must not be undefined. Make sure you've added your root route into the route-tree.`\n if (!this.config.virtualRouteConfig) {\n errorMessage += `\\nMake sure that you add a \"${rootPathId}.${this.config.disableTypes ? 'js' : 'tsx'}\" file to your routes directory.\\nAdd the file in: \"${this.config.routesDirectory}/${rootPathId}.${this.config.disableTypes ? 'js' : 'tsx'}\"`\n }\n throw new Error(errorMessage)\n }\n this.physicalDirectories = physicalDirectories\n\n await this.handleRootNode(rootRouteNode)\n\n const preRouteNodes = multiSortBy(beforeRouteNodes, [\n (d) => (d.routePath === '/' ? -1 : 1),\n (d) => d.routePath?.split('/').length,\n (d) => (d.filePath.match(this.indexTokenRegex) ? 1 : -1),\n (d) => (d.filePath.match(Generator.componentPieceRegex) ? 1 : -1),\n (d) => (d.filePath.match(this.routeTokenRegex) ? -1 : 1),\n (d) => (d.routePath?.endsWith('/') ? -1 : 1),\n (d) => d.routePath,\n ]).filter((d) => {\n // Exclude the root route itself, but keep component/loader pieces for the root\n if (d.routePath === `/${rootPathId}`) {\n return [\n 'component',\n 'errorComponent',\n 'notFoundComponent',\n 'pendingComponent',\n 'loader',\n 'lazy',\n ].includes(d._fsRouteType)\n }\n return true\n })\n\n const routeFileAllResult = await Promise.allSettled(\n preRouteNodes\n // only process routes that are backed by an actual file\n .filter((n) => !n.isVirtualParentRoute && !n.isVirtual)\n .map((n) => this.processRouteNodeFile(n)),\n )\n\n const rejections = routeFileAllResult.filter(\n (result) => result.status === 'rejected',\n )\n if (rejections.length > 0) {\n throw rejections.map((e) => e.reason)\n }\n\n const routeFileResult = routeFileAllResult.flatMap((result) => {\n if (result.status === 'fulfilled' && result.value !== null) {\n if (result.value.shouldWriteTree) {\n writeRouteTreeFile = true\n }\n return result.value.node\n }\n return []\n })\n\n // reset children in case we re-use a node from the cache\n routeFileResult.forEach((r) => (r.children = undefined))\n\n const acc: HandleNodeAccumulator = {\n routeTree: [],\n routeNodes: [],\n routePiecesByPath: {},\n routeNodesByPath: new Map(),\n }\n\n const prefixMap = new RoutePrefixMap(routeFileResult)\n\n for (const node of routeFileResult) {\n Generator.handleNode(node, acc, prefixMap, this.config)\n }\n\n this.crawlingResult = { rootRouteNode, routeFileResult, acc }\n\n // this is the first time the generator runs, so read in the route tree file if it exists yet\n if (!this.routeTreeFileCache) {\n const routeTreeFile = await this.fs.readFile(this.generatedRouteTreePath)\n if (routeTreeFile !== 'file-not-existing') {\n this.routeTreeFileCache = {\n fileContent: routeTreeFile.fileContent,\n mtimeMs: routeTreeFile.stat.mtimeMs,\n }\n }\n writeRouteTreeFile = true\n } else {\n const routeTreeFileChange = await this.didFileChangeComparedToCache(\n { path: this.generatedRouteTreePath },\n this.routeTreeFileCache,\n )\n if (routeTreeFileChange.result !== false) {\n writeRouteTreeFile = 'force'\n if (routeTreeFileChange.result === true) {\n const routeTreeFile = await this.fs.readFile(\n this.generatedRouteTreePath,\n )\n if (routeTreeFile !== 'file-not-existing') {\n this.routeTreeFileCache = {\n fileContent: routeTreeFile.fileContent,\n mtimeMs: routeTreeFile.stat.mtimeMs,\n }\n }\n }\n }\n }\n\n if (!writeRouteTreeFile) {\n // only needs to be done if no other changes have been detected yet\n // compare shadowCache and cache to identify deleted routes\n if (this.routeNodeCache.size !== this.routeNodeShadowCache.size) {\n writeRouteTreeFile = true\n } else {\n for (const fullPath of this.routeNodeCache.keys()) {\n if (!this.routeNodeShadowCache.has(fullPath)) {\n writeRouteTreeFile = true\n break\n }\n }\n }\n }\n\n if (!writeRouteTreeFile) {\n this.swapCaches()\n return\n }\n\n const buildResult = this.buildRouteTree({\n rootRouteNode,\n acc,\n routeFileResult,\n })\n let routeTreeContent = buildResult.routeTreeContent\n\n routeTreeContent = this.config.enableRouteTreeFormatting\n ? await format(routeTreeContent, this.config)\n : routeTreeContent\n\n let newMtimeMs: bigint | undefined\n if (this.routeTreeFileCache) {\n if (\n writeRouteTreeFile !== 'force' &&\n this.routeTreeFileCache.fileContent === routeTreeContent\n ) {\n // existing route tree file is already up-to-date, don't write it\n // we should only get here in the initial run when the route cache is not filled yet\n } else {\n const newRouteTreeFileStat = await this.safeFileWrite({\n filePath: this.generatedRouteTreePath,\n newContent: routeTreeContent,\n strategy: {\n type: 'mtime',\n expectedMtimeMs: this.routeTreeFileCache.mtimeMs,\n },\n })\n newMtimeMs = newRouteTreeFileStat.mtimeMs\n }\n } else {\n const newRouteTreeFileStat = await this.safeFileWrite({\n filePath: this.generatedRouteTreePath,\n newContent: routeTreeContent,\n strategy: {\n type: 'new-file',\n },\n })\n newMtimeMs = newRouteTreeFileStat.mtimeMs\n }\n\n if (newMtimeMs !== undefined) {\n this.routeTreeFileCache = {\n fileContent: routeTreeContent,\n mtimeMs: newMtimeMs,\n }\n }\n\n this.plugins.map((plugin) => {\n return plugin.onRouteTreeChanged?.({\n routeTree: buildResult.routeTree,\n routeNodes: buildResult.routeNodes,\n acc,\n rootRouteNode,\n })\n })\n this.swapCaches()\n }\n\n private swapCaches() {\n this.routeNodeCache = this.routeNodeShadowCache\n this.routeNodeShadowCache = new Map()\n }\n\n public buildRouteTree(opts: {\n rootRouteNode: RouteNode\n acc: HandleNodeAccumulator\n routeFileResult: Array<RouteNode>\n config?: Partial<Config>\n }) {\n const config = { ...this.config, ...(opts.config || {}) }\n\n const { rootRouteNode, acc } = opts\n\n const sortedRouteNodes = multiSortBy(acc.routeNodes, [\n (d) => (d.routePath?.includes(`/${rootPathId}`) ? -1 : 1),\n (d) => d.routePath?.split('/').length,\n (d) => (d.routePath?.endsWith(config.indexToken) ? -1 : 1),\n (d) => d,\n ])\n\n const routeImports: Array<ImportDeclaration> = []\n const virtualRouteNodes: Array<string> = []\n\n for (const node of sortedRouteNodes) {\n if (node.isVirtual) {\n virtualRouteNodes.push(\n `const ${node.variableName}RouteImport = createFileRoute('${node.routePath}')()`,\n )\n } else {\n routeImports.push(\n getImportForRouteNode(\n node,\n config,\n this.generatedRouteTreePath,\n this.root,\n ),\n )\n }\n }\n\n const imports: Array<ImportDeclaration> = []\n if (virtualRouteNodes.length > 0) {\n imports.push({\n specifiers: [{ imported: 'createFileRoute' }],\n source: this.targetTemplate.fullPkg,\n })\n }\n // Add lazyRouteComponent import if there are component pieces\n let hasComponentPieces = false\n let hasLoaderPieces = false\n for (const node of sortedRouteNodes) {\n const pieces = acc.routePiecesByPath[node.routePath!]\n if (pieces) {\n if (\n pieces.component ||\n pieces.errorComponent ||\n pieces.notFoundComponent ||\n pieces.pendingComponent\n ) {\n hasComponentPieces = true\n }\n if (pieces.loader) {\n hasLoaderPieces = true\n }\n if (hasComponentPieces && hasLoaderPieces) break\n }\n }\n if (hasComponentPieces || hasLoaderPieces) {\n const runtimeImport: ImportDeclaration = {\n specifiers: [],\n source: this.targetTemplate.fullPkg,\n }\n if (hasComponentPieces) {\n runtimeImport.specifiers.push({ imported: 'lazyRouteComponent' })\n }\n if (hasLoaderPieces) {\n runtimeImport.specifiers.push({ imported: 'lazyFn' })\n }\n imports.push(runtimeImport)\n }\n if (config.verboseFileRoutes === false) {\n const typeImport: ImportDeclaration = {\n specifiers: [],\n source: this.targetTemplate.fullPkg,\n importKind: 'type',\n }\n let needsCreateFileRoute = false\n let needsCreateLazyFileRoute = false\n for (const node of sortedRouteNodes) {\n if (isRouteNodeValidForAugmentation(node)) {\n if (node._fsRouteType !== 'lazy') {\n needsCreateFileRoute = true\n }\n if (acc.routePiecesByPath[node.routePath!]?.lazy) {\n needsCreateLazyFileRoute = true\n }\n }\n if (needsCreateFileRoute && needsCreateLazyFileRoute) break\n }\n if (needsCreateFileRoute) {\n typeImport.specifiers.push({ imported: 'CreateFileRoute' })\n }\n if (needsCreateLazyFileRoute) {\n typeImport.specifiers.push({ imported: 'CreateLazyFileRoute' })\n }\n\n if (typeImport.specifiers.length > 0) {\n typeImport.specifiers.push({ imported: 'FileRoutesByPath' })\n imports.push(typeImport)\n }\n }\n\n const routeTreeConfig = buildRouteTreeConfig(\n acc.routeTree,\n config.disableTypes,\n )\n\n const createUpdateRoutes = sortedRouteNodes.map((node) => {\n const pieces = acc.routePiecesByPath[node.routePath!]\n const loaderNode = pieces?.loader\n const componentNode = pieces?.component\n const errorComponentNode = pieces?.errorComponent\n const notFoundComponentNode = pieces?.notFoundComponent\n const pendingComponentNode = pieces?.pendingComponent\n const lazyComponentNode = pieces?.lazy\n\n return [\n [\n `const ${node.variableName}Route = ${node.variableName}RouteImport.update({\n ${[\n `id: '${node.path}'`,\n !node.isNonPath ||\n (node._fsRouteType === 'pathless_layout' && node.cleanedPath)\n ? `path: '${node.cleanedPath}'`\n : undefined,\n `getParentRoute: () => ${findParent(node)}`,\n ]\n .filter(Boolean)\n .join(',')}\n }${config.disableTypes ? '' : 'as any'})`,\n loaderNode\n ? `.updateLoader({ loader: lazyFn(() => import('./${replaceBackslash(\n removeExt(\n path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(config.routesDirectory, loaderNode.filePath),\n ),\n config.addExtensions,\n ),\n )}'), 'loader') })`\n : '',\n componentNode ||\n errorComponentNode ||\n notFoundComponentNode ||\n pendingComponentNode\n ? `.update({\n ${(\n [\n ['component', componentNode],\n ['errorComponent', errorComponentNode],\n ['notFoundComponent', notFoundComponentNode],\n ['pendingComponent', pendingComponentNode],\n ] as const\n )\n .filter((d) => d[1])\n .map((d) => {\n // For .vue files, use 'default' as the export name since Vue SFCs export default\n const isVueFile = d[1]!.filePath.endsWith('.vue')\n const exportName = isVueFile ? 'default' : d[0]\n // Keep .vue extension for Vue files since Vite requires it\n const importPath = replaceBackslash(\n isVueFile\n ? path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(\n config.routesDirectory,\n d[1]!.filePath,\n ),\n )\n : removeExt(\n path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(\n config.routesDirectory,\n d[1]!.filePath,\n ),\n ),\n config.addExtensions,\n ),\n )\n return `${\n d[0]\n }: lazyRouteComponent(() => import('./${importPath}'), '${exportName}')`\n })\n .join('\\n,')}\n })`\n : '',\n lazyComponentNode\n ? (() => {\n // For .vue files, use 'default' export since Vue SFCs export default\n const isVueFile = lazyComponentNode.filePath.endsWith('.vue')\n const exportAccessor = isVueFile ? 'd.default' : 'd.Route'\n // Keep .vue extension for Vue files since Vite requires it\n const importPath = replaceBackslash(\n isVueFile\n ? path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(\n config.routesDirectory,\n lazyComponentNode.filePath,\n ),\n )\n : removeExt(\n path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(\n config.routesDirectory,\n lazyComponentNode.filePath,\n ),\n ),\n config.addExtensions,\n ),\n )\n return `.lazy(() => import('./${importPath}').then((d) => ${exportAccessor}))`\n })()\n : '',\n ].join(''),\n ].join('\\n\\n')\n })\n\n // Generate update for root route if it has component pieces\n const rootRoutePath = `/${rootPathId}`\n const rootPieces = acc.routePiecesByPath[rootRoutePath]\n const rootComponentNode = rootPieces?.component\n const rootErrorComponentNode = rootPieces?.errorComponent\n const rootNotFoundComponentNode = rootPieces?.notFoundComponent\n const rootPendingComponentNode = rootPieces?.pendingComponent\n\n let rootRouteUpdate = ''\n if (\n rootComponentNode ||\n rootErrorComponentNode ||\n rootNotFoundComponentNode ||\n rootPendingComponentNode\n ) {\n rootRouteUpdate = `const rootRouteWithChildren = rootRouteImport${\n rootComponentNode ||\n rootErrorComponentNode ||\n rootNotFoundComponentNode ||\n rootPendingComponentNode\n ? `.update({\n ${(\n [\n ['component', rootComponentNode],\n ['errorComponent', rootErrorComponentNode],\n ['notFoundComponent', rootNotFoundComponentNode],\n ['pendingComponent', rootPendingComponentNode],\n ] as const\n )\n .filter((d) => d[1])\n .map((d) => {\n // For .vue files, use 'default' as the export name since Vue SFCs export default\n const isVueFile = d[1]!.filePath.endsWith('.vue')\n const exportName = isVueFile ? 'default' : d[0]\n // Keep .vue extension for Vue files since Vite requires it\n const importPath = replaceBackslash(\n isVueFile\n ? path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(config.routesDirectory, d[1]!.filePath),\n )\n : removeExt(\n path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(\n config.routesDirectory,\n d[1]!.filePath,\n ),\n ),\n config.addExtensions,\n ),\n )\n return `${d[0]}: lazyRouteComponent(() => import('./${importPath}'), '${exportName}')`\n })\n .join('\\n,')}\n })`\n : ''\n }._addFileChildren(rootRouteChildren)${config.disableTypes ? '' : `._addFileTypes<FileRouteTypes>()`}`\n }\n\n let fileRoutesByPathInterface = ''\n let fileRoutesByFullPath = ''\n\n if (!config.disableTypes) {\n const routeNodesByFullPath = createRouteNodesByFullPath(acc.routeNodes)\n const routeNodesByTo = createRouteNodesByTo(acc.routeNodes)\n const routeNodesById = createRouteNodesById(acc.routeNodes)\n\n fileRoutesByFullPath = [\n `export interface FileRoutesByFullPath {\n${[...routeNodesByFullPath.entries()]\n .filter(([fullPath]) => fullPath)\n .map(([fullPath, routeNode]) => {\n return `'${fullPath}': typeof ${getResolvedRouteNodeVariableName(routeNode)}`\n })}\n}`,\n `export interface FileRoutesByTo {\n${[...routeNodesByTo.entries()]\n .filter(([to]) => to)\n .map(([to, routeNode]) => {\n return `'${to}': typeof ${getResolvedRouteNodeVariableName(routeNode)}`\n })}\n}`,\n `export interface FileRoutesById {\n'${rootRouteId}': typeof rootRouteImport,\n${[...routeNodesById.entries()].map(([id, routeNode]) => {\n return `'${id}': typeof ${getResolvedRouteNodeVariableName(routeNode)}`\n})}\n}`,\n `export interface FileRouteTypes {\nfileRoutesByFullPath: FileRoutesByFullPath\nfullPaths: ${\n acc.routeNodes.length > 0\n ? [...routeNodesByFullPath.keys()]\n .filter((fullPath) => fullPath)\n .map((fullPath) => `'${fullPath}'`)\n .join('|')\n : 'never'\n }\nfileRoutesByTo: FileRoutesByTo\nto: ${\n acc.routeNodes.length > 0\n ? [...routeNodesByTo.keys()]\n .filter((to) => to)\n .map((to) => `'${to}'`)\n .join('|')\n : 'never'\n }\nid: ${[`'${rootRouteId}'`, ...[...routeNodesById.keys()].map((id) => `'${id}'`)].join('|')}\nfileRoutesById: FileRoutesById\n}`,\n `export interface RootRouteChildren {\n${acc.routeTree.map((child) => `${child.variableName}Route: typeof ${getResolvedRouteNodeVariableName(child)}`).join(',')}\n}`,\n ].join('\\n')\n\n fileRoutesByPathInterface = buildFileRoutesByPathInterface({\n module: this.targetTemplate.fullPkg,\n interfaceName: 'FileRoutesByPath',\n routeNodes: sortedRouteNodes,\n config,\n })\n }\n\n const routeTree = [\n `const rootRouteChildren${config.disableTypes ? '' : `: RootRouteChildren`} = {\n ${acc.routeTree\n .map(\n (child) =>\n `${child.variableName}Route: ${getResolvedRouteNodeVariableName(child)}`,\n )\n .join(',')}\n}`,\n rootRouteUpdate\n ? rootRouteUpdate.replace(\n 'const rootRouteWithChildren = ',\n 'export const routeTree = ',\n )\n : `export const routeTree = rootRouteImport._addFileChildren(rootRouteChildren)${config.disableTypes ? '' : `._addFileTypes<FileRouteTypes>()`}`,\n ].join('\\n')\n\n checkRouteFullPathUniqueness(\n sortedRouteNodes.filter(\n (d) => d.children === undefined && 'lazy' !== d._fsRouteType,\n ),\n config,\n )\n\n let mergedImports = mergeImportDeclarations(imports)\n if (config.disableTypes) {\n mergedImports = mergedImports.filter((d) => d.importKind !== 'type')\n }\n\n const importStatements = mergedImports.map(buildImportString)\n\n let moduleAugmentation = ''\n if (config.verboseFileRoutes === false && !config.disableTypes) {\n moduleAugmentation = opts.routeFileResult\n .map((node) => {\n const getModuleDeclaration = (routeNode?: RouteNode) => {\n if (!isRouteNodeValidForAugmentation(routeNode)) {\n return ''\n }\n let moduleAugmentation = ''\n if (routeNode._fsRouteType === 'lazy') {\n moduleAugmentation = `const createLazyFileRoute: CreateLazyFileRoute<FileRoutesByPath['${routeNode.routePath}']['preLoaderRoute']>`\n } else {\n moduleAugmentation = `const createFileRoute: CreateFileRoute<'${routeNode.routePath}',\n FileRoutesByPath['${routeNode.routePath}']['parentRoute'],\n FileRoutesByPath['${routeNode.routePath}']['id'],\n FileRoutesByPath['${routeNode.routePath}']['path'],\n FileRoutesByPath['${routeNode.routePath}']['fullPath']\n >\n `\n }\n\n return `declare module './${getImportPath(routeNode, config, this.generatedRouteTreePath)}' {\n ${moduleAugmentation}\n }`\n }\n return getModuleDeclaration(node)\n })\n .join('\\n')\n }\n\n const rootRouteImport = getImportForRouteNode(\n rootRouteNode,\n config,\n this.generatedRouteTreePath,\n this.root,\n )\n routeImports.unshift(rootRouteImport)\n\n let footer: Array<string> = []\n if (config.routeTreeFileFooter) {\n if (Array.isArray(config.routeTreeFileFooter)) {\n footer = config.routeTreeFileFooter\n } else {\n footer = config.routeTreeFileFooter()\n }\n }\n const routeTreeContent = [\n ...config.routeTreeFileHeader,\n `// This file was automatically generated by TanStack Router.\n// You should NOT make any changes in this file as it will be overwritten.\n// Additionally, you should also exclude this file from your linter and/or formatter to prevent it from being checked or modified.`,\n [...importStatements].join('\\n'),\n mergeImportDeclarations(routeImports).map(buildImportString).join('\\n'),\n virtualRouteNodes.join('\\n'),\n createUpdateRoutes.join('\\n'),\n fileRoutesByFullPath,\n fileRoutesByPathInterface,\n moduleAugmentation,\n routeTreeConfig.join('\\n'),\n routeTree,\n ...footer,\n ]\n .filter(Boolean)\n .join('\\n\\n')\n return {\n routeTreeContent,\n routeTree: acc.routeTree,\n routeNodes: acc.routeNodes,\n }\n }\n\n private async processRouteNodeFile(node: RouteNode): Promise<{\n shouldWriteTree: boolean\n cacheEntry: RouteNodeCacheEntry\n node: RouteNode\n } | null> {\n const result = await this.isRouteFileCacheFresh(node)\n\n if (result.status === 'fresh') {\n return {\n node: result.cacheEntry.node,\n shouldWriteTree: false,\n cacheEntry: result.cacheEntry,\n }\n }\n\n const previousCacheEntry = result.cacheEntry\n\n const existingRouteFile = await this.fs.readFile(node.fullPath)\n if (existingRouteFile === 'file-not-existing') {\n throw new Error(`⚠️ File ${node.fullPath} does not exist`)\n }\n\n const updatedCacheEntry: RouteNodeCacheEntry = {\n fileContent: existingRouteFile.fileContent,\n mtimeMs: existingRouteFile.stat.mtimeMs,\n routeId: node.routePath ?? '$$TSR_NO_ROUTE_PATH_ASSIGNED$$',\n node,\n }\n\n const escapedRoutePath = node.routePath?.replaceAll('$', '$$') ?? ''\n\n let shouldWriteRouteFile = false\n let shouldWriteTree = false\n // now we need to either scaffold the file or transform it\n if (!existingRouteFile.fileContent) {\n shouldWriteRouteFile = true\n shouldWriteTree = true\n // Creating a new lazy route file\n if (node._fsRouteType === 'lazy') {\n const tLazyRouteTemplate = this.targetTemplate.lazyRoute\n // Check by default check if the user has a specific lazy route template\n // If not, check if the user has a route template and use that instead\n updatedCacheEntry.fileContent = await fillTemplate(\n this.config,\n (this.config.customScaffolding?.lazyRouteTemplate ||\n this.config.customScaffolding?.routeTemplate) ??\n tLazyRouteTemplate.template(),\n {\n tsrImports: tLazyRouteTemplate.imports.tsrImports(),\n tsrPath: escapedRoutePath.replaceAll(/\\{(.+?)\\}/gm, '$1'),\n tsrExportStart:\n tLazyRouteTemplate.imports.tsrExportStart(escapedRoutePath),\n tsrExportEnd: tLazyRouteTemplate.imports.tsrExportEnd(),\n },\n )\n } else if (\n // Creating a new normal route file\n (['layout', 'static'] satisfies Array<FsRouteType>).some(\n (d) => d === node._fsRouteType,\n ) ||\n (\n [\n 'component',\n 'pendingComponent',\n 'errorComponent',\n 'notFoundComponent',\n 'loader',\n ] satisfies Array<FsRouteType>\n ).every((d) => d !== node._fsRouteType)\n ) {\n const tRouteTemplate = this.targetTemplate.route\n updatedCacheEntry.fileContent = await fillTemplate(\n this.config,\n this.config.customScaffolding?.routeTemplate ??\n tRouteTemplate.template(),\n {\n tsrImports: tRouteTemplate.imports.tsrImports(),\n tsrPath: escapedRoutePath.replaceAll(/\\{(.+?)\\}/gm, '$1'),\n tsrExportStart:\n tRouteTemplate.imports.tsrExportStart(escapedRoutePath),\n tsrExportEnd: tRouteTemplate.imports.tsrExportEnd(),\n },\n )\n } else {\n return null\n }\n }\n\n // Check if this is a Vue component file\n // Vue SFC files (.vue) don't need transformation as they can't have a Route export\n const isVueFile = node.filePath.endsWith('.vue')\n\n if (!isVueFile) {\n // transform the file\n const transformResult = await transform({\n source: updatedCacheEntry.fileContent,\n ctx: {\n target: this.config.target,\n routeId: escapedRoutePath,\n lazy: node._fsRouteType === 'lazy',\n verboseFileRoutes: !(this.config.verboseFileRoutes === false),\n },\n node,\n })\n\n if (transformResult.result === 'no-route-export') {\n this.logger.warn(\n `Route file \"${node.fullPath}\" does not contain any route piece. This is likely a mistake.`,\n )\n return null\n }\n if (transformResult.result === 'error') {\n throw new Error(\n `Error transforming route file ${node.fullPath}: ${transformResult.error}`,\n )\n }\n if (transformResult.result === 'modified') {\n updatedCacheEntry.fileContent = transformResult.output\n shouldWriteRouteFile = true\n }\n }\n\n for (const plugin of this.plugins) {\n plugin.afterTransform?.({ node, prevNode: previousCacheEntry?.node })\n }\n\n // file was changed\n if (shouldWriteRouteFile) {\n const stats = await this.safeFileWrite({\n filePath: node.fullPath,\n newContent: updatedCacheEntry.fileContent,\n strategy: {\n type: 'mtime',\n expectedMtimeMs: updatedCacheEntry.mtimeMs,\n },\n })\n updatedCacheEntry.mtimeMs = stats.mtimeMs\n }\n\n this.routeNodeShadowCache.set(node.fullPath, updatedCacheEntry)\n return {\n node,\n shouldWriteTree,\n cacheEntry: updatedCacheEntry,\n }\n }\n\n private async didRouteFileChangeComparedToCache(\n file: {\n path: string\n mtimeMs?: bigint\n },\n cache: 'routeNodeCache' | 'routeNodeShadowCache',\n ): Promise<FileCacheChange<RouteNodeCacheEntry>> {\n const cacheEntry = this[cache].get(file.path)\n return this.didFileChangeComparedToCache(file, cacheEntry)\n }\n\n private async didFileChangeComparedToCache<\n TCacheEntry extends GeneratorCacheEntry,\n >(\n file: {\n path: string\n mtimeMs?: bigint\n },\n cacheEntry: TCacheEntry | undefined,\n ): Promise<FileCacheChange<TCacheEntry>> {\n // for now we rely on the modification time of the file\n // to determine if the file has changed\n // we could also compare the file content but this would be slower as we would have to read the file\n\n if (!cacheEntry) {\n return { result: 'file-not-in-cache' }\n }\n let mtimeMs = file.mtimeMs\n\n if (mtimeMs === undefined) {\n try {\n const currentStat = await this.fs.stat(file.path)\n mtimeMs = currentStat.mtimeMs\n } catch {\n return { result: 'cannot-stat-file' }\n }\n }\n return { result: mtimeMs !== cacheEntry.mtimeMs, mtimeMs, cacheEntry }\n }\n\n private async safeFileWrite(opts: {\n filePath: string\n newContent: string\n strategy:\n | {\n type: 'mtime'\n expectedMtimeMs: bigint\n }\n | {\n type: 'new-file'\n }\n }) {\n const tmpPath = this.getTempFileName(opts.filePath)\n await this.fs.writeFile(tmpPath, opts.newContent)\n\n if (opts.strategy.type === 'mtime') {\n const beforeStat = await this.fs.stat(opts.filePath)\n if (beforeStat.mtimeMs !== opts.strategy.expectedMtimeMs) {\n throw rerun({\n msg: `File ${opts.filePath} was modified by another process during processing.`,\n event: { type: 'update', path: opts.filePath },\n })\n }\n const newFileState = await this.fs.stat(tmpPath)\n if (newFileState.mode !== beforeStat.mode) {\n await this.fs.chmod(tmpPath, beforeStat.mode)\n }\n if (\n newFileState.uid !== beforeStat.uid ||\n newFileState.gid !== beforeStat.gid\n ) {\n try {\n await this.fs.chown(tmpPath, beforeStat.uid, beforeStat.gid)\n } catch (err) {\n if (\n typeof err === 'object' &&\n err !== null &&\n 'code' in err &&\n (err as any).code === 'EPERM'\n ) {\n console.warn(\n `[safeFileWrite] chown failed: ${(err as any).message}`,\n )\n } else {\n throw err\n }\n }\n }\n } else {\n if (await checkFileExists(opts.filePath)) {\n throw rerun({\n msg: `File ${opts.filePath} already exists. Cannot overwrite.`,\n event: { type: 'update', path: opts.filePath },\n })\n }\n }\n\n const stat = await this.fs.stat(tmpPath)\n\n await this.fs.rename(tmpPath, opts.filePath)\n\n return stat\n }\n\n private getTempFileName(filePath: string) {\n const absPath = path.resolve(filePath)\n const hash = crypto.createHash('md5').update(absPath).digest('hex')\n // lazy initialize sessionId to only create tmpDir when it is first needed\n if (!this.sessionId) {\n // ensure the directory exists\n mkdirSync(this.config.tmpDir, { recursive: true })\n this.sessionId = crypto.randomBytes(4).toString('hex')\n }\n return path.join(this.config.tmpDir, `${this.sessionId}-${hash}`)\n }\n\n private async isRouteFileCacheFresh(node: RouteNode): Promise<\n | {\n status: 'fresh'\n cacheEntry: RouteNodeCacheEntry\n }\n | { status: 'stale'; cacheEntry?: RouteNodeCacheEntry }\n > {\n const fileChangedCache = await this.didRouteFileChangeComparedToCache(\n { path: node.fullPath },\n 'routeNodeCache',\n )\n if (fileChangedCache.result === false) {\n this.routeNodeShadowCache.set(node.fullPath, fileChangedCache.cacheEntry)\n return {\n status: 'fresh',\n cacheEntry: fileChangedCache.cacheEntry,\n }\n }\n if (fileChangedCache.result === 'cannot-stat-file') {\n throw new Error(`⚠️ expected route file to exist at ${node.fullPath}`)\n }\n const mtimeMs =\n fileChangedCache.result === true ? fileChangedCache.mtimeMs : undefined\n\n const shadowCacheFileChange = await this.didRouteFileChangeComparedToCache(\n { path: node.fullPath, mtimeMs },\n 'routeNodeShadowCache',\n )\n\n if (shadowCacheFileChange.result === 'cannot-stat-file') {\n throw new Error(`⚠️ expected route file to exist at ${node.fullPath}`)\n }\n\n if (shadowCacheFileChange.result === false) {\n // shadow cache has latest file state already\n if (fileChangedCache.result === true) {\n return {\n status: 'fresh',\n cacheEntry: shadowCacheFileChange.cacheEntry,\n }\n }\n }\n\n if (fileChangedCache.result === 'file-not-in-cache') {\n return {\n status: 'stale',\n }\n }\n return { status: 'stale', cacheEntry: fileChangedCache.cacheEntry }\n }\n\n private async handleRootNode(node: RouteNode) {\n const result = await this.isRouteFileCacheFresh(node)\n\n if (result.status === 'fresh') {\n this.routeNodeShadowCache.set(node.fullPath, result.cacheEntry)\n }\n const rootNodeFile = await this.fs.readFile(node.fullPath)\n if (rootNodeFile === 'file-not-existing') {\n throw new Error(`⚠️ expected root route to exist at ${node.fullPath}`)\n }\n\n const updatedCacheEntry: RouteNodeCacheEntry = {\n fileContent: rootNodeFile.fileContent,\n mtimeMs: rootNodeFile.stat.mtimeMs,\n routeId: node.routePath ?? '$$TSR_NO_ROOT_ROUTE_PATH_ASSIGNED$$',\n node,\n }\n\n // scaffold the root route\n if (!rootNodeFile.fileContent) {\n const rootTemplate = this.targetTemplate.rootRoute\n const rootRouteContent = await fillTemplate(\n this.config,\n rootTemplate.template(),\n {\n tsrImports: rootTemplate.imports.tsrImports(),\n tsrPath: rootPathId,\n tsrExportStart: rootTemplate.imports.tsrExportStart(),\n tsrExportEnd: rootTemplate.imports.tsrExportEnd(),\n },\n )\n\n this.logger.log(`🟡 Creating ${node.fullPath}`)\n const stats = await this.safeFileWrite({\n filePath: node.fullPath,\n newContent: rootRouteContent,\n strategy: {\n type: 'mtime',\n expectedMtimeMs: rootNodeFile.stat.mtimeMs,\n },\n })\n updatedCacheEntry.fileContent = rootRouteContent\n updatedCacheEntry.mtimeMs = stats.mtimeMs\n }\n\n this.routeNodeShadowCache.set(node.fullPath, updatedCacheEntry)\n }\n\n public async getCrawlingResult(): Promise<CrawlingResult | undefined> {\n await this.runPromise\n return this.crawlingResult\n }\n\n private static handleNode(\n node: RouteNode,\n acc: HandleNodeAccumulator,\n prefixMap: RoutePrefixMap,\n config?: Config,\n ) {\n const parentRoute = hasParentRoute(prefixMap, node, node.routePath)\n\n if (parentRoute) node.parent = parentRoute\n\n node.path = determineNodePath(node)\n\n const trimmedPath = trimPathLeft(node.path ?? '')\n const trimmedOriginalPath = trimPathLeft(\n node.originalRoutePath?.replace(\n node.parent?.originalRoutePath ?? '',\n '',\n ) ?? '',\n )\n\n const split = trimmedPath.split('/')\n const originalSplit = trimmedOriginalPath.split('/')\n const lastRouteSegment = split[split.length - 1] ?? trimmedPath\n const lastOriginalSegment =\n originalSplit[originalSplit.length - 1] ?? trimmedOriginalPath\n\n // A segment is non-path if it starts with underscore AND the underscore is not escaped\n node.isNonPath =\n isSegmentPathless(lastRouteSegment, lastOriginalSegment) ||\n split.every((part) => this.routeGroupPatternRegex.test(part))\n\n // Use escape-aware functions to compute cleanedPath\n node.cleanedPath = removeGroups(\n removeUnderscoresWithEscape(\n removeLayoutSegmentsWithEscape(node.path, node.originalRoutePath),\n node.originalRoutePath,\n ),\n )\n\n if (\n node._fsRouteType === 'layout' ||\n node._fsRouteType === 'pathless_layout'\n ) {\n node.cleanedPath = removeTrailingSlash(node.cleanedPath)\n }\n\n if (\n !node.isVirtual &&\n (\n [\n 'lazy',\n 'loader',\n 'component',\n 'pendingComponent',\n 'errorComponent',\n 'notFoundComponent',\n ] satisfies Array<FsRouteType>\n ).some((d) => d === node._fsRouteType)\n ) {\n acc.routePiecesByPath[node.routePath!] =\n acc.routePiecesByPath[node.routePath!] || {}\n\n const pieceKey =\n node._fsRouteType === 'lazy'\n ? 'lazy'\n : (node._fsRouteType as keyof (typeof acc.routePiecesByPath)[string])\n acc.routePiecesByPath[node.routePath!]![pieceKey] = node\n\n const anchorRoute = acc.routeNodesByPath.get(node.routePath!)\n\n // Don't create virtual routes for root route component pieces - the root route is handled separately\n if (!anchorRoute && node.routePath !== `/${rootPathId}`) {\n this.handleNode(\n {\n ...node,\n isVirtual: true,\n _fsRouteType: 'static',\n },\n acc,\n prefixMap,\n config,\n )\n }\n return\n }\n\n const isPathlessLayoutWithPath =\n node._fsRouteType === 'pathless_layout' &&\n node.cleanedPath &&\n node.cleanedPath.length > 0\n\n // Special handling: pathless layouts with path need to find real ancestor\n if (!node.isVirtual && isPathlessLayoutWithPath) {\n const immediateParentPath =\n removeLastSegmentFromPath(node.routePath) || '/'\n const immediateParentOriginalPath =\n removeLastSegmentFromPath(node.originalRoutePath) || '/'\n let searchPath = immediateParentPath\n\n // Find nearest real (non-virtual, non-index) parent\n while (searchPath) {\n const candidate = acc.routeNodesByPath.get(searchPath)\n if (candidate && !candidate.isVirtual && candidate.path !== '/') {\n node.parent = candidate\n node.path =\n node.routePath?.replace(candidate.routePath ?? '', '') || '/'\n const pathRelativeToParent =\n immediateParentPath.replace(candidate.routePath ?? '', '') || '/'\n const originalPathRelativeToParent =\n immediateParentOriginalPath.replace(\n candidate.originalRoutePath ?? '',\n '',\n ) || '/'\n node.cleanedPath = removeGroups(\n removeUnderscoresWithEscape(\n removeLayoutSegmentsWithEscape(\n pathRelativeToParent,\n originalPathRelativeToParent,\n ),\n originalPathRelativeToParent,\n ),\n )\n break\n }\n if (searchPath === '/') break\n searchPath = removeLastSegmentFromPath(searchPath) || '/'\n }\n }\n\n // Add to parent's children or to root\n if (node.parent) {\n node.parent.children = node.parent.children ?? []\n node.parent.children.push(node)\n } else {\n acc.routeTree.push(node)\n }\n\n acc.routeNodes.push(node)\n if (node.routePath && !node.isVirtual) {\n acc.routeNodesByPath.set(node.routePath, node)\n }\n }\n\n // only process files that are relevant for the route tree generation\n private isFileRelevantForRouteTreeGeneration(filePath: string): boolean {\n // the generated route tree file\n if (filePath === this.generatedRouteTreePath) {\n return true\n }\n\n // files inside the routes folder\n if (filePath.startsWith(this.routesDirectoryPath)) {\n return true\n }\n\n // the virtual route config file passed into `virtualRouteConfig`\n if (\n typeof this.config.virtualRouteConfig === 'string' &&\n filePath === this.config.virtualRouteConfig\n ) {\n return true\n }\n\n // this covers all files that are mounted via `virtualRouteConfig` or any `__virtual.ts` files\n if (this.routeNodeCache.has(filePath)) {\n return true\n }\n\n // virtual config files such as`__virtual.ts`\n if (isVirtualConfigFile(path.basename(filePath))) {\n return true\n }\n\n // route files inside directories mounted via `physical()` inside a virtual route config\n if (this.physicalDirectories.some((dir) => filePath.startsWith(dir))) {\n return true\n }\n\n return false\n }\n}\n"],"names":["fsp","logging","getTargetTemplate","existsSync","mkdirSync","virtualGetRouteNodes","physicalGetRouteNodes","rootPathId","multiSortBy","RoutePrefixMap","format","getImportForRouteNode","isRouteNodeValidForAugmentation","buildRouteTreeConfig","findParent","replaceBackslash","removeExt","createRouteNodesByFullPath","createRouteNodesByTo","createRouteNodesById","getResolvedRouteNodeVariableName","rootRouteId","buildFileRoutesByPathInterface","checkRouteFullPathUniqueness","mergeImportDeclarations","buildImportString","moduleAugmentation","getImportPath","fillTemplate","transform","checkFileExists","hasParentRoute","determineNodePath","trimPathLeft","isSegmentPathless","removeGroups","removeUnderscoresWithEscape","removeLayoutSegmentsWithEscape","removeTrailingSlash","removeLastSegmentFromPath","isVirtualConfigFile"],"mappings":";;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;AAwEA,MAAM,oBAAwB;AAAA,EAC5B,MAAM,OAAO,aAAa;AACxB,UAAM,MAAM,MAAMA,eAAI,KAAK,UAAU,EAAE,QAAQ,MAAM;AACrD,WAAO;AAAA,MACL,SAAS,IAAI;AAAA,MACb,MAAM,OAAO,IAAI,IAAI;AAAA,MACrB,KAAK,OAAO,IAAI,GAAG;AAAA,MACnB,KAAK,OAAO,IAAI,GAAG;AAAA,IAAA;AAAA,EAEvB;AAAA,EACA,QAAQ,CAAC,SAAS,YAAYA,eAAI,OAAO,SAAS,OAAO;AAAA,EACzD,WAAW,CAAC,UAAU,YAAYA,eAAI,UAAU,UAAU,OAAO;AAAA,EACjE,UAAU,OAAO,aAAqB;AACpC,QAAI;AACF,YAAM,aAAa,MAAMA,eAAI,KAAK,UAAU,GAAG;AAC/C,YAAM,OAAO,MAAM,WAAW,KAAK,EAAE,QAAQ,MAAM;AACnD,YAAM,eAAe,MAAM,WAAW,SAAA,GAAY,SAAA;AAClD,YAAM,WAAW,MAAA;AACjB,aAAO,EAAE,MAAM,YAAA;AAAA,IACjB,SAAS,GAAQ;AACf,UAAI,UAAU,GAAG;AACf,YAAI,EAAE,SAAS,UAAU;AACvB,iBAAO;AAAA,QACT;AAAA,MACF;AACA,YAAM;AAAA,IACR;AAAA,EACF;AAAA,EACA,OAAO,CAAC,UAAU,SAASA,eAAI,MAAM,UAAU,IAAI;AAAA,EACnD,OAAO,CAAC,UAAU,KAAK,QAAQA,eAAI,MAAM,UAAU,KAAK,GAAG;AAC7D;AAOA,SAAS,MAAM,MAAuD;AACpE,QAAM,EAAE,OAAO,GAAG,KAAA,IAAS;AAC3B,SAAO,EAAE,OAAO,MAAM,OAAO,SAAS,EAAE,MAAM,WAAW,GAAG,KAAA;AAC9D;AAEA,SAAS,QAAQ,QAAkC;AACjD,SACE,OAAO,WAAW,YAClB,WAAW,QACX,WAAW,UACX,OAAO,UAAU;AAErB;AAwCO,MAAM,aAAN,MAAM,WAAU;AAAA,EAqCrB,YAAY,MAAiD;AA1B7D,SAAQ,qCAA8C,IAAA;AACtD,SAAQ,2CAAoD,IAAA;AAe5D,SAAQ,iBAAwC,CAAA;AAChD,SAAQ,UAAkC,CAAA;AAE1C,SAAQ,sBAAqC,CAAA;AAQ3C,SAAK,SAAS,KAAK;AACnB,SAAK,SAASC,eAAQ,EAAE,UAAU,KAAK,OAAO,gBAAgB;AAC9D,SAAK,OAAO,KAAK;AACjB,SAAK,KAAK,KAAK,MAAM;AACrB,SAAK,yBAAyB,KAAK,0BAAA;AACnC,SAAK,iBAAiBC,2BAAkB,KAAK,MAAM;AAEnD,SAAK,sBAAsB,KAAK,uBAAA;AAChC,SAAK,QAAQ,KAAK,GAAI,KAAK,OAAO,WAAW,EAAG;AAEhD,SAAK,kBAAkB,IAAI,OAAO,OAAO,KAAK,OAAO,UAAU,KAAK;AACpE,SAAK,kBAAkB,IAAI,OAAO,OAAO,KAAK,OAAO,UAAU,KAAK;AAEpE,eAAW,UAAU,KAAK,SAAS;AACjC,aAAO,OAAO,EAAE,WAAW,KAAA,CAAM;AAAA,IACnC;AAAA,EACF;AAAA,EAEQ,4BAA4B;AAClC,UAAM,yBAAyB,KAAK;AAAA,MAClC,KAAK,OAAO;AAAA,IAAA,IAEV,KAAK,OAAO,qBACZ,KAAK,QAAQ,KAAK,MAAM,KAAK,OAAO,kBAAkB;AAE1D,UAAM,wBAAwB,KAAK,QAAQ,sBAAsB;AAEjE,QAAI,CAACC,QAAAA,WAAW,qBAAqB,GAAG;AACtCC,cAAAA,UAAU,uBAAuB,EAAE,WAAW,KAAA,CAAM;AAAA,IACtD;AAEA,WAAO;AAAA,EACT;AAAA,EAEQ,yBAAyB;AAC/B,WAAO,KAAK,WAAW,KAAK,OAAO,eAAe,IAC9C,KAAK,OAAO,kBACZ,KAAK,QAAQ,KAAK,MAAM,KAAK,OAAO,eAAe;AAAA,EACzD;AAAA,EAEO,qBAA+C;AACpD,WAAO,IAAI;AAAA,MACT,CAAC,GAAG,KAAK,eAAe,QAAA,CAAS,EAAE,IAAI,CAAC,CAAC,UAAU,UAAU,MAAM;AAAA,QACjE;AAAA,QACA,EAAE,WAAW,WAAW,QAAA;AAAA,MAAQ,CACjC;AAAA,IAAA;AAAA,EAEL;AAAA,EAEA,MAAa,IAAI,OAAuC;AACtD,QACE,SACA,MAAM,SAAS,WACf,CAAC,KAAK,qCAAqC,MAAM,IAAI,GACrD;AACA;AAAA,IACF;AACA,SAAK,eAAe,KAAK,SAAS,EAAE,MAAM,SAAS;AAEnD,QAAI,KAAK,YAAY;AACnB,aAAO,KAAK;AAAA,IACd;AAEA,SAAK,cAAc,YAAY;AAC7B,SAAG;AAGD,cAAM,YAAY,KAAK;AACvB,aAAK,iBAAiB,CAAA;AAGtB,cAAM,mBACJ,MAAM,QAAQ;AAAA,UACZ,UAAU,IAAI,OAAO,MAAM;AACzB,gBAAI,EAAE,SAAS,UAAU;AACvB,kBAAI;AACJ,kBAAI,EAAE,SAAS,KAAK,wBAAwB;AAC1C,6BAAa,KAAK;AAAA,cACpB,OAAO;AAGL,6BAAa,KAAK,eAAe,IAAI,EAAE,IAAI;AAAA,cAC7C;AACA,oBAAM,SAAS,MAAM,KAAK;AAAA,gBACxB,EAAE,MAAM,EAAE,KAAA;AAAA,gBACV;AAAA,cAAA;AAEF,kBAAI,OAAO,WAAW,OAAO;AAC3B,uBAAO;AAAA,cACT;AAAA,YACF;AACA,mBAAO;AAAA,UACT,CAAC;AAAA,QAAA,GAEH,OAAO,CAAC,MAAM,MAAM,IAAI;AAE1B,YAAI,gBAAgB,WAAW,GAAG;AAChC;AAAA,QACF;AAEA,YAAI;AACF,gBAAM,KAAK,kBAAA;AAAA,QACb,SAAS,KAAK;AACZ,gBAAM,WAAW,CAAC,MAAM,QAAQ,GAAG,IAAI,CAAC,GAAG,IAAI;AAE/C,gBAAM,oBAAoB,SAAS,OAAO,CAAC,MAAM,QAAQ,CAAC,CAAC;AAC3D,cAAI,kBAAkB,WAAW,SAAS,QAAQ;AAChD,iBAAK,eAAe,KAAK,GAAG,kBAAkB,IAAI,CAAC,MAAM,EAAE,KAAK,CAAC;AACjE,8BAAkB,QAAQ,CAAC,MAAM;AAC/B,kBAAI,EAAE,KAAK;AACT,qBAAK,OAAO,KAAK,EAAE,GAAG;AAAA,cACxB;AAAA,YACF,CAAC;AAAA,UACH,OAAO;AACL,kBAAM,sBAAsB,SAAS,OAAO,CAAC,MAAM,CAAC,QAAQ,CAAC,CAAC;AAC9D,iBAAK,aAAa;AAClB,kBAAM,IAAI;AAAA,cACR,oBAAoB,IAAI,CAAC,MAAO,EAAY,OAAO,EAAE,KAAA;AAAA,YAAK;AAAA,UAE9D;AAAA,QACF;AAAA,MACF,SAAS,KAAK,eAAe;AAC7B,WAAK,aAAa;AAAA,IACpB,GAAA;AACA,WAAO,KAAK;AAAA,EACd;AAAA,EAEA,MAAc,oBAAoB;AAChC,QAAI,qBAAwC;AAE5C,QAAI;AAEJ,QAAI,KAAK,OAAO,oBAAoB;AAClC,4BAAsB,MAAMC,cAAAA,cAAqB,KAAK,QAAQ,KAAK,IAAI;AAAA,IACzE,OAAO;AACL,4BAAsB,MAAMC,gBAAAA,cAAsB,KAAK,QAAQ,KAAK,IAAI;AAAA,IAC1E;AAEA,UAAM;AAAA,MACJ;AAAA,MACA,YAAY;AAAA,MACZ;AAAA,IAAA,IACE;AACJ,QAAI,kBAAkB,QAAW;AAC/B,UAAI,eAAe;AACnB,UAAI,CAAC,KAAK,OAAO,oBAAoB;AACnC,wBAAgB;AAAA,4BAA+BC,WAAAA,UAAU,IAAI,KAAK,OAAO,eAAe,OAAO,KAAK;AAAA,oBAAuD,KAAK,OAAO,eAAe,IAAIA,WAAAA,UAAU,IAAI,KAAK,OAAO,eAAe,OAAO,KAAK;AAAA,MACjP;AACA,YAAM,IAAI,MAAM,YAAY;AAAA,IAC9B;AACA,SAAK,sBAAsB;AAE3B,UAAM,KAAK,eAAe,aAAa;AAEvC,UAAM,gBAAgBC,MAAAA,YAAY,kBAAkB;AAAA,MAClD,CAAC,MAAO,EAAE,cAAc,MAAM,KAAK;AAAA,MACnC,CAAC,MAAM,EAAE,WAAW,MAAM,GAAG,EAAE;AAAA,MAC/B,CAAC,MAAO,EAAE,SAAS,MAAM,KAAK,eAAe,IAAI,IAAI;AAAA,MACrD,CAAC,MAAO,EAAE,SAAS,MAAM,WAAU,mBAAmB,IAAI,IAAI;AAAA,MAC9D,CAAC,MAAO,EAAE,SAAS,MAAM,KAAK,eAAe,IAAI,KAAK;AAAA,MACtD,CAAC,MAAO,EAAE,WAAW,SAAS,GAAG,IAAI,KAAK;AAAA,MAC1C,CAAC,MAAM,EAAE;AAAA,IAAA,CACV,EAAE,OAAO,CAAC,MAAM;AAEf,UAAI,EAAE,cAAc,IAAID,WAAAA,UAAU,IAAI;AACpC,eAAO;AAAA,UACL;AAAA,UACA;AAAA,UACA;AAAA,UACA;AAAA,UACA;AAAA,UACA;AAAA,QAAA,EACA,SAAS,EAAE,YAAY;AAAA,MAC3B;AACA,aAAO;AAAA,IACT,CAAC;AAED,UAAM,qBAAqB,MAAM,QAAQ;AAAA,MACvC,cAEG,OAAO,CAAC,MAAM,CAAC,EAAE,wBAAwB,CAAC,EAAE,SAAS,EACrD,IAAI,CAAC,MAAM,KAAK,qBAAqB,CAAC,CAAC;AAAA,IAAA;AAG5C,UAAM,aAAa,mBAAmB;AAAA,MACpC,CAAC,WAAW,OAAO,WAAW;AAAA,IAAA;AAEhC,QAAI,WAAW,SAAS,GAAG;AACzB,YAAM,WAAW,IAAI,CAAC,MAAM,EAAE,MAAM;AAAA,IACtC;AAEA,UAAM,kBAAkB,mBAAmB,QAAQ,CAAC,WAAW;AAC7D,UAAI,OAAO,WAAW,eAAe,OAAO,UAAU,MAAM;AAC1D,YAAI,OAAO,MAAM,iBAAiB;AAChC,+BAAqB;AAAA,QACvB;AACA,eAAO,OAAO,MAAM;AAAA,MACtB;AACA,aAAO,CAAA;AAAA,IACT,CAAC;AAGD,oBAAgB,QAAQ,CAAC,MAAO,EAAE,WAAW,MAAU;AAEvD,UAAM,MAA6B;AAAA,MACjC,WAAW,CAAA;AAAA,MACX,YAAY,CAAA;AAAA,MACZ,mBAAmB,CAAA;AAAA,MACnB,sCAAsB,IAAA;AAAA,IAAI;AAG5B,UAAM,YAAY,IAAIE,MAAAA,eAAe,eAAe;AAEpD,eAAW,QAAQ,iBAAiB;AAClC,iBAAU,WAAW,MAAM,KAAK,WAAW,KAAK,MAAM;AAAA,IACxD;AAEA,SAAK,iBAAiB,EAAE,eAAe,iBAAiB,IAAA;AAGxD,QAAI,CAAC,KAAK,oBAAoB;AAC5B,YAAM,gBAAgB,MAAM,KAAK,GAAG,SAAS,KAAK,sBAAsB;AACxE,UAAI,kBAAkB,qBAAqB;AACzC,aAAK,qBAAqB;AAAA,UACxB,aAAa,cAAc;AAAA,UAC3B,SAAS,cAAc,KAAK;AAAA,QAAA;AAAA,MAEhC;AACA,2BAAqB;AAAA,IACvB,OAAO;AACL,YAAM,sBAAsB,MAAM,KAAK;AAAA,QACrC,EAAE,MAAM,KAAK,uBAAA;AAAA,QACb,KAAK;AAAA,MAAA;AAEP,UAAI,oBAAoB,WAAW,OAAO;AACxC,6BAAqB;AACrB,YAAI,oBAAoB,WAAW,MAAM;AACvC,gBAAM,gBAAgB,MAAM,KAAK,GAAG;AAAA,YAClC,KAAK;AAAA,UAAA;AAEP,cAAI,kBAAkB,qBAAqB;AACzC,iBAAK,qBAAqB;AAAA,cACxB,aAAa,cAAc;AAAA,cAC3B,SAAS,cAAc,KAAK;AAAA,YAAA;AAAA,UAEhC;AAAA,QACF;AAAA,MACF;AAAA,IACF;AAEA,QAAI,CAAC,oBAAoB;AAGvB,UAAI,KAAK,eAAe,SAAS,KAAK,qBAAqB,MAAM;AAC/D,6BAAqB;AAAA,MACvB,OAAO;AACL,mBAAW,YAAY,KAAK,eAAe,KAAA,GAAQ;AACjD,cAAI,CAAC,KAAK,qBAAqB,IAAI,QAAQ,GAAG;AAC5C,iCAAqB;AACrB;AAAA,UACF;AAAA,QACF;AAAA,MACF;AAAA,IACF;AAEA,QAAI,CAAC,oBAAoB;AACvB,WAAK,WAAA;AACL;AAAA,IACF;AAEA,UAAM,cAAc,KAAK,eAAe;AAAA,MACtC;AAAA,MACA;AAAA,MACA;AAAA,IAAA,CACD;AACD,QAAI,mBAAmB,YAAY;AAEnC,uBAAmB,KAAK,OAAO,4BAC3B,MAAMC,MAAAA,OAAO,kBAAkB,KAAK,MAAM,IAC1C;AAEJ,QAAI;AACJ,QAAI,KAAK,oBAAoB;AAC3B,UACE,uBAAuB,WACvB,KAAK,mBAAmB,gBAAgB,iBACxC;AAAA,WAGK;AACL,cAAM,uBAAuB,MAAM,KAAK,cAAc;AAAA,UACpD,UAAU,KAAK;AAAA,UACf,YAAY;AAAA,UACZ,UAAU;AAAA,YACR,MAAM;AAAA,YACN,iBAAiB,KAAK,mBAAmB;AAAA,UAAA;AAAA,QAC3C,CACD;AACD,qBAAa,qBAAqB;AAAA,MACpC;AAAA,IACF,OAAO;AACL,YAAM,uBAAuB,MAAM,KAAK,cAAc;AAAA,QACpD,UAAU,KAAK;AAAA,QACf,YAAY;AAAA,QACZ,UAAU;AAAA,UACR,MAAM;AAAA,QAAA;AAAA,MACR,CACD;AACD,mBAAa,qBAAqB;AAAA,IACpC;AAEA,QAAI,eAAe,QAAW;AAC5B,WAAK,qBAAqB;AAAA,QACxB,aAAa;AAAA,QACb,SAAS;AAAA,MAAA;AAAA,IAEb;AAEA,SAAK,QAAQ,IAAI,CAAC,WAAW;AAC3B,aAAO,OAAO,qBAAqB;AAAA,QACjC,WAAW,YAAY;AAAA,QACvB,YAAY,YAAY;AAAA,QACxB;AAAA,QACA;AAAA,MAAA,CACD;AAAA,IACH,CAAC;AACD,SAAK,WAAA;AAAA,EACP;AAAA,EAEQ,aAAa;AACnB,SAAK,iBAAiB,KAAK;AAC3B,SAAK,2CAA2B,IAAA;AAAA,EAClC;AAAA,EAEO,eAAe,MAKnB;AACD,UAAM,SAAS,EAAE,GAAG,KAAK,QAAQ,GAAI,KAAK,UAAU,GAAC;AAErD,UAAM,EAAE,eAAe,IAAA,IAAQ;AAE/B,UAAM,mBAAmBF,MAAAA,YAAY,IAAI,YAAY;AAAA,MACnD,CAAC,MAAO,EAAE,WAAW,SAAS,IAAID,qBAAU,EAAE,IAAI,KAAK;AAAA,MACvD,CAAC,MAAM,EAAE,WAAW,MAAM,GAAG,EAAE;AAAA,MAC/B,CAAC,MAAO,EAAE,WAAW,SAAS,OAAO,UAAU,IAAI,KAAK;AAAA,MACxD,CAAC,MAAM;AAAA,IAAA,CACR;AAED,UAAM,eAAyC,CAAA;AAC/C,UAAM,oBAAmC,CAAA;AAEzC,eAAW,QAAQ,kBAAkB;AACnC,UAAI,KAAK,WAAW;AAClB,0BAAkB;AAAA,UAChB,SAAS,KAAK,YAAY,kCAAkC,KAAK,SAAS;AAAA,QAAA;AAAA,MAE9E,OAAO;AACL,qBAAa;AAAA,UACXI,MAAAA;AAAAA,YACE;AAAA,YACA;AAAA,YACA,KAAK;AAAA,YACL,KAAK;AAAA,UAAA;AAAA,QACP;AAAA,MAEJ;AAAA,IACF;AAEA,UAAM,UAAoC,CAAA;AAC1C,QAAI,kBAAkB,SAAS,GAAG;AAChC,cAAQ,KAAK;AAAA,QACX,YAAY,CAAC,EAAE,UAAU,mBAAmB;AAAA,QAC5C,QAAQ,KAAK,eAAe;AAAA,MAAA,CAC7B;AAAA,IACH;AAEA,QAAI,qBAAqB;AACzB,QAAI,kBAAkB;AACtB,eAAW,QAAQ,kBAAkB;AACnC,YAAM,SAAS,IAAI,kBAAkB,KAAK,SAAU;AACpD,UAAI,QAAQ;AACV,YACE,OAAO,aACP,OAAO,kBACP,OAAO,qBACP,OAAO,kBACP;AACA,+BAAqB;AAAA,QACvB;AACA,YAAI,OAAO,QAAQ;AACjB,4BAAkB;AAAA,QACpB;AACA,YAAI,sBAAsB,gBAAiB;AAAA,MAC7C;AAAA,IACF;AACA,QAAI,sBAAsB,iBAAiB;AACzC,YAAM,gBAAmC;AAAA,QACvC,YAAY,CAAA;AAAA,QACZ,QAAQ,KAAK,eAAe;AAAA,MAAA;AAE9B,UAAI,oBAAoB;AACtB,sBAAc,WAAW,KAAK,EAAE,UAAU,sBAAsB;AAAA,MAClE;AACA,UAAI,iBAAiB;AACnB,sBAAc,WAAW,KAAK,EAAE,UAAU,UAAU;AAAA,MACtD;AACA,cAAQ,KAAK,aAAa;AAAA,IAC5B;AACA,QAAI,OAAO,sBAAsB,OAAO;AACtC,YAAM,aAAgC;AAAA,QACpC,YAAY,CAAA;AAAA,QACZ,QAAQ,KAAK,eAAe;AAAA,QAC5B,YAAY;AAAA,MAAA;AAEd,UAAI,uBAAuB;AAC3B,UAAI,2BAA2B;AAC/B,iBAAW,QAAQ,kBAAkB;AACnC,YAAIC,MAAAA,gCAAgC,IAAI,GAAG;AACzC,cAAI,KAAK,iBAAiB,QAAQ;AAChC,mCAAuB;AAAA,UACzB;AACA,cAAI,IAAI,kBAAkB,KAAK,SAAU,GAAG,MAAM;AAChD,uCAA2B;AAAA,UAC7B;AAAA,QACF;AACA,YAAI,wBAAwB,yBAA0B;AAAA,MACxD;AACA,UAAI,sBAAsB;AACxB,mBAAW,WAAW,KAAK,EAAE,UAAU,mBAAmB;AAAA,MAC5D;AACA,UAAI,0BAA0B;AAC5B,mBAAW,WAAW,KAAK,EAAE,UAAU,uBAAuB;AAAA,MAChE;AAEA,UAAI,WAAW,WAAW,SAAS,GAAG;AACpC,mBAAW,WAAW,KAAK,EAAE,UAAU,oBAAoB;AAC3D,gBAAQ,KAAK,UAAU;AAAA,MACzB;AAAA,IACF;AAEA,UAAM,kBAAkBC,MAAAA;AAAAA,MACtB,IAAI;AAAA,MACJ,OAAO;AAAA,IAAA;AAGT,UAAM,qBAAqB,iBAAiB,IAAI,CAAC,SAAS;AACxD,YAAM,SAAS,IAAI,kBAAkB,KAAK,SAAU;AACpD,YAAM,aAAa,QAAQ;AAC3B,YAAM,gBAAgB,QAAQ;AAC9B,YAAM,qBAAqB,QAAQ;AACnC,YAAM,wBAAwB,QAAQ;AACtC,YAAM,uBAAuB,QAAQ;AACrC,YAAM,oBAAoB,QAAQ;AAElC,aAAO;AAAA,QACL;AAAA,UACE,SAAS,KAAK,YAAY,WAAW,KAAK,YAAY;AAAA,cAClD;AAAA,YACA,QAAQ,KAAK,IAAI;AAAA,YACjB,CAAC,KAAK,aACL,KAAK,iBAAiB,qBAAqB,KAAK,cAC7C,UAAU,KAAK,WAAW,MAC1B;AAAA,YACJ,yBAAyBC,iBAAW,IAAI,CAAC;AAAA,UAAA,EAExC,OAAO,OAAO,EACd,KAAK,GAAG,CAAC;AAAA,aACX,OAAO,eAAe,KAAK,QAAQ;AAAA,UACtC,aACI,kDAAkDC,MAAAA;AAAAA,YAChDC,MAAAA;AAAAA,cACE,KAAK;AAAA,gBACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,gBACtC,KAAK,QAAQ,OAAO,iBAAiB,WAAW,QAAQ;AAAA,cAAA;AAAA,cAE1D,OAAO;AAAA,YAAA;AAAA,UACT,CACD,qBACD;AAAA,UACJ,iBACA,sBACA,yBACA,uBACI;AAAA,kBAEI;AAAA,YACE,CAAC,aAAa,aAAa;AAAA,YAC3B,CAAC,kBAAkB,kBAAkB;AAAA,YACrC,CAAC,qBAAqB,qBAAqB;AAAA,YAC3C,CAAC,oBAAoB,oBAAoB;AAAA,UAAA,EAG1C,OAAO,CAAC,MAAM,EAAE,CAAC,CAAC,EAClB,IAAI,CAAC,MAAM;AAEV,kBAAM,YAAY,EAAE,CAAC,EAAG,SAAS,SAAS,MAAM;AAChD,kBAAM,aAAa,YAAY,YAAY,EAAE,CAAC;AAE9C,kBAAM,aAAaD,MAAAA;AAAAA,cACjB,YACI,KAAK;AAAA,gBACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,gBACtC,KAAK;AAAA,kBACH,OAAO;AAAA,kBACP,EAAE,CAAC,EAAG;AAAA,gBAAA;AAAA,cACR,IAEFC,MAAAA;AAAAA,gBACE,KAAK;AAAA,kBACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,kBACtC,KAAK;AAAA,oBACH,OAAO;AAAA,oBACP,EAAE,CAAC,EAAG;AAAA,kBAAA;AAAA,gBACR;AAAA,gBAEF,OAAO;AAAA,cAAA;AAAA,YACT;AAEN,mBAAO,GACL,EAAE,CAAC,CACL,wCAAwC,UAAU,QAAQ,UAAU;AAAA,UACtE,CAAC,EACA,KAAK,KAAK,CAAC;AAAA,oBAEhB;AAAA,UACJ,qBACK,MAAM;AAEL,kBAAM,YAAY,kBAAkB,SAAS,SAAS,MAAM;AAC5D,kBAAM,iBAAiB,YAAY,cAAc;AAEjD,kBAAM,aAAaD,MAAAA;AAAAA,cACjB,YACI,KAAK;AAAA,gBACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,gBACtC,KAAK;AAAA,kBACH,OAAO;AAAA,kBACP,kBAAkB;AAAA,gBAAA;AAAA,cACpB,IAEFC,MAAAA;AAAAA,gBACE,KAAK;AAAA,kBACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,kBACtC,KAAK;AAAA,oBACH,OAAO;AAAA,oBACP,kBAAkB;AAAA,kBAAA;AAAA,gBACpB;AAAA,gBAEF,OAAO;AAAA,cAAA;AAAA,YACT;AAEN,mBAAO,yBAAyB,UAAU,kBAAkB,cAAc;AAAA,UAC5E,OACA;AAAA,QAAA,EACJ,KAAK,EAAE;AAAA,MAAA,EACT,KAAK,MAAM;AAAA,IACf,CAAC;AAGD,UAAM,gBAAgB,IAAIT,WAAAA,UAAU;AACpC,UAAM,aAAa,IAAI,kBAAkB,aAAa;AACtD,UAAM,oBAAoB,YAAY;AACtC,UAAM,yBAAyB,YAAY;AAC3C,UAAM,4BAA4B,YAAY;AAC9C,UAAM,2BAA2B,YAAY;AAE7C,QAAI,kBAAkB;AACtB,QACE,qBACA,0BACA,6BACA,0BACA;AACA,wBAAkB,gDAChB,qBACA,0BACA,6BACA,2BACI;AAAA,gBAEI;AAAA,QACE,CAAC,aAAa,iBAAiB;AAAA,QAC/B,CAAC,kBAAkB,sBAAsB;AAAA,QACzC,CAAC,qBAAqB,yBAAyB;AAAA,QAC/C,CAAC,oBAAoB,wBAAwB;AAAA,MAAA,EAG9C,OAAO,CAAC,MAAM,EAAE,CAAC,CAAC,EAClB,IAAI,CAAC,MAAM;AAEV,cAAM,YAAY,EAAE,CAAC,EAAG,SAAS,SAAS,MAAM;AAChD,cAAM,aAAa,YAAY,YAAY,EAAE,CAAC;AAE9C,cAAM,aAAaQ,MAAAA;AAAAA,UACjB,YACI,KAAK;AAAA,YACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,YACtC,KAAK,QAAQ,OAAO,iBAAiB,EAAE,CAAC,EAAG,QAAQ;AAAA,UAAA,IAErDC,MAAAA;AAAAA,YACE,KAAK;AAAA,cACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,cACtC,KAAK;AAAA,gBACH,OAAO;AAAA,gBACP,EAAE,CAAC,EAAG;AAAA,cAAA;AAAA,YACR;AAAA,YAEF,OAAO;AAAA,UAAA;AAAA,QACT;AAEN,eAAO,GAAG,EAAE,CAAC,CAAC,wCAAwC,UAAU,QAAQ,UAAU;AAAA,MACpF,CAAC,EACA,KAAK,KAAK,CAAC;AAAA,kBAEhB,EACN,uCAAuC,OAAO,eAAe,KAAK,kCAAkC;AAAA,IACtG;AAEA,QAAI,4BAA4B;AAChC,QAAI,uBAAuB;AAE3B,QAAI,CAAC,OAAO,cAAc;AACxB,YAAM,uBAAuBC,MAAAA,2BAA2B,IAAI,UAAU;AACtE,YAAM,iBAAiBC,MAAAA,qBAAqB,IAAI,UAAU;AAC1D,YAAM,iBAAiBC,MAAAA,qBAAqB,IAAI,UAAU;AAE1D,6BAAuB;AAAA,QACrB;AAAA,EACN,CAAC,GAAG,qBAAqB,SAAS,EACjC,OAAO,CAAC,CAAC,QAAQ,MAAM,QAAQ,EAC/B,IAAI,CAAC,CAAC,UAAU,SAAS,MAAM;AAC9B,iBAAO,IAAI,QAAQ,aAAaC,MAAAA,iCAAiC,SAAS,CAAC;AAAA,QAC7E,CAAC,CAAC;AAAA;AAAA,QAEI;AAAA,EACN,CAAC,GAAG,eAAe,SAAS,EAC3B,OAAO,CAAC,CAAC,EAAE,MAAM,EAAE,EACnB,IAAI,CAAC,CAAC,IAAI,SAAS,MAAM;AACxB,iBAAO,IAAI,EAAE,aAAaA,MAAAA,iCAAiC,SAAS,CAAC;AAAA,QACvE,CAAC,CAAC;AAAA;AAAA,QAEI;AAAA,GACLC,sBAAW;AAAA,EACZ,CAAC,GAAG,eAAe,SAAS,EAAE,IAAI,CAAC,CAAC,IAAI,SAAS,MAAM;AACvD,iBAAO,IAAI,EAAE,aAAaD,MAAAA,iCAAiC,SAAS,CAAC;AAAA,QACvE,CAAC,CAAC;AAAA;AAAA,QAEM;AAAA;AAAA,aAGE,IAAI,WAAW,SAAS,IACpB,CAAC,GAAG,qBAAqB,KAAA,CAAM,EAC5B,OAAO,CAAC,aAAa,QAAQ,EAC7B,IAAI,CAAC,aAAa,IAAI,QAAQ,GAAG,EACjC,KAAK,GAAG,IACX,OACN;AAAA;AAAA,MAGE,IAAI,WAAW,SAAS,IACpB,CAAC,GAAG,eAAe,KAAA,CAAM,EACtB,OAAO,CAAC,OAAO,EAAE,EACjB,IAAI,CAAC,OAAO,IAAI,EAAE,GAAG,EACrB,KAAK,GAAG,IACX,OACN;AAAA,MACF,CAAC,IAAIC,sBAAW,KAAK,GAAG,CAAC,GAAG,eAAe,KAAA,CAAM,EAAE,IAAI,CAAC,OAAO,IAAI,EAAE,GAAG,CAAC,EAAE,KAAK,GAAG,CAAC;AAAA;AAAA;AAAA,QAGlF;AAAA,EACN,IAAI,UAAU,IAAI,CAAC,UAAU,GAAG,MAAM,YAAY,iBAAiBD,MAAAA,iCAAiC,KAAK,CAAC,EAAE,EAAE,KAAK,GAAG,CAAC;AAAA;AAAA,MAAA,EAEjH,KAAK,IAAI;AAEX,kCAA4BE,MAAAA,+BAA+B;AAAA,QACzD,QAAQ,KAAK,eAAe;AAAA,QAC5B,eAAe;AAAA,QACf,YAAY;AAAA,MAEd,CAAC;AAAA,IACH;AAEA,UAAM,YAAY;AAAA,MAChB,0BAA0B,OAAO,eAAe,KAAK,qBAAqB;AAAA,IAC5E,IAAI,UACH;AAAA,QACC,CAAC,UACC,GAAG,MAAM,YAAY,UAAUF,MAAAA,iCAAiC,KAAK,CAAC;AAAA,MAAA,EAEzE,KAAK,GAAG,CAAC;AAAA;AAAA,MAER,kBACI,gBAAgB;AAAA,QACd;AAAA,QACA;AAAA,MAAA,IAEF,+EAA+E,OAAO,eAAe,KAAK,kCAAkC;AAAA,IAAA,EAChJ,KAAK,IAAI;AAEXG,UAAAA;AAAAA,MACE,iBAAiB;AAAA,QACf,CAAC,MAAM,EAAE,aAAa,UAAa,WAAW,EAAE;AAAA,MAAA;AAAA,MAElD;AAAA,IAAA;AAGF,QAAI,gBAAgBC,MAAAA,wBAAwB,OAAO;AACnD,QAAI,OAAO,cAAc;AACvB,sBAAgB,cAAc,OAAO,CAAC,MAAM,EAAE,eAAe,MAAM;AAAA,IACrE;AAEA,UAAM,mBAAmB,cAAc,IAAIC,uBAAiB;AAE5D,QAAI,qBAAqB;AACzB,QAAI,OAAO,sBAAsB,SAAS,CAAC,OAAO,cAAc;AAC9D,2BAAqB,KAAK,gBACvB,IAAI,CAAC,SAAS;AACb,cAAM,uBAAuB,CAAC,cAA0B;AACtD,cAAI,CAACb,MAAAA,gCAAgC,SAAS,GAAG;AAC/C,mBAAO;AAAA,UACT;AACA,cAAIc,sBAAqB;AACzB,cAAI,UAAU,iBAAiB,QAAQ;AACrCA,kCAAqB,oEAAoE,UAAU,SAAS;AAAA,UAC9G,OAAO;AACLA,kCAAqB,2CAA2C,UAAU,SAAS;AAAA,sCAC3D,UAAU,SAAS;AAAA,sCACnB,UAAU,SAAS;AAAA,sCACnB,UAAU,SAAS;AAAA,sCACnB,UAAU,SAAS;AAAA;AAAA;AAAA,UAG7C;AAEA,iBAAO,qBAAqBC,oBAAc,WAAW,QAAQ,KAAK,sBAAsB,CAAC;AAAA,wBAC7ED,mBAAkB;AAAA;AAAA,QAEhC;AACA,eAAO,qBAAqB,IAAI;AAAA,MAClC,CAAC,EACA,KAAK,IAAI;AAAA,IACd;AAEA,UAAM,kBAAkBf,MAAAA;AAAAA,MACtB;AAAA,MACA;AAAA,MACA,KAAK;AAAA,MACL,KAAK;AAAA,IAAA;AAEP,iBAAa,QAAQ,eAAe;AAEpC,QAAI,SAAwB,CAAA;AAC5B,QAAI,OAAO,qBAAqB;AAC9B,UAAI,MAAM,QAAQ,OAAO,mBAAmB,GAAG;AAC7C,iBAAS,OAAO;AAAA,MAClB,OAAO;AACL,iBAAS,OAAO,oBAAA;AAAA,MAClB;AAAA,IACF;AACA,UAAM,mBAAmB;AAAA,MACvB,GAAG,OAAO;AAAA,MACV;AAAA;AAAA;AAAA,MAGA,CAAC,GAAG,gBAAgB,EAAE,KAAK,IAAI;AAAA,MAC/Ba,MAAAA,wBAAwB,YAAY,EAAE,IAAIC,MAAAA,iBAAiB,EAAE,KAAK,IAAI;AAAA,MACtE,kBAAkB,KAAK,IAAI;AAAA,MAC3B,mBAAmB,KAAK,IAAI;AAAA,MAC5B;AAAA,MACA;AAAA,MACA;AAAA,MACA,gBAAgB,KAAK,IAAI;AAAA,MACzB;AAAA,MACA,GAAG;AAAA,IAAA,EAEF,OAAO,OAAO,EACd,KAAK,MAAM;AACd,WAAO;AAAA,MACL;AAAA,MACA,WAAW,IAAI;AAAA,MACf,YAAY,IAAI;AAAA,IAAA;AAAA,EAEpB;AAAA,EAEA,MAAc,qBAAqB,MAIzB;AACR,UAAM,SAAS,MAAM,KAAK,sBAAsB,IAAI;AAEpD,QAAI,OAAO,WAAW,SAAS;AAC7B,aAAO;AAAA,QACL,MAAM,OAAO,WAAW;AAAA,QACxB,iBAAiB;AAAA,QACjB,YAAY,OAAO;AAAA,MAAA;AAAA,IAEvB;AAEA,UAAM,qBAAqB,OAAO;AAElC,UAAM,oBAAoB,MAAM,KAAK,GAAG,SAAS,KAAK,QAAQ;AAC9D,QAAI,sBAAsB,qBAAqB;AAC7C,YAAM,IAAI,MAAM,WAAW,KAAK,QAAQ,iBAAiB;AAAA,IAC3D;AAEA,UAAM,oBAAyC;AAAA,MAC7C,aAAa,kBAAkB;AAAA,MAC/B,SAAS,kBAAkB,KAAK;AAAA,MAChC,SAAS,KAAK,aAAa;AAAA,MAC3B;AAAA,IAAA;AAGF,UAAM,mBAAmB,KAAK,WAAW,WAAW,KAAK,IAAI,KAAK;AAElE,QAAI,uBAAuB;AAC3B,QAAI,kBAAkB;AAEtB,QAAI,CAAC,kBAAkB,aAAa;AAClC,6BAAuB;AACvB,wBAAkB;AAElB,UAAI,KAAK,iBAAiB,QAAQ;AAChC,cAAM,qBAAqB,KAAK,eAAe;AAG/C,0BAAkB,cAAc,MAAMG,SAAAA;AAAAA,UACpC,KAAK;AAAA,WACJ,KAAK,OAAO,mBAAmB,qBAC9B,KAAK,OAAO,mBAAmB,kBAC/B,mBAAmB,SAAA;AAAA,UACrB;AAAA,YACE,YAAY,mBAAmB,QAAQ,WAAA;AAAA,YACvC,SAAS,iBAAiB,WAAW,eAAe,IAAI;AAAA,YACxD,gBACE,mBAAmB,QAAQ,eAAe,gBAAgB;AAAA,YAC5D,cAAc,mBAAmB,QAAQ,aAAA;AAAA,UAAa;AAAA,QACxD;AAAA,MAEJ;AAAA;AAAA,QAEG,CAAC,UAAU,QAAQ,EAAgC;AAAA,UAClD,CAAC,MAAM,MAAM,KAAK;AAAA,QAAA,KAGlB;AAAA,UACE;AAAA,UACA;AAAA,UACA;AAAA,UACA;AAAA,UACA;AAAA,QAAA,EAEF,MAAM,CAAC,MAAM,MAAM,KAAK,YAAY;AAAA,QACtC;AACA,cAAM,iBAAiB,KAAK,eAAe;AAC3C,0BAAkB,cAAc,MAAMA,SAAAA;AAAAA,UACpC,KAAK;AAAA,UACL,KAAK,OAAO,mBAAmB,iBAC7B,eAAe,SAAA;AAAA,UACjB;AAAA,YACE,YAAY,eAAe,QAAQ,WAAA;AAAA,YACnC,SAAS,iBAAiB,WAAW,eAAe,IAAI;AAAA,YACxD,gBACE,eAAe,QAAQ,eAAe,gBAAgB;AAAA,YACxD,cAAc,eAAe,QAAQ,aAAA;AAAA,UAAa;AAAA,QACpD;AAAA,MAEJ,OAAO;AACL,eAAO;AAAA,MACT;AAAA,IACF;AAIA,UAAM,YAAY,KAAK,SAAS,SAAS,MAAM;AAE/C,QAAI,CAAC,WAAW;AAEd,YAAM,kBAAkB,MAAMC,oBAAU;AAAA,QACtC,QAAQ,kBAAkB;AAAA,QAC1B,KAAK;AAAA,UACH,QAAQ,KAAK,OAAO;AAAA,UACpB,SAAS;AAAA,UACT,MAAM,KAAK,iBAAiB;AAAA,UAC5B,mBAAmB,EAAE,KAAK,OAAO,sBAAsB;AAAA,QAAA;AAAA,QAEzD;AAAA,MAAA,CACD;AAED,UAAI,gBAAgB,WAAW,mBAAmB;AAChD,aAAK,OAAO;AAAA,UACV,eAAe,KAAK,QAAQ;AAAA,QAAA;AAE9B,eAAO;AAAA,MACT;AACA,UAAI,gBAAgB,WAAW,SAAS;AACtC,cAAM,IAAI;AAAA,UACR,iCAAiC,KAAK,QAAQ,KAAK,gBAAgB,KAAK;AAAA,QAAA;AAAA,MAE5E;AACA,UAAI,gBAAgB,WAAW,YAAY;AACzC,0BAAkB,cAAc,gBAAgB;AAChD,+BAAuB;AAAA,MACzB;AAAA,IACF;AAEA,eAAW,UAAU,KAAK,SAAS;AACjC,aAAO,iBAAiB,EAAE,MAAM,UAAU,oBAAoB,MAAM;AAAA,IACtE;AAGA,QAAI,sBAAsB;AACxB,YAAM,QAAQ,MAAM,KAAK,cAAc;AAAA,QACrC,UAAU,KAAK;AAAA,QACf,YAAY,kBAAkB;AAAA,QAC9B,UAAU;AAAA,UACR,MAAM;AAAA,UACN,iBAAiB,kBAAkB;AAAA,QAAA;AAAA,MACrC,CACD;AACD,wBAAkB,UAAU,MAAM;AAAA,IACpC;AAEA,SAAK,qBAAqB,IAAI,KAAK,UAAU,iBAAiB;AAC9D,WAAO;AAAA,MACL;AAAA,MACA;AAAA,MACA,YAAY;AAAA,IAAA;AAAA,EAEhB;AAAA,EAEA,MAAc,kCACZ,MAIA,OAC+C;AAC/C,UAAM,aAAa,KAAK,KAAK,EAAE,IAAI,KAAK,IAAI;AAC5C,WAAO,KAAK,6BAA6B,MAAM,UAAU;AAAA,EAC3D;AAAA,EAEA,MAAc,6BAGZ,MAIA,YACuC;AAKvC,QAAI,CAAC,YAAY;AACf,aAAO,EAAE,QAAQ,oBAAA;AAAA,IACnB;AACA,QAAI,UAAU,KAAK;AAEnB,QAAI,YAAY,QAAW;AACzB,UAAI;AACF,cAAM,cAAc,MAAM,KAAK,GAAG,KAAK,KAAK,IAAI;AAChD,kBAAU,YAAY;AAAA,MACxB,QAAQ;AACN,eAAO,EAAE,QAAQ,mBAAA;AAAA,MACnB;AAAA,IACF;AACA,WAAO,EAAE,QAAQ,YAAY,WAAW,SAAS,SAAS,WAAA;AAAA,EAC5D;AAAA,EAEA,MAAc,cAAc,MAWzB;AACD,UAAM,UAAU,KAAK,gBAAgB,KAAK,QAAQ;AAClD,UAAM,KAAK,GAAG,UAAU,SAAS,KAAK,UAAU;AAEhD,QAAI,KAAK,SAAS,SAAS,SAAS;AAClC,YAAM,aAAa,MAAM,KAAK,GAAG,KAAK,KAAK,QAAQ;AACnD,UAAI,WAAW,YAAY,KAAK,SAAS,iBAAiB;AACxD,cAAM,MAAM;AAAA,UACV,KAAK,QAAQ,KAAK,QAAQ;AAAA,UAC1B,OAAO,EAAE,MAAM,UAAU,MAAM,KAAK,SAAA;AAAA,QAAS,CAC9C;AAAA,MACH;AACA,YAAM,eAAe,MAAM,KAAK,GAAG,KAAK,OAAO;AAC/C,UAAI,aAAa,SAAS,WAAW,MAAM;AACzC,cAAM,KAAK,GAAG,MAAM,SAAS,WAAW,IAAI;AAAA,MAC9C;AACA,UACE,aAAa,QAAQ,WAAW,OAChC,aAAa,QAAQ,WAAW,KAChC;AACA,YAAI;AACF,gBAAM,KAAK,GAAG,MAAM,SAAS,WAAW,KAAK,WAAW,GAAG;AAAA,QAC7D,SAAS,KAAK;AACZ,cACE,OAAO,QAAQ,YACf,QAAQ,QACR,UAAU,OACT,IAAY,SAAS,SACtB;AACA,oBAAQ;AAAA,cACN,iCAAkC,IAAY,OAAO;AAAA,YAAA;AAAA,UAEzD,OAAO;AACL,kBAAM;AAAA,UACR;AAAA,QACF;AAAA,MACF;AAAA,IACF,OAAO;AACL,UAAI,MAAMC,MAAAA,gBAAgB,KAAK,QAAQ,GAAG;AACxC,cAAM,MAAM;AAAA,UACV,KAAK,QAAQ,KAAK,QAAQ;AAAA,UAC1B,OAAO,EAAE,MAAM,UAAU,MAAM,KAAK,SAAA;AAAA,QAAS,CAC9C;AAAA,MACH;AAAA,IACF;AAEA,UAAM,OAAO,MAAM,KAAK,GAAG,KAAK,OAAO;AAEvC,UAAM,KAAK,GAAG,OAAO,SAAS,KAAK,QAAQ;AAE3C,WAAO;AAAA,EACT;AAAA,EAEQ,gBAAgB,UAAkB;AACxC,UAAM,UAAU,KAAK,QAAQ,QAAQ;AACrC,UAAM,OAAO,OAAO,WAAW,KAAK,EAAE,OAAO,OAAO,EAAE,OAAO,KAAK;AAElE,QAAI,CAAC,KAAK,WAAW;AAEnB1B,cAAAA,UAAU,KAAK,OAAO,QAAQ,EAAE,WAAW,MAAM;AACjD,WAAK,YAAY,OAAO,YAAY,CAAC,EAAE,SAAS,KAAK;AAAA,IACvD;AACA,WAAO,KAAK,KAAK,KAAK,OAAO,QAAQ,GAAG,KAAK,SAAS,IAAI,IAAI,EAAE;AAAA,EAClE;AAAA,EAEA,MAAc,sBAAsB,MAMlC;AACA,UAAM,mBAAmB,MAAM,KAAK;AAAA,MAClC,EAAE,MAAM,KAAK,SAAA;AAAA,MACb;AAAA,IAAA;AAEF,QAAI,iBAAiB,WAAW,OAAO;AACrC,WAAK,qBAAqB,IAAI,KAAK,UAAU,iBAAiB,UAAU;AACxE,aAAO;AAAA,QACL,QAAQ;AAAA,QACR,YAAY,iBAAiB;AAAA,MAAA;AAAA,IAEjC;AACA,QAAI,iBAAiB,WAAW,oBAAoB;AAClD,YAAM,IAAI,MAAM,sCAAsC,KAAK,QAAQ,EAAE;AAAA,IACvE;AACA,UAAM,UACJ,iBAAiB,WAAW,OAAO,iBAAiB,UAAU;AAEhE,UAAM,wBAAwB,MAAM,KAAK;AAAA,MACvC,EAAE,MAAM,KAAK,UAAU,QAAA;AAAA,MACvB;AAAA,IAAA;AAGF,QAAI,sBAAsB,WAAW,oBAAoB;AACvD,YAAM,IAAI,MAAM,sCAAsC,KAAK,QAAQ,EAAE;AAAA,IACvE;AAEA,QAAI,sBAAsB,WAAW,OAAO;AAE1C,UAAI,iBAAiB,WAAW,MAAM;AACpC,eAAO;AAAA,UACL,QAAQ;AAAA,UACR,YAAY,sBAAsB;AAAA,QAAA;AAAA,MAEtC;AAAA,IACF;AAEA,QAAI,iBAAiB,WAAW,qBAAqB;AACnD,aAAO;AAAA,QACL,QAAQ;AAAA,MAAA;AAAA,IAEZ;AACA,WAAO,EAAE,QAAQ,SAAS,YAAY,iBAAiB,WAAA;AAAA,EACzD;AAAA,EAEA,MAAc,eAAe,MAAiB;AAC5C,UAAM,SAAS,MAAM,KAAK,sBAAsB,IAAI;AAEpD,QAAI,OAAO,WAAW,SAAS;AAC7B,WAAK,qBAAqB,IAAI,KAAK,UAAU,OAAO,UAAU;AAAA,IAChE;AACA,UAAM,eAAe,MAAM,KAAK,GAAG,SAAS,KAAK,QAAQ;AACzD,QAAI,iBAAiB,qBAAqB;AACxC,YAAM,IAAI,MAAM,sCAAsC,KAAK,QAAQ,EAAE;AAAA,IACvE;AAEA,UAAM,oBAAyC;AAAA,MAC7C,aAAa,aAAa;AAAA,MAC1B,SAAS,aAAa,KAAK;AAAA,MAC3B,SAAS,KAAK,aAAa;AAAA,MAC3B;AAAA,IAAA;AAIF,QAAI,CAAC,aAAa,aAAa;AAC7B,YAAM,eAAe,KAAK,eAAe;AACzC,YAAM,mBAAmB,MAAMwB,SAAAA;AAAAA,QAC7B,KAAK;AAAA,QACL,aAAa,SAAA;AAAA,QACb;AAAA,UACE,YAAY,aAAa,QAAQ,WAAA;AAAA,UACjC,SAASrB,WAAAA;AAAAA,UACT,gBAAgB,aAAa,QAAQ,eAAA;AAAA,UACrC,cAAc,aAAa,QAAQ,aAAA;AAAA,QAAa;AAAA,MAClD;AAGF,WAAK,OAAO,IAAI,eAAe,KAAK,QAAQ,EAAE;AAC9C,YAAM,QAAQ,MAAM,KAAK,cAAc;AAAA,QACrC,UAAU,KAAK;AAAA,QACf,YAAY;AAAA,QACZ,UAAU;AAAA,UACR,MAAM;AAAA,UACN,iBAAiB,aAAa,KAAK;AAAA,QAAA;AAAA,MACrC,CACD;AACD,wBAAkB,cAAc;AAChC,wBAAkB,UAAU,MAAM;AAAA,IACpC;AAEA,SAAK,qBAAqB,IAAI,KAAK,UAAU,iBAAiB;AAAA,EAChE;AAAA,EAEA,MAAa,oBAAyD;AACpE,UAAM,KAAK;AACX,WAAO,KAAK;AAAA,EACd;AAAA,EAEA,OAAe,WACb,MACA,KACA,WACA,QACA;AACA,UAAM,cAAcwB,MAAAA,eAAe,WAAW,MAAM,KAAK,SAAS;AAElE,QAAI,kBAAkB,SAAS;AAE/B,SAAK,OAAOC,MAAAA,kBAAkB,IAAI;AAElC,UAAM,cAAcC,MAAAA,aAAa,KAAK,QAAQ,EAAE;AAChD,UAAM,sBAAsBA,MAAAA;AAAAA,MAC1B,KAAK,mBAAmB;AAAA,QACtB,KAAK,QAAQ,qBAAqB;AAAA,QAClC;AAAA,MAAA,KACG;AAAA,IAAA;AAGP,UAAM,QAAQ,YAAY,MAAM,GAAG;AACnC,UAAM,gBAAgB,oBAAoB,MAAM,GAAG;AACnD,UAAM,mBAAmB,MAAM,MAAM,SAAS,CAAC,KAAK;AACpD,UAAM,sBACJ,cAAc,cAAc,SAAS,CAAC,KAAK;AAG7C,SAAK,YACHC,MAAAA,kBAAkB,kBAAkB,mBAAmB,KACvD,MAAM,MAAM,CAAC,SAAS,KAAK,uBAAuB,KAAK,IAAI,CAAC;AAG9D,SAAK,cAAcC,MAAAA;AAAAA,MACjBC,MAAAA;AAAAA,QACEC,MAAAA,+BAA+B,KAAK,MAAM,KAAK,iBAAiB;AAAA,QAChE,KAAK;AAAA,MAAA;AAAA,IACP;AAGF,QACE,KAAK,iBAAiB,YACtB,KAAK,iBAAiB,mBACtB;AACA,WAAK,cAAcC,0BAAoB,KAAK,WAAW;AAAA,IACzD;AAEA,QACE,CAAC,KAAK,aAEJ;AAAA,MACE;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,IAAA,EAEF,KAAK,CAAC,MAAM,MAAM,KAAK,YAAY,GACrC;AACA,UAAI,kBAAkB,KAAK,SAAU,IACnC,IAAI,kBAAkB,KAAK,SAAU,KAAK,CAAA;AAE5C,YAAM,WACJ,KAAK,iBAAiB,SAClB,SACC,KAAK;AACZ,UAAI,kBAAkB,KAAK,SAAU,EAAG,QAAQ,IAAI;AAEpD,YAAM,cAAc,IAAI,iBAAiB,IAAI,KAAK,SAAU;AAG5D,UAAI,CAAC,eAAe,KAAK,cAAc,IAAI/B,WAAAA,UAAU,IAAI;AACvD,aAAK;AAAA,UACH;AAAA,YACE,GAAG;AAAA,YACH,WAAW;AAAA,YACX,cAAc;AAAA,UAAA;AAAA,UAEhB;AAAA,UACA;AAAA,UACA;AAAA,QAAA;AAAA,MAEJ;AACA;AAAA,IACF;AAEA,UAAM,2BACJ,KAAK,iBAAiB,qBACtB,KAAK,eACL,KAAK,YAAY,SAAS;AAG5B,QAAI,CAAC,KAAK,aAAa,0BAA0B;AAC/C,YAAM,sBACJgC,MAAAA,0BAA0B,KAAK,SAAS,KAAK;AAC/C,YAAM,8BACJA,MAAAA,0BAA0B,KAAK,iBAAiB,KAAK;AACvD,UAAI,aAAa;AAGjB,aAAO,YAAY;AACjB,cAAM,YAAY,IAAI,iBAAiB,IAAI,UAAU;AACrD,YAAI,aAAa,CAAC,UAAU,aAAa,UAAU,SAAS,KAAK;AAC/D,eAAK,SAAS;AACd,eAAK,OACH,KAAK,WAAW,QAAQ,UAAU,aAAa,IAAI,EAAE,KAAK;AAC5D,gBAAM,uBACJ,oBAAoB,QAAQ,UAAU,aAAa,IAAI,EAAE,KAAK;AAChE,gBAAM,+BACJ,4BAA4B;AAAA,YAC1B,UAAU,qBAAqB;AAAA,YAC/B;AAAA,UAAA,KACG;AACP,eAAK,cAAcJ,MAAAA;AAAAA,YACjBC,MAAAA;AAAAA,cACEC,MAAAA;AAAAA,gBACE;AAAA,gBACA;AAAA,cAAA;AAAA,cAEF;AAAA,YAAA;AAAA,UACF;AAEF;AAAA,QACF;AACA,YAAI,eAAe,IAAK;AACxB,qBAAaE,MAAAA,0BAA0B,UAAU,KAAK;AAAA,MACxD;AAAA,IACF;AAGA,QAAI,KAAK,QAAQ;AACf,WAAK,OAAO,WAAW,KAAK,OAAO,YAAY,CAAA;AAC/C,WAAK,OAAO,SAAS,KAAK,IAAI;AAAA,IAChC,OAAO;AACL,UAAI,UAAU,KAAK,IAAI;AAAA,IACzB;AAEA,QAAI,WAAW,KAAK,IAAI;AACxB,QAAI,KAAK,aAAa,CAAC,KAAK,WAAW;AACrC,UAAI,iBAAiB,IAAI,KAAK,WAAW,IAAI;AAAA,IAC/C;AAAA,EACF;AAAA;AAAA,EAGQ,qCAAqC,UAA2B;AAEtE,QAAI,aAAa,KAAK,wBAAwB;AAC5C,aAAO;AAAA,IACT;AAGA,QAAI,SAAS,WAAW,KAAK,mBAAmB,GAAG;AACjD,aAAO;AAAA,IACT;AAGA,QACE,OAAO,KAAK,OAAO,uBAAuB,YAC1C,aAAa,KAAK,OAAO,oBACzB;AACA,aAAO;AAAA,IACT;AAGA,QAAI,KAAK,eAAe,IAAI,QAAQ,GAAG;AACrC,aAAO;AAAA,IACT;AAGA,QAAIC,gBAAAA,oBAAoB,KAAK,SAAS,QAAQ,CAAC,GAAG;AAChD,aAAO;AAAA,IACT;AAGA,QAAI,KAAK,oBAAoB,KAAK,CAAC,QAAQ,SAAS,WAAW,GAAG,CAAC,GAAG;AACpE,aAAO;AAAA,IACT;AAEA,WAAO;AAAA,EACT;AACF;AA/zCE,WAAe,yBAAyB;AAKxC,WAAe,sBACb;AAnCG,IAAM,YAAN;;"}
1
+ {"version":3,"file":"generator.cjs","sources":["../../src/generator.ts"],"sourcesContent":["import path from 'node:path'\nimport * as fsp from 'node:fs/promises'\nimport { existsSync, mkdirSync } from 'node:fs'\nimport crypto from 'node:crypto'\nimport { rootRouteId } from '@tanstack/router-core'\nimport { logging } from './logger'\nimport {\n isVirtualConfigFile,\n getRouteNodes as physicalGetRouteNodes,\n} from './filesystem/physical/getRouteNodes'\nimport { getRouteNodes as virtualGetRouteNodes } from './filesystem/virtual/getRouteNodes'\nimport { rootPathId } from './filesystem/physical/rootPathId'\nimport {\n RoutePrefixMap,\n buildFileRoutesByPathInterface,\n buildImportString,\n buildRouteTreeConfig,\n checkFileExists,\n checkRouteFullPathUniqueness,\n createRouteNodesByFullPath,\n createRouteNodesById,\n createRouteNodesByTo,\n determineNodePath,\n findParent,\n format,\n getImportForRouteNode,\n getImportPath,\n getResolvedRouteNodeVariableName,\n hasParentRoute,\n isRouteNodeValidForAugmentation,\n isSegmentPathless,\n mergeImportDeclarations,\n multiSortBy,\n removeExt,\n removeGroups,\n removeLastSegmentFromPath,\n removeLayoutSegmentsWithEscape,\n removeTrailingSlash,\n removeUnderscoresWithEscape,\n replaceBackslash,\n trimPathLeft,\n} from './utils'\nimport { fillTemplate, getTargetTemplate } from './template'\nimport { transform } from './transform/transform'\nimport type { GeneratorPlugin } from './plugin/types'\nimport type { TargetTemplate } from './template'\nimport type {\n FsRouteType,\n GetRouteNodesResult,\n GetRoutesByFileMapResult,\n HandleNodeAccumulator,\n ImportDeclaration,\n RouteNode,\n} from './types'\nimport type { Config } from './config'\nimport type { Logger } from './logger'\n\ninterface fs {\n stat: (\n filePath: string,\n ) => Promise<{ mtimeMs: bigint; mode: number; uid: number; gid: number }>\n rename: (oldPath: string, newPath: string) => Promise<void>\n writeFile: (filePath: string, content: string) => Promise<void>\n readFile: (\n filePath: string,\n ) => Promise<\n { stat: { mtimeMs: bigint }; fileContent: string } | 'file-not-existing'\n >\n chmod: (filePath: string, mode: number) => Promise<void>\n chown: (filePath: string, uid: number, gid: number) => Promise<void>\n}\n\nconst DefaultFileSystem: fs = {\n stat: async (filePath) => {\n const res = await fsp.stat(filePath, { bigint: true })\n return {\n mtimeMs: res.mtimeMs,\n mode: Number(res.mode),\n uid: Number(res.uid),\n gid: Number(res.gid),\n }\n },\n rename: (oldPath, newPath) => fsp.rename(oldPath, newPath),\n writeFile: (filePath, content) => fsp.writeFile(filePath, content),\n readFile: async (filePath: string) => {\n try {\n const fileHandle = await fsp.open(filePath, 'r')\n const stat = await fileHandle.stat({ bigint: true })\n const fileContent = (await fileHandle.readFile()).toString()\n await fileHandle.close()\n return { stat, fileContent }\n } catch (e: any) {\n if ('code' in e) {\n if (e.code === 'ENOENT') {\n return 'file-not-existing'\n }\n }\n throw e\n }\n },\n chmod: (filePath, mode) => fsp.chmod(filePath, mode),\n chown: (filePath, uid, gid) => fsp.chown(filePath, uid, gid),\n}\n\ninterface Rerun {\n rerun: true\n msg?: string\n event: GeneratorEvent\n}\nfunction rerun(opts: { msg?: string; event?: GeneratorEvent }): Rerun {\n const { event, ...rest } = opts\n return { rerun: true, event: event ?? { type: 'rerun' }, ...rest }\n}\n\nfunction isRerun(result: unknown): result is Rerun {\n return (\n typeof result === 'object' &&\n result !== null &&\n 'rerun' in result &&\n result.rerun === true\n )\n}\n\nexport type FileEventType = 'create' | 'update' | 'delete'\nexport type FileEvent = {\n type: FileEventType\n path: string\n}\nexport type GeneratorEvent = FileEvent | { type: 'rerun' }\n\ntype FileCacheChange<TCacheEntry extends GeneratorCacheEntry> =\n | {\n result: false\n cacheEntry: TCacheEntry\n }\n | { result: true; mtimeMs: bigint; cacheEntry: TCacheEntry }\n | {\n result: 'file-not-in-cache'\n }\n | {\n result: 'cannot-stat-file'\n }\n\ninterface GeneratorCacheEntry {\n mtimeMs: bigint\n fileContent: string\n}\n\ninterface RouteNodeCacheEntry extends GeneratorCacheEntry {\n routeId: string\n node: RouteNode\n}\n\ntype GeneratorRouteNodeCache = Map</** filePath **/ string, RouteNodeCacheEntry>\n\ninterface CrawlingResult {\n rootRouteNode: RouteNode\n routeFileResult: Array<RouteNode>\n acc: HandleNodeAccumulator\n}\n\nexport class Generator {\n /**\n * why do we have two caches for the route files?\n * During processing, we READ from the cache and WRITE to the shadow cache.\n *\n * After a route file is processed, we write to the shadow cache.\n * If during processing we bail out and re-run, we don't lose this modification\n * but still can track whether the file contributed changes and thus the route tree file needs to be regenerated.\n * After all files are processed, we swap the shadow cache with the main cache and initialize a new shadow cache.\n * That way we also ensure deleted/renamed files don't stay in the cache forever.\n */\n private routeNodeCache: GeneratorRouteNodeCache = new Map()\n private routeNodeShadowCache: GeneratorRouteNodeCache = new Map()\n\n private routeTreeFileCache: GeneratorCacheEntry | undefined\n\n private crawlingResult: CrawlingResult | undefined\n public config: Config\n public targetTemplate: TargetTemplate\n\n private root: string\n private routesDirectoryPath: string\n private sessionId?: string\n private fs: fs\n private logger: Logger\n private generatedRouteTreePath: string\n private runPromise: Promise<void> | undefined\n private fileEventQueue: Array<GeneratorEvent> = []\n private plugins: Array<GeneratorPlugin> = []\n private static routeGroupPatternRegex = /\\(.+\\)/\n private physicalDirectories: Array<string> = []\n\n private indexTokenRegex: RegExp\n private routeTokenRegex: RegExp\n private static componentPieceRegex =\n /[./](component|errorComponent|notFoundComponent|pendingComponent|loader|lazy)[.]/\n\n constructor(opts: { config: Config; root: string; fs?: fs }) {\n this.config = opts.config\n this.logger = logging({ disabled: this.config.disableLogging })\n this.root = opts.root\n this.fs = opts.fs || DefaultFileSystem\n this.generatedRouteTreePath = this.getGeneratedRouteTreePath()\n this.targetTemplate = getTargetTemplate(this.config)\n\n this.routesDirectoryPath = this.getRoutesDirectoryPath()\n this.plugins.push(...(opts.config.plugins || []))\n\n this.indexTokenRegex = new RegExp(`[./]${this.config.indexToken}[.]`)\n this.routeTokenRegex = new RegExp(`[./]${this.config.routeToken}[.]`)\n\n for (const plugin of this.plugins) {\n plugin.init?.({ generator: this })\n }\n }\n\n private getGeneratedRouteTreePath() {\n const generatedRouteTreePath = path.isAbsolute(\n this.config.generatedRouteTree,\n )\n ? this.config.generatedRouteTree\n : path.resolve(this.root, this.config.generatedRouteTree)\n\n const generatedRouteTreeDir = path.dirname(generatedRouteTreePath)\n\n if (!existsSync(generatedRouteTreeDir)) {\n mkdirSync(generatedRouteTreeDir, { recursive: true })\n }\n\n return generatedRouteTreePath\n }\n\n private getRoutesDirectoryPath() {\n return path.isAbsolute(this.config.routesDirectory)\n ? this.config.routesDirectory\n : path.resolve(this.root, this.config.routesDirectory)\n }\n\n public getRoutesByFileMap(): GetRoutesByFileMapResult {\n return new Map(\n [...this.routeNodeCache.entries()].map(([filePath, cacheEntry]) => [\n filePath,\n { routePath: cacheEntry.routeId },\n ]),\n )\n }\n\n public async run(event?: GeneratorEvent): Promise<void> {\n if (\n event &&\n event.type !== 'rerun' &&\n !this.isFileRelevantForRouteTreeGeneration(event.path)\n ) {\n return\n }\n this.fileEventQueue.push(event ?? { type: 'rerun' })\n // only allow a single run at a time\n if (this.runPromise) {\n return this.runPromise\n }\n\n this.runPromise = (async () => {\n do {\n // synchronously copy and clear the queue since we are going to iterate asynchronously over it\n // and while we do so, a new event could be put into the queue\n const tempQueue = this.fileEventQueue\n this.fileEventQueue = []\n // if we only have 'update' events in the queue\n // and we already have the affected files' latest state in our cache, we can exit early\n const remainingEvents = (\n await Promise.all(\n tempQueue.map(async (e) => {\n if (e.type === 'update') {\n let cacheEntry: GeneratorCacheEntry | undefined\n if (e.path === this.generatedRouteTreePath) {\n cacheEntry = this.routeTreeFileCache\n } else {\n // we only check the routeNodeCache here\n // if the file's state is only up-to-date in the shadow cache we need to re-run\n cacheEntry = this.routeNodeCache.get(e.path)\n }\n const change = await this.didFileChangeComparedToCache(\n { path: e.path },\n cacheEntry,\n )\n if (change.result === false) {\n return null\n }\n }\n return e\n }),\n )\n ).filter((e) => e !== null)\n\n if (remainingEvents.length === 0) {\n break\n }\n\n try {\n await this.generatorInternal()\n } catch (err) {\n const errArray = !Array.isArray(err) ? [err] : err\n\n const recoverableErrors = errArray.filter((e) => isRerun(e))\n if (recoverableErrors.length === errArray.length) {\n this.fileEventQueue.push(...recoverableErrors.map((e) => e.event))\n recoverableErrors.forEach((e) => {\n if (e.msg) {\n this.logger.info(e.msg)\n }\n })\n } else {\n const unrecoverableErrors = errArray.filter((e) => !isRerun(e))\n this.runPromise = undefined\n throw new Error(\n unrecoverableErrors.map((e) => (e as Error).message).join(),\n )\n }\n }\n } while (this.fileEventQueue.length)\n this.runPromise = undefined\n })()\n return this.runPromise\n }\n\n private async generatorInternal() {\n let writeRouteTreeFile: boolean | 'force' = false\n\n let getRouteNodesResult: GetRouteNodesResult\n\n if (this.config.virtualRouteConfig) {\n getRouteNodesResult = await virtualGetRouteNodes(this.config, this.root)\n } else {\n getRouteNodesResult = await physicalGetRouteNodes(this.config, this.root)\n }\n\n const {\n rootRouteNode,\n routeNodes: beforeRouteNodes,\n physicalDirectories,\n } = getRouteNodesResult\n if (rootRouteNode === undefined) {\n let errorMessage = `rootRouteNode must not be undefined. Make sure you've added your root route into the route-tree.`\n if (!this.config.virtualRouteConfig) {\n errorMessage += `\\nMake sure that you add a \"${rootPathId}.${this.config.disableTypes ? 'js' : 'tsx'}\" file to your routes directory.\\nAdd the file in: \"${this.config.routesDirectory}/${rootPathId}.${this.config.disableTypes ? 'js' : 'tsx'}\"`\n }\n throw new Error(errorMessage)\n }\n this.physicalDirectories = physicalDirectories\n\n await this.handleRootNode(rootRouteNode)\n\n const preRouteNodes = multiSortBy(beforeRouteNodes, [\n (d) => (d.routePath === '/' ? -1 : 1),\n (d) => d.routePath?.split('/').length,\n (d) => (d.filePath.match(this.indexTokenRegex) ? 1 : -1),\n (d) => (d.filePath.match(Generator.componentPieceRegex) ? 1 : -1),\n (d) => (d.filePath.match(this.routeTokenRegex) ? -1 : 1),\n (d) => (d.routePath?.endsWith('/') ? -1 : 1),\n (d) => d.routePath,\n ]).filter((d) => {\n // Exclude the root route itself, but keep component/loader pieces for the root\n if (d.routePath === `/${rootPathId}`) {\n return [\n 'component',\n 'errorComponent',\n 'notFoundComponent',\n 'pendingComponent',\n 'loader',\n 'lazy',\n ].includes(d._fsRouteType)\n }\n return true\n })\n\n const routeFileAllResult = await Promise.allSettled(\n preRouteNodes\n // only process routes that are backed by an actual file\n .filter((n) => !n.isVirtualParentRoute && !n.isVirtual)\n .map((n) => this.processRouteNodeFile(n)),\n )\n\n const rejections = routeFileAllResult.filter(\n (result) => result.status === 'rejected',\n )\n if (rejections.length > 0) {\n throw rejections.map((e) => e.reason)\n }\n\n const routeFileResult = routeFileAllResult.flatMap((result) => {\n if (result.status === 'fulfilled' && result.value !== null) {\n if (result.value.shouldWriteTree) {\n writeRouteTreeFile = true\n }\n return result.value.node\n }\n return []\n })\n\n // reset children in case we re-use a node from the cache\n routeFileResult.forEach((r) => (r.children = undefined))\n\n const acc: HandleNodeAccumulator = {\n routeTree: [],\n routeNodes: [],\n routePiecesByPath: {},\n routeNodesByPath: new Map(),\n }\n\n const prefixMap = new RoutePrefixMap(routeFileResult)\n\n for (const node of routeFileResult) {\n Generator.handleNode(node, acc, prefixMap, this.config)\n }\n\n this.crawlingResult = { rootRouteNode, routeFileResult, acc }\n\n // this is the first time the generator runs, so read in the route tree file if it exists yet\n if (!this.routeTreeFileCache) {\n const routeTreeFile = await this.fs.readFile(this.generatedRouteTreePath)\n if (routeTreeFile !== 'file-not-existing') {\n this.routeTreeFileCache = {\n fileContent: routeTreeFile.fileContent,\n mtimeMs: routeTreeFile.stat.mtimeMs,\n }\n }\n writeRouteTreeFile = true\n } else {\n const routeTreeFileChange = await this.didFileChangeComparedToCache(\n { path: this.generatedRouteTreePath },\n this.routeTreeFileCache,\n )\n if (routeTreeFileChange.result !== false) {\n writeRouteTreeFile = 'force'\n if (routeTreeFileChange.result === true) {\n const routeTreeFile = await this.fs.readFile(\n this.generatedRouteTreePath,\n )\n if (routeTreeFile !== 'file-not-existing') {\n this.routeTreeFileCache = {\n fileContent: routeTreeFile.fileContent,\n mtimeMs: routeTreeFile.stat.mtimeMs,\n }\n }\n }\n }\n }\n\n if (!writeRouteTreeFile) {\n // only needs to be done if no other changes have been detected yet\n // compare shadowCache and cache to identify deleted routes\n if (this.routeNodeCache.size !== this.routeNodeShadowCache.size) {\n writeRouteTreeFile = true\n } else {\n for (const fullPath of this.routeNodeCache.keys()) {\n if (!this.routeNodeShadowCache.has(fullPath)) {\n writeRouteTreeFile = true\n break\n }\n }\n }\n }\n\n if (!writeRouteTreeFile) {\n this.swapCaches()\n return\n }\n\n const buildResult = this.buildRouteTree({\n rootRouteNode,\n acc,\n routeFileResult,\n })\n let routeTreeContent = buildResult.routeTreeContent\n\n routeTreeContent = this.config.enableRouteTreeFormatting\n ? await format(routeTreeContent, this.config)\n : routeTreeContent\n\n let newMtimeMs: bigint | undefined\n if (this.routeTreeFileCache) {\n if (\n writeRouteTreeFile !== 'force' &&\n this.routeTreeFileCache.fileContent === routeTreeContent\n ) {\n // existing route tree file is already up-to-date, don't write it\n // we should only get here in the initial run when the route cache is not filled yet\n } else {\n const newRouteTreeFileStat = await this.safeFileWrite({\n filePath: this.generatedRouteTreePath,\n newContent: routeTreeContent,\n strategy: {\n type: 'mtime',\n expectedMtimeMs: this.routeTreeFileCache.mtimeMs,\n },\n })\n newMtimeMs = newRouteTreeFileStat.mtimeMs\n }\n } else {\n const newRouteTreeFileStat = await this.safeFileWrite({\n filePath: this.generatedRouteTreePath,\n newContent: routeTreeContent,\n strategy: {\n type: 'new-file',\n },\n })\n newMtimeMs = newRouteTreeFileStat.mtimeMs\n }\n\n if (newMtimeMs !== undefined) {\n this.routeTreeFileCache = {\n fileContent: routeTreeContent,\n mtimeMs: newMtimeMs,\n }\n }\n\n this.plugins.map((plugin) => {\n return plugin.onRouteTreeChanged?.({\n routeTree: buildResult.routeTree,\n routeNodes: buildResult.routeNodes,\n acc,\n rootRouteNode,\n })\n })\n this.swapCaches()\n }\n\n private swapCaches() {\n this.routeNodeCache = this.routeNodeShadowCache\n this.routeNodeShadowCache = new Map()\n }\n\n public buildRouteTree(opts: {\n rootRouteNode: RouteNode\n acc: HandleNodeAccumulator\n routeFileResult: Array<RouteNode>\n config?: Partial<Config>\n }) {\n const config = { ...this.config, ...(opts.config || {}) }\n\n const { rootRouteNode, acc } = opts\n\n const sortedRouteNodes = multiSortBy(acc.routeNodes, [\n (d) => (d.routePath?.includes(`/${rootPathId}`) ? -1 : 1),\n (d) => d.routePath?.split('/').length,\n (d) => (d.routePath?.endsWith(config.indexToken) ? -1 : 1),\n (d) => d,\n ])\n\n const routeImports: Array<ImportDeclaration> = []\n const virtualRouteNodes: Array<string> = []\n\n for (const node of sortedRouteNodes) {\n if (node.isVirtual) {\n virtualRouteNodes.push(\n `const ${node.variableName}RouteImport = createFileRoute('${node.routePath}')()`,\n )\n } else {\n routeImports.push(\n getImportForRouteNode(\n node,\n config,\n this.generatedRouteTreePath,\n this.root,\n ),\n )\n }\n }\n\n const imports: Array<ImportDeclaration> = []\n if (virtualRouteNodes.length > 0) {\n imports.push({\n specifiers: [{ imported: 'createFileRoute' }],\n source: this.targetTemplate.fullPkg,\n })\n }\n // Add lazyRouteComponent import if there are component pieces\n let hasComponentPieces = false\n let hasLoaderPieces = false\n for (const node of sortedRouteNodes) {\n const pieces = acc.routePiecesByPath[node.routePath!]\n if (pieces) {\n if (\n pieces.component ||\n pieces.errorComponent ||\n pieces.notFoundComponent ||\n pieces.pendingComponent\n ) {\n hasComponentPieces = true\n }\n if (pieces.loader) {\n hasLoaderPieces = true\n }\n if (hasComponentPieces && hasLoaderPieces) break\n }\n }\n if (hasComponentPieces || hasLoaderPieces) {\n const runtimeImport: ImportDeclaration = {\n specifiers: [],\n source: this.targetTemplate.fullPkg,\n }\n if (hasComponentPieces) {\n runtimeImport.specifiers.push({ imported: 'lazyRouteComponent' })\n }\n if (hasLoaderPieces) {\n runtimeImport.specifiers.push({ imported: 'lazyFn' })\n }\n imports.push(runtimeImport)\n }\n if (config.verboseFileRoutes === false) {\n const typeImport: ImportDeclaration = {\n specifiers: [],\n source: this.targetTemplate.fullPkg,\n importKind: 'type',\n }\n let needsCreateFileRoute = false\n let needsCreateLazyFileRoute = false\n for (const node of sortedRouteNodes) {\n if (isRouteNodeValidForAugmentation(node)) {\n if (node._fsRouteType !== 'lazy') {\n needsCreateFileRoute = true\n }\n if (acc.routePiecesByPath[node.routePath!]?.lazy) {\n needsCreateLazyFileRoute = true\n }\n }\n if (needsCreateFileRoute && needsCreateLazyFileRoute) break\n }\n if (needsCreateFileRoute) {\n typeImport.specifiers.push({ imported: 'CreateFileRoute' })\n }\n if (needsCreateLazyFileRoute) {\n typeImport.specifiers.push({ imported: 'CreateLazyFileRoute' })\n }\n\n if (typeImport.specifiers.length > 0) {\n typeImport.specifiers.push({ imported: 'FileRoutesByPath' })\n imports.push(typeImport)\n }\n }\n\n const routeTreeConfig = buildRouteTreeConfig(\n acc.routeTree,\n config.disableTypes,\n )\n\n const createUpdateRoutes = sortedRouteNodes.map((node) => {\n const pieces = acc.routePiecesByPath[node.routePath!]\n const loaderNode = pieces?.loader\n const componentNode = pieces?.component\n const errorComponentNode = pieces?.errorComponent\n const notFoundComponentNode = pieces?.notFoundComponent\n const pendingComponentNode = pieces?.pendingComponent\n const lazyComponentNode = pieces?.lazy\n\n return [\n [\n `const ${node.variableName}Route = ${node.variableName}RouteImport.update({\n ${[\n `id: '${node.path}'`,\n !node.isNonPath ||\n (node._fsRouteType === 'pathless_layout' && node.cleanedPath)\n ? `path: '${node.cleanedPath}'`\n : undefined,\n `getParentRoute: () => ${findParent(node)}`,\n ]\n .filter(Boolean)\n .join(',')}\n }${config.disableTypes ? '' : 'as any'})`,\n loaderNode\n ? `.updateLoader({ loader: lazyFn(() => import('./${replaceBackslash(\n removeExt(\n path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(config.routesDirectory, loaderNode.filePath),\n ),\n config.addExtensions,\n ),\n )}'), 'loader') })`\n : '',\n componentNode ||\n errorComponentNode ||\n notFoundComponentNode ||\n pendingComponentNode\n ? `.update({\n ${(\n [\n ['component', componentNode],\n ['errorComponent', errorComponentNode],\n ['notFoundComponent', notFoundComponentNode],\n ['pendingComponent', pendingComponentNode],\n ] as const\n )\n .filter((d) => d[1])\n .map((d) => {\n // For .vue files, use 'default' as the export name since Vue SFCs export default\n const isVueFile = d[1]!.filePath.endsWith('.vue')\n const exportName = isVueFile ? 'default' : d[0]\n // Keep .vue extension for Vue files since Vite requires it\n const importPath = replaceBackslash(\n isVueFile\n ? path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(\n config.routesDirectory,\n d[1]!.filePath,\n ),\n )\n : removeExt(\n path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(\n config.routesDirectory,\n d[1]!.filePath,\n ),\n ),\n config.addExtensions,\n ),\n )\n return `${\n d[0]\n }: lazyRouteComponent(() => import('./${importPath}'), '${exportName}')`\n })\n .join('\\n,')}\n })`\n : '',\n lazyComponentNode\n ? (() => {\n // For .vue files, use 'default' export since Vue SFCs export default\n const isVueFile = lazyComponentNode.filePath.endsWith('.vue')\n const exportAccessor = isVueFile ? 'd.default' : 'd.Route'\n // Keep .vue extension for Vue files since Vite requires it\n const importPath = replaceBackslash(\n isVueFile\n ? path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(\n config.routesDirectory,\n lazyComponentNode.filePath,\n ),\n )\n : removeExt(\n path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(\n config.routesDirectory,\n lazyComponentNode.filePath,\n ),\n ),\n config.addExtensions,\n ),\n )\n return `.lazy(() => import('./${importPath}').then((d) => ${exportAccessor}))`\n })()\n : '',\n ].join(''),\n ].join('\\n\\n')\n })\n\n // Generate update for root route if it has component pieces\n const rootRoutePath = `/${rootPathId}`\n const rootPieces = acc.routePiecesByPath[rootRoutePath]\n const rootComponentNode = rootPieces?.component\n const rootErrorComponentNode = rootPieces?.errorComponent\n const rootNotFoundComponentNode = rootPieces?.notFoundComponent\n const rootPendingComponentNode = rootPieces?.pendingComponent\n\n let rootRouteUpdate = ''\n if (\n rootComponentNode ||\n rootErrorComponentNode ||\n rootNotFoundComponentNode ||\n rootPendingComponentNode\n ) {\n rootRouteUpdate = `const rootRouteWithChildren = rootRouteImport${\n rootComponentNode ||\n rootErrorComponentNode ||\n rootNotFoundComponentNode ||\n rootPendingComponentNode\n ? `.update({\n ${(\n [\n ['component', rootComponentNode],\n ['errorComponent', rootErrorComponentNode],\n ['notFoundComponent', rootNotFoundComponentNode],\n ['pendingComponent', rootPendingComponentNode],\n ] as const\n )\n .filter((d) => d[1])\n .map((d) => {\n // For .vue files, use 'default' as the export name since Vue SFCs export default\n const isVueFile = d[1]!.filePath.endsWith('.vue')\n const exportName = isVueFile ? 'default' : d[0]\n // Keep .vue extension for Vue files since Vite requires it\n const importPath = replaceBackslash(\n isVueFile\n ? path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(config.routesDirectory, d[1]!.filePath),\n )\n : removeExt(\n path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(\n config.routesDirectory,\n d[1]!.filePath,\n ),\n ),\n config.addExtensions,\n ),\n )\n return `${d[0]}: lazyRouteComponent(() => import('./${importPath}'), '${exportName}')`\n })\n .join('\\n,')}\n })`\n : ''\n }._addFileChildren(rootRouteChildren)${config.disableTypes ? '' : `._addFileTypes<FileRouteTypes>()`}`\n }\n\n let fileRoutesByPathInterface = ''\n let fileRoutesByFullPath = ''\n\n if (!config.disableTypes) {\n const routeNodesByFullPath = createRouteNodesByFullPath(acc.routeNodes)\n const routeNodesByTo = createRouteNodesByTo(acc.routeNodes)\n const routeNodesById = createRouteNodesById(acc.routeNodes)\n\n fileRoutesByFullPath = [\n `export interface FileRoutesByFullPath {\n${[...routeNodesByFullPath.entries()]\n .filter(([fullPath]) => fullPath)\n .map(([fullPath, routeNode]) => {\n return `'${fullPath}': typeof ${getResolvedRouteNodeVariableName(routeNode)}`\n })}\n}`,\n `export interface FileRoutesByTo {\n${[...routeNodesByTo.entries()]\n .filter(([to]) => to)\n .map(([to, routeNode]) => {\n return `'${to}': typeof ${getResolvedRouteNodeVariableName(routeNode)}`\n })}\n}`,\n `export interface FileRoutesById {\n'${rootRouteId}': typeof rootRouteImport,\n${[...routeNodesById.entries()].map(([id, routeNode]) => {\n return `'${id}': typeof ${getResolvedRouteNodeVariableName(routeNode)}`\n})}\n}`,\n `export interface FileRouteTypes {\nfileRoutesByFullPath: FileRoutesByFullPath\nfullPaths: ${\n acc.routeNodes.length > 0\n ? [...routeNodesByFullPath.keys()]\n .filter((fullPath) => fullPath)\n .map((fullPath) => `'${fullPath}'`)\n .join('|')\n : 'never'\n }\nfileRoutesByTo: FileRoutesByTo\nto: ${\n acc.routeNodes.length > 0\n ? [...routeNodesByTo.keys()]\n .filter((to) => to)\n .map((to) => `'${to}'`)\n .join('|')\n : 'never'\n }\nid: ${[`'${rootRouteId}'`, ...[...routeNodesById.keys()].map((id) => `'${id}'`)].join('|')}\nfileRoutesById: FileRoutesById\n}`,\n `export interface RootRouteChildren {\n${acc.routeTree.map((child) => `${child.variableName}Route: typeof ${getResolvedRouteNodeVariableName(child)}`).join(',')}\n}`,\n ].join('\\n')\n\n fileRoutesByPathInterface = buildFileRoutesByPathInterface({\n module: this.targetTemplate.fullPkg,\n interfaceName: 'FileRoutesByPath',\n routeNodes: sortedRouteNodes,\n config,\n })\n }\n\n const routeTree = [\n `const rootRouteChildren${config.disableTypes ? '' : `: RootRouteChildren`} = {\n ${acc.routeTree\n .map(\n (child) =>\n `${child.variableName}Route: ${getResolvedRouteNodeVariableName(child)}`,\n )\n .join(',')}\n}`,\n rootRouteUpdate\n ? rootRouteUpdate.replace(\n 'const rootRouteWithChildren = ',\n 'export const routeTree = ',\n )\n : `export const routeTree = rootRouteImport._addFileChildren(rootRouteChildren)${config.disableTypes ? '' : `._addFileTypes<FileRouteTypes>()`}`,\n ].join('\\n')\n\n checkRouteFullPathUniqueness(\n sortedRouteNodes.filter(\n (d) => d.children === undefined && 'lazy' !== d._fsRouteType,\n ),\n config,\n )\n\n let mergedImports = mergeImportDeclarations(imports)\n if (config.disableTypes) {\n mergedImports = mergedImports.filter((d) => d.importKind !== 'type')\n }\n\n const importStatements = mergedImports.map(buildImportString)\n\n let moduleAugmentation = ''\n if (config.verboseFileRoutes === false && !config.disableTypes) {\n moduleAugmentation = opts.routeFileResult\n .map((node) => {\n const getModuleDeclaration = (routeNode?: RouteNode) => {\n if (!isRouteNodeValidForAugmentation(routeNode)) {\n return ''\n }\n let moduleAugmentation = ''\n if (routeNode._fsRouteType === 'lazy') {\n moduleAugmentation = `const createLazyFileRoute: CreateLazyFileRoute<FileRoutesByPath['${routeNode.routePath}']['preLoaderRoute']>`\n } else {\n moduleAugmentation = `const createFileRoute: CreateFileRoute<'${routeNode.routePath}',\n FileRoutesByPath['${routeNode.routePath}']['parentRoute'],\n FileRoutesByPath['${routeNode.routePath}']['id'],\n FileRoutesByPath['${routeNode.routePath}']['path'],\n FileRoutesByPath['${routeNode.routePath}']['fullPath']\n >\n `\n }\n\n return `declare module './${getImportPath(routeNode, config, this.generatedRouteTreePath)}' {\n ${moduleAugmentation}\n }`\n }\n return getModuleDeclaration(node)\n })\n .join('\\n')\n }\n\n const rootRouteImport = getImportForRouteNode(\n rootRouteNode,\n config,\n this.generatedRouteTreePath,\n this.root,\n )\n routeImports.unshift(rootRouteImport)\n\n let footer: Array<string> = []\n if (config.routeTreeFileFooter) {\n if (Array.isArray(config.routeTreeFileFooter)) {\n footer = config.routeTreeFileFooter\n } else {\n footer = config.routeTreeFileFooter()\n }\n }\n const routeTreeContent = [\n ...config.routeTreeFileHeader,\n `// This file was automatically generated by TanStack Router.\n// You should NOT make any changes in this file as it will be overwritten.\n// Additionally, you should also exclude this file from your linter and/or formatter to prevent it from being checked or modified.`,\n [...importStatements].join('\\n'),\n mergeImportDeclarations(routeImports).map(buildImportString).join('\\n'),\n virtualRouteNodes.join('\\n'),\n createUpdateRoutes.join('\\n'),\n fileRoutesByFullPath,\n fileRoutesByPathInterface,\n moduleAugmentation,\n routeTreeConfig.join('\\n'),\n routeTree,\n ...footer,\n ]\n .filter(Boolean)\n .join('\\n\\n')\n return {\n routeTreeContent,\n routeTree: acc.routeTree,\n routeNodes: acc.routeNodes,\n }\n }\n\n private async processRouteNodeFile(node: RouteNode): Promise<{\n shouldWriteTree: boolean\n cacheEntry: RouteNodeCacheEntry\n node: RouteNode\n } | null> {\n const result = await this.isRouteFileCacheFresh(node)\n\n if (result.status === 'fresh') {\n return {\n node: result.cacheEntry.node,\n shouldWriteTree: false,\n cacheEntry: result.cacheEntry,\n }\n }\n\n const previousCacheEntry = result.cacheEntry\n\n const existingRouteFile = await this.fs.readFile(node.fullPath)\n if (existingRouteFile === 'file-not-existing') {\n throw new Error(`⚠️ File ${node.fullPath} does not exist`)\n }\n\n const updatedCacheEntry: RouteNodeCacheEntry = {\n fileContent: existingRouteFile.fileContent,\n mtimeMs: existingRouteFile.stat.mtimeMs,\n routeId: node.routePath ?? '$$TSR_NO_ROUTE_PATH_ASSIGNED$$',\n node,\n }\n\n const escapedRoutePath = node.routePath?.replaceAll('$', '$$') ?? ''\n\n let shouldWriteRouteFile = false\n let shouldWriteTree = false\n // now we need to either scaffold the file or transform it\n if (!existingRouteFile.fileContent) {\n shouldWriteRouteFile = true\n shouldWriteTree = true\n // Creating a new lazy route file\n if (node._fsRouteType === 'lazy') {\n const tLazyRouteTemplate = this.targetTemplate.lazyRoute\n // Check by default check if the user has a specific lazy route template\n // If not, check if the user has a route template and use that instead\n updatedCacheEntry.fileContent = await fillTemplate(\n this.config,\n (this.config.customScaffolding?.lazyRouteTemplate ||\n this.config.customScaffolding?.routeTemplate) ??\n tLazyRouteTemplate.template(),\n {\n tsrImports: tLazyRouteTemplate.imports.tsrImports(),\n tsrPath: escapedRoutePath.replaceAll(/\\{(.+?)\\}/gm, '$1'),\n tsrExportStart:\n tLazyRouteTemplate.imports.tsrExportStart(escapedRoutePath),\n tsrExportEnd: tLazyRouteTemplate.imports.tsrExportEnd(),\n },\n )\n } else if (\n // Creating a new normal route file\n (['layout', 'static'] satisfies Array<FsRouteType>).some(\n (d) => d === node._fsRouteType,\n ) ||\n (\n [\n 'component',\n 'pendingComponent',\n 'errorComponent',\n 'notFoundComponent',\n 'loader',\n ] satisfies Array<FsRouteType>\n ).every((d) => d !== node._fsRouteType)\n ) {\n const tRouteTemplate = this.targetTemplate.route\n updatedCacheEntry.fileContent = await fillTemplate(\n this.config,\n this.config.customScaffolding?.routeTemplate ??\n tRouteTemplate.template(),\n {\n tsrImports: tRouteTemplate.imports.tsrImports(),\n tsrPath: escapedRoutePath.replaceAll(/\\{(.+?)\\}/gm, '$1'),\n tsrExportStart:\n tRouteTemplate.imports.tsrExportStart(escapedRoutePath),\n tsrExportEnd: tRouteTemplate.imports.tsrExportEnd(),\n },\n )\n } else {\n return null\n }\n }\n\n // Check if this is a Vue component file\n // Vue SFC files (.vue) don't need transformation as they can't have a Route export\n const isVueFile = node.filePath.endsWith('.vue')\n\n if (!isVueFile) {\n // transform the file\n const transformResult = await transform({\n source: updatedCacheEntry.fileContent,\n ctx: {\n target: this.config.target,\n routeId: escapedRoutePath,\n lazy: node._fsRouteType === 'lazy',\n verboseFileRoutes: !(this.config.verboseFileRoutes === false),\n },\n node,\n })\n\n if (transformResult.result === 'no-route-export') {\n this.logger.warn(\n `Route file \"${node.fullPath}\" does not contain any route piece. This is likely a mistake.`,\n )\n return null\n }\n if (transformResult.result === 'error') {\n throw new Error(\n `Error transforming route file ${node.fullPath}: ${transformResult.error}`,\n )\n }\n if (transformResult.result === 'modified') {\n updatedCacheEntry.fileContent = transformResult.output\n shouldWriteRouteFile = true\n }\n }\n\n for (const plugin of this.plugins) {\n plugin.afterTransform?.({ node, prevNode: previousCacheEntry?.node })\n }\n\n // file was changed\n if (shouldWriteRouteFile) {\n const stats = await this.safeFileWrite({\n filePath: node.fullPath,\n newContent: updatedCacheEntry.fileContent,\n strategy: {\n type: 'mtime',\n expectedMtimeMs: updatedCacheEntry.mtimeMs,\n },\n })\n updatedCacheEntry.mtimeMs = stats.mtimeMs\n }\n\n this.routeNodeShadowCache.set(node.fullPath, updatedCacheEntry)\n return {\n node,\n shouldWriteTree,\n cacheEntry: updatedCacheEntry,\n }\n }\n\n private async didRouteFileChangeComparedToCache(\n file: {\n path: string\n mtimeMs?: bigint\n },\n cache: 'routeNodeCache' | 'routeNodeShadowCache',\n ): Promise<FileCacheChange<RouteNodeCacheEntry>> {\n const cacheEntry = this[cache].get(file.path)\n return this.didFileChangeComparedToCache(file, cacheEntry)\n }\n\n private async didFileChangeComparedToCache<\n TCacheEntry extends GeneratorCacheEntry,\n >(\n file: {\n path: string\n mtimeMs?: bigint\n },\n cacheEntry: TCacheEntry | undefined,\n ): Promise<FileCacheChange<TCacheEntry>> {\n // for now we rely on the modification time of the file\n // to determine if the file has changed\n // we could also compare the file content but this would be slower as we would have to read the file\n\n if (!cacheEntry) {\n return { result: 'file-not-in-cache' }\n }\n let mtimeMs = file.mtimeMs\n\n if (mtimeMs === undefined) {\n try {\n const currentStat = await this.fs.stat(file.path)\n mtimeMs = currentStat.mtimeMs\n } catch {\n return { result: 'cannot-stat-file' }\n }\n }\n return { result: mtimeMs !== cacheEntry.mtimeMs, mtimeMs, cacheEntry }\n }\n\n private async safeFileWrite(opts: {\n filePath: string\n newContent: string\n strategy:\n | {\n type: 'mtime'\n expectedMtimeMs: bigint\n }\n | {\n type: 'new-file'\n }\n }) {\n const tmpPath = this.getTempFileName(opts.filePath)\n await this.fs.writeFile(tmpPath, opts.newContent)\n\n if (opts.strategy.type === 'mtime') {\n const beforeStat = await this.fs.stat(opts.filePath)\n if (beforeStat.mtimeMs !== opts.strategy.expectedMtimeMs) {\n throw rerun({\n msg: `File ${opts.filePath} was modified by another process during processing.`,\n event: { type: 'update', path: opts.filePath },\n })\n }\n const newFileState = await this.fs.stat(tmpPath)\n if (newFileState.mode !== beforeStat.mode) {\n await this.fs.chmod(tmpPath, beforeStat.mode)\n }\n if (\n newFileState.uid !== beforeStat.uid ||\n newFileState.gid !== beforeStat.gid\n ) {\n try {\n await this.fs.chown(tmpPath, beforeStat.uid, beforeStat.gid)\n } catch (err) {\n if (\n typeof err === 'object' &&\n err !== null &&\n 'code' in err &&\n (err as any).code === 'EPERM'\n ) {\n console.warn(\n `[safeFileWrite] chown failed: ${(err as any).message}`,\n )\n } else {\n throw err\n }\n }\n }\n } else {\n if (await checkFileExists(opts.filePath)) {\n throw rerun({\n msg: `File ${opts.filePath} already exists. Cannot overwrite.`,\n event: { type: 'update', path: opts.filePath },\n })\n }\n }\n\n const stat = await this.fs.stat(tmpPath)\n\n await this.fs.rename(tmpPath, opts.filePath)\n\n return stat\n }\n\n private getTempFileName(filePath: string) {\n const absPath = path.resolve(filePath)\n const hash = crypto.createHash('md5').update(absPath).digest('hex')\n // lazy initialize sessionId to only create tmpDir when it is first needed\n if (!this.sessionId) {\n // ensure the directory exists\n mkdirSync(this.config.tmpDir, { recursive: true })\n this.sessionId = crypto.randomBytes(4).toString('hex')\n }\n return path.join(this.config.tmpDir, `${this.sessionId}-${hash}`)\n }\n\n private async isRouteFileCacheFresh(node: RouteNode): Promise<\n | {\n status: 'fresh'\n cacheEntry: RouteNodeCacheEntry\n }\n | { status: 'stale'; cacheEntry?: RouteNodeCacheEntry }\n > {\n const fileChangedCache = await this.didRouteFileChangeComparedToCache(\n { path: node.fullPath },\n 'routeNodeCache',\n )\n if (fileChangedCache.result === false) {\n this.routeNodeShadowCache.set(node.fullPath, fileChangedCache.cacheEntry)\n return {\n status: 'fresh',\n cacheEntry: fileChangedCache.cacheEntry,\n }\n }\n if (fileChangedCache.result === 'cannot-stat-file') {\n throw new Error(`⚠️ expected route file to exist at ${node.fullPath}`)\n }\n const mtimeMs =\n fileChangedCache.result === true ? fileChangedCache.mtimeMs : undefined\n\n const shadowCacheFileChange = await this.didRouteFileChangeComparedToCache(\n { path: node.fullPath, mtimeMs },\n 'routeNodeShadowCache',\n )\n\n if (shadowCacheFileChange.result === 'cannot-stat-file') {\n throw new Error(`⚠️ expected route file to exist at ${node.fullPath}`)\n }\n\n if (shadowCacheFileChange.result === false) {\n // shadow cache has latest file state already\n if (fileChangedCache.result === true) {\n return {\n status: 'fresh',\n cacheEntry: shadowCacheFileChange.cacheEntry,\n }\n }\n }\n\n if (fileChangedCache.result === 'file-not-in-cache') {\n return {\n status: 'stale',\n }\n }\n return { status: 'stale', cacheEntry: fileChangedCache.cacheEntry }\n }\n\n private async handleRootNode(node: RouteNode) {\n const result = await this.isRouteFileCacheFresh(node)\n\n if (result.status === 'fresh') {\n this.routeNodeShadowCache.set(node.fullPath, result.cacheEntry)\n }\n const rootNodeFile = await this.fs.readFile(node.fullPath)\n if (rootNodeFile === 'file-not-existing') {\n throw new Error(`⚠️ expected root route to exist at ${node.fullPath}`)\n }\n\n const updatedCacheEntry: RouteNodeCacheEntry = {\n fileContent: rootNodeFile.fileContent,\n mtimeMs: rootNodeFile.stat.mtimeMs,\n routeId: node.routePath ?? '$$TSR_NO_ROOT_ROUTE_PATH_ASSIGNED$$',\n node,\n }\n\n // scaffold the root route\n if (!rootNodeFile.fileContent) {\n const rootTemplate = this.targetTemplate.rootRoute\n const rootRouteContent = await fillTemplate(\n this.config,\n rootTemplate.template(),\n {\n tsrImports: rootTemplate.imports.tsrImports(),\n tsrPath: rootPathId,\n tsrExportStart: rootTemplate.imports.tsrExportStart(),\n tsrExportEnd: rootTemplate.imports.tsrExportEnd(),\n },\n )\n\n this.logger.log(`🟡 Creating ${node.fullPath}`)\n const stats = await this.safeFileWrite({\n filePath: node.fullPath,\n newContent: rootRouteContent,\n strategy: {\n type: 'mtime',\n expectedMtimeMs: rootNodeFile.stat.mtimeMs,\n },\n })\n updatedCacheEntry.fileContent = rootRouteContent\n updatedCacheEntry.mtimeMs = stats.mtimeMs\n }\n\n this.routeNodeShadowCache.set(node.fullPath, updatedCacheEntry)\n }\n\n public async getCrawlingResult(): Promise<CrawlingResult | undefined> {\n await this.runPromise\n return this.crawlingResult\n }\n\n private static handleNode(\n node: RouteNode,\n acc: HandleNodeAccumulator,\n prefixMap: RoutePrefixMap,\n config?: Config,\n ) {\n let parentRoute = hasParentRoute(prefixMap, node, node.routePath)\n\n // Fallback: check acc.routeNodesByPath for parents not in prefixMap\n // This handles virtual routes created from lazy-only files that weren't\n // in the initial prefixMap build\n if (!parentRoute && node.routePath) {\n let searchPath = node.routePath\n while (searchPath.length > 0) {\n const lastSlash = searchPath.lastIndexOf('/')\n if (lastSlash <= 0) break\n searchPath = searchPath.substring(0, lastSlash)\n const candidate = acc.routeNodesByPath.get(searchPath)\n if (candidate && candidate.routePath !== node.routePath) {\n parentRoute = candidate\n break\n }\n }\n }\n\n if (parentRoute) node.parent = parentRoute\n\n node.path = determineNodePath(node)\n\n const trimmedPath = trimPathLeft(node.path ?? '')\n const trimmedOriginalPath = trimPathLeft(\n node.originalRoutePath?.replace(\n node.parent?.originalRoutePath ?? '',\n '',\n ) ?? '',\n )\n\n const split = trimmedPath.split('/')\n const originalSplit = trimmedOriginalPath.split('/')\n const lastRouteSegment = split[split.length - 1] ?? trimmedPath\n const lastOriginalSegment =\n originalSplit[originalSplit.length - 1] ?? trimmedOriginalPath\n\n // A segment is non-path if it starts with underscore AND the underscore is not escaped\n node.isNonPath =\n isSegmentPathless(lastRouteSegment, lastOriginalSegment) ||\n split.every((part) => this.routeGroupPatternRegex.test(part))\n\n // Use escape-aware functions to compute cleanedPath\n node.cleanedPath = removeGroups(\n removeUnderscoresWithEscape(\n removeLayoutSegmentsWithEscape(node.path, node.originalRoutePath),\n node.originalRoutePath,\n ),\n )\n\n if (\n node._fsRouteType === 'layout' ||\n node._fsRouteType === 'pathless_layout'\n ) {\n node.cleanedPath = removeTrailingSlash(node.cleanedPath)\n }\n\n if (\n !node.isVirtual &&\n (\n [\n 'lazy',\n 'loader',\n 'component',\n 'pendingComponent',\n 'errorComponent',\n 'notFoundComponent',\n ] satisfies Array<FsRouteType>\n ).some((d) => d === node._fsRouteType)\n ) {\n acc.routePiecesByPath[node.routePath!] =\n acc.routePiecesByPath[node.routePath!] || {}\n\n const pieceKey =\n node._fsRouteType === 'lazy'\n ? 'lazy'\n : (node._fsRouteType as keyof (typeof acc.routePiecesByPath)[string])\n acc.routePiecesByPath[node.routePath!]![pieceKey] = node\n\n const anchorRoute = acc.routeNodesByPath.get(node.routePath!)\n\n // Don't create virtual routes for root route component pieces - the root route is handled separately\n if (!anchorRoute && node.routePath !== `/${rootPathId}`) {\n this.handleNode(\n {\n ...node,\n isVirtual: true,\n _fsRouteType: 'static',\n },\n acc,\n prefixMap,\n config,\n )\n }\n return\n }\n\n const isPathlessLayoutWithPath =\n node._fsRouteType === 'pathless_layout' &&\n node.cleanedPath &&\n node.cleanedPath.length > 0\n\n // Special handling: pathless layouts with path need to find real ancestor\n if (!node.isVirtual && isPathlessLayoutWithPath) {\n const immediateParentPath =\n removeLastSegmentFromPath(node.routePath) || '/'\n const immediateParentOriginalPath =\n removeLastSegmentFromPath(node.originalRoutePath) || '/'\n let searchPath = immediateParentPath\n\n // Find nearest real (non-virtual, non-index) parent\n while (searchPath) {\n const candidate = acc.routeNodesByPath.get(searchPath)\n if (candidate && !candidate.isVirtual && candidate.path !== '/') {\n node.parent = candidate\n node.path =\n node.routePath?.replace(candidate.routePath ?? '', '') || '/'\n const pathRelativeToParent =\n immediateParentPath.replace(candidate.routePath ?? '', '') || '/'\n const originalPathRelativeToParent =\n immediateParentOriginalPath.replace(\n candidate.originalRoutePath ?? '',\n '',\n ) || '/'\n node.cleanedPath = removeGroups(\n removeUnderscoresWithEscape(\n removeLayoutSegmentsWithEscape(\n pathRelativeToParent,\n originalPathRelativeToParent,\n ),\n originalPathRelativeToParent,\n ),\n )\n break\n }\n if (searchPath === '/') break\n searchPath = removeLastSegmentFromPath(searchPath) || '/'\n }\n }\n\n // Add to parent's children or to root\n if (node.parent) {\n node.parent.children = node.parent.children ?? []\n node.parent.children.push(node)\n } else {\n acc.routeTree.push(node)\n }\n\n acc.routeNodes.push(node)\n if (node.routePath) {\n // Always register routes by path so child routes can find parents.\n // Virtual routes (created from lazy-only files) also need to be registered\n // so that index routes like path.index.lazy.tsx can find their parent path.lazy.tsx.\n // If a non-virtual route is later processed for the same path, it will overwrite.\n acc.routeNodesByPath.set(node.routePath, node)\n }\n }\n\n // only process files that are relevant for the route tree generation\n private isFileRelevantForRouteTreeGeneration(filePath: string): boolean {\n // the generated route tree file\n if (filePath === this.generatedRouteTreePath) {\n return true\n }\n\n // files inside the routes folder\n if (filePath.startsWith(this.routesDirectoryPath)) {\n return true\n }\n\n // the virtual route config file passed into `virtualRouteConfig`\n if (\n typeof this.config.virtualRouteConfig === 'string' &&\n filePath === this.config.virtualRouteConfig\n ) {\n return true\n }\n\n // this covers all files that are mounted via `virtualRouteConfig` or any `__virtual.ts` files\n if (this.routeNodeCache.has(filePath)) {\n return true\n }\n\n // virtual config files such as`__virtual.ts`\n if (isVirtualConfigFile(path.basename(filePath))) {\n return true\n }\n\n // route files inside directories mounted via `physical()` inside a virtual route config\n if (this.physicalDirectories.some((dir) => filePath.startsWith(dir))) {\n return true\n }\n\n return false\n }\n}\n"],"names":["fsp","logging","getTargetTemplate","existsSync","mkdirSync","virtualGetRouteNodes","physicalGetRouteNodes","rootPathId","multiSortBy","RoutePrefixMap","format","getImportForRouteNode","isRouteNodeValidForAugmentation","buildRouteTreeConfig","findParent","replaceBackslash","removeExt","createRouteNodesByFullPath","createRouteNodesByTo","createRouteNodesById","getResolvedRouteNodeVariableName","rootRouteId","buildFileRoutesByPathInterface","checkRouteFullPathUniqueness","mergeImportDeclarations","buildImportString","moduleAugmentation","getImportPath","fillTemplate","transform","checkFileExists","hasParentRoute","determineNodePath","trimPathLeft","isSegmentPathless","removeGroups","removeUnderscoresWithEscape","removeLayoutSegmentsWithEscape","removeTrailingSlash","removeLastSegmentFromPath","isVirtualConfigFile"],"mappings":";;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;AAwEA,MAAM,oBAAwB;AAAA,EAC5B,MAAM,OAAO,aAAa;AACxB,UAAM,MAAM,MAAMA,eAAI,KAAK,UAAU,EAAE,QAAQ,MAAM;AACrD,WAAO;AAAA,MACL,SAAS,IAAI;AAAA,MACb,MAAM,OAAO,IAAI,IAAI;AAAA,MACrB,KAAK,OAAO,IAAI,GAAG;AAAA,MACnB,KAAK,OAAO,IAAI,GAAG;AAAA,IAAA;AAAA,EAEvB;AAAA,EACA,QAAQ,CAAC,SAAS,YAAYA,eAAI,OAAO,SAAS,OAAO;AAAA,EACzD,WAAW,CAAC,UAAU,YAAYA,eAAI,UAAU,UAAU,OAAO;AAAA,EACjE,UAAU,OAAO,aAAqB;AACpC,QAAI;AACF,YAAM,aAAa,MAAMA,eAAI,KAAK,UAAU,GAAG;AAC/C,YAAM,OAAO,MAAM,WAAW,KAAK,EAAE,QAAQ,MAAM;AACnD,YAAM,eAAe,MAAM,WAAW,SAAA,GAAY,SAAA;AAClD,YAAM,WAAW,MAAA;AACjB,aAAO,EAAE,MAAM,YAAA;AAAA,IACjB,SAAS,GAAQ;AACf,UAAI,UAAU,GAAG;AACf,YAAI,EAAE,SAAS,UAAU;AACvB,iBAAO;AAAA,QACT;AAAA,MACF;AACA,YAAM;AAAA,IACR;AAAA,EACF;AAAA,EACA,OAAO,CAAC,UAAU,SAASA,eAAI,MAAM,UAAU,IAAI;AAAA,EACnD,OAAO,CAAC,UAAU,KAAK,QAAQA,eAAI,MAAM,UAAU,KAAK,GAAG;AAC7D;AAOA,SAAS,MAAM,MAAuD;AACpE,QAAM,EAAE,OAAO,GAAG,KAAA,IAAS;AAC3B,SAAO,EAAE,OAAO,MAAM,OAAO,SAAS,EAAE,MAAM,WAAW,GAAG,KAAA;AAC9D;AAEA,SAAS,QAAQ,QAAkC;AACjD,SACE,OAAO,WAAW,YAClB,WAAW,QACX,WAAW,UACX,OAAO,UAAU;AAErB;AAwCO,MAAM,aAAN,MAAM,WAAU;AAAA,EAqCrB,YAAY,MAAiD;AA1B7D,SAAQ,qCAA8C,IAAA;AACtD,SAAQ,2CAAoD,IAAA;AAe5D,SAAQ,iBAAwC,CAAA;AAChD,SAAQ,UAAkC,CAAA;AAE1C,SAAQ,sBAAqC,CAAA;AAQ3C,SAAK,SAAS,KAAK;AACnB,SAAK,SAASC,eAAQ,EAAE,UAAU,KAAK,OAAO,gBAAgB;AAC9D,SAAK,OAAO,KAAK;AACjB,SAAK,KAAK,KAAK,MAAM;AACrB,SAAK,yBAAyB,KAAK,0BAAA;AACnC,SAAK,iBAAiBC,2BAAkB,KAAK,MAAM;AAEnD,SAAK,sBAAsB,KAAK,uBAAA;AAChC,SAAK,QAAQ,KAAK,GAAI,KAAK,OAAO,WAAW,EAAG;AAEhD,SAAK,kBAAkB,IAAI,OAAO,OAAO,KAAK,OAAO,UAAU,KAAK;AACpE,SAAK,kBAAkB,IAAI,OAAO,OAAO,KAAK,OAAO,UAAU,KAAK;AAEpE,eAAW,UAAU,KAAK,SAAS;AACjC,aAAO,OAAO,EAAE,WAAW,KAAA,CAAM;AAAA,IACnC;AAAA,EACF;AAAA,EAEQ,4BAA4B;AAClC,UAAM,yBAAyB,KAAK;AAAA,MAClC,KAAK,OAAO;AAAA,IAAA,IAEV,KAAK,OAAO,qBACZ,KAAK,QAAQ,KAAK,MAAM,KAAK,OAAO,kBAAkB;AAE1D,UAAM,wBAAwB,KAAK,QAAQ,sBAAsB;AAEjE,QAAI,CAACC,QAAAA,WAAW,qBAAqB,GAAG;AACtCC,cAAAA,UAAU,uBAAuB,EAAE,WAAW,KAAA,CAAM;AAAA,IACtD;AAEA,WAAO;AAAA,EACT;AAAA,EAEQ,yBAAyB;AAC/B,WAAO,KAAK,WAAW,KAAK,OAAO,eAAe,IAC9C,KAAK,OAAO,kBACZ,KAAK,QAAQ,KAAK,MAAM,KAAK,OAAO,eAAe;AAAA,EACzD;AAAA,EAEO,qBAA+C;AACpD,WAAO,IAAI;AAAA,MACT,CAAC,GAAG,KAAK,eAAe,QAAA,CAAS,EAAE,IAAI,CAAC,CAAC,UAAU,UAAU,MAAM;AAAA,QACjE;AAAA,QACA,EAAE,WAAW,WAAW,QAAA;AAAA,MAAQ,CACjC;AAAA,IAAA;AAAA,EAEL;AAAA,EAEA,MAAa,IAAI,OAAuC;AACtD,QACE,SACA,MAAM,SAAS,WACf,CAAC,KAAK,qCAAqC,MAAM,IAAI,GACrD;AACA;AAAA,IACF;AACA,SAAK,eAAe,KAAK,SAAS,EAAE,MAAM,SAAS;AAEnD,QAAI,KAAK,YAAY;AACnB,aAAO,KAAK;AAAA,IACd;AAEA,SAAK,cAAc,YAAY;AAC7B,SAAG;AAGD,cAAM,YAAY,KAAK;AACvB,aAAK,iBAAiB,CAAA;AAGtB,cAAM,mBACJ,MAAM,QAAQ;AAAA,UACZ,UAAU,IAAI,OAAO,MAAM;AACzB,gBAAI,EAAE,SAAS,UAAU;AACvB,kBAAI;AACJ,kBAAI,EAAE,SAAS,KAAK,wBAAwB;AAC1C,6BAAa,KAAK;AAAA,cACpB,OAAO;AAGL,6BAAa,KAAK,eAAe,IAAI,EAAE,IAAI;AAAA,cAC7C;AACA,oBAAM,SAAS,MAAM,KAAK;AAAA,gBACxB,EAAE,MAAM,EAAE,KAAA;AAAA,gBACV;AAAA,cAAA;AAEF,kBAAI,OAAO,WAAW,OAAO;AAC3B,uBAAO;AAAA,cACT;AAAA,YACF;AACA,mBAAO;AAAA,UACT,CAAC;AAAA,QAAA,GAEH,OAAO,CAAC,MAAM,MAAM,IAAI;AAE1B,YAAI,gBAAgB,WAAW,GAAG;AAChC;AAAA,QACF;AAEA,YAAI;AACF,gBAAM,KAAK,kBAAA;AAAA,QACb,SAAS,KAAK;AACZ,gBAAM,WAAW,CAAC,MAAM,QAAQ,GAAG,IAAI,CAAC,GAAG,IAAI;AAE/C,gBAAM,oBAAoB,SAAS,OAAO,CAAC,MAAM,QAAQ,CAAC,CAAC;AAC3D,cAAI,kBAAkB,WAAW,SAAS,QAAQ;AAChD,iBAAK,eAAe,KAAK,GAAG,kBAAkB,IAAI,CAAC,MAAM,EAAE,KAAK,CAAC;AACjE,8BAAkB,QAAQ,CAAC,MAAM;AAC/B,kBAAI,EAAE,KAAK;AACT,qBAAK,OAAO,KAAK,EAAE,GAAG;AAAA,cACxB;AAAA,YACF,CAAC;AAAA,UACH,OAAO;AACL,kBAAM,sBAAsB,SAAS,OAAO,CAAC,MAAM,CAAC,QAAQ,CAAC,CAAC;AAC9D,iBAAK,aAAa;AAClB,kBAAM,IAAI;AAAA,cACR,oBAAoB,IAAI,CAAC,MAAO,EAAY,OAAO,EAAE,KAAA;AAAA,YAAK;AAAA,UAE9D;AAAA,QACF;AAAA,MACF,SAAS,KAAK,eAAe;AAC7B,WAAK,aAAa;AAAA,IACpB,GAAA;AACA,WAAO,KAAK;AAAA,EACd;AAAA,EAEA,MAAc,oBAAoB;AAChC,QAAI,qBAAwC;AAE5C,QAAI;AAEJ,QAAI,KAAK,OAAO,oBAAoB;AAClC,4BAAsB,MAAMC,cAAAA,cAAqB,KAAK,QAAQ,KAAK,IAAI;AAAA,IACzE,OAAO;AACL,4BAAsB,MAAMC,gBAAAA,cAAsB,KAAK,QAAQ,KAAK,IAAI;AAAA,IAC1E;AAEA,UAAM;AAAA,MACJ;AAAA,MACA,YAAY;AAAA,MACZ;AAAA,IAAA,IACE;AACJ,QAAI,kBAAkB,QAAW;AAC/B,UAAI,eAAe;AACnB,UAAI,CAAC,KAAK,OAAO,oBAAoB;AACnC,wBAAgB;AAAA,4BAA+BC,WAAAA,UAAU,IAAI,KAAK,OAAO,eAAe,OAAO,KAAK;AAAA,oBAAuD,KAAK,OAAO,eAAe,IAAIA,WAAAA,UAAU,IAAI,KAAK,OAAO,eAAe,OAAO,KAAK;AAAA,MACjP;AACA,YAAM,IAAI,MAAM,YAAY;AAAA,IAC9B;AACA,SAAK,sBAAsB;AAE3B,UAAM,KAAK,eAAe,aAAa;AAEvC,UAAM,gBAAgBC,MAAAA,YAAY,kBAAkB;AAAA,MAClD,CAAC,MAAO,EAAE,cAAc,MAAM,KAAK;AAAA,MACnC,CAAC,MAAM,EAAE,WAAW,MAAM,GAAG,EAAE;AAAA,MAC/B,CAAC,MAAO,EAAE,SAAS,MAAM,KAAK,eAAe,IAAI,IAAI;AAAA,MACrD,CAAC,MAAO,EAAE,SAAS,MAAM,WAAU,mBAAmB,IAAI,IAAI;AAAA,MAC9D,CAAC,MAAO,EAAE,SAAS,MAAM,KAAK,eAAe,IAAI,KAAK;AAAA,MACtD,CAAC,MAAO,EAAE,WAAW,SAAS,GAAG,IAAI,KAAK;AAAA,MAC1C,CAAC,MAAM,EAAE;AAAA,IAAA,CACV,EAAE,OAAO,CAAC,MAAM;AAEf,UAAI,EAAE,cAAc,IAAID,WAAAA,UAAU,IAAI;AACpC,eAAO;AAAA,UACL;AAAA,UACA;AAAA,UACA;AAAA,UACA;AAAA,UACA;AAAA,UACA;AAAA,QAAA,EACA,SAAS,EAAE,YAAY;AAAA,MAC3B;AACA,aAAO;AAAA,IACT,CAAC;AAED,UAAM,qBAAqB,MAAM,QAAQ;AAAA,MACvC,cAEG,OAAO,CAAC,MAAM,CAAC,EAAE,wBAAwB,CAAC,EAAE,SAAS,EACrD,IAAI,CAAC,MAAM,KAAK,qBAAqB,CAAC,CAAC;AAAA,IAAA;AAG5C,UAAM,aAAa,mBAAmB;AAAA,MACpC,CAAC,WAAW,OAAO,WAAW;AAAA,IAAA;AAEhC,QAAI,WAAW,SAAS,GAAG;AACzB,YAAM,WAAW,IAAI,CAAC,MAAM,EAAE,MAAM;AAAA,IACtC;AAEA,UAAM,kBAAkB,mBAAmB,QAAQ,CAAC,WAAW;AAC7D,UAAI,OAAO,WAAW,eAAe,OAAO,UAAU,MAAM;AAC1D,YAAI,OAAO,MAAM,iBAAiB;AAChC,+BAAqB;AAAA,QACvB;AACA,eAAO,OAAO,MAAM;AAAA,MACtB;AACA,aAAO,CAAA;AAAA,IACT,CAAC;AAGD,oBAAgB,QAAQ,CAAC,MAAO,EAAE,WAAW,MAAU;AAEvD,UAAM,MAA6B;AAAA,MACjC,WAAW,CAAA;AAAA,MACX,YAAY,CAAA;AAAA,MACZ,mBAAmB,CAAA;AAAA,MACnB,sCAAsB,IAAA;AAAA,IAAI;AAG5B,UAAM,YAAY,IAAIE,MAAAA,eAAe,eAAe;AAEpD,eAAW,QAAQ,iBAAiB;AAClC,iBAAU,WAAW,MAAM,KAAK,WAAW,KAAK,MAAM;AAAA,IACxD;AAEA,SAAK,iBAAiB,EAAE,eAAe,iBAAiB,IAAA;AAGxD,QAAI,CAAC,KAAK,oBAAoB;AAC5B,YAAM,gBAAgB,MAAM,KAAK,GAAG,SAAS,KAAK,sBAAsB;AACxE,UAAI,kBAAkB,qBAAqB;AACzC,aAAK,qBAAqB;AAAA,UACxB,aAAa,cAAc;AAAA,UAC3B,SAAS,cAAc,KAAK;AAAA,QAAA;AAAA,MAEhC;AACA,2BAAqB;AAAA,IACvB,OAAO;AACL,YAAM,sBAAsB,MAAM,KAAK;AAAA,QACrC,EAAE,MAAM,KAAK,uBAAA;AAAA,QACb,KAAK;AAAA,MAAA;AAEP,UAAI,oBAAoB,WAAW,OAAO;AACxC,6BAAqB;AACrB,YAAI,oBAAoB,WAAW,MAAM;AACvC,gBAAM,gBAAgB,MAAM,KAAK,GAAG;AAAA,YAClC,KAAK;AAAA,UAAA;AAEP,cAAI,kBAAkB,qBAAqB;AACzC,iBAAK,qBAAqB;AAAA,cACxB,aAAa,cAAc;AAAA,cAC3B,SAAS,cAAc,KAAK;AAAA,YAAA;AAAA,UAEhC;AAAA,QACF;AAAA,MACF;AAAA,IACF;AAEA,QAAI,CAAC,oBAAoB;AAGvB,UAAI,KAAK,eAAe,SAAS,KAAK,qBAAqB,MAAM;AAC/D,6BAAqB;AAAA,MACvB,OAAO;AACL,mBAAW,YAAY,KAAK,eAAe,KAAA,GAAQ;AACjD,cAAI,CAAC,KAAK,qBAAqB,IAAI,QAAQ,GAAG;AAC5C,iCAAqB;AACrB;AAAA,UACF;AAAA,QACF;AAAA,MACF;AAAA,IACF;AAEA,QAAI,CAAC,oBAAoB;AACvB,WAAK,WAAA;AACL;AAAA,IACF;AAEA,UAAM,cAAc,KAAK,eAAe;AAAA,MACtC;AAAA,MACA;AAAA,MACA;AAAA,IAAA,CACD;AACD,QAAI,mBAAmB,YAAY;AAEnC,uBAAmB,KAAK,OAAO,4BAC3B,MAAMC,MAAAA,OAAO,kBAAkB,KAAK,MAAM,IAC1C;AAEJ,QAAI;AACJ,QAAI,KAAK,oBAAoB;AAC3B,UACE,uBAAuB,WACvB,KAAK,mBAAmB,gBAAgB,iBACxC;AAAA,WAGK;AACL,cAAM,uBAAuB,MAAM,KAAK,cAAc;AAAA,UACpD,UAAU,KAAK;AAAA,UACf,YAAY;AAAA,UACZ,UAAU;AAAA,YACR,MAAM;AAAA,YACN,iBAAiB,KAAK,mBAAmB;AAAA,UAAA;AAAA,QAC3C,CACD;AACD,qBAAa,qBAAqB;AAAA,MACpC;AAAA,IACF,OAAO;AACL,YAAM,uBAAuB,MAAM,KAAK,cAAc;AAAA,QACpD,UAAU,KAAK;AAAA,QACf,YAAY;AAAA,QACZ,UAAU;AAAA,UACR,MAAM;AAAA,QAAA;AAAA,MACR,CACD;AACD,mBAAa,qBAAqB;AAAA,IACpC;AAEA,QAAI,eAAe,QAAW;AAC5B,WAAK,qBAAqB;AAAA,QACxB,aAAa;AAAA,QACb,SAAS;AAAA,MAAA;AAAA,IAEb;AAEA,SAAK,QAAQ,IAAI,CAAC,WAAW;AAC3B,aAAO,OAAO,qBAAqB;AAAA,QACjC,WAAW,YAAY;AAAA,QACvB,YAAY,YAAY;AAAA,QACxB;AAAA,QACA;AAAA,MAAA,CACD;AAAA,IACH,CAAC;AACD,SAAK,WAAA;AAAA,EACP;AAAA,EAEQ,aAAa;AACnB,SAAK,iBAAiB,KAAK;AAC3B,SAAK,2CAA2B,IAAA;AAAA,EAClC;AAAA,EAEO,eAAe,MAKnB;AACD,UAAM,SAAS,EAAE,GAAG,KAAK,QAAQ,GAAI,KAAK,UAAU,GAAC;AAErD,UAAM,EAAE,eAAe,IAAA,IAAQ;AAE/B,UAAM,mBAAmBF,MAAAA,YAAY,IAAI,YAAY;AAAA,MACnD,CAAC,MAAO,EAAE,WAAW,SAAS,IAAID,qBAAU,EAAE,IAAI,KAAK;AAAA,MACvD,CAAC,MAAM,EAAE,WAAW,MAAM,GAAG,EAAE;AAAA,MAC/B,CAAC,MAAO,EAAE,WAAW,SAAS,OAAO,UAAU,IAAI,KAAK;AAAA,MACxD,CAAC,MAAM;AAAA,IAAA,CACR;AAED,UAAM,eAAyC,CAAA;AAC/C,UAAM,oBAAmC,CAAA;AAEzC,eAAW,QAAQ,kBAAkB;AACnC,UAAI,KAAK,WAAW;AAClB,0BAAkB;AAAA,UAChB,SAAS,KAAK,YAAY,kCAAkC,KAAK,SAAS;AAAA,QAAA;AAAA,MAE9E,OAAO;AACL,qBAAa;AAAA,UACXI,MAAAA;AAAAA,YACE;AAAA,YACA;AAAA,YACA,KAAK;AAAA,YACL,KAAK;AAAA,UAAA;AAAA,QACP;AAAA,MAEJ;AAAA,IACF;AAEA,UAAM,UAAoC,CAAA;AAC1C,QAAI,kBAAkB,SAAS,GAAG;AAChC,cAAQ,KAAK;AAAA,QACX,YAAY,CAAC,EAAE,UAAU,mBAAmB;AAAA,QAC5C,QAAQ,KAAK,eAAe;AAAA,MAAA,CAC7B;AAAA,IACH;AAEA,QAAI,qBAAqB;AACzB,QAAI,kBAAkB;AACtB,eAAW,QAAQ,kBAAkB;AACnC,YAAM,SAAS,IAAI,kBAAkB,KAAK,SAAU;AACpD,UAAI,QAAQ;AACV,YACE,OAAO,aACP,OAAO,kBACP,OAAO,qBACP,OAAO,kBACP;AACA,+BAAqB;AAAA,QACvB;AACA,YAAI,OAAO,QAAQ;AACjB,4BAAkB;AAAA,QACpB;AACA,YAAI,sBAAsB,gBAAiB;AAAA,MAC7C;AAAA,IACF;AACA,QAAI,sBAAsB,iBAAiB;AACzC,YAAM,gBAAmC;AAAA,QACvC,YAAY,CAAA;AAAA,QACZ,QAAQ,KAAK,eAAe;AAAA,MAAA;AAE9B,UAAI,oBAAoB;AACtB,sBAAc,WAAW,KAAK,EAAE,UAAU,sBAAsB;AAAA,MAClE;AACA,UAAI,iBAAiB;AACnB,sBAAc,WAAW,KAAK,EAAE,UAAU,UAAU;AAAA,MACtD;AACA,cAAQ,KAAK,aAAa;AAAA,IAC5B;AACA,QAAI,OAAO,sBAAsB,OAAO;AACtC,YAAM,aAAgC;AAAA,QACpC,YAAY,CAAA;AAAA,QACZ,QAAQ,KAAK,eAAe;AAAA,QAC5B,YAAY;AAAA,MAAA;AAEd,UAAI,uBAAuB;AAC3B,UAAI,2BAA2B;AAC/B,iBAAW,QAAQ,kBAAkB;AACnC,YAAIC,MAAAA,gCAAgC,IAAI,GAAG;AACzC,cAAI,KAAK,iBAAiB,QAAQ;AAChC,mCAAuB;AAAA,UACzB;AACA,cAAI,IAAI,kBAAkB,KAAK,SAAU,GAAG,MAAM;AAChD,uCAA2B;AAAA,UAC7B;AAAA,QACF;AACA,YAAI,wBAAwB,yBAA0B;AAAA,MACxD;AACA,UAAI,sBAAsB;AACxB,mBAAW,WAAW,KAAK,EAAE,UAAU,mBAAmB;AAAA,MAC5D;AACA,UAAI,0BAA0B;AAC5B,mBAAW,WAAW,KAAK,EAAE,UAAU,uBAAuB;AAAA,MAChE;AAEA,UAAI,WAAW,WAAW,SAAS,GAAG;AACpC,mBAAW,WAAW,KAAK,EAAE,UAAU,oBAAoB;AAC3D,gBAAQ,KAAK,UAAU;AAAA,MACzB;AAAA,IACF;AAEA,UAAM,kBAAkBC,MAAAA;AAAAA,MACtB,IAAI;AAAA,MACJ,OAAO;AAAA,IAAA;AAGT,UAAM,qBAAqB,iBAAiB,IAAI,CAAC,SAAS;AACxD,YAAM,SAAS,IAAI,kBAAkB,KAAK,SAAU;AACpD,YAAM,aAAa,QAAQ;AAC3B,YAAM,gBAAgB,QAAQ;AAC9B,YAAM,qBAAqB,QAAQ;AACnC,YAAM,wBAAwB,QAAQ;AACtC,YAAM,uBAAuB,QAAQ;AACrC,YAAM,oBAAoB,QAAQ;AAElC,aAAO;AAAA,QACL;AAAA,UACE,SAAS,KAAK,YAAY,WAAW,KAAK,YAAY;AAAA,cAClD;AAAA,YACA,QAAQ,KAAK,IAAI;AAAA,YACjB,CAAC,KAAK,aACL,KAAK,iBAAiB,qBAAqB,KAAK,cAC7C,UAAU,KAAK,WAAW,MAC1B;AAAA,YACJ,yBAAyBC,iBAAW,IAAI,CAAC;AAAA,UAAA,EAExC,OAAO,OAAO,EACd,KAAK,GAAG,CAAC;AAAA,aACX,OAAO,eAAe,KAAK,QAAQ;AAAA,UACtC,aACI,kDAAkDC,MAAAA;AAAAA,YAChDC,MAAAA;AAAAA,cACE,KAAK;AAAA,gBACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,gBACtC,KAAK,QAAQ,OAAO,iBAAiB,WAAW,QAAQ;AAAA,cAAA;AAAA,cAE1D,OAAO;AAAA,YAAA;AAAA,UACT,CACD,qBACD;AAAA,UACJ,iBACA,sBACA,yBACA,uBACI;AAAA,kBAEI;AAAA,YACE,CAAC,aAAa,aAAa;AAAA,YAC3B,CAAC,kBAAkB,kBAAkB;AAAA,YACrC,CAAC,qBAAqB,qBAAqB;AAAA,YAC3C,CAAC,oBAAoB,oBAAoB;AAAA,UAAA,EAG1C,OAAO,CAAC,MAAM,EAAE,CAAC,CAAC,EAClB,IAAI,CAAC,MAAM;AAEV,kBAAM,YAAY,EAAE,CAAC,EAAG,SAAS,SAAS,MAAM;AAChD,kBAAM,aAAa,YAAY,YAAY,EAAE,CAAC;AAE9C,kBAAM,aAAaD,MAAAA;AAAAA,cACjB,YACI,KAAK;AAAA,gBACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,gBACtC,KAAK;AAAA,kBACH,OAAO;AAAA,kBACP,EAAE,CAAC,EAAG;AAAA,gBAAA;AAAA,cACR,IAEFC,MAAAA;AAAAA,gBACE,KAAK;AAAA,kBACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,kBACtC,KAAK;AAAA,oBACH,OAAO;AAAA,oBACP,EAAE,CAAC,EAAG;AAAA,kBAAA;AAAA,gBACR;AAAA,gBAEF,OAAO;AAAA,cAAA;AAAA,YACT;AAEN,mBAAO,GACL,EAAE,CAAC,CACL,wCAAwC,UAAU,QAAQ,UAAU;AAAA,UACtE,CAAC,EACA,KAAK,KAAK,CAAC;AAAA,oBAEhB;AAAA,UACJ,qBACK,MAAM;AAEL,kBAAM,YAAY,kBAAkB,SAAS,SAAS,MAAM;AAC5D,kBAAM,iBAAiB,YAAY,cAAc;AAEjD,kBAAM,aAAaD,MAAAA;AAAAA,cACjB,YACI,KAAK;AAAA,gBACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,gBACtC,KAAK;AAAA,kBACH,OAAO;AAAA,kBACP,kBAAkB;AAAA,gBAAA;AAAA,cACpB,IAEFC,MAAAA;AAAAA,gBACE,KAAK;AAAA,kBACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,kBACtC,KAAK;AAAA,oBACH,OAAO;AAAA,oBACP,kBAAkB;AAAA,kBAAA;AAAA,gBACpB;AAAA,gBAEF,OAAO;AAAA,cAAA;AAAA,YACT;AAEN,mBAAO,yBAAyB,UAAU,kBAAkB,cAAc;AAAA,UAC5E,OACA;AAAA,QAAA,EACJ,KAAK,EAAE;AAAA,MAAA,EACT,KAAK,MAAM;AAAA,IACf,CAAC;AAGD,UAAM,gBAAgB,IAAIT,WAAAA,UAAU;AACpC,UAAM,aAAa,IAAI,kBAAkB,aAAa;AACtD,UAAM,oBAAoB,YAAY;AACtC,UAAM,yBAAyB,YAAY;AAC3C,UAAM,4BAA4B,YAAY;AAC9C,UAAM,2BAA2B,YAAY;AAE7C,QAAI,kBAAkB;AACtB,QACE,qBACA,0BACA,6BACA,0BACA;AACA,wBAAkB,gDAChB,qBACA,0BACA,6BACA,2BACI;AAAA,gBAEI;AAAA,QACE,CAAC,aAAa,iBAAiB;AAAA,QAC/B,CAAC,kBAAkB,sBAAsB;AAAA,QACzC,CAAC,qBAAqB,yBAAyB;AAAA,QAC/C,CAAC,oBAAoB,wBAAwB;AAAA,MAAA,EAG9C,OAAO,CAAC,MAAM,EAAE,CAAC,CAAC,EAClB,IAAI,CAAC,MAAM;AAEV,cAAM,YAAY,EAAE,CAAC,EAAG,SAAS,SAAS,MAAM;AAChD,cAAM,aAAa,YAAY,YAAY,EAAE,CAAC;AAE9C,cAAM,aAAaQ,MAAAA;AAAAA,UACjB,YACI,KAAK;AAAA,YACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,YACtC,KAAK,QAAQ,OAAO,iBAAiB,EAAE,CAAC,EAAG,QAAQ;AAAA,UAAA,IAErDC,MAAAA;AAAAA,YACE,KAAK;AAAA,cACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,cACtC,KAAK;AAAA,gBACH,OAAO;AAAA,gBACP,EAAE,CAAC,EAAG;AAAA,cAAA;AAAA,YACR;AAAA,YAEF,OAAO;AAAA,UAAA;AAAA,QACT;AAEN,eAAO,GAAG,EAAE,CAAC,CAAC,wCAAwC,UAAU,QAAQ,UAAU;AAAA,MACpF,CAAC,EACA,KAAK,KAAK,CAAC;AAAA,kBAEhB,EACN,uCAAuC,OAAO,eAAe,KAAK,kCAAkC;AAAA,IACtG;AAEA,QAAI,4BAA4B;AAChC,QAAI,uBAAuB;AAE3B,QAAI,CAAC,OAAO,cAAc;AACxB,YAAM,uBAAuBC,MAAAA,2BAA2B,IAAI,UAAU;AACtE,YAAM,iBAAiBC,MAAAA,qBAAqB,IAAI,UAAU;AAC1D,YAAM,iBAAiBC,MAAAA,qBAAqB,IAAI,UAAU;AAE1D,6BAAuB;AAAA,QACrB;AAAA,EACN,CAAC,GAAG,qBAAqB,SAAS,EACjC,OAAO,CAAC,CAAC,QAAQ,MAAM,QAAQ,EAC/B,IAAI,CAAC,CAAC,UAAU,SAAS,MAAM;AAC9B,iBAAO,IAAI,QAAQ,aAAaC,MAAAA,iCAAiC,SAAS,CAAC;AAAA,QAC7E,CAAC,CAAC;AAAA;AAAA,QAEI;AAAA,EACN,CAAC,GAAG,eAAe,SAAS,EAC3B,OAAO,CAAC,CAAC,EAAE,MAAM,EAAE,EACnB,IAAI,CAAC,CAAC,IAAI,SAAS,MAAM;AACxB,iBAAO,IAAI,EAAE,aAAaA,MAAAA,iCAAiC,SAAS,CAAC;AAAA,QACvE,CAAC,CAAC;AAAA;AAAA,QAEI;AAAA,GACLC,sBAAW;AAAA,EACZ,CAAC,GAAG,eAAe,SAAS,EAAE,IAAI,CAAC,CAAC,IAAI,SAAS,MAAM;AACvD,iBAAO,IAAI,EAAE,aAAaD,MAAAA,iCAAiC,SAAS,CAAC;AAAA,QACvE,CAAC,CAAC;AAAA;AAAA,QAEM;AAAA;AAAA,aAGE,IAAI,WAAW,SAAS,IACpB,CAAC,GAAG,qBAAqB,KAAA,CAAM,EAC5B,OAAO,CAAC,aAAa,QAAQ,EAC7B,IAAI,CAAC,aAAa,IAAI,QAAQ,GAAG,EACjC,KAAK,GAAG,IACX,OACN;AAAA;AAAA,MAGE,IAAI,WAAW,SAAS,IACpB,CAAC,GAAG,eAAe,KAAA,CAAM,EACtB,OAAO,CAAC,OAAO,EAAE,EACjB,IAAI,CAAC,OAAO,IAAI,EAAE,GAAG,EACrB,KAAK,GAAG,IACX,OACN;AAAA,MACF,CAAC,IAAIC,sBAAW,KAAK,GAAG,CAAC,GAAG,eAAe,KAAA,CAAM,EAAE,IAAI,CAAC,OAAO,IAAI,EAAE,GAAG,CAAC,EAAE,KAAK,GAAG,CAAC;AAAA;AAAA;AAAA,QAGlF;AAAA,EACN,IAAI,UAAU,IAAI,CAAC,UAAU,GAAG,MAAM,YAAY,iBAAiBD,MAAAA,iCAAiC,KAAK,CAAC,EAAE,EAAE,KAAK,GAAG,CAAC;AAAA;AAAA,MAAA,EAEjH,KAAK,IAAI;AAEX,kCAA4BE,MAAAA,+BAA+B;AAAA,QACzD,QAAQ,KAAK,eAAe;AAAA,QAC5B,eAAe;AAAA,QACf,YAAY;AAAA,MAEd,CAAC;AAAA,IACH;AAEA,UAAM,YAAY;AAAA,MAChB,0BAA0B,OAAO,eAAe,KAAK,qBAAqB;AAAA,IAC5E,IAAI,UACH;AAAA,QACC,CAAC,UACC,GAAG,MAAM,YAAY,UAAUF,MAAAA,iCAAiC,KAAK,CAAC;AAAA,MAAA,EAEzE,KAAK,GAAG,CAAC;AAAA;AAAA,MAER,kBACI,gBAAgB;AAAA,QACd;AAAA,QACA;AAAA,MAAA,IAEF,+EAA+E,OAAO,eAAe,KAAK,kCAAkC;AAAA,IAAA,EAChJ,KAAK,IAAI;AAEXG,UAAAA;AAAAA,MACE,iBAAiB;AAAA,QACf,CAAC,MAAM,EAAE,aAAa,UAAa,WAAW,EAAE;AAAA,MAAA;AAAA,MAElD;AAAA,IAAA;AAGF,QAAI,gBAAgBC,MAAAA,wBAAwB,OAAO;AACnD,QAAI,OAAO,cAAc;AACvB,sBAAgB,cAAc,OAAO,CAAC,MAAM,EAAE,eAAe,MAAM;AAAA,IACrE;AAEA,UAAM,mBAAmB,cAAc,IAAIC,uBAAiB;AAE5D,QAAI,qBAAqB;AACzB,QAAI,OAAO,sBAAsB,SAAS,CAAC,OAAO,cAAc;AAC9D,2BAAqB,KAAK,gBACvB,IAAI,CAAC,SAAS;AACb,cAAM,uBAAuB,CAAC,cAA0B;AACtD,cAAI,CAACb,MAAAA,gCAAgC,SAAS,GAAG;AAC/C,mBAAO;AAAA,UACT;AACA,cAAIc,sBAAqB;AACzB,cAAI,UAAU,iBAAiB,QAAQ;AACrCA,kCAAqB,oEAAoE,UAAU,SAAS;AAAA,UAC9G,OAAO;AACLA,kCAAqB,2CAA2C,UAAU,SAAS;AAAA,sCAC3D,UAAU,SAAS;AAAA,sCACnB,UAAU,SAAS;AAAA,sCACnB,UAAU,SAAS;AAAA,sCACnB,UAAU,SAAS;AAAA;AAAA;AAAA,UAG7C;AAEA,iBAAO,qBAAqBC,oBAAc,WAAW,QAAQ,KAAK,sBAAsB,CAAC;AAAA,wBAC7ED,mBAAkB;AAAA;AAAA,QAEhC;AACA,eAAO,qBAAqB,IAAI;AAAA,MAClC,CAAC,EACA,KAAK,IAAI;AAAA,IACd;AAEA,UAAM,kBAAkBf,MAAAA;AAAAA,MACtB;AAAA,MACA;AAAA,MACA,KAAK;AAAA,MACL,KAAK;AAAA,IAAA;AAEP,iBAAa,QAAQ,eAAe;AAEpC,QAAI,SAAwB,CAAA;AAC5B,QAAI,OAAO,qBAAqB;AAC9B,UAAI,MAAM,QAAQ,OAAO,mBAAmB,GAAG;AAC7C,iBAAS,OAAO;AAAA,MAClB,OAAO;AACL,iBAAS,OAAO,oBAAA;AAAA,MAClB;AAAA,IACF;AACA,UAAM,mBAAmB;AAAA,MACvB,GAAG,OAAO;AAAA,MACV;AAAA;AAAA;AAAA,MAGA,CAAC,GAAG,gBAAgB,EAAE,KAAK,IAAI;AAAA,MAC/Ba,MAAAA,wBAAwB,YAAY,EAAE,IAAIC,MAAAA,iBAAiB,EAAE,KAAK,IAAI;AAAA,MACtE,kBAAkB,KAAK,IAAI;AAAA,MAC3B,mBAAmB,KAAK,IAAI;AAAA,MAC5B;AAAA,MACA;AAAA,MACA;AAAA,MACA,gBAAgB,KAAK,IAAI;AAAA,MACzB;AAAA,MACA,GAAG;AAAA,IAAA,EAEF,OAAO,OAAO,EACd,KAAK,MAAM;AACd,WAAO;AAAA,MACL;AAAA,MACA,WAAW,IAAI;AAAA,MACf,YAAY,IAAI;AAAA,IAAA;AAAA,EAEpB;AAAA,EAEA,MAAc,qBAAqB,MAIzB;AACR,UAAM,SAAS,MAAM,KAAK,sBAAsB,IAAI;AAEpD,QAAI,OAAO,WAAW,SAAS;AAC7B,aAAO;AAAA,QACL,MAAM,OAAO,WAAW;AAAA,QACxB,iBAAiB;AAAA,QACjB,YAAY,OAAO;AAAA,MAAA;AAAA,IAEvB;AAEA,UAAM,qBAAqB,OAAO;AAElC,UAAM,oBAAoB,MAAM,KAAK,GAAG,SAAS,KAAK,QAAQ;AAC9D,QAAI,sBAAsB,qBAAqB;AAC7C,YAAM,IAAI,MAAM,WAAW,KAAK,QAAQ,iBAAiB;AAAA,IAC3D;AAEA,UAAM,oBAAyC;AAAA,MAC7C,aAAa,kBAAkB;AAAA,MAC/B,SAAS,kBAAkB,KAAK;AAAA,MAChC,SAAS,KAAK,aAAa;AAAA,MAC3B;AAAA,IAAA;AAGF,UAAM,mBAAmB,KAAK,WAAW,WAAW,KAAK,IAAI,KAAK;AAElE,QAAI,uBAAuB;AAC3B,QAAI,kBAAkB;AAEtB,QAAI,CAAC,kBAAkB,aAAa;AAClC,6BAAuB;AACvB,wBAAkB;AAElB,UAAI,KAAK,iBAAiB,QAAQ;AAChC,cAAM,qBAAqB,KAAK,eAAe;AAG/C,0BAAkB,cAAc,MAAMG,SAAAA;AAAAA,UACpC,KAAK;AAAA,WACJ,KAAK,OAAO,mBAAmB,qBAC9B,KAAK,OAAO,mBAAmB,kBAC/B,mBAAmB,SAAA;AAAA,UACrB;AAAA,YACE,YAAY,mBAAmB,QAAQ,WAAA;AAAA,YACvC,SAAS,iBAAiB,WAAW,eAAe,IAAI;AAAA,YACxD,gBACE,mBAAmB,QAAQ,eAAe,gBAAgB;AAAA,YAC5D,cAAc,mBAAmB,QAAQ,aAAA;AAAA,UAAa;AAAA,QACxD;AAAA,MAEJ;AAAA;AAAA,QAEG,CAAC,UAAU,QAAQ,EAAgC;AAAA,UAClD,CAAC,MAAM,MAAM,KAAK;AAAA,QAAA,KAGlB;AAAA,UACE;AAAA,UACA;AAAA,UACA;AAAA,UACA;AAAA,UACA;AAAA,QAAA,EAEF,MAAM,CAAC,MAAM,MAAM,KAAK,YAAY;AAAA,QACtC;AACA,cAAM,iBAAiB,KAAK,eAAe;AAC3C,0BAAkB,cAAc,MAAMA,SAAAA;AAAAA,UACpC,KAAK;AAAA,UACL,KAAK,OAAO,mBAAmB,iBAC7B,eAAe,SAAA;AAAA,UACjB;AAAA,YACE,YAAY,eAAe,QAAQ,WAAA;AAAA,YACnC,SAAS,iBAAiB,WAAW,eAAe,IAAI;AAAA,YACxD,gBACE,eAAe,QAAQ,eAAe,gBAAgB;AAAA,YACxD,cAAc,eAAe,QAAQ,aAAA;AAAA,UAAa;AAAA,QACpD;AAAA,MAEJ,OAAO;AACL,eAAO;AAAA,MACT;AAAA,IACF;AAIA,UAAM,YAAY,KAAK,SAAS,SAAS,MAAM;AAE/C,QAAI,CAAC,WAAW;AAEd,YAAM,kBAAkB,MAAMC,oBAAU;AAAA,QACtC,QAAQ,kBAAkB;AAAA,QAC1B,KAAK;AAAA,UACH,QAAQ,KAAK,OAAO;AAAA,UACpB,SAAS;AAAA,UACT,MAAM,KAAK,iBAAiB;AAAA,UAC5B,mBAAmB,EAAE,KAAK,OAAO,sBAAsB;AAAA,QAAA;AAAA,QAEzD;AAAA,MAAA,CACD;AAED,UAAI,gBAAgB,WAAW,mBAAmB;AAChD,aAAK,OAAO;AAAA,UACV,eAAe,KAAK,QAAQ;AAAA,QAAA;AAE9B,eAAO;AAAA,MACT;AACA,UAAI,gBAAgB,WAAW,SAAS;AACtC,cAAM,IAAI;AAAA,UACR,iCAAiC,KAAK,QAAQ,KAAK,gBAAgB,KAAK;AAAA,QAAA;AAAA,MAE5E;AACA,UAAI,gBAAgB,WAAW,YAAY;AACzC,0BAAkB,cAAc,gBAAgB;AAChD,+BAAuB;AAAA,MACzB;AAAA,IACF;AAEA,eAAW,UAAU,KAAK,SAAS;AACjC,aAAO,iBAAiB,EAAE,MAAM,UAAU,oBAAoB,MAAM;AAAA,IACtE;AAGA,QAAI,sBAAsB;AACxB,YAAM,QAAQ,MAAM,KAAK,cAAc;AAAA,QACrC,UAAU,KAAK;AAAA,QACf,YAAY,kBAAkB;AAAA,QAC9B,UAAU;AAAA,UACR,MAAM;AAAA,UACN,iBAAiB,kBAAkB;AAAA,QAAA;AAAA,MACrC,CACD;AACD,wBAAkB,UAAU,MAAM;AAAA,IACpC;AAEA,SAAK,qBAAqB,IAAI,KAAK,UAAU,iBAAiB;AAC9D,WAAO;AAAA,MACL;AAAA,MACA;AAAA,MACA,YAAY;AAAA,IAAA;AAAA,EAEhB;AAAA,EAEA,MAAc,kCACZ,MAIA,OAC+C;AAC/C,UAAM,aAAa,KAAK,KAAK,EAAE,IAAI,KAAK,IAAI;AAC5C,WAAO,KAAK,6BAA6B,MAAM,UAAU;AAAA,EAC3D;AAAA,EAEA,MAAc,6BAGZ,MAIA,YACuC;AAKvC,QAAI,CAAC,YAAY;AACf,aAAO,EAAE,QAAQ,oBAAA;AAAA,IACnB;AACA,QAAI,UAAU,KAAK;AAEnB,QAAI,YAAY,QAAW;AACzB,UAAI;AACF,cAAM,cAAc,MAAM,KAAK,GAAG,KAAK,KAAK,IAAI;AAChD,kBAAU,YAAY;AAAA,MACxB,QAAQ;AACN,eAAO,EAAE,QAAQ,mBAAA;AAAA,MACnB;AAAA,IACF;AACA,WAAO,EAAE,QAAQ,YAAY,WAAW,SAAS,SAAS,WAAA;AAAA,EAC5D;AAAA,EAEA,MAAc,cAAc,MAWzB;AACD,UAAM,UAAU,KAAK,gBAAgB,KAAK,QAAQ;AAClD,UAAM,KAAK,GAAG,UAAU,SAAS,KAAK,UAAU;AAEhD,QAAI,KAAK,SAAS,SAAS,SAAS;AAClC,YAAM,aAAa,MAAM,KAAK,GAAG,KAAK,KAAK,QAAQ;AACnD,UAAI,WAAW,YAAY,KAAK,SAAS,iBAAiB;AACxD,cAAM,MAAM;AAAA,UACV,KAAK,QAAQ,KAAK,QAAQ;AAAA,UAC1B,OAAO,EAAE,MAAM,UAAU,MAAM,KAAK,SAAA;AAAA,QAAS,CAC9C;AAAA,MACH;AACA,YAAM,eAAe,MAAM,KAAK,GAAG,KAAK,OAAO;AAC/C,UAAI,aAAa,SAAS,WAAW,MAAM;AACzC,cAAM,KAAK,GAAG,MAAM,SAAS,WAAW,IAAI;AAAA,MAC9C;AACA,UACE,aAAa,QAAQ,WAAW,OAChC,aAAa,QAAQ,WAAW,KAChC;AACA,YAAI;AACF,gBAAM,KAAK,GAAG,MAAM,SAAS,WAAW,KAAK,WAAW,GAAG;AAAA,QAC7D,SAAS,KAAK;AACZ,cACE,OAAO,QAAQ,YACf,QAAQ,QACR,UAAU,OACT,IAAY,SAAS,SACtB;AACA,oBAAQ;AAAA,cACN,iCAAkC,IAAY,OAAO;AAAA,YAAA;AAAA,UAEzD,OAAO;AACL,kBAAM;AAAA,UACR;AAAA,QACF;AAAA,MACF;AAAA,IACF,OAAO;AACL,UAAI,MAAMC,MAAAA,gBAAgB,KAAK,QAAQ,GAAG;AACxC,cAAM,MAAM;AAAA,UACV,KAAK,QAAQ,KAAK,QAAQ;AAAA,UAC1B,OAAO,EAAE,MAAM,UAAU,MAAM,KAAK,SAAA;AAAA,QAAS,CAC9C;AAAA,MACH;AAAA,IACF;AAEA,UAAM,OAAO,MAAM,KAAK,GAAG,KAAK,OAAO;AAEvC,UAAM,KAAK,GAAG,OAAO,SAAS,KAAK,QAAQ;AAE3C,WAAO;AAAA,EACT;AAAA,EAEQ,gBAAgB,UAAkB;AACxC,UAAM,UAAU,KAAK,QAAQ,QAAQ;AACrC,UAAM,OAAO,OAAO,WAAW,KAAK,EAAE,OAAO,OAAO,EAAE,OAAO,KAAK;AAElE,QAAI,CAAC,KAAK,WAAW;AAEnB1B,cAAAA,UAAU,KAAK,OAAO,QAAQ,EAAE,WAAW,MAAM;AACjD,WAAK,YAAY,OAAO,YAAY,CAAC,EAAE,SAAS,KAAK;AAAA,IACvD;AACA,WAAO,KAAK,KAAK,KAAK,OAAO,QAAQ,GAAG,KAAK,SAAS,IAAI,IAAI,EAAE;AAAA,EAClE;AAAA,EAEA,MAAc,sBAAsB,MAMlC;AACA,UAAM,mBAAmB,MAAM,KAAK;AAAA,MAClC,EAAE,MAAM,KAAK,SAAA;AAAA,MACb;AAAA,IAAA;AAEF,QAAI,iBAAiB,WAAW,OAAO;AACrC,WAAK,qBAAqB,IAAI,KAAK,UAAU,iBAAiB,UAAU;AACxE,aAAO;AAAA,QACL,QAAQ;AAAA,QACR,YAAY,iBAAiB;AAAA,MAAA;AAAA,IAEjC;AACA,QAAI,iBAAiB,WAAW,oBAAoB;AAClD,YAAM,IAAI,MAAM,sCAAsC,KAAK,QAAQ,EAAE;AAAA,IACvE;AACA,UAAM,UACJ,iBAAiB,WAAW,OAAO,iBAAiB,UAAU;AAEhE,UAAM,wBAAwB,MAAM,KAAK;AAAA,MACvC,EAAE,MAAM,KAAK,UAAU,QAAA;AAAA,MACvB;AAAA,IAAA;AAGF,QAAI,sBAAsB,WAAW,oBAAoB;AACvD,YAAM,IAAI,MAAM,sCAAsC,KAAK,QAAQ,EAAE;AAAA,IACvE;AAEA,QAAI,sBAAsB,WAAW,OAAO;AAE1C,UAAI,iBAAiB,WAAW,MAAM;AACpC,eAAO;AAAA,UACL,QAAQ;AAAA,UACR,YAAY,sBAAsB;AAAA,QAAA;AAAA,MAEtC;AAAA,IACF;AAEA,QAAI,iBAAiB,WAAW,qBAAqB;AACnD,aAAO;AAAA,QACL,QAAQ;AAAA,MAAA;AAAA,IAEZ;AACA,WAAO,EAAE,QAAQ,SAAS,YAAY,iBAAiB,WAAA;AAAA,EACzD;AAAA,EAEA,MAAc,eAAe,MAAiB;AAC5C,UAAM,SAAS,MAAM,KAAK,sBAAsB,IAAI;AAEpD,QAAI,OAAO,WAAW,SAAS;AAC7B,WAAK,qBAAqB,IAAI,KAAK,UAAU,OAAO,UAAU;AAAA,IAChE;AACA,UAAM,eAAe,MAAM,KAAK,GAAG,SAAS,KAAK,QAAQ;AACzD,QAAI,iBAAiB,qBAAqB;AACxC,YAAM,IAAI,MAAM,sCAAsC,KAAK,QAAQ,EAAE;AAAA,IACvE;AAEA,UAAM,oBAAyC;AAAA,MAC7C,aAAa,aAAa;AAAA,MAC1B,SAAS,aAAa,KAAK;AAAA,MAC3B,SAAS,KAAK,aAAa;AAAA,MAC3B;AAAA,IAAA;AAIF,QAAI,CAAC,aAAa,aAAa;AAC7B,YAAM,eAAe,KAAK,eAAe;AACzC,YAAM,mBAAmB,MAAMwB,SAAAA;AAAAA,QAC7B,KAAK;AAAA,QACL,aAAa,SAAA;AAAA,QACb;AAAA,UACE,YAAY,aAAa,QAAQ,WAAA;AAAA,UACjC,SAASrB,WAAAA;AAAAA,UACT,gBAAgB,aAAa,QAAQ,eAAA;AAAA,UACrC,cAAc,aAAa,QAAQ,aAAA;AAAA,QAAa;AAAA,MAClD;AAGF,WAAK,OAAO,IAAI,eAAe,KAAK,QAAQ,EAAE;AAC9C,YAAM,QAAQ,MAAM,KAAK,cAAc;AAAA,QACrC,UAAU,KAAK;AAAA,QACf,YAAY;AAAA,QACZ,UAAU;AAAA,UACR,MAAM;AAAA,UACN,iBAAiB,aAAa,KAAK;AAAA,QAAA;AAAA,MACrC,CACD;AACD,wBAAkB,cAAc;AAChC,wBAAkB,UAAU,MAAM;AAAA,IACpC;AAEA,SAAK,qBAAqB,IAAI,KAAK,UAAU,iBAAiB;AAAA,EAChE;AAAA,EAEA,MAAa,oBAAyD;AACpE,UAAM,KAAK;AACX,WAAO,KAAK;AAAA,EACd;AAAA,EAEA,OAAe,WACb,MACA,KACA,WACA,QACA;AACA,QAAI,cAAcwB,MAAAA,eAAe,WAAW,MAAM,KAAK,SAAS;AAKhE,QAAI,CAAC,eAAe,KAAK,WAAW;AAClC,UAAI,aAAa,KAAK;AACtB,aAAO,WAAW,SAAS,GAAG;AAC5B,cAAM,YAAY,WAAW,YAAY,GAAG;AAC5C,YAAI,aAAa,EAAG;AACpB,qBAAa,WAAW,UAAU,GAAG,SAAS;AAC9C,cAAM,YAAY,IAAI,iBAAiB,IAAI,UAAU;AACrD,YAAI,aAAa,UAAU,cAAc,KAAK,WAAW;AACvD,wBAAc;AACd;AAAA,QACF;AAAA,MACF;AAAA,IACF;AAEA,QAAI,kBAAkB,SAAS;AAE/B,SAAK,OAAOC,MAAAA,kBAAkB,IAAI;AAElC,UAAM,cAAcC,MAAAA,aAAa,KAAK,QAAQ,EAAE;AAChD,UAAM,sBAAsBA,MAAAA;AAAAA,MAC1B,KAAK,mBAAmB;AAAA,QACtB,KAAK,QAAQ,qBAAqB;AAAA,QAClC;AAAA,MAAA,KACG;AAAA,IAAA;AAGP,UAAM,QAAQ,YAAY,MAAM,GAAG;AACnC,UAAM,gBAAgB,oBAAoB,MAAM,GAAG;AACnD,UAAM,mBAAmB,MAAM,MAAM,SAAS,CAAC,KAAK;AACpD,UAAM,sBACJ,cAAc,cAAc,SAAS,CAAC,KAAK;AAG7C,SAAK,YACHC,MAAAA,kBAAkB,kBAAkB,mBAAmB,KACvD,MAAM,MAAM,CAAC,SAAS,KAAK,uBAAuB,KAAK,IAAI,CAAC;AAG9D,SAAK,cAAcC,MAAAA;AAAAA,MACjBC,MAAAA;AAAAA,QACEC,MAAAA,+BAA+B,KAAK,MAAM,KAAK,iBAAiB;AAAA,QAChE,KAAK;AAAA,MAAA;AAAA,IACP;AAGF,QACE,KAAK,iBAAiB,YACtB,KAAK,iBAAiB,mBACtB;AACA,WAAK,cAAcC,0BAAoB,KAAK,WAAW;AAAA,IACzD;AAEA,QACE,CAAC,KAAK,aAEJ;AAAA,MACE;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,IAAA,EAEF,KAAK,CAAC,MAAM,MAAM,KAAK,YAAY,GACrC;AACA,UAAI,kBAAkB,KAAK,SAAU,IACnC,IAAI,kBAAkB,KAAK,SAAU,KAAK,CAAA;AAE5C,YAAM,WACJ,KAAK,iBAAiB,SAClB,SACC,KAAK;AACZ,UAAI,kBAAkB,KAAK,SAAU,EAAG,QAAQ,IAAI;AAEpD,YAAM,cAAc,IAAI,iBAAiB,IAAI,KAAK,SAAU;AAG5D,UAAI,CAAC,eAAe,KAAK,cAAc,IAAI/B,WAAAA,UAAU,IAAI;AACvD,aAAK;AAAA,UACH;AAAA,YACE,GAAG;AAAA,YACH,WAAW;AAAA,YACX,cAAc;AAAA,UAAA;AAAA,UAEhB;AAAA,UACA;AAAA,UACA;AAAA,QAAA;AAAA,MAEJ;AACA;AAAA,IACF;AAEA,UAAM,2BACJ,KAAK,iBAAiB,qBACtB,KAAK,eACL,KAAK,YAAY,SAAS;AAG5B,QAAI,CAAC,KAAK,aAAa,0BAA0B;AAC/C,YAAM,sBACJgC,MAAAA,0BAA0B,KAAK,SAAS,KAAK;AAC/C,YAAM,8BACJA,MAAAA,0BAA0B,KAAK,iBAAiB,KAAK;AACvD,UAAI,aAAa;AAGjB,aAAO,YAAY;AACjB,cAAM,YAAY,IAAI,iBAAiB,IAAI,UAAU;AACrD,YAAI,aAAa,CAAC,UAAU,aAAa,UAAU,SAAS,KAAK;AAC/D,eAAK,SAAS;AACd,eAAK,OACH,KAAK,WAAW,QAAQ,UAAU,aAAa,IAAI,EAAE,KAAK;AAC5D,gBAAM,uBACJ,oBAAoB,QAAQ,UAAU,aAAa,IAAI,EAAE,KAAK;AAChE,gBAAM,+BACJ,4BAA4B;AAAA,YAC1B,UAAU,qBAAqB;AAAA,YAC/B;AAAA,UAAA,KACG;AACP,eAAK,cAAcJ,MAAAA;AAAAA,YACjBC,MAAAA;AAAAA,cACEC,MAAAA;AAAAA,gBACE;AAAA,gBACA;AAAA,cAAA;AAAA,cAEF;AAAA,YAAA;AAAA,UACF;AAEF;AAAA,QACF;AACA,YAAI,eAAe,IAAK;AACxB,qBAAaE,MAAAA,0BAA0B,UAAU,KAAK;AAAA,MACxD;AAAA,IACF;AAGA,QAAI,KAAK,QAAQ;AACf,WAAK,OAAO,WAAW,KAAK,OAAO,YAAY,CAAA;AAC/C,WAAK,OAAO,SAAS,KAAK,IAAI;AAAA,IAChC,OAAO;AACL,UAAI,UAAU,KAAK,IAAI;AAAA,IACzB;AAEA,QAAI,WAAW,KAAK,IAAI;AACxB,QAAI,KAAK,WAAW;AAKlB,UAAI,iBAAiB,IAAI,KAAK,WAAW,IAAI;AAAA,IAC/C;AAAA,EACF;AAAA;AAAA,EAGQ,qCAAqC,UAA2B;AAEtE,QAAI,aAAa,KAAK,wBAAwB;AAC5C,aAAO;AAAA,IACT;AAGA,QAAI,SAAS,WAAW,KAAK,mBAAmB,GAAG;AACjD,aAAO;AAAA,IACT;AAGA,QACE,OAAO,KAAK,OAAO,uBAAuB,YAC1C,aAAa,KAAK,OAAO,oBACzB;AACA,aAAO;AAAA,IACT;AAGA,QAAI,KAAK,eAAe,IAAI,QAAQ,GAAG;AACrC,aAAO;AAAA,IACT;AAGA,QAAIC,gBAAAA,oBAAoB,KAAK,SAAS,QAAQ,CAAC,GAAG;AAChD,aAAO;AAAA,IACT;AAGA,QAAI,KAAK,oBAAoB,KAAK,CAAC,QAAQ,SAAS,WAAW,GAAG,CAAC,GAAG;AACpE,aAAO;AAAA,IACT;AAEA,WAAO;AAAA,EACT;AACF;AAp1CE,WAAe,yBAAyB;AAKxC,WAAe,sBACb;AAnCG,IAAM,YAAN;;"}
@@ -166,11 +166,12 @@ async function getRouteNodes(config, root) {
166
166
  if (originalRoutePath === config.indexToken) {
167
167
  originalRoutePath = "/";
168
168
  }
169
- routePath = routePath.replace(new RegExp(`/${config.indexToken}$`), "/") || "/";
169
+ const isLayoutRoute = routeType === "layout";
170
+ routePath = routePath.replace(new RegExp(`/${config.indexToken}$`), "/") || (isLayoutRoute ? "" : "/");
170
171
  originalRoutePath = originalRoutePath.replace(
171
172
  new RegExp(`/${config.indexToken}$`),
172
173
  "/"
173
- ) || "/";
174
+ ) || (isLayoutRoute ? "" : "/");
174
175
  }
175
176
  routeNodes.push({
176
177
  filePath,
@@ -1 +1 @@
1
- {"version":3,"file":"getRouteNodes.js","sources":["../../../../src/filesystem/physical/getRouteNodes.ts"],"sourcesContent":["import path from 'node:path'\nimport * as fsp from 'node:fs/promises'\nimport {\n determineInitialRoutePath,\n hasEscapedLeadingUnderscore,\n removeExt,\n replaceBackslash,\n routePathToVariable,\n} from '../../utils'\nimport { getRouteNodes as getRouteNodesVirtual } from '../virtual/getRouteNodes'\nimport { loadConfigFile } from '../virtual/loadConfigFile'\nimport { logging } from '../../logger'\nimport { rootPathId } from './rootPathId'\nimport type {\n VirtualRootRoute,\n VirtualRouteSubtreeConfig,\n} from '@tanstack/virtual-file-routes'\nimport type { FsRouteType, GetRouteNodesResult, RouteNode } from '../../types'\nimport type { Config } from '../../config'\n\nconst disallowedRouteGroupConfiguration = /\\(([^)]+)\\).(ts|js|tsx|jsx|vue)/\n\nconst virtualConfigFileRegExp = /__virtual\\.[mc]?[jt]s$/\nexport function isVirtualConfigFile(fileName: string): boolean {\n return virtualConfigFileRegExp.test(fileName)\n}\n\nexport async function getRouteNodes(\n config: Pick<\n Config,\n | 'routesDirectory'\n | 'routeFilePrefix'\n | 'routeFileIgnorePrefix'\n | 'routeFileIgnorePattern'\n | 'disableLogging'\n | 'routeToken'\n | 'indexToken'\n >,\n root: string,\n): Promise<GetRouteNodesResult> {\n const { routeFilePrefix, routeFileIgnorePrefix, routeFileIgnorePattern } =\n config\n\n const logger = logging({ disabled: config.disableLogging })\n const routeFileIgnoreRegExp = new RegExp(routeFileIgnorePattern ?? '', 'g')\n\n const routeNodes: Array<RouteNode> = []\n const allPhysicalDirectories: Array<string> = []\n\n async function recurse(dir: string) {\n const fullDir = path.resolve(config.routesDirectory, dir)\n let dirList = await fsp.readdir(fullDir, { withFileTypes: true })\n\n dirList = dirList.filter((d) => {\n if (\n d.name.startsWith('.') ||\n (routeFileIgnorePrefix && d.name.startsWith(routeFileIgnorePrefix))\n ) {\n return false\n }\n\n if (routeFilePrefix) {\n if (routeFileIgnorePattern) {\n return (\n d.name.startsWith(routeFilePrefix) &&\n !d.name.match(routeFileIgnoreRegExp)\n )\n }\n\n return d.name.startsWith(routeFilePrefix)\n }\n\n if (routeFileIgnorePattern) {\n return !d.name.match(routeFileIgnoreRegExp)\n }\n\n return true\n })\n\n const virtualConfigFile = dirList.find((dirent) => {\n return dirent.isFile() && isVirtualConfigFile(dirent.name)\n })\n\n if (virtualConfigFile !== undefined) {\n const virtualRouteConfigExport = await loadConfigFile(\n path.resolve(fullDir, virtualConfigFile.name),\n )\n let virtualRouteSubtreeConfig: VirtualRouteSubtreeConfig\n if (typeof virtualRouteConfigExport.default === 'function') {\n virtualRouteSubtreeConfig = await virtualRouteConfigExport.default()\n } else {\n virtualRouteSubtreeConfig = virtualRouteConfigExport.default\n }\n const dummyRoot: VirtualRootRoute = {\n type: 'root',\n file: '',\n children: virtualRouteSubtreeConfig,\n }\n const { routeNodes: virtualRouteNodes, physicalDirectories } =\n await getRouteNodesVirtual(\n {\n ...config,\n routesDirectory: fullDir,\n virtualRouteConfig: dummyRoot,\n },\n root,\n )\n allPhysicalDirectories.push(...physicalDirectories)\n virtualRouteNodes.forEach((node) => {\n const filePath = replaceBackslash(path.join(dir, node.filePath))\n const routePath = `/${dir}${node.routePath}`\n\n node.variableName = routePathToVariable(\n `${dir}/${removeExt(node.filePath)}`,\n )\n node.routePath = routePath\n // Keep originalRoutePath aligned with routePath for escape detection\n if (node.originalRoutePath) {\n node.originalRoutePath = `/${dir}${node.originalRoutePath}`\n }\n node.filePath = filePath\n })\n\n routeNodes.push(...virtualRouteNodes)\n\n return\n }\n\n await Promise.all(\n dirList.map(async (dirent) => {\n const fullPath = replaceBackslash(path.join(fullDir, dirent.name))\n const relativePath = path.posix.join(dir, dirent.name)\n\n if (dirent.isDirectory()) {\n await recurse(relativePath)\n } else if (fullPath.match(/\\.(tsx|ts|jsx|js|vue)$/)) {\n const filePath = replaceBackslash(path.join(dir, dirent.name))\n const filePathNoExt = removeExt(filePath)\n const {\n routePath: initialRoutePath,\n originalRoutePath: initialOriginalRoutePath,\n } = determineInitialRoutePath(filePathNoExt)\n\n let routePath = initialRoutePath\n let originalRoutePath = initialOriginalRoutePath\n\n if (routeFilePrefix) {\n routePath = routePath.replaceAll(routeFilePrefix, '')\n originalRoutePath = originalRoutePath.replaceAll(\n routeFilePrefix,\n '',\n )\n }\n\n if (disallowedRouteGroupConfiguration.test(dirent.name)) {\n const errorMessage = `A route configuration for a route group was found at \\`${filePath}\\`. This is not supported. Did you mean to use a layout/pathless route instead?`\n logger.error(`ERROR: ${errorMessage}`)\n throw new Error(errorMessage)\n }\n\n const meta = getRouteMeta(routePath, originalRoutePath, config)\n const variableName = meta.variableName\n let routeType: FsRouteType = meta.fsRouteType\n\n if (routeType === 'lazy') {\n routePath = routePath.replace(/\\/lazy$/, '')\n originalRoutePath = originalRoutePath.replace(/\\/lazy$/, '')\n }\n\n // this check needs to happen after the lazy route has been cleaned up\n // since the routePath is used to determine if a route is pathless\n if (\n isValidPathlessLayoutRoute(\n routePath,\n originalRoutePath,\n routeType,\n config,\n )\n ) {\n routeType = 'pathless_layout'\n }\n\n // Only show deprecation warning for .tsx/.ts files, not .vue files\n // Vue files using .component.vue is the Vue-native way\n const isVueFile = filePath.endsWith('.vue')\n if (!isVueFile) {\n ;(\n [\n ['component', 'component'],\n ['errorComponent', 'errorComponent'],\n ['notFoundComponent', 'notFoundComponent'],\n ['pendingComponent', 'pendingComponent'],\n ['loader', 'loader'],\n ] satisfies Array<[FsRouteType, string]>\n ).forEach(([matcher, type]) => {\n if (routeType === matcher) {\n logger.warn(\n `WARNING: The \\`.${type}.tsx\\` suffix used for the ${filePath} file is deprecated. Use the new \\`.lazy.tsx\\` suffix instead.`,\n )\n }\n })\n }\n\n // Get the last segment of originalRoutePath to check for escaping\n const originalSegments = originalRoutePath.split('/').filter(Boolean)\n const lastOriginalSegmentForSuffix =\n originalSegments[originalSegments.length - 1] || ''\n\n // List of special suffixes that can be escaped\n const specialSuffixes = [\n 'component',\n 'errorComponent',\n 'notFoundComponent',\n 'pendingComponent',\n 'loader',\n config.routeToken,\n 'lazy',\n ]\n\n // Only strip the suffix if it wasn't escaped (not wrapped in brackets)\n const suffixToStrip = specialSuffixes.find((suffix) => {\n const endsWithSuffix = routePath.endsWith(`/${suffix}`)\n const isEscaped = lastOriginalSegmentForSuffix === `[${suffix}]`\n return endsWithSuffix && !isEscaped\n })\n\n if (suffixToStrip) {\n routePath = routePath.replace(new RegExp(`/${suffixToStrip}$`), '')\n originalRoutePath = originalRoutePath.replace(\n new RegExp(`/${suffixToStrip}$`),\n '',\n )\n }\n\n // Check if the index token should be treated specially or as a literal path\n // If it's escaped (wrapped in brackets in originalRoutePath), it should be literal\n const lastOriginalSegment =\n originalRoutePath.split('/').filter(Boolean).pop() || ''\n const isIndexEscaped =\n lastOriginalSegment === `[${config.indexToken}]`\n\n if (!isIndexEscaped) {\n if (routePath === config.indexToken) {\n routePath = '/'\n }\n\n if (originalRoutePath === config.indexToken) {\n originalRoutePath = '/'\n }\n\n routePath =\n routePath.replace(new RegExp(`/${config.indexToken}$`), '/') ||\n '/'\n\n originalRoutePath =\n originalRoutePath.replace(\n new RegExp(`/${config.indexToken}$`),\n '/',\n ) || '/'\n }\n\n routeNodes.push({\n filePath,\n fullPath,\n routePath,\n variableName,\n _fsRouteType: routeType,\n originalRoutePath,\n })\n }\n }),\n )\n\n return routeNodes\n }\n\n await recurse('./')\n\n // Find the root route node - prefer the actual route file over component/loader files\n const rootRouteNode =\n routeNodes.find(\n (d) =>\n d.routePath === `/${rootPathId}` &&\n ![\n 'component',\n 'errorComponent',\n 'notFoundComponent',\n 'pendingComponent',\n 'loader',\n 'lazy',\n ].includes(d._fsRouteType),\n ) ?? routeNodes.find((d) => d.routePath === `/${rootPathId}`)\n if (rootRouteNode) {\n rootRouteNode._fsRouteType = '__root'\n rootRouteNode.variableName = 'root'\n }\n\n return {\n rootRouteNode,\n routeNodes,\n physicalDirectories: allPhysicalDirectories,\n }\n}\n\n/**\n * Determines the metadata for a given route path based on the provided configuration.\n *\n * @param routePath - The determined initial routePath (with brackets removed).\n * @param originalRoutePath - The original route path (may contain brackets for escaped content).\n * @param config - The user configuration object.\n * @returns An object containing the type of the route and the variable name derived from the route path.\n */\nexport function getRouteMeta(\n routePath: string,\n originalRoutePath: string,\n config: Pick<Config, 'routeToken' | 'indexToken'>,\n): {\n // `__root` is can be more easily determined by filtering down to routePath === /${rootPathId}\n // `pathless` is needs to determined after `lazy` has been cleaned up from the routePath\n fsRouteType: Extract<\n FsRouteType,\n | 'static'\n | 'layout'\n | 'api'\n | 'lazy'\n | 'loader'\n | 'component'\n | 'pendingComponent'\n | 'errorComponent'\n | 'notFoundComponent'\n >\n variableName: string\n} {\n let fsRouteType: FsRouteType = 'static'\n\n // Get the last segment from the original path to check for escaping\n const originalSegments = originalRoutePath.split('/').filter(Boolean)\n const lastOriginalSegment =\n originalSegments[originalSegments.length - 1] || ''\n\n // Helper to check if a specific suffix is escaped\n const isSuffixEscaped = (suffix: string): boolean => {\n return lastOriginalSegment === `[${suffix}]`\n }\n\n if (\n routePath.endsWith(`/${config.routeToken}`) &&\n !isSuffixEscaped(config.routeToken)\n ) {\n // layout routes, i.e `/foo/route.tsx` or `/foo/_layout/route.tsx`\n fsRouteType = 'layout'\n } else if (routePath.endsWith('/lazy') && !isSuffixEscaped('lazy')) {\n // lazy routes, i.e. `/foo.lazy.tsx`\n fsRouteType = 'lazy'\n } else if (routePath.endsWith('/loader') && !isSuffixEscaped('loader')) {\n // loader routes, i.e. `/foo.loader.tsx`\n fsRouteType = 'loader'\n } else if (\n routePath.endsWith('/component') &&\n !isSuffixEscaped('component')\n ) {\n // component routes, i.e. `/foo.component.tsx`\n fsRouteType = 'component'\n } else if (\n routePath.endsWith('/pendingComponent') &&\n !isSuffixEscaped('pendingComponent')\n ) {\n // pending component routes, i.e. `/foo.pendingComponent.tsx`\n fsRouteType = 'pendingComponent'\n } else if (\n routePath.endsWith('/errorComponent') &&\n !isSuffixEscaped('errorComponent')\n ) {\n // error component routes, i.e. `/foo.errorComponent.tsx`\n fsRouteType = 'errorComponent'\n } else if (\n routePath.endsWith('/notFoundComponent') &&\n !isSuffixEscaped('notFoundComponent')\n ) {\n // not found component routes, i.e. `/foo.notFoundComponent.tsx`\n fsRouteType = 'notFoundComponent'\n }\n\n const variableName = routePathToVariable(routePath)\n\n return { fsRouteType, variableName }\n}\n\n/**\n * Used to validate if a route is a pathless layout route\n * @param normalizedRoutePath Normalized route path, i.e `/foo/_layout/route.tsx` and `/foo._layout.route.tsx` to `/foo/_layout/route`\n * @param originalRoutePath Original route path with brackets for escaped content\n * @param routeType The route type determined from file extension\n * @param config The `router-generator` configuration object\n * @returns Boolean indicating if the route is a pathless layout route\n */\nfunction isValidPathlessLayoutRoute(\n normalizedRoutePath: string,\n originalRoutePath: string,\n routeType: FsRouteType,\n config: Pick<Config, 'routeToken' | 'indexToken'>,\n): boolean {\n if (routeType === 'lazy') {\n return false\n }\n\n const segments = normalizedRoutePath.split('/').filter(Boolean)\n const originalSegments = originalRoutePath.split('/').filter(Boolean)\n\n if (segments.length === 0) {\n return false\n }\n\n const lastRouteSegment = segments[segments.length - 1]!\n const lastOriginalSegment =\n originalSegments[originalSegments.length - 1] || ''\n const secondToLastRouteSegment = segments[segments.length - 2]\n const secondToLastOriginalSegment =\n originalSegments[originalSegments.length - 2]\n\n // If segment === __root, then exit as false\n if (lastRouteSegment === rootPathId) {\n return false\n }\n\n // If segment === config.routeToken and secondToLastSegment is a string that starts with _, then exit as true\n // Since the route is actually a configuration route for a layout/pathless route\n // i.e. /foo/_layout/route.tsx === /foo/_layout.tsx\n // But if the underscore is escaped, it's not a pathless layout\n if (\n lastRouteSegment === config.routeToken &&\n typeof secondToLastRouteSegment === 'string' &&\n typeof secondToLastOriginalSegment === 'string'\n ) {\n // Check if the underscore is escaped\n if (hasEscapedLeadingUnderscore(secondToLastOriginalSegment)) {\n return false\n }\n return secondToLastRouteSegment.startsWith('_')\n }\n\n // Segment starts with _ but check if it's escaped\n // If the original segment has [_] at the start, the underscore is escaped and it's not a pathless layout\n if (hasEscapedLeadingUnderscore(lastOriginalSegment)) {\n return false\n }\n\n return (\n lastRouteSegment !== config.indexToken &&\n lastRouteSegment !== config.routeToken &&\n lastRouteSegment.startsWith('_')\n )\n}\n"],"names":["getRouteNodesVirtual"],"mappings":";;;;;;;AAoBA,MAAM,oCAAoC;AAE1C,MAAM,0BAA0B;AACzB,SAAS,oBAAoB,UAA2B;AAC7D,SAAO,wBAAwB,KAAK,QAAQ;AAC9C;AAEA,eAAsB,cACpB,QAUA,MAC8B;AAC9B,QAAM,EAAE,iBAAiB,uBAAuB,uBAAA,IAC9C;AAEF,QAAM,SAAS,QAAQ,EAAE,UAAU,OAAO,gBAAgB;AAC1D,QAAM,wBAAwB,IAAI,OAAO,0BAA0B,IAAI,GAAG;AAE1E,QAAM,aAA+B,CAAA;AACrC,QAAM,yBAAwC,CAAA;AAE9C,iBAAe,QAAQ,KAAa;AAClC,UAAM,UAAU,KAAK,QAAQ,OAAO,iBAAiB,GAAG;AACxD,QAAI,UAAU,MAAM,IAAI,QAAQ,SAAS,EAAE,eAAe,MAAM;AAEhE,cAAU,QAAQ,OAAO,CAAC,MAAM;AAC9B,UACE,EAAE,KAAK,WAAW,GAAG,KACpB,yBAAyB,EAAE,KAAK,WAAW,qBAAqB,GACjE;AACA,eAAO;AAAA,MACT;AAEA,UAAI,iBAAiB;AACnB,YAAI,wBAAwB;AAC1B,iBACE,EAAE,KAAK,WAAW,eAAe,KACjC,CAAC,EAAE,KAAK,MAAM,qBAAqB;AAAA,QAEvC;AAEA,eAAO,EAAE,KAAK,WAAW,eAAe;AAAA,MAC1C;AAEA,UAAI,wBAAwB;AAC1B,eAAO,CAAC,EAAE,KAAK,MAAM,qBAAqB;AAAA,MAC5C;AAEA,aAAO;AAAA,IACT,CAAC;AAED,UAAM,oBAAoB,QAAQ,KAAK,CAAC,WAAW;AACjD,aAAO,OAAO,OAAA,KAAY,oBAAoB,OAAO,IAAI;AAAA,IAC3D,CAAC;AAED,QAAI,sBAAsB,QAAW;AACnC,YAAM,2BAA2B,MAAM;AAAA,QACrC,KAAK,QAAQ,SAAS,kBAAkB,IAAI;AAAA,MAAA;AAE9C,UAAI;AACJ,UAAI,OAAO,yBAAyB,YAAY,YAAY;AAC1D,oCAA4B,MAAM,yBAAyB,QAAA;AAAA,MAC7D,OAAO;AACL,oCAA4B,yBAAyB;AAAA,MACvD;AACA,YAAM,YAA8B;AAAA,QAClC,MAAM;AAAA,QACN,MAAM;AAAA,QACN,UAAU;AAAA,MAAA;AAEZ,YAAM,EAAE,YAAY,mBAAmB,oBAAA,IACrC,MAAMA;AAAAA,QACJ;AAAA,UACE,GAAG;AAAA,UACH,iBAAiB;AAAA,UACjB,oBAAoB;AAAA,QAAA;AAAA,QAEtB;AAAA,MAAA;AAEJ,6BAAuB,KAAK,GAAG,mBAAmB;AAClD,wBAAkB,QAAQ,CAAC,SAAS;AAClC,cAAM,WAAW,iBAAiB,KAAK,KAAK,KAAK,KAAK,QAAQ,CAAC;AAC/D,cAAM,YAAY,IAAI,GAAG,GAAG,KAAK,SAAS;AAE1C,aAAK,eAAe;AAAA,UAClB,GAAG,GAAG,IAAI,UAAU,KAAK,QAAQ,CAAC;AAAA,QAAA;AAEpC,aAAK,YAAY;AAEjB,YAAI,KAAK,mBAAmB;AAC1B,eAAK,oBAAoB,IAAI,GAAG,GAAG,KAAK,iBAAiB;AAAA,QAC3D;AACA,aAAK,WAAW;AAAA,MAClB,CAAC;AAED,iBAAW,KAAK,GAAG,iBAAiB;AAEpC;AAAA,IACF;AAEA,UAAM,QAAQ;AAAA,MACZ,QAAQ,IAAI,OAAO,WAAW;AAC5B,cAAM,WAAW,iBAAiB,KAAK,KAAK,SAAS,OAAO,IAAI,CAAC;AACjE,cAAM,eAAe,KAAK,MAAM,KAAK,KAAK,OAAO,IAAI;AAErD,YAAI,OAAO,eAAe;AACxB,gBAAM,QAAQ,YAAY;AAAA,QAC5B,WAAW,SAAS,MAAM,wBAAwB,GAAG;AACnD,gBAAM,WAAW,iBAAiB,KAAK,KAAK,KAAK,OAAO,IAAI,CAAC;AAC7D,gBAAM,gBAAgB,UAAU,QAAQ;AACxC,gBAAM;AAAA,YACJ,WAAW;AAAA,YACX,mBAAmB;AAAA,UAAA,IACjB,0BAA0B,aAAa;AAE3C,cAAI,YAAY;AAChB,cAAI,oBAAoB;AAExB,cAAI,iBAAiB;AACnB,wBAAY,UAAU,WAAW,iBAAiB,EAAE;AACpD,gCAAoB,kBAAkB;AAAA,cACpC;AAAA,cACA;AAAA,YAAA;AAAA,UAEJ;AAEA,cAAI,kCAAkC,KAAK,OAAO,IAAI,GAAG;AACvD,kBAAM,eAAe,0DAA0D,QAAQ;AACvF,mBAAO,MAAM,UAAU,YAAY,EAAE;AACrC,kBAAM,IAAI,MAAM,YAAY;AAAA,UAC9B;AAEA,gBAAM,OAAO,aAAa,WAAW,mBAAmB,MAAM;AAC9D,gBAAM,eAAe,KAAK;AAC1B,cAAI,YAAyB,KAAK;AAElC,cAAI,cAAc,QAAQ;AACxB,wBAAY,UAAU,QAAQ,WAAW,EAAE;AAC3C,gCAAoB,kBAAkB,QAAQ,WAAW,EAAE;AAAA,UAC7D;AAIA,cACE;AAAA,YACE;AAAA,YACA;AAAA,YACA;AAAA,YACA;AAAA,UAAA,GAEF;AACA,wBAAY;AAAA,UACd;AAIA,gBAAM,YAAY,SAAS,SAAS,MAAM;AAC1C,cAAI,CAAC,WAAW;AAEZ;AAAA,cACE,CAAC,aAAa,WAAW;AAAA,cACzB,CAAC,kBAAkB,gBAAgB;AAAA,cACnC,CAAC,qBAAqB,mBAAmB;AAAA,cACzC,CAAC,oBAAoB,kBAAkB;AAAA,cACvC,CAAC,UAAU,QAAQ;AAAA,YAAA,EAErB,QAAQ,CAAC,CAAC,SAAS,IAAI,MAAM;AAC7B,kBAAI,cAAc,SAAS;AACzB,uBAAO;AAAA,kBACL,mBAAmB,IAAI,8BAA8B,QAAQ;AAAA,gBAAA;AAAA,cAEjE;AAAA,YACF,CAAC;AAAA,UACH;AAGA,gBAAM,mBAAmB,kBAAkB,MAAM,GAAG,EAAE,OAAO,OAAO;AACpE,gBAAM,+BACJ,iBAAiB,iBAAiB,SAAS,CAAC,KAAK;AAGnD,gBAAM,kBAAkB;AAAA,YACtB;AAAA,YACA;AAAA,YACA;AAAA,YACA;AAAA,YACA;AAAA,YACA,OAAO;AAAA,YACP;AAAA,UAAA;AAIF,gBAAM,gBAAgB,gBAAgB,KAAK,CAAC,WAAW;AACrD,kBAAM,iBAAiB,UAAU,SAAS,IAAI,MAAM,EAAE;AACtD,kBAAM,YAAY,iCAAiC,IAAI,MAAM;AAC7D,mBAAO,kBAAkB,CAAC;AAAA,UAC5B,CAAC;AAED,cAAI,eAAe;AACjB,wBAAY,UAAU,QAAQ,IAAI,OAAO,IAAI,aAAa,GAAG,GAAG,EAAE;AAClE,gCAAoB,kBAAkB;AAAA,cACpC,IAAI,OAAO,IAAI,aAAa,GAAG;AAAA,cAC/B;AAAA,YAAA;AAAA,UAEJ;AAIA,gBAAM,sBACJ,kBAAkB,MAAM,GAAG,EAAE,OAAO,OAAO,EAAE,IAAA,KAAS;AACxD,gBAAM,iBACJ,wBAAwB,IAAI,OAAO,UAAU;AAE/C,cAAI,CAAC,gBAAgB;AACnB,gBAAI,cAAc,OAAO,YAAY;AACnC,0BAAY;AAAA,YACd;AAEA,gBAAI,sBAAsB,OAAO,YAAY;AAC3C,kCAAoB;AAAA,YACtB;AAEA,wBACE,UAAU,QAAQ,IAAI,OAAO,IAAI,OAAO,UAAU,GAAG,GAAG,GAAG,KAC3D;AAEF,gCACE,kBAAkB;AAAA,cAChB,IAAI,OAAO,IAAI,OAAO,UAAU,GAAG;AAAA,cACnC;AAAA,YAAA,KACG;AAAA,UACT;AAEA,qBAAW,KAAK;AAAA,YACd;AAAA,YACA;AAAA,YACA;AAAA,YACA;AAAA,YACA,cAAc;AAAA,YACd;AAAA,UAAA,CACD;AAAA,QACH;AAAA,MACF,CAAC;AAAA,IAAA;AAGH,WAAO;AAAA,EACT;AAEA,QAAM,QAAQ,IAAI;AAGlB,QAAM,gBACJ,WAAW;AAAA,IACT,CAAC,MACC,EAAE,cAAc,IAAI,UAAU,MAC9B,CAAC;AAAA,MACC;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,IAAA,EACA,SAAS,EAAE,YAAY;AAAA,EAAA,KACxB,WAAW,KAAK,CAAC,MAAM,EAAE,cAAc,IAAI,UAAU,EAAE;AAC9D,MAAI,eAAe;AACjB,kBAAc,eAAe;AAC7B,kBAAc,eAAe;AAAA,EAC/B;AAEA,SAAO;AAAA,IACL;AAAA,IACA;AAAA,IACA,qBAAqB;AAAA,EAAA;AAEzB;AAUO,SAAS,aACd,WACA,mBACA,QAiBA;AACA,MAAI,cAA2B;AAG/B,QAAM,mBAAmB,kBAAkB,MAAM,GAAG,EAAE,OAAO,OAAO;AACpE,QAAM,sBACJ,iBAAiB,iBAAiB,SAAS,CAAC,KAAK;AAGnD,QAAM,kBAAkB,CAAC,WAA4B;AACnD,WAAO,wBAAwB,IAAI,MAAM;AAAA,EAC3C;AAEA,MACE,UAAU,SAAS,IAAI,OAAO,UAAU,EAAE,KAC1C,CAAC,gBAAgB,OAAO,UAAU,GAClC;AAEA,kBAAc;AAAA,EAChB,WAAW,UAAU,SAAS,OAAO,KAAK,CAAC,gBAAgB,MAAM,GAAG;AAElE,kBAAc;AAAA,EAChB,WAAW,UAAU,SAAS,SAAS,KAAK,CAAC,gBAAgB,QAAQ,GAAG;AAEtE,kBAAc;AAAA,EAChB,WACE,UAAU,SAAS,YAAY,KAC/B,CAAC,gBAAgB,WAAW,GAC5B;AAEA,kBAAc;AAAA,EAChB,WACE,UAAU,SAAS,mBAAmB,KACtC,CAAC,gBAAgB,kBAAkB,GACnC;AAEA,kBAAc;AAAA,EAChB,WACE,UAAU,SAAS,iBAAiB,KACpC,CAAC,gBAAgB,gBAAgB,GACjC;AAEA,kBAAc;AAAA,EAChB,WACE,UAAU,SAAS,oBAAoB,KACvC,CAAC,gBAAgB,mBAAmB,GACpC;AAEA,kBAAc;AAAA,EAChB;AAEA,QAAM,eAAe,oBAAoB,SAAS;AAElD,SAAO,EAAE,aAAa,aAAA;AACxB;AAUA,SAAS,2BACP,qBACA,mBACA,WACA,QACS;AACT,MAAI,cAAc,QAAQ;AACxB,WAAO;AAAA,EACT;AAEA,QAAM,WAAW,oBAAoB,MAAM,GAAG,EAAE,OAAO,OAAO;AAC9D,QAAM,mBAAmB,kBAAkB,MAAM,GAAG,EAAE,OAAO,OAAO;AAEpE,MAAI,SAAS,WAAW,GAAG;AACzB,WAAO;AAAA,EACT;AAEA,QAAM,mBAAmB,SAAS,SAAS,SAAS,CAAC;AACrD,QAAM,sBACJ,iBAAiB,iBAAiB,SAAS,CAAC,KAAK;AACnD,QAAM,2BAA2B,SAAS,SAAS,SAAS,CAAC;AAC7D,QAAM,8BACJ,iBAAiB,iBAAiB,SAAS,CAAC;AAG9C,MAAI,qBAAqB,YAAY;AACnC,WAAO;AAAA,EACT;AAMA,MACE,qBAAqB,OAAO,cAC5B,OAAO,6BAA6B,YACpC,OAAO,gCAAgC,UACvC;AAEA,QAAI,4BAA4B,2BAA2B,GAAG;AAC5D,aAAO;AAAA,IACT;AACA,WAAO,yBAAyB,WAAW,GAAG;AAAA,EAChD;AAIA,MAAI,4BAA4B,mBAAmB,GAAG;AACpD,WAAO;AAAA,EACT;AAEA,SACE,qBAAqB,OAAO,cAC5B,qBAAqB,OAAO,cAC5B,iBAAiB,WAAW,GAAG;AAEnC;"}
1
+ {"version":3,"file":"getRouteNodes.js","sources":["../../../../src/filesystem/physical/getRouteNodes.ts"],"sourcesContent":["import path from 'node:path'\nimport * as fsp from 'node:fs/promises'\nimport {\n determineInitialRoutePath,\n hasEscapedLeadingUnderscore,\n removeExt,\n replaceBackslash,\n routePathToVariable,\n} from '../../utils'\nimport { getRouteNodes as getRouteNodesVirtual } from '../virtual/getRouteNodes'\nimport { loadConfigFile } from '../virtual/loadConfigFile'\nimport { logging } from '../../logger'\nimport { rootPathId } from './rootPathId'\nimport type {\n VirtualRootRoute,\n VirtualRouteSubtreeConfig,\n} from '@tanstack/virtual-file-routes'\nimport type { FsRouteType, GetRouteNodesResult, RouteNode } from '../../types'\nimport type { Config } from '../../config'\n\nconst disallowedRouteGroupConfiguration = /\\(([^)]+)\\).(ts|js|tsx|jsx|vue)/\n\nconst virtualConfigFileRegExp = /__virtual\\.[mc]?[jt]s$/\nexport function isVirtualConfigFile(fileName: string): boolean {\n return virtualConfigFileRegExp.test(fileName)\n}\n\nexport async function getRouteNodes(\n config: Pick<\n Config,\n | 'routesDirectory'\n | 'routeFilePrefix'\n | 'routeFileIgnorePrefix'\n | 'routeFileIgnorePattern'\n | 'disableLogging'\n | 'routeToken'\n | 'indexToken'\n >,\n root: string,\n): Promise<GetRouteNodesResult> {\n const { routeFilePrefix, routeFileIgnorePrefix, routeFileIgnorePattern } =\n config\n\n const logger = logging({ disabled: config.disableLogging })\n const routeFileIgnoreRegExp = new RegExp(routeFileIgnorePattern ?? '', 'g')\n\n const routeNodes: Array<RouteNode> = []\n const allPhysicalDirectories: Array<string> = []\n\n async function recurse(dir: string) {\n const fullDir = path.resolve(config.routesDirectory, dir)\n let dirList = await fsp.readdir(fullDir, { withFileTypes: true })\n\n dirList = dirList.filter((d) => {\n if (\n d.name.startsWith('.') ||\n (routeFileIgnorePrefix && d.name.startsWith(routeFileIgnorePrefix))\n ) {\n return false\n }\n\n if (routeFilePrefix) {\n if (routeFileIgnorePattern) {\n return (\n d.name.startsWith(routeFilePrefix) &&\n !d.name.match(routeFileIgnoreRegExp)\n )\n }\n\n return d.name.startsWith(routeFilePrefix)\n }\n\n if (routeFileIgnorePattern) {\n return !d.name.match(routeFileIgnoreRegExp)\n }\n\n return true\n })\n\n const virtualConfigFile = dirList.find((dirent) => {\n return dirent.isFile() && isVirtualConfigFile(dirent.name)\n })\n\n if (virtualConfigFile !== undefined) {\n const virtualRouteConfigExport = await loadConfigFile(\n path.resolve(fullDir, virtualConfigFile.name),\n )\n let virtualRouteSubtreeConfig: VirtualRouteSubtreeConfig\n if (typeof virtualRouteConfigExport.default === 'function') {\n virtualRouteSubtreeConfig = await virtualRouteConfigExport.default()\n } else {\n virtualRouteSubtreeConfig = virtualRouteConfigExport.default\n }\n const dummyRoot: VirtualRootRoute = {\n type: 'root',\n file: '',\n children: virtualRouteSubtreeConfig,\n }\n const { routeNodes: virtualRouteNodes, physicalDirectories } =\n await getRouteNodesVirtual(\n {\n ...config,\n routesDirectory: fullDir,\n virtualRouteConfig: dummyRoot,\n },\n root,\n )\n allPhysicalDirectories.push(...physicalDirectories)\n virtualRouteNodes.forEach((node) => {\n const filePath = replaceBackslash(path.join(dir, node.filePath))\n const routePath = `/${dir}${node.routePath}`\n\n node.variableName = routePathToVariable(\n `${dir}/${removeExt(node.filePath)}`,\n )\n node.routePath = routePath\n // Keep originalRoutePath aligned with routePath for escape detection\n if (node.originalRoutePath) {\n node.originalRoutePath = `/${dir}${node.originalRoutePath}`\n }\n node.filePath = filePath\n })\n\n routeNodes.push(...virtualRouteNodes)\n\n return\n }\n\n await Promise.all(\n dirList.map(async (dirent) => {\n const fullPath = replaceBackslash(path.join(fullDir, dirent.name))\n const relativePath = path.posix.join(dir, dirent.name)\n\n if (dirent.isDirectory()) {\n await recurse(relativePath)\n } else if (fullPath.match(/\\.(tsx|ts|jsx|js|vue)$/)) {\n const filePath = replaceBackslash(path.join(dir, dirent.name))\n const filePathNoExt = removeExt(filePath)\n const {\n routePath: initialRoutePath,\n originalRoutePath: initialOriginalRoutePath,\n } = determineInitialRoutePath(filePathNoExt)\n\n let routePath = initialRoutePath\n let originalRoutePath = initialOriginalRoutePath\n\n if (routeFilePrefix) {\n routePath = routePath.replaceAll(routeFilePrefix, '')\n originalRoutePath = originalRoutePath.replaceAll(\n routeFilePrefix,\n '',\n )\n }\n\n if (disallowedRouteGroupConfiguration.test(dirent.name)) {\n const errorMessage = `A route configuration for a route group was found at \\`${filePath}\\`. This is not supported. Did you mean to use a layout/pathless route instead?`\n logger.error(`ERROR: ${errorMessage}`)\n throw new Error(errorMessage)\n }\n\n const meta = getRouteMeta(routePath, originalRoutePath, config)\n const variableName = meta.variableName\n let routeType: FsRouteType = meta.fsRouteType\n\n if (routeType === 'lazy') {\n routePath = routePath.replace(/\\/lazy$/, '')\n originalRoutePath = originalRoutePath.replace(/\\/lazy$/, '')\n }\n\n // this check needs to happen after the lazy route has been cleaned up\n // since the routePath is used to determine if a route is pathless\n if (\n isValidPathlessLayoutRoute(\n routePath,\n originalRoutePath,\n routeType,\n config,\n )\n ) {\n routeType = 'pathless_layout'\n }\n\n // Only show deprecation warning for .tsx/.ts files, not .vue files\n // Vue files using .component.vue is the Vue-native way\n const isVueFile = filePath.endsWith('.vue')\n if (!isVueFile) {\n ;(\n [\n ['component', 'component'],\n ['errorComponent', 'errorComponent'],\n ['notFoundComponent', 'notFoundComponent'],\n ['pendingComponent', 'pendingComponent'],\n ['loader', 'loader'],\n ] satisfies Array<[FsRouteType, string]>\n ).forEach(([matcher, type]) => {\n if (routeType === matcher) {\n logger.warn(\n `WARNING: The \\`.${type}.tsx\\` suffix used for the ${filePath} file is deprecated. Use the new \\`.lazy.tsx\\` suffix instead.`,\n )\n }\n })\n }\n\n // Get the last segment of originalRoutePath to check for escaping\n const originalSegments = originalRoutePath.split('/').filter(Boolean)\n const lastOriginalSegmentForSuffix =\n originalSegments[originalSegments.length - 1] || ''\n\n // List of special suffixes that can be escaped\n const specialSuffixes = [\n 'component',\n 'errorComponent',\n 'notFoundComponent',\n 'pendingComponent',\n 'loader',\n config.routeToken,\n 'lazy',\n ]\n\n // Only strip the suffix if it wasn't escaped (not wrapped in brackets)\n const suffixToStrip = specialSuffixes.find((suffix) => {\n const endsWithSuffix = routePath.endsWith(`/${suffix}`)\n const isEscaped = lastOriginalSegmentForSuffix === `[${suffix}]`\n return endsWithSuffix && !isEscaped\n })\n\n if (suffixToStrip) {\n routePath = routePath.replace(new RegExp(`/${suffixToStrip}$`), '')\n originalRoutePath = originalRoutePath.replace(\n new RegExp(`/${suffixToStrip}$`),\n '',\n )\n }\n\n // Check if the index token should be treated specially or as a literal path\n // If it's escaped (wrapped in brackets in originalRoutePath), it should be literal\n const lastOriginalSegment =\n originalRoutePath.split('/').filter(Boolean).pop() || ''\n const isIndexEscaped =\n lastOriginalSegment === `[${config.indexToken}]`\n\n if (!isIndexEscaped) {\n if (routePath === config.indexToken) {\n routePath = '/'\n }\n\n if (originalRoutePath === config.indexToken) {\n originalRoutePath = '/'\n }\n\n // For layout routes, don't use '/' fallback - an empty path means\n // \"layout for the parent path\" which is important for physical() mounts\n // where route.tsx at root should have empty path, not '/'\n const isLayoutRoute = routeType === 'layout'\n\n routePath =\n routePath.replace(new RegExp(`/${config.indexToken}$`), '/') ||\n (isLayoutRoute ? '' : '/')\n\n originalRoutePath =\n originalRoutePath.replace(\n new RegExp(`/${config.indexToken}$`),\n '/',\n ) || (isLayoutRoute ? '' : '/')\n }\n\n routeNodes.push({\n filePath,\n fullPath,\n routePath,\n variableName,\n _fsRouteType: routeType,\n originalRoutePath,\n })\n }\n }),\n )\n\n return routeNodes\n }\n\n await recurse('./')\n\n // Find the root route node - prefer the actual route file over component/loader files\n const rootRouteNode =\n routeNodes.find(\n (d) =>\n d.routePath === `/${rootPathId}` &&\n ![\n 'component',\n 'errorComponent',\n 'notFoundComponent',\n 'pendingComponent',\n 'loader',\n 'lazy',\n ].includes(d._fsRouteType),\n ) ?? routeNodes.find((d) => d.routePath === `/${rootPathId}`)\n if (rootRouteNode) {\n rootRouteNode._fsRouteType = '__root'\n rootRouteNode.variableName = 'root'\n }\n\n return {\n rootRouteNode,\n routeNodes,\n physicalDirectories: allPhysicalDirectories,\n }\n}\n\n/**\n * Determines the metadata for a given route path based on the provided configuration.\n *\n * @param routePath - The determined initial routePath (with brackets removed).\n * @param originalRoutePath - The original route path (may contain brackets for escaped content).\n * @param config - The user configuration object.\n * @returns An object containing the type of the route and the variable name derived from the route path.\n */\nexport function getRouteMeta(\n routePath: string,\n originalRoutePath: string,\n config: Pick<Config, 'routeToken' | 'indexToken'>,\n): {\n // `__root` is can be more easily determined by filtering down to routePath === /${rootPathId}\n // `pathless` is needs to determined after `lazy` has been cleaned up from the routePath\n fsRouteType: Extract<\n FsRouteType,\n | 'static'\n | 'layout'\n | 'api'\n | 'lazy'\n | 'loader'\n | 'component'\n | 'pendingComponent'\n | 'errorComponent'\n | 'notFoundComponent'\n >\n variableName: string\n} {\n let fsRouteType: FsRouteType = 'static'\n\n // Get the last segment from the original path to check for escaping\n const originalSegments = originalRoutePath.split('/').filter(Boolean)\n const lastOriginalSegment =\n originalSegments[originalSegments.length - 1] || ''\n\n // Helper to check if a specific suffix is escaped\n const isSuffixEscaped = (suffix: string): boolean => {\n return lastOriginalSegment === `[${suffix}]`\n }\n\n if (\n routePath.endsWith(`/${config.routeToken}`) &&\n !isSuffixEscaped(config.routeToken)\n ) {\n // layout routes, i.e `/foo/route.tsx` or `/foo/_layout/route.tsx`\n fsRouteType = 'layout'\n } else if (routePath.endsWith('/lazy') && !isSuffixEscaped('lazy')) {\n // lazy routes, i.e. `/foo.lazy.tsx`\n fsRouteType = 'lazy'\n } else if (routePath.endsWith('/loader') && !isSuffixEscaped('loader')) {\n // loader routes, i.e. `/foo.loader.tsx`\n fsRouteType = 'loader'\n } else if (\n routePath.endsWith('/component') &&\n !isSuffixEscaped('component')\n ) {\n // component routes, i.e. `/foo.component.tsx`\n fsRouteType = 'component'\n } else if (\n routePath.endsWith('/pendingComponent') &&\n !isSuffixEscaped('pendingComponent')\n ) {\n // pending component routes, i.e. `/foo.pendingComponent.tsx`\n fsRouteType = 'pendingComponent'\n } else if (\n routePath.endsWith('/errorComponent') &&\n !isSuffixEscaped('errorComponent')\n ) {\n // error component routes, i.e. `/foo.errorComponent.tsx`\n fsRouteType = 'errorComponent'\n } else if (\n routePath.endsWith('/notFoundComponent') &&\n !isSuffixEscaped('notFoundComponent')\n ) {\n // not found component routes, i.e. `/foo.notFoundComponent.tsx`\n fsRouteType = 'notFoundComponent'\n }\n\n const variableName = routePathToVariable(routePath)\n\n return { fsRouteType, variableName }\n}\n\n/**\n * Used to validate if a route is a pathless layout route\n * @param normalizedRoutePath Normalized route path, i.e `/foo/_layout/route.tsx` and `/foo._layout.route.tsx` to `/foo/_layout/route`\n * @param originalRoutePath Original route path with brackets for escaped content\n * @param routeType The route type determined from file extension\n * @param config The `router-generator` configuration object\n * @returns Boolean indicating if the route is a pathless layout route\n */\nfunction isValidPathlessLayoutRoute(\n normalizedRoutePath: string,\n originalRoutePath: string,\n routeType: FsRouteType,\n config: Pick<Config, 'routeToken' | 'indexToken'>,\n): boolean {\n if (routeType === 'lazy') {\n return false\n }\n\n const segments = normalizedRoutePath.split('/').filter(Boolean)\n const originalSegments = originalRoutePath.split('/').filter(Boolean)\n\n if (segments.length === 0) {\n return false\n }\n\n const lastRouteSegment = segments[segments.length - 1]!\n const lastOriginalSegment =\n originalSegments[originalSegments.length - 1] || ''\n const secondToLastRouteSegment = segments[segments.length - 2]\n const secondToLastOriginalSegment =\n originalSegments[originalSegments.length - 2]\n\n // If segment === __root, then exit as false\n if (lastRouteSegment === rootPathId) {\n return false\n }\n\n // If segment === config.routeToken and secondToLastSegment is a string that starts with _, then exit as true\n // Since the route is actually a configuration route for a layout/pathless route\n // i.e. /foo/_layout/route.tsx === /foo/_layout.tsx\n // But if the underscore is escaped, it's not a pathless layout\n if (\n lastRouteSegment === config.routeToken &&\n typeof secondToLastRouteSegment === 'string' &&\n typeof secondToLastOriginalSegment === 'string'\n ) {\n // Check if the underscore is escaped\n if (hasEscapedLeadingUnderscore(secondToLastOriginalSegment)) {\n return false\n }\n return secondToLastRouteSegment.startsWith('_')\n }\n\n // Segment starts with _ but check if it's escaped\n // If the original segment has [_] at the start, the underscore is escaped and it's not a pathless layout\n if (hasEscapedLeadingUnderscore(lastOriginalSegment)) {\n return false\n }\n\n return (\n lastRouteSegment !== config.indexToken &&\n lastRouteSegment !== config.routeToken &&\n lastRouteSegment.startsWith('_')\n )\n}\n"],"names":["getRouteNodesVirtual"],"mappings":";;;;;;;AAoBA,MAAM,oCAAoC;AAE1C,MAAM,0BAA0B;AACzB,SAAS,oBAAoB,UAA2B;AAC7D,SAAO,wBAAwB,KAAK,QAAQ;AAC9C;AAEA,eAAsB,cACpB,QAUA,MAC8B;AAC9B,QAAM,EAAE,iBAAiB,uBAAuB,uBAAA,IAC9C;AAEF,QAAM,SAAS,QAAQ,EAAE,UAAU,OAAO,gBAAgB;AAC1D,QAAM,wBAAwB,IAAI,OAAO,0BAA0B,IAAI,GAAG;AAE1E,QAAM,aAA+B,CAAA;AACrC,QAAM,yBAAwC,CAAA;AAE9C,iBAAe,QAAQ,KAAa;AAClC,UAAM,UAAU,KAAK,QAAQ,OAAO,iBAAiB,GAAG;AACxD,QAAI,UAAU,MAAM,IAAI,QAAQ,SAAS,EAAE,eAAe,MAAM;AAEhE,cAAU,QAAQ,OAAO,CAAC,MAAM;AAC9B,UACE,EAAE,KAAK,WAAW,GAAG,KACpB,yBAAyB,EAAE,KAAK,WAAW,qBAAqB,GACjE;AACA,eAAO;AAAA,MACT;AAEA,UAAI,iBAAiB;AACnB,YAAI,wBAAwB;AAC1B,iBACE,EAAE,KAAK,WAAW,eAAe,KACjC,CAAC,EAAE,KAAK,MAAM,qBAAqB;AAAA,QAEvC;AAEA,eAAO,EAAE,KAAK,WAAW,eAAe;AAAA,MAC1C;AAEA,UAAI,wBAAwB;AAC1B,eAAO,CAAC,EAAE,KAAK,MAAM,qBAAqB;AAAA,MAC5C;AAEA,aAAO;AAAA,IACT,CAAC;AAED,UAAM,oBAAoB,QAAQ,KAAK,CAAC,WAAW;AACjD,aAAO,OAAO,OAAA,KAAY,oBAAoB,OAAO,IAAI;AAAA,IAC3D,CAAC;AAED,QAAI,sBAAsB,QAAW;AACnC,YAAM,2BAA2B,MAAM;AAAA,QACrC,KAAK,QAAQ,SAAS,kBAAkB,IAAI;AAAA,MAAA;AAE9C,UAAI;AACJ,UAAI,OAAO,yBAAyB,YAAY,YAAY;AAC1D,oCAA4B,MAAM,yBAAyB,QAAA;AAAA,MAC7D,OAAO;AACL,oCAA4B,yBAAyB;AAAA,MACvD;AACA,YAAM,YAA8B;AAAA,QAClC,MAAM;AAAA,QACN,MAAM;AAAA,QACN,UAAU;AAAA,MAAA;AAEZ,YAAM,EAAE,YAAY,mBAAmB,oBAAA,IACrC,MAAMA;AAAAA,QACJ;AAAA,UACE,GAAG;AAAA,UACH,iBAAiB;AAAA,UACjB,oBAAoB;AAAA,QAAA;AAAA,QAEtB;AAAA,MAAA;AAEJ,6BAAuB,KAAK,GAAG,mBAAmB;AAClD,wBAAkB,QAAQ,CAAC,SAAS;AAClC,cAAM,WAAW,iBAAiB,KAAK,KAAK,KAAK,KAAK,QAAQ,CAAC;AAC/D,cAAM,YAAY,IAAI,GAAG,GAAG,KAAK,SAAS;AAE1C,aAAK,eAAe;AAAA,UAClB,GAAG,GAAG,IAAI,UAAU,KAAK,QAAQ,CAAC;AAAA,QAAA;AAEpC,aAAK,YAAY;AAEjB,YAAI,KAAK,mBAAmB;AAC1B,eAAK,oBAAoB,IAAI,GAAG,GAAG,KAAK,iBAAiB;AAAA,QAC3D;AACA,aAAK,WAAW;AAAA,MAClB,CAAC;AAED,iBAAW,KAAK,GAAG,iBAAiB;AAEpC;AAAA,IACF;AAEA,UAAM,QAAQ;AAAA,MACZ,QAAQ,IAAI,OAAO,WAAW;AAC5B,cAAM,WAAW,iBAAiB,KAAK,KAAK,SAAS,OAAO,IAAI,CAAC;AACjE,cAAM,eAAe,KAAK,MAAM,KAAK,KAAK,OAAO,IAAI;AAErD,YAAI,OAAO,eAAe;AACxB,gBAAM,QAAQ,YAAY;AAAA,QAC5B,WAAW,SAAS,MAAM,wBAAwB,GAAG;AACnD,gBAAM,WAAW,iBAAiB,KAAK,KAAK,KAAK,OAAO,IAAI,CAAC;AAC7D,gBAAM,gBAAgB,UAAU,QAAQ;AACxC,gBAAM;AAAA,YACJ,WAAW;AAAA,YACX,mBAAmB;AAAA,UAAA,IACjB,0BAA0B,aAAa;AAE3C,cAAI,YAAY;AAChB,cAAI,oBAAoB;AAExB,cAAI,iBAAiB;AACnB,wBAAY,UAAU,WAAW,iBAAiB,EAAE;AACpD,gCAAoB,kBAAkB;AAAA,cACpC;AAAA,cACA;AAAA,YAAA;AAAA,UAEJ;AAEA,cAAI,kCAAkC,KAAK,OAAO,IAAI,GAAG;AACvD,kBAAM,eAAe,0DAA0D,QAAQ;AACvF,mBAAO,MAAM,UAAU,YAAY,EAAE;AACrC,kBAAM,IAAI,MAAM,YAAY;AAAA,UAC9B;AAEA,gBAAM,OAAO,aAAa,WAAW,mBAAmB,MAAM;AAC9D,gBAAM,eAAe,KAAK;AAC1B,cAAI,YAAyB,KAAK;AAElC,cAAI,cAAc,QAAQ;AACxB,wBAAY,UAAU,QAAQ,WAAW,EAAE;AAC3C,gCAAoB,kBAAkB,QAAQ,WAAW,EAAE;AAAA,UAC7D;AAIA,cACE;AAAA,YACE;AAAA,YACA;AAAA,YACA;AAAA,YACA;AAAA,UAAA,GAEF;AACA,wBAAY;AAAA,UACd;AAIA,gBAAM,YAAY,SAAS,SAAS,MAAM;AAC1C,cAAI,CAAC,WAAW;AAEZ;AAAA,cACE,CAAC,aAAa,WAAW;AAAA,cACzB,CAAC,kBAAkB,gBAAgB;AAAA,cACnC,CAAC,qBAAqB,mBAAmB;AAAA,cACzC,CAAC,oBAAoB,kBAAkB;AAAA,cACvC,CAAC,UAAU,QAAQ;AAAA,YAAA,EAErB,QAAQ,CAAC,CAAC,SAAS,IAAI,MAAM;AAC7B,kBAAI,cAAc,SAAS;AACzB,uBAAO;AAAA,kBACL,mBAAmB,IAAI,8BAA8B,QAAQ;AAAA,gBAAA;AAAA,cAEjE;AAAA,YACF,CAAC;AAAA,UACH;AAGA,gBAAM,mBAAmB,kBAAkB,MAAM,GAAG,EAAE,OAAO,OAAO;AACpE,gBAAM,+BACJ,iBAAiB,iBAAiB,SAAS,CAAC,KAAK;AAGnD,gBAAM,kBAAkB;AAAA,YACtB;AAAA,YACA;AAAA,YACA;AAAA,YACA;AAAA,YACA;AAAA,YACA,OAAO;AAAA,YACP;AAAA,UAAA;AAIF,gBAAM,gBAAgB,gBAAgB,KAAK,CAAC,WAAW;AACrD,kBAAM,iBAAiB,UAAU,SAAS,IAAI,MAAM,EAAE;AACtD,kBAAM,YAAY,iCAAiC,IAAI,MAAM;AAC7D,mBAAO,kBAAkB,CAAC;AAAA,UAC5B,CAAC;AAED,cAAI,eAAe;AACjB,wBAAY,UAAU,QAAQ,IAAI,OAAO,IAAI,aAAa,GAAG,GAAG,EAAE;AAClE,gCAAoB,kBAAkB;AAAA,cACpC,IAAI,OAAO,IAAI,aAAa,GAAG;AAAA,cAC/B;AAAA,YAAA;AAAA,UAEJ;AAIA,gBAAM,sBACJ,kBAAkB,MAAM,GAAG,EAAE,OAAO,OAAO,EAAE,IAAA,KAAS;AACxD,gBAAM,iBACJ,wBAAwB,IAAI,OAAO,UAAU;AAE/C,cAAI,CAAC,gBAAgB;AACnB,gBAAI,cAAc,OAAO,YAAY;AACnC,0BAAY;AAAA,YACd;AAEA,gBAAI,sBAAsB,OAAO,YAAY;AAC3C,kCAAoB;AAAA,YACtB;AAKA,kBAAM,gBAAgB,cAAc;AAEpC,wBACE,UAAU,QAAQ,IAAI,OAAO,IAAI,OAAO,UAAU,GAAG,GAAG,GAAG,MAC1D,gBAAgB,KAAK;AAExB,gCACE,kBAAkB;AAAA,cAChB,IAAI,OAAO,IAAI,OAAO,UAAU,GAAG;AAAA,cACnC;AAAA,YAAA,MACI,gBAAgB,KAAK;AAAA,UAC/B;AAEA,qBAAW,KAAK;AAAA,YACd;AAAA,YACA;AAAA,YACA;AAAA,YACA;AAAA,YACA,cAAc;AAAA,YACd;AAAA,UAAA,CACD;AAAA,QACH;AAAA,MACF,CAAC;AAAA,IAAA;AAGH,WAAO;AAAA,EACT;AAEA,QAAM,QAAQ,IAAI;AAGlB,QAAM,gBACJ,WAAW;AAAA,IACT,CAAC,MACC,EAAE,cAAc,IAAI,UAAU,MAC9B,CAAC;AAAA,MACC;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,IAAA,EACA,SAAS,EAAE,YAAY;AAAA,EAAA,KACxB,WAAW,KAAK,CAAC,MAAM,EAAE,cAAc,IAAI,UAAU,EAAE;AAC9D,MAAI,eAAe;AACjB,kBAAc,eAAe;AAC7B,kBAAc,eAAe;AAAA,EAC/B;AAEA,SAAO;AAAA,IACL;AAAA,IACA;AAAA,IACA,qBAAqB;AAAA,EAAA;AAEzB;AAUO,SAAS,aACd,WACA,mBACA,QAiBA;AACA,MAAI,cAA2B;AAG/B,QAAM,mBAAmB,kBAAkB,MAAM,GAAG,EAAE,OAAO,OAAO;AACpE,QAAM,sBACJ,iBAAiB,iBAAiB,SAAS,CAAC,KAAK;AAGnD,QAAM,kBAAkB,CAAC,WAA4B;AACnD,WAAO,wBAAwB,IAAI,MAAM;AAAA,EAC3C;AAEA,MACE,UAAU,SAAS,IAAI,OAAO,UAAU,EAAE,KAC1C,CAAC,gBAAgB,OAAO,UAAU,GAClC;AAEA,kBAAc;AAAA,EAChB,WAAW,UAAU,SAAS,OAAO,KAAK,CAAC,gBAAgB,MAAM,GAAG;AAElE,kBAAc;AAAA,EAChB,WAAW,UAAU,SAAS,SAAS,KAAK,CAAC,gBAAgB,QAAQ,GAAG;AAEtE,kBAAc;AAAA,EAChB,WACE,UAAU,SAAS,YAAY,KAC/B,CAAC,gBAAgB,WAAW,GAC5B;AAEA,kBAAc;AAAA,EAChB,WACE,UAAU,SAAS,mBAAmB,KACtC,CAAC,gBAAgB,kBAAkB,GACnC;AAEA,kBAAc;AAAA,EAChB,WACE,UAAU,SAAS,iBAAiB,KACpC,CAAC,gBAAgB,gBAAgB,GACjC;AAEA,kBAAc;AAAA,EAChB,WACE,UAAU,SAAS,oBAAoB,KACvC,CAAC,gBAAgB,mBAAmB,GACpC;AAEA,kBAAc;AAAA,EAChB;AAEA,QAAM,eAAe,oBAAoB,SAAS;AAElD,SAAO,EAAE,aAAa,aAAA;AACxB;AAUA,SAAS,2BACP,qBACA,mBACA,WACA,QACS;AACT,MAAI,cAAc,QAAQ;AACxB,WAAO;AAAA,EACT;AAEA,QAAM,WAAW,oBAAoB,MAAM,GAAG,EAAE,OAAO,OAAO;AAC9D,QAAM,mBAAmB,kBAAkB,MAAM,GAAG,EAAE,OAAO,OAAO;AAEpE,MAAI,SAAS,WAAW,GAAG;AACzB,WAAO;AAAA,EACT;AAEA,QAAM,mBAAmB,SAAS,SAAS,SAAS,CAAC;AACrD,QAAM,sBACJ,iBAAiB,iBAAiB,SAAS,CAAC,KAAK;AACnD,QAAM,2BAA2B,SAAS,SAAS,SAAS,CAAC;AAC7D,QAAM,8BACJ,iBAAiB,iBAAiB,SAAS,CAAC;AAG9C,MAAI,qBAAqB,YAAY;AACnC,WAAO;AAAA,EACT;AAMA,MACE,qBAAqB,OAAO,cAC5B,OAAO,6BAA6B,YACpC,OAAO,gCAAgC,UACvC;AAEA,QAAI,4BAA4B,2BAA2B,GAAG;AAC5D,aAAO;AAAA,IACT;AACA,WAAO,yBAAyB,WAAW,GAAG;AAAA,EAChD;AAIA,MAAI,4BAA4B,mBAAmB,GAAG;AACpD,WAAO;AAAA,EACT;AAEA,SACE,qBAAqB,OAAO,cAC5B,qBAAqB,OAAO,cAC5B,iBAAiB,WAAW,GAAG;AAEnC;"}
@@ -926,7 +926,20 @@ ${acc.routeTree.map((child) => `${child.variableName}Route: typeof ${getResolved
926
926
  return this.crawlingResult;
927
927
  }
928
928
  static handleNode(node, acc, prefixMap, config) {
929
- const parentRoute = hasParentRoute(prefixMap, node, node.routePath);
929
+ let parentRoute = hasParentRoute(prefixMap, node, node.routePath);
930
+ if (!parentRoute && node.routePath) {
931
+ let searchPath = node.routePath;
932
+ while (searchPath.length > 0) {
933
+ const lastSlash = searchPath.lastIndexOf("/");
934
+ if (lastSlash <= 0) break;
935
+ searchPath = searchPath.substring(0, lastSlash);
936
+ const candidate = acc.routeNodesByPath.get(searchPath);
937
+ if (candidate && candidate.routePath !== node.routePath) {
938
+ parentRoute = candidate;
939
+ break;
940
+ }
941
+ }
942
+ }
930
943
  if (parentRoute) node.parent = parentRoute;
931
944
  node.path = determineNodePath(node);
932
945
  const trimmedPath = trimPathLeft(node.path ?? "");
@@ -1013,7 +1026,7 @@ ${acc.routeTree.map((child) => `${child.variableName}Route: typeof ${getResolved
1013
1026
  acc.routeTree.push(node);
1014
1027
  }
1015
1028
  acc.routeNodes.push(node);
1016
- if (node.routePath && !node.isVirtual) {
1029
+ if (node.routePath) {
1017
1030
  acc.routeNodesByPath.set(node.routePath, node);
1018
1031
  }
1019
1032
  }
@@ -1 +1 @@
1
- {"version":3,"file":"generator.js","sources":["../../src/generator.ts"],"sourcesContent":["import path from 'node:path'\nimport * as fsp from 'node:fs/promises'\nimport { existsSync, mkdirSync } from 'node:fs'\nimport crypto from 'node:crypto'\nimport { rootRouteId } from '@tanstack/router-core'\nimport { logging } from './logger'\nimport {\n isVirtualConfigFile,\n getRouteNodes as physicalGetRouteNodes,\n} from './filesystem/physical/getRouteNodes'\nimport { getRouteNodes as virtualGetRouteNodes } from './filesystem/virtual/getRouteNodes'\nimport { rootPathId } from './filesystem/physical/rootPathId'\nimport {\n RoutePrefixMap,\n buildFileRoutesByPathInterface,\n buildImportString,\n buildRouteTreeConfig,\n checkFileExists,\n checkRouteFullPathUniqueness,\n createRouteNodesByFullPath,\n createRouteNodesById,\n createRouteNodesByTo,\n determineNodePath,\n findParent,\n format,\n getImportForRouteNode,\n getImportPath,\n getResolvedRouteNodeVariableName,\n hasParentRoute,\n isRouteNodeValidForAugmentation,\n isSegmentPathless,\n mergeImportDeclarations,\n multiSortBy,\n removeExt,\n removeGroups,\n removeLastSegmentFromPath,\n removeLayoutSegmentsWithEscape,\n removeTrailingSlash,\n removeUnderscoresWithEscape,\n replaceBackslash,\n trimPathLeft,\n} from './utils'\nimport { fillTemplate, getTargetTemplate } from './template'\nimport { transform } from './transform/transform'\nimport type { GeneratorPlugin } from './plugin/types'\nimport type { TargetTemplate } from './template'\nimport type {\n FsRouteType,\n GetRouteNodesResult,\n GetRoutesByFileMapResult,\n HandleNodeAccumulator,\n ImportDeclaration,\n RouteNode,\n} from './types'\nimport type { Config } from './config'\nimport type { Logger } from './logger'\n\ninterface fs {\n stat: (\n filePath: string,\n ) => Promise<{ mtimeMs: bigint; mode: number; uid: number; gid: number }>\n rename: (oldPath: string, newPath: string) => Promise<void>\n writeFile: (filePath: string, content: string) => Promise<void>\n readFile: (\n filePath: string,\n ) => Promise<\n { stat: { mtimeMs: bigint }; fileContent: string } | 'file-not-existing'\n >\n chmod: (filePath: string, mode: number) => Promise<void>\n chown: (filePath: string, uid: number, gid: number) => Promise<void>\n}\n\nconst DefaultFileSystem: fs = {\n stat: async (filePath) => {\n const res = await fsp.stat(filePath, { bigint: true })\n return {\n mtimeMs: res.mtimeMs,\n mode: Number(res.mode),\n uid: Number(res.uid),\n gid: Number(res.gid),\n }\n },\n rename: (oldPath, newPath) => fsp.rename(oldPath, newPath),\n writeFile: (filePath, content) => fsp.writeFile(filePath, content),\n readFile: async (filePath: string) => {\n try {\n const fileHandle = await fsp.open(filePath, 'r')\n const stat = await fileHandle.stat({ bigint: true })\n const fileContent = (await fileHandle.readFile()).toString()\n await fileHandle.close()\n return { stat, fileContent }\n } catch (e: any) {\n if ('code' in e) {\n if (e.code === 'ENOENT') {\n return 'file-not-existing'\n }\n }\n throw e\n }\n },\n chmod: (filePath, mode) => fsp.chmod(filePath, mode),\n chown: (filePath, uid, gid) => fsp.chown(filePath, uid, gid),\n}\n\ninterface Rerun {\n rerun: true\n msg?: string\n event: GeneratorEvent\n}\nfunction rerun(opts: { msg?: string; event?: GeneratorEvent }): Rerun {\n const { event, ...rest } = opts\n return { rerun: true, event: event ?? { type: 'rerun' }, ...rest }\n}\n\nfunction isRerun(result: unknown): result is Rerun {\n return (\n typeof result === 'object' &&\n result !== null &&\n 'rerun' in result &&\n result.rerun === true\n )\n}\n\nexport type FileEventType = 'create' | 'update' | 'delete'\nexport type FileEvent = {\n type: FileEventType\n path: string\n}\nexport type GeneratorEvent = FileEvent | { type: 'rerun' }\n\ntype FileCacheChange<TCacheEntry extends GeneratorCacheEntry> =\n | {\n result: false\n cacheEntry: TCacheEntry\n }\n | { result: true; mtimeMs: bigint; cacheEntry: TCacheEntry }\n | {\n result: 'file-not-in-cache'\n }\n | {\n result: 'cannot-stat-file'\n }\n\ninterface GeneratorCacheEntry {\n mtimeMs: bigint\n fileContent: string\n}\n\ninterface RouteNodeCacheEntry extends GeneratorCacheEntry {\n routeId: string\n node: RouteNode\n}\n\ntype GeneratorRouteNodeCache = Map</** filePath **/ string, RouteNodeCacheEntry>\n\ninterface CrawlingResult {\n rootRouteNode: RouteNode\n routeFileResult: Array<RouteNode>\n acc: HandleNodeAccumulator\n}\n\nexport class Generator {\n /**\n * why do we have two caches for the route files?\n * During processing, we READ from the cache and WRITE to the shadow cache.\n *\n * After a route file is processed, we write to the shadow cache.\n * If during processing we bail out and re-run, we don't lose this modification\n * but still can track whether the file contributed changes and thus the route tree file needs to be regenerated.\n * After all files are processed, we swap the shadow cache with the main cache and initialize a new shadow cache.\n * That way we also ensure deleted/renamed files don't stay in the cache forever.\n */\n private routeNodeCache: GeneratorRouteNodeCache = new Map()\n private routeNodeShadowCache: GeneratorRouteNodeCache = new Map()\n\n private routeTreeFileCache: GeneratorCacheEntry | undefined\n\n private crawlingResult: CrawlingResult | undefined\n public config: Config\n public targetTemplate: TargetTemplate\n\n private root: string\n private routesDirectoryPath: string\n private sessionId?: string\n private fs: fs\n private logger: Logger\n private generatedRouteTreePath: string\n private runPromise: Promise<void> | undefined\n private fileEventQueue: Array<GeneratorEvent> = []\n private plugins: Array<GeneratorPlugin> = []\n private static routeGroupPatternRegex = /\\(.+\\)/\n private physicalDirectories: Array<string> = []\n\n private indexTokenRegex: RegExp\n private routeTokenRegex: RegExp\n private static componentPieceRegex =\n /[./](component|errorComponent|notFoundComponent|pendingComponent|loader|lazy)[.]/\n\n constructor(opts: { config: Config; root: string; fs?: fs }) {\n this.config = opts.config\n this.logger = logging({ disabled: this.config.disableLogging })\n this.root = opts.root\n this.fs = opts.fs || DefaultFileSystem\n this.generatedRouteTreePath = this.getGeneratedRouteTreePath()\n this.targetTemplate = getTargetTemplate(this.config)\n\n this.routesDirectoryPath = this.getRoutesDirectoryPath()\n this.plugins.push(...(opts.config.plugins || []))\n\n this.indexTokenRegex = new RegExp(`[./]${this.config.indexToken}[.]`)\n this.routeTokenRegex = new RegExp(`[./]${this.config.routeToken}[.]`)\n\n for (const plugin of this.plugins) {\n plugin.init?.({ generator: this })\n }\n }\n\n private getGeneratedRouteTreePath() {\n const generatedRouteTreePath = path.isAbsolute(\n this.config.generatedRouteTree,\n )\n ? this.config.generatedRouteTree\n : path.resolve(this.root, this.config.generatedRouteTree)\n\n const generatedRouteTreeDir = path.dirname(generatedRouteTreePath)\n\n if (!existsSync(generatedRouteTreeDir)) {\n mkdirSync(generatedRouteTreeDir, { recursive: true })\n }\n\n return generatedRouteTreePath\n }\n\n private getRoutesDirectoryPath() {\n return path.isAbsolute(this.config.routesDirectory)\n ? this.config.routesDirectory\n : path.resolve(this.root, this.config.routesDirectory)\n }\n\n public getRoutesByFileMap(): GetRoutesByFileMapResult {\n return new Map(\n [...this.routeNodeCache.entries()].map(([filePath, cacheEntry]) => [\n filePath,\n { routePath: cacheEntry.routeId },\n ]),\n )\n }\n\n public async run(event?: GeneratorEvent): Promise<void> {\n if (\n event &&\n event.type !== 'rerun' &&\n !this.isFileRelevantForRouteTreeGeneration(event.path)\n ) {\n return\n }\n this.fileEventQueue.push(event ?? { type: 'rerun' })\n // only allow a single run at a time\n if (this.runPromise) {\n return this.runPromise\n }\n\n this.runPromise = (async () => {\n do {\n // synchronously copy and clear the queue since we are going to iterate asynchronously over it\n // and while we do so, a new event could be put into the queue\n const tempQueue = this.fileEventQueue\n this.fileEventQueue = []\n // if we only have 'update' events in the queue\n // and we already have the affected files' latest state in our cache, we can exit early\n const remainingEvents = (\n await Promise.all(\n tempQueue.map(async (e) => {\n if (e.type === 'update') {\n let cacheEntry: GeneratorCacheEntry | undefined\n if (e.path === this.generatedRouteTreePath) {\n cacheEntry = this.routeTreeFileCache\n } else {\n // we only check the routeNodeCache here\n // if the file's state is only up-to-date in the shadow cache we need to re-run\n cacheEntry = this.routeNodeCache.get(e.path)\n }\n const change = await this.didFileChangeComparedToCache(\n { path: e.path },\n cacheEntry,\n )\n if (change.result === false) {\n return null\n }\n }\n return e\n }),\n )\n ).filter((e) => e !== null)\n\n if (remainingEvents.length === 0) {\n break\n }\n\n try {\n await this.generatorInternal()\n } catch (err) {\n const errArray = !Array.isArray(err) ? [err] : err\n\n const recoverableErrors = errArray.filter((e) => isRerun(e))\n if (recoverableErrors.length === errArray.length) {\n this.fileEventQueue.push(...recoverableErrors.map((e) => e.event))\n recoverableErrors.forEach((e) => {\n if (e.msg) {\n this.logger.info(e.msg)\n }\n })\n } else {\n const unrecoverableErrors = errArray.filter((e) => !isRerun(e))\n this.runPromise = undefined\n throw new Error(\n unrecoverableErrors.map((e) => (e as Error).message).join(),\n )\n }\n }\n } while (this.fileEventQueue.length)\n this.runPromise = undefined\n })()\n return this.runPromise\n }\n\n private async generatorInternal() {\n let writeRouteTreeFile: boolean | 'force' = false\n\n let getRouteNodesResult: GetRouteNodesResult\n\n if (this.config.virtualRouteConfig) {\n getRouteNodesResult = await virtualGetRouteNodes(this.config, this.root)\n } else {\n getRouteNodesResult = await physicalGetRouteNodes(this.config, this.root)\n }\n\n const {\n rootRouteNode,\n routeNodes: beforeRouteNodes,\n physicalDirectories,\n } = getRouteNodesResult\n if (rootRouteNode === undefined) {\n let errorMessage = `rootRouteNode must not be undefined. Make sure you've added your root route into the route-tree.`\n if (!this.config.virtualRouteConfig) {\n errorMessage += `\\nMake sure that you add a \"${rootPathId}.${this.config.disableTypes ? 'js' : 'tsx'}\" file to your routes directory.\\nAdd the file in: \"${this.config.routesDirectory}/${rootPathId}.${this.config.disableTypes ? 'js' : 'tsx'}\"`\n }\n throw new Error(errorMessage)\n }\n this.physicalDirectories = physicalDirectories\n\n await this.handleRootNode(rootRouteNode)\n\n const preRouteNodes = multiSortBy(beforeRouteNodes, [\n (d) => (d.routePath === '/' ? -1 : 1),\n (d) => d.routePath?.split('/').length,\n (d) => (d.filePath.match(this.indexTokenRegex) ? 1 : -1),\n (d) => (d.filePath.match(Generator.componentPieceRegex) ? 1 : -1),\n (d) => (d.filePath.match(this.routeTokenRegex) ? -1 : 1),\n (d) => (d.routePath?.endsWith('/') ? -1 : 1),\n (d) => d.routePath,\n ]).filter((d) => {\n // Exclude the root route itself, but keep component/loader pieces for the root\n if (d.routePath === `/${rootPathId}`) {\n return [\n 'component',\n 'errorComponent',\n 'notFoundComponent',\n 'pendingComponent',\n 'loader',\n 'lazy',\n ].includes(d._fsRouteType)\n }\n return true\n })\n\n const routeFileAllResult = await Promise.allSettled(\n preRouteNodes\n // only process routes that are backed by an actual file\n .filter((n) => !n.isVirtualParentRoute && !n.isVirtual)\n .map((n) => this.processRouteNodeFile(n)),\n )\n\n const rejections = routeFileAllResult.filter(\n (result) => result.status === 'rejected',\n )\n if (rejections.length > 0) {\n throw rejections.map((e) => e.reason)\n }\n\n const routeFileResult = routeFileAllResult.flatMap((result) => {\n if (result.status === 'fulfilled' && result.value !== null) {\n if (result.value.shouldWriteTree) {\n writeRouteTreeFile = true\n }\n return result.value.node\n }\n return []\n })\n\n // reset children in case we re-use a node from the cache\n routeFileResult.forEach((r) => (r.children = undefined))\n\n const acc: HandleNodeAccumulator = {\n routeTree: [],\n routeNodes: [],\n routePiecesByPath: {},\n routeNodesByPath: new Map(),\n }\n\n const prefixMap = new RoutePrefixMap(routeFileResult)\n\n for (const node of routeFileResult) {\n Generator.handleNode(node, acc, prefixMap, this.config)\n }\n\n this.crawlingResult = { rootRouteNode, routeFileResult, acc }\n\n // this is the first time the generator runs, so read in the route tree file if it exists yet\n if (!this.routeTreeFileCache) {\n const routeTreeFile = await this.fs.readFile(this.generatedRouteTreePath)\n if (routeTreeFile !== 'file-not-existing') {\n this.routeTreeFileCache = {\n fileContent: routeTreeFile.fileContent,\n mtimeMs: routeTreeFile.stat.mtimeMs,\n }\n }\n writeRouteTreeFile = true\n } else {\n const routeTreeFileChange = await this.didFileChangeComparedToCache(\n { path: this.generatedRouteTreePath },\n this.routeTreeFileCache,\n )\n if (routeTreeFileChange.result !== false) {\n writeRouteTreeFile = 'force'\n if (routeTreeFileChange.result === true) {\n const routeTreeFile = await this.fs.readFile(\n this.generatedRouteTreePath,\n )\n if (routeTreeFile !== 'file-not-existing') {\n this.routeTreeFileCache = {\n fileContent: routeTreeFile.fileContent,\n mtimeMs: routeTreeFile.stat.mtimeMs,\n }\n }\n }\n }\n }\n\n if (!writeRouteTreeFile) {\n // only needs to be done if no other changes have been detected yet\n // compare shadowCache and cache to identify deleted routes\n if (this.routeNodeCache.size !== this.routeNodeShadowCache.size) {\n writeRouteTreeFile = true\n } else {\n for (const fullPath of this.routeNodeCache.keys()) {\n if (!this.routeNodeShadowCache.has(fullPath)) {\n writeRouteTreeFile = true\n break\n }\n }\n }\n }\n\n if (!writeRouteTreeFile) {\n this.swapCaches()\n return\n }\n\n const buildResult = this.buildRouteTree({\n rootRouteNode,\n acc,\n routeFileResult,\n })\n let routeTreeContent = buildResult.routeTreeContent\n\n routeTreeContent = this.config.enableRouteTreeFormatting\n ? await format(routeTreeContent, this.config)\n : routeTreeContent\n\n let newMtimeMs: bigint | undefined\n if (this.routeTreeFileCache) {\n if (\n writeRouteTreeFile !== 'force' &&\n this.routeTreeFileCache.fileContent === routeTreeContent\n ) {\n // existing route tree file is already up-to-date, don't write it\n // we should only get here in the initial run when the route cache is not filled yet\n } else {\n const newRouteTreeFileStat = await this.safeFileWrite({\n filePath: this.generatedRouteTreePath,\n newContent: routeTreeContent,\n strategy: {\n type: 'mtime',\n expectedMtimeMs: this.routeTreeFileCache.mtimeMs,\n },\n })\n newMtimeMs = newRouteTreeFileStat.mtimeMs\n }\n } else {\n const newRouteTreeFileStat = await this.safeFileWrite({\n filePath: this.generatedRouteTreePath,\n newContent: routeTreeContent,\n strategy: {\n type: 'new-file',\n },\n })\n newMtimeMs = newRouteTreeFileStat.mtimeMs\n }\n\n if (newMtimeMs !== undefined) {\n this.routeTreeFileCache = {\n fileContent: routeTreeContent,\n mtimeMs: newMtimeMs,\n }\n }\n\n this.plugins.map((plugin) => {\n return plugin.onRouteTreeChanged?.({\n routeTree: buildResult.routeTree,\n routeNodes: buildResult.routeNodes,\n acc,\n rootRouteNode,\n })\n })\n this.swapCaches()\n }\n\n private swapCaches() {\n this.routeNodeCache = this.routeNodeShadowCache\n this.routeNodeShadowCache = new Map()\n }\n\n public buildRouteTree(opts: {\n rootRouteNode: RouteNode\n acc: HandleNodeAccumulator\n routeFileResult: Array<RouteNode>\n config?: Partial<Config>\n }) {\n const config = { ...this.config, ...(opts.config || {}) }\n\n const { rootRouteNode, acc } = opts\n\n const sortedRouteNodes = multiSortBy(acc.routeNodes, [\n (d) => (d.routePath?.includes(`/${rootPathId}`) ? -1 : 1),\n (d) => d.routePath?.split('/').length,\n (d) => (d.routePath?.endsWith(config.indexToken) ? -1 : 1),\n (d) => d,\n ])\n\n const routeImports: Array<ImportDeclaration> = []\n const virtualRouteNodes: Array<string> = []\n\n for (const node of sortedRouteNodes) {\n if (node.isVirtual) {\n virtualRouteNodes.push(\n `const ${node.variableName}RouteImport = createFileRoute('${node.routePath}')()`,\n )\n } else {\n routeImports.push(\n getImportForRouteNode(\n node,\n config,\n this.generatedRouteTreePath,\n this.root,\n ),\n )\n }\n }\n\n const imports: Array<ImportDeclaration> = []\n if (virtualRouteNodes.length > 0) {\n imports.push({\n specifiers: [{ imported: 'createFileRoute' }],\n source: this.targetTemplate.fullPkg,\n })\n }\n // Add lazyRouteComponent import if there are component pieces\n let hasComponentPieces = false\n let hasLoaderPieces = false\n for (const node of sortedRouteNodes) {\n const pieces = acc.routePiecesByPath[node.routePath!]\n if (pieces) {\n if (\n pieces.component ||\n pieces.errorComponent ||\n pieces.notFoundComponent ||\n pieces.pendingComponent\n ) {\n hasComponentPieces = true\n }\n if (pieces.loader) {\n hasLoaderPieces = true\n }\n if (hasComponentPieces && hasLoaderPieces) break\n }\n }\n if (hasComponentPieces || hasLoaderPieces) {\n const runtimeImport: ImportDeclaration = {\n specifiers: [],\n source: this.targetTemplate.fullPkg,\n }\n if (hasComponentPieces) {\n runtimeImport.specifiers.push({ imported: 'lazyRouteComponent' })\n }\n if (hasLoaderPieces) {\n runtimeImport.specifiers.push({ imported: 'lazyFn' })\n }\n imports.push(runtimeImport)\n }\n if (config.verboseFileRoutes === false) {\n const typeImport: ImportDeclaration = {\n specifiers: [],\n source: this.targetTemplate.fullPkg,\n importKind: 'type',\n }\n let needsCreateFileRoute = false\n let needsCreateLazyFileRoute = false\n for (const node of sortedRouteNodes) {\n if (isRouteNodeValidForAugmentation(node)) {\n if (node._fsRouteType !== 'lazy') {\n needsCreateFileRoute = true\n }\n if (acc.routePiecesByPath[node.routePath!]?.lazy) {\n needsCreateLazyFileRoute = true\n }\n }\n if (needsCreateFileRoute && needsCreateLazyFileRoute) break\n }\n if (needsCreateFileRoute) {\n typeImport.specifiers.push({ imported: 'CreateFileRoute' })\n }\n if (needsCreateLazyFileRoute) {\n typeImport.specifiers.push({ imported: 'CreateLazyFileRoute' })\n }\n\n if (typeImport.specifiers.length > 0) {\n typeImport.specifiers.push({ imported: 'FileRoutesByPath' })\n imports.push(typeImport)\n }\n }\n\n const routeTreeConfig = buildRouteTreeConfig(\n acc.routeTree,\n config.disableTypes,\n )\n\n const createUpdateRoutes = sortedRouteNodes.map((node) => {\n const pieces = acc.routePiecesByPath[node.routePath!]\n const loaderNode = pieces?.loader\n const componentNode = pieces?.component\n const errorComponentNode = pieces?.errorComponent\n const notFoundComponentNode = pieces?.notFoundComponent\n const pendingComponentNode = pieces?.pendingComponent\n const lazyComponentNode = pieces?.lazy\n\n return [\n [\n `const ${node.variableName}Route = ${node.variableName}RouteImport.update({\n ${[\n `id: '${node.path}'`,\n !node.isNonPath ||\n (node._fsRouteType === 'pathless_layout' && node.cleanedPath)\n ? `path: '${node.cleanedPath}'`\n : undefined,\n `getParentRoute: () => ${findParent(node)}`,\n ]\n .filter(Boolean)\n .join(',')}\n }${config.disableTypes ? '' : 'as any'})`,\n loaderNode\n ? `.updateLoader({ loader: lazyFn(() => import('./${replaceBackslash(\n removeExt(\n path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(config.routesDirectory, loaderNode.filePath),\n ),\n config.addExtensions,\n ),\n )}'), 'loader') })`\n : '',\n componentNode ||\n errorComponentNode ||\n notFoundComponentNode ||\n pendingComponentNode\n ? `.update({\n ${(\n [\n ['component', componentNode],\n ['errorComponent', errorComponentNode],\n ['notFoundComponent', notFoundComponentNode],\n ['pendingComponent', pendingComponentNode],\n ] as const\n )\n .filter((d) => d[1])\n .map((d) => {\n // For .vue files, use 'default' as the export name since Vue SFCs export default\n const isVueFile = d[1]!.filePath.endsWith('.vue')\n const exportName = isVueFile ? 'default' : d[0]\n // Keep .vue extension for Vue files since Vite requires it\n const importPath = replaceBackslash(\n isVueFile\n ? path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(\n config.routesDirectory,\n d[1]!.filePath,\n ),\n )\n : removeExt(\n path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(\n config.routesDirectory,\n d[1]!.filePath,\n ),\n ),\n config.addExtensions,\n ),\n )\n return `${\n d[0]\n }: lazyRouteComponent(() => import('./${importPath}'), '${exportName}')`\n })\n .join('\\n,')}\n })`\n : '',\n lazyComponentNode\n ? (() => {\n // For .vue files, use 'default' export since Vue SFCs export default\n const isVueFile = lazyComponentNode.filePath.endsWith('.vue')\n const exportAccessor = isVueFile ? 'd.default' : 'd.Route'\n // Keep .vue extension for Vue files since Vite requires it\n const importPath = replaceBackslash(\n isVueFile\n ? path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(\n config.routesDirectory,\n lazyComponentNode.filePath,\n ),\n )\n : removeExt(\n path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(\n config.routesDirectory,\n lazyComponentNode.filePath,\n ),\n ),\n config.addExtensions,\n ),\n )\n return `.lazy(() => import('./${importPath}').then((d) => ${exportAccessor}))`\n })()\n : '',\n ].join(''),\n ].join('\\n\\n')\n })\n\n // Generate update for root route if it has component pieces\n const rootRoutePath = `/${rootPathId}`\n const rootPieces = acc.routePiecesByPath[rootRoutePath]\n const rootComponentNode = rootPieces?.component\n const rootErrorComponentNode = rootPieces?.errorComponent\n const rootNotFoundComponentNode = rootPieces?.notFoundComponent\n const rootPendingComponentNode = rootPieces?.pendingComponent\n\n let rootRouteUpdate = ''\n if (\n rootComponentNode ||\n rootErrorComponentNode ||\n rootNotFoundComponentNode ||\n rootPendingComponentNode\n ) {\n rootRouteUpdate = `const rootRouteWithChildren = rootRouteImport${\n rootComponentNode ||\n rootErrorComponentNode ||\n rootNotFoundComponentNode ||\n rootPendingComponentNode\n ? `.update({\n ${(\n [\n ['component', rootComponentNode],\n ['errorComponent', rootErrorComponentNode],\n ['notFoundComponent', rootNotFoundComponentNode],\n ['pendingComponent', rootPendingComponentNode],\n ] as const\n )\n .filter((d) => d[1])\n .map((d) => {\n // For .vue files, use 'default' as the export name since Vue SFCs export default\n const isVueFile = d[1]!.filePath.endsWith('.vue')\n const exportName = isVueFile ? 'default' : d[0]\n // Keep .vue extension for Vue files since Vite requires it\n const importPath = replaceBackslash(\n isVueFile\n ? path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(config.routesDirectory, d[1]!.filePath),\n )\n : removeExt(\n path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(\n config.routesDirectory,\n d[1]!.filePath,\n ),\n ),\n config.addExtensions,\n ),\n )\n return `${d[0]}: lazyRouteComponent(() => import('./${importPath}'), '${exportName}')`\n })\n .join('\\n,')}\n })`\n : ''\n }._addFileChildren(rootRouteChildren)${config.disableTypes ? '' : `._addFileTypes<FileRouteTypes>()`}`\n }\n\n let fileRoutesByPathInterface = ''\n let fileRoutesByFullPath = ''\n\n if (!config.disableTypes) {\n const routeNodesByFullPath = createRouteNodesByFullPath(acc.routeNodes)\n const routeNodesByTo = createRouteNodesByTo(acc.routeNodes)\n const routeNodesById = createRouteNodesById(acc.routeNodes)\n\n fileRoutesByFullPath = [\n `export interface FileRoutesByFullPath {\n${[...routeNodesByFullPath.entries()]\n .filter(([fullPath]) => fullPath)\n .map(([fullPath, routeNode]) => {\n return `'${fullPath}': typeof ${getResolvedRouteNodeVariableName(routeNode)}`\n })}\n}`,\n `export interface FileRoutesByTo {\n${[...routeNodesByTo.entries()]\n .filter(([to]) => to)\n .map(([to, routeNode]) => {\n return `'${to}': typeof ${getResolvedRouteNodeVariableName(routeNode)}`\n })}\n}`,\n `export interface FileRoutesById {\n'${rootRouteId}': typeof rootRouteImport,\n${[...routeNodesById.entries()].map(([id, routeNode]) => {\n return `'${id}': typeof ${getResolvedRouteNodeVariableName(routeNode)}`\n})}\n}`,\n `export interface FileRouteTypes {\nfileRoutesByFullPath: FileRoutesByFullPath\nfullPaths: ${\n acc.routeNodes.length > 0\n ? [...routeNodesByFullPath.keys()]\n .filter((fullPath) => fullPath)\n .map((fullPath) => `'${fullPath}'`)\n .join('|')\n : 'never'\n }\nfileRoutesByTo: FileRoutesByTo\nto: ${\n acc.routeNodes.length > 0\n ? [...routeNodesByTo.keys()]\n .filter((to) => to)\n .map((to) => `'${to}'`)\n .join('|')\n : 'never'\n }\nid: ${[`'${rootRouteId}'`, ...[...routeNodesById.keys()].map((id) => `'${id}'`)].join('|')}\nfileRoutesById: FileRoutesById\n}`,\n `export interface RootRouteChildren {\n${acc.routeTree.map((child) => `${child.variableName}Route: typeof ${getResolvedRouteNodeVariableName(child)}`).join(',')}\n}`,\n ].join('\\n')\n\n fileRoutesByPathInterface = buildFileRoutesByPathInterface({\n module: this.targetTemplate.fullPkg,\n interfaceName: 'FileRoutesByPath',\n routeNodes: sortedRouteNodes,\n config,\n })\n }\n\n const routeTree = [\n `const rootRouteChildren${config.disableTypes ? '' : `: RootRouteChildren`} = {\n ${acc.routeTree\n .map(\n (child) =>\n `${child.variableName}Route: ${getResolvedRouteNodeVariableName(child)}`,\n )\n .join(',')}\n}`,\n rootRouteUpdate\n ? rootRouteUpdate.replace(\n 'const rootRouteWithChildren = ',\n 'export const routeTree = ',\n )\n : `export const routeTree = rootRouteImport._addFileChildren(rootRouteChildren)${config.disableTypes ? '' : `._addFileTypes<FileRouteTypes>()`}`,\n ].join('\\n')\n\n checkRouteFullPathUniqueness(\n sortedRouteNodes.filter(\n (d) => d.children === undefined && 'lazy' !== d._fsRouteType,\n ),\n config,\n )\n\n let mergedImports = mergeImportDeclarations(imports)\n if (config.disableTypes) {\n mergedImports = mergedImports.filter((d) => d.importKind !== 'type')\n }\n\n const importStatements = mergedImports.map(buildImportString)\n\n let moduleAugmentation = ''\n if (config.verboseFileRoutes === false && !config.disableTypes) {\n moduleAugmentation = opts.routeFileResult\n .map((node) => {\n const getModuleDeclaration = (routeNode?: RouteNode) => {\n if (!isRouteNodeValidForAugmentation(routeNode)) {\n return ''\n }\n let moduleAugmentation = ''\n if (routeNode._fsRouteType === 'lazy') {\n moduleAugmentation = `const createLazyFileRoute: CreateLazyFileRoute<FileRoutesByPath['${routeNode.routePath}']['preLoaderRoute']>`\n } else {\n moduleAugmentation = `const createFileRoute: CreateFileRoute<'${routeNode.routePath}',\n FileRoutesByPath['${routeNode.routePath}']['parentRoute'],\n FileRoutesByPath['${routeNode.routePath}']['id'],\n FileRoutesByPath['${routeNode.routePath}']['path'],\n FileRoutesByPath['${routeNode.routePath}']['fullPath']\n >\n `\n }\n\n return `declare module './${getImportPath(routeNode, config, this.generatedRouteTreePath)}' {\n ${moduleAugmentation}\n }`\n }\n return getModuleDeclaration(node)\n })\n .join('\\n')\n }\n\n const rootRouteImport = getImportForRouteNode(\n rootRouteNode,\n config,\n this.generatedRouteTreePath,\n this.root,\n )\n routeImports.unshift(rootRouteImport)\n\n let footer: Array<string> = []\n if (config.routeTreeFileFooter) {\n if (Array.isArray(config.routeTreeFileFooter)) {\n footer = config.routeTreeFileFooter\n } else {\n footer = config.routeTreeFileFooter()\n }\n }\n const routeTreeContent = [\n ...config.routeTreeFileHeader,\n `// This file was automatically generated by TanStack Router.\n// You should NOT make any changes in this file as it will be overwritten.\n// Additionally, you should also exclude this file from your linter and/or formatter to prevent it from being checked or modified.`,\n [...importStatements].join('\\n'),\n mergeImportDeclarations(routeImports).map(buildImportString).join('\\n'),\n virtualRouteNodes.join('\\n'),\n createUpdateRoutes.join('\\n'),\n fileRoutesByFullPath,\n fileRoutesByPathInterface,\n moduleAugmentation,\n routeTreeConfig.join('\\n'),\n routeTree,\n ...footer,\n ]\n .filter(Boolean)\n .join('\\n\\n')\n return {\n routeTreeContent,\n routeTree: acc.routeTree,\n routeNodes: acc.routeNodes,\n }\n }\n\n private async processRouteNodeFile(node: RouteNode): Promise<{\n shouldWriteTree: boolean\n cacheEntry: RouteNodeCacheEntry\n node: RouteNode\n } | null> {\n const result = await this.isRouteFileCacheFresh(node)\n\n if (result.status === 'fresh') {\n return {\n node: result.cacheEntry.node,\n shouldWriteTree: false,\n cacheEntry: result.cacheEntry,\n }\n }\n\n const previousCacheEntry = result.cacheEntry\n\n const existingRouteFile = await this.fs.readFile(node.fullPath)\n if (existingRouteFile === 'file-not-existing') {\n throw new Error(`⚠️ File ${node.fullPath} does not exist`)\n }\n\n const updatedCacheEntry: RouteNodeCacheEntry = {\n fileContent: existingRouteFile.fileContent,\n mtimeMs: existingRouteFile.stat.mtimeMs,\n routeId: node.routePath ?? '$$TSR_NO_ROUTE_PATH_ASSIGNED$$',\n node,\n }\n\n const escapedRoutePath = node.routePath?.replaceAll('$', '$$') ?? ''\n\n let shouldWriteRouteFile = false\n let shouldWriteTree = false\n // now we need to either scaffold the file or transform it\n if (!existingRouteFile.fileContent) {\n shouldWriteRouteFile = true\n shouldWriteTree = true\n // Creating a new lazy route file\n if (node._fsRouteType === 'lazy') {\n const tLazyRouteTemplate = this.targetTemplate.lazyRoute\n // Check by default check if the user has a specific lazy route template\n // If not, check if the user has a route template and use that instead\n updatedCacheEntry.fileContent = await fillTemplate(\n this.config,\n (this.config.customScaffolding?.lazyRouteTemplate ||\n this.config.customScaffolding?.routeTemplate) ??\n tLazyRouteTemplate.template(),\n {\n tsrImports: tLazyRouteTemplate.imports.tsrImports(),\n tsrPath: escapedRoutePath.replaceAll(/\\{(.+?)\\}/gm, '$1'),\n tsrExportStart:\n tLazyRouteTemplate.imports.tsrExportStart(escapedRoutePath),\n tsrExportEnd: tLazyRouteTemplate.imports.tsrExportEnd(),\n },\n )\n } else if (\n // Creating a new normal route file\n (['layout', 'static'] satisfies Array<FsRouteType>).some(\n (d) => d === node._fsRouteType,\n ) ||\n (\n [\n 'component',\n 'pendingComponent',\n 'errorComponent',\n 'notFoundComponent',\n 'loader',\n ] satisfies Array<FsRouteType>\n ).every((d) => d !== node._fsRouteType)\n ) {\n const tRouteTemplate = this.targetTemplate.route\n updatedCacheEntry.fileContent = await fillTemplate(\n this.config,\n this.config.customScaffolding?.routeTemplate ??\n tRouteTemplate.template(),\n {\n tsrImports: tRouteTemplate.imports.tsrImports(),\n tsrPath: escapedRoutePath.replaceAll(/\\{(.+?)\\}/gm, '$1'),\n tsrExportStart:\n tRouteTemplate.imports.tsrExportStart(escapedRoutePath),\n tsrExportEnd: tRouteTemplate.imports.tsrExportEnd(),\n },\n )\n } else {\n return null\n }\n }\n\n // Check if this is a Vue component file\n // Vue SFC files (.vue) don't need transformation as they can't have a Route export\n const isVueFile = node.filePath.endsWith('.vue')\n\n if (!isVueFile) {\n // transform the file\n const transformResult = await transform({\n source: updatedCacheEntry.fileContent,\n ctx: {\n target: this.config.target,\n routeId: escapedRoutePath,\n lazy: node._fsRouteType === 'lazy',\n verboseFileRoutes: !(this.config.verboseFileRoutes === false),\n },\n node,\n })\n\n if (transformResult.result === 'no-route-export') {\n this.logger.warn(\n `Route file \"${node.fullPath}\" does not contain any route piece. This is likely a mistake.`,\n )\n return null\n }\n if (transformResult.result === 'error') {\n throw new Error(\n `Error transforming route file ${node.fullPath}: ${transformResult.error}`,\n )\n }\n if (transformResult.result === 'modified') {\n updatedCacheEntry.fileContent = transformResult.output\n shouldWriteRouteFile = true\n }\n }\n\n for (const plugin of this.plugins) {\n plugin.afterTransform?.({ node, prevNode: previousCacheEntry?.node })\n }\n\n // file was changed\n if (shouldWriteRouteFile) {\n const stats = await this.safeFileWrite({\n filePath: node.fullPath,\n newContent: updatedCacheEntry.fileContent,\n strategy: {\n type: 'mtime',\n expectedMtimeMs: updatedCacheEntry.mtimeMs,\n },\n })\n updatedCacheEntry.mtimeMs = stats.mtimeMs\n }\n\n this.routeNodeShadowCache.set(node.fullPath, updatedCacheEntry)\n return {\n node,\n shouldWriteTree,\n cacheEntry: updatedCacheEntry,\n }\n }\n\n private async didRouteFileChangeComparedToCache(\n file: {\n path: string\n mtimeMs?: bigint\n },\n cache: 'routeNodeCache' | 'routeNodeShadowCache',\n ): Promise<FileCacheChange<RouteNodeCacheEntry>> {\n const cacheEntry = this[cache].get(file.path)\n return this.didFileChangeComparedToCache(file, cacheEntry)\n }\n\n private async didFileChangeComparedToCache<\n TCacheEntry extends GeneratorCacheEntry,\n >(\n file: {\n path: string\n mtimeMs?: bigint\n },\n cacheEntry: TCacheEntry | undefined,\n ): Promise<FileCacheChange<TCacheEntry>> {\n // for now we rely on the modification time of the file\n // to determine if the file has changed\n // we could also compare the file content but this would be slower as we would have to read the file\n\n if (!cacheEntry) {\n return { result: 'file-not-in-cache' }\n }\n let mtimeMs = file.mtimeMs\n\n if (mtimeMs === undefined) {\n try {\n const currentStat = await this.fs.stat(file.path)\n mtimeMs = currentStat.mtimeMs\n } catch {\n return { result: 'cannot-stat-file' }\n }\n }\n return { result: mtimeMs !== cacheEntry.mtimeMs, mtimeMs, cacheEntry }\n }\n\n private async safeFileWrite(opts: {\n filePath: string\n newContent: string\n strategy:\n | {\n type: 'mtime'\n expectedMtimeMs: bigint\n }\n | {\n type: 'new-file'\n }\n }) {\n const tmpPath = this.getTempFileName(opts.filePath)\n await this.fs.writeFile(tmpPath, opts.newContent)\n\n if (opts.strategy.type === 'mtime') {\n const beforeStat = await this.fs.stat(opts.filePath)\n if (beforeStat.mtimeMs !== opts.strategy.expectedMtimeMs) {\n throw rerun({\n msg: `File ${opts.filePath} was modified by another process during processing.`,\n event: { type: 'update', path: opts.filePath },\n })\n }\n const newFileState = await this.fs.stat(tmpPath)\n if (newFileState.mode !== beforeStat.mode) {\n await this.fs.chmod(tmpPath, beforeStat.mode)\n }\n if (\n newFileState.uid !== beforeStat.uid ||\n newFileState.gid !== beforeStat.gid\n ) {\n try {\n await this.fs.chown(tmpPath, beforeStat.uid, beforeStat.gid)\n } catch (err) {\n if (\n typeof err === 'object' &&\n err !== null &&\n 'code' in err &&\n (err as any).code === 'EPERM'\n ) {\n console.warn(\n `[safeFileWrite] chown failed: ${(err as any).message}`,\n )\n } else {\n throw err\n }\n }\n }\n } else {\n if (await checkFileExists(opts.filePath)) {\n throw rerun({\n msg: `File ${opts.filePath} already exists. Cannot overwrite.`,\n event: { type: 'update', path: opts.filePath },\n })\n }\n }\n\n const stat = await this.fs.stat(tmpPath)\n\n await this.fs.rename(tmpPath, opts.filePath)\n\n return stat\n }\n\n private getTempFileName(filePath: string) {\n const absPath = path.resolve(filePath)\n const hash = crypto.createHash('md5').update(absPath).digest('hex')\n // lazy initialize sessionId to only create tmpDir when it is first needed\n if (!this.sessionId) {\n // ensure the directory exists\n mkdirSync(this.config.tmpDir, { recursive: true })\n this.sessionId = crypto.randomBytes(4).toString('hex')\n }\n return path.join(this.config.tmpDir, `${this.sessionId}-${hash}`)\n }\n\n private async isRouteFileCacheFresh(node: RouteNode): Promise<\n | {\n status: 'fresh'\n cacheEntry: RouteNodeCacheEntry\n }\n | { status: 'stale'; cacheEntry?: RouteNodeCacheEntry }\n > {\n const fileChangedCache = await this.didRouteFileChangeComparedToCache(\n { path: node.fullPath },\n 'routeNodeCache',\n )\n if (fileChangedCache.result === false) {\n this.routeNodeShadowCache.set(node.fullPath, fileChangedCache.cacheEntry)\n return {\n status: 'fresh',\n cacheEntry: fileChangedCache.cacheEntry,\n }\n }\n if (fileChangedCache.result === 'cannot-stat-file') {\n throw new Error(`⚠️ expected route file to exist at ${node.fullPath}`)\n }\n const mtimeMs =\n fileChangedCache.result === true ? fileChangedCache.mtimeMs : undefined\n\n const shadowCacheFileChange = await this.didRouteFileChangeComparedToCache(\n { path: node.fullPath, mtimeMs },\n 'routeNodeShadowCache',\n )\n\n if (shadowCacheFileChange.result === 'cannot-stat-file') {\n throw new Error(`⚠️ expected route file to exist at ${node.fullPath}`)\n }\n\n if (shadowCacheFileChange.result === false) {\n // shadow cache has latest file state already\n if (fileChangedCache.result === true) {\n return {\n status: 'fresh',\n cacheEntry: shadowCacheFileChange.cacheEntry,\n }\n }\n }\n\n if (fileChangedCache.result === 'file-not-in-cache') {\n return {\n status: 'stale',\n }\n }\n return { status: 'stale', cacheEntry: fileChangedCache.cacheEntry }\n }\n\n private async handleRootNode(node: RouteNode) {\n const result = await this.isRouteFileCacheFresh(node)\n\n if (result.status === 'fresh') {\n this.routeNodeShadowCache.set(node.fullPath, result.cacheEntry)\n }\n const rootNodeFile = await this.fs.readFile(node.fullPath)\n if (rootNodeFile === 'file-not-existing') {\n throw new Error(`⚠️ expected root route to exist at ${node.fullPath}`)\n }\n\n const updatedCacheEntry: RouteNodeCacheEntry = {\n fileContent: rootNodeFile.fileContent,\n mtimeMs: rootNodeFile.stat.mtimeMs,\n routeId: node.routePath ?? '$$TSR_NO_ROOT_ROUTE_PATH_ASSIGNED$$',\n node,\n }\n\n // scaffold the root route\n if (!rootNodeFile.fileContent) {\n const rootTemplate = this.targetTemplate.rootRoute\n const rootRouteContent = await fillTemplate(\n this.config,\n rootTemplate.template(),\n {\n tsrImports: rootTemplate.imports.tsrImports(),\n tsrPath: rootPathId,\n tsrExportStart: rootTemplate.imports.tsrExportStart(),\n tsrExportEnd: rootTemplate.imports.tsrExportEnd(),\n },\n )\n\n this.logger.log(`🟡 Creating ${node.fullPath}`)\n const stats = await this.safeFileWrite({\n filePath: node.fullPath,\n newContent: rootRouteContent,\n strategy: {\n type: 'mtime',\n expectedMtimeMs: rootNodeFile.stat.mtimeMs,\n },\n })\n updatedCacheEntry.fileContent = rootRouteContent\n updatedCacheEntry.mtimeMs = stats.mtimeMs\n }\n\n this.routeNodeShadowCache.set(node.fullPath, updatedCacheEntry)\n }\n\n public async getCrawlingResult(): Promise<CrawlingResult | undefined> {\n await this.runPromise\n return this.crawlingResult\n }\n\n private static handleNode(\n node: RouteNode,\n acc: HandleNodeAccumulator,\n prefixMap: RoutePrefixMap,\n config?: Config,\n ) {\n const parentRoute = hasParentRoute(prefixMap, node, node.routePath)\n\n if (parentRoute) node.parent = parentRoute\n\n node.path = determineNodePath(node)\n\n const trimmedPath = trimPathLeft(node.path ?? '')\n const trimmedOriginalPath = trimPathLeft(\n node.originalRoutePath?.replace(\n node.parent?.originalRoutePath ?? '',\n '',\n ) ?? '',\n )\n\n const split = trimmedPath.split('/')\n const originalSplit = trimmedOriginalPath.split('/')\n const lastRouteSegment = split[split.length - 1] ?? trimmedPath\n const lastOriginalSegment =\n originalSplit[originalSplit.length - 1] ?? trimmedOriginalPath\n\n // A segment is non-path if it starts with underscore AND the underscore is not escaped\n node.isNonPath =\n isSegmentPathless(lastRouteSegment, lastOriginalSegment) ||\n split.every((part) => this.routeGroupPatternRegex.test(part))\n\n // Use escape-aware functions to compute cleanedPath\n node.cleanedPath = removeGroups(\n removeUnderscoresWithEscape(\n removeLayoutSegmentsWithEscape(node.path, node.originalRoutePath),\n node.originalRoutePath,\n ),\n )\n\n if (\n node._fsRouteType === 'layout' ||\n node._fsRouteType === 'pathless_layout'\n ) {\n node.cleanedPath = removeTrailingSlash(node.cleanedPath)\n }\n\n if (\n !node.isVirtual &&\n (\n [\n 'lazy',\n 'loader',\n 'component',\n 'pendingComponent',\n 'errorComponent',\n 'notFoundComponent',\n ] satisfies Array<FsRouteType>\n ).some((d) => d === node._fsRouteType)\n ) {\n acc.routePiecesByPath[node.routePath!] =\n acc.routePiecesByPath[node.routePath!] || {}\n\n const pieceKey =\n node._fsRouteType === 'lazy'\n ? 'lazy'\n : (node._fsRouteType as keyof (typeof acc.routePiecesByPath)[string])\n acc.routePiecesByPath[node.routePath!]![pieceKey] = node\n\n const anchorRoute = acc.routeNodesByPath.get(node.routePath!)\n\n // Don't create virtual routes for root route component pieces - the root route is handled separately\n if (!anchorRoute && node.routePath !== `/${rootPathId}`) {\n this.handleNode(\n {\n ...node,\n isVirtual: true,\n _fsRouteType: 'static',\n },\n acc,\n prefixMap,\n config,\n )\n }\n return\n }\n\n const isPathlessLayoutWithPath =\n node._fsRouteType === 'pathless_layout' &&\n node.cleanedPath &&\n node.cleanedPath.length > 0\n\n // Special handling: pathless layouts with path need to find real ancestor\n if (!node.isVirtual && isPathlessLayoutWithPath) {\n const immediateParentPath =\n removeLastSegmentFromPath(node.routePath) || '/'\n const immediateParentOriginalPath =\n removeLastSegmentFromPath(node.originalRoutePath) || '/'\n let searchPath = immediateParentPath\n\n // Find nearest real (non-virtual, non-index) parent\n while (searchPath) {\n const candidate = acc.routeNodesByPath.get(searchPath)\n if (candidate && !candidate.isVirtual && candidate.path !== '/') {\n node.parent = candidate\n node.path =\n node.routePath?.replace(candidate.routePath ?? '', '') || '/'\n const pathRelativeToParent =\n immediateParentPath.replace(candidate.routePath ?? '', '') || '/'\n const originalPathRelativeToParent =\n immediateParentOriginalPath.replace(\n candidate.originalRoutePath ?? '',\n '',\n ) || '/'\n node.cleanedPath = removeGroups(\n removeUnderscoresWithEscape(\n removeLayoutSegmentsWithEscape(\n pathRelativeToParent,\n originalPathRelativeToParent,\n ),\n originalPathRelativeToParent,\n ),\n )\n break\n }\n if (searchPath === '/') break\n searchPath = removeLastSegmentFromPath(searchPath) || '/'\n }\n }\n\n // Add to parent's children or to root\n if (node.parent) {\n node.parent.children = node.parent.children ?? []\n node.parent.children.push(node)\n } else {\n acc.routeTree.push(node)\n }\n\n acc.routeNodes.push(node)\n if (node.routePath && !node.isVirtual) {\n acc.routeNodesByPath.set(node.routePath, node)\n }\n }\n\n // only process files that are relevant for the route tree generation\n private isFileRelevantForRouteTreeGeneration(filePath: string): boolean {\n // the generated route tree file\n if (filePath === this.generatedRouteTreePath) {\n return true\n }\n\n // files inside the routes folder\n if (filePath.startsWith(this.routesDirectoryPath)) {\n return true\n }\n\n // the virtual route config file passed into `virtualRouteConfig`\n if (\n typeof this.config.virtualRouteConfig === 'string' &&\n filePath === this.config.virtualRouteConfig\n ) {\n return true\n }\n\n // this covers all files that are mounted via `virtualRouteConfig` or any `__virtual.ts` files\n if (this.routeNodeCache.has(filePath)) {\n return true\n }\n\n // virtual config files such as`__virtual.ts`\n if (isVirtualConfigFile(path.basename(filePath))) {\n return true\n }\n\n // route files inside directories mounted via `physical()` inside a virtual route config\n if (this.physicalDirectories.some((dir) => filePath.startsWith(dir))) {\n return true\n }\n\n return false\n }\n}\n"],"names":["virtualGetRouteNodes","physicalGetRouteNodes","moduleAugmentation"],"mappings":";;;;;;;;;;;;AAwEA,MAAM,oBAAwB;AAAA,EAC5B,MAAM,OAAO,aAAa;AACxB,UAAM,MAAM,MAAM,IAAI,KAAK,UAAU,EAAE,QAAQ,MAAM;AACrD,WAAO;AAAA,MACL,SAAS,IAAI;AAAA,MACb,MAAM,OAAO,IAAI,IAAI;AAAA,MACrB,KAAK,OAAO,IAAI,GAAG;AAAA,MACnB,KAAK,OAAO,IAAI,GAAG;AAAA,IAAA;AAAA,EAEvB;AAAA,EACA,QAAQ,CAAC,SAAS,YAAY,IAAI,OAAO,SAAS,OAAO;AAAA,EACzD,WAAW,CAAC,UAAU,YAAY,IAAI,UAAU,UAAU,OAAO;AAAA,EACjE,UAAU,OAAO,aAAqB;AACpC,QAAI;AACF,YAAM,aAAa,MAAM,IAAI,KAAK,UAAU,GAAG;AAC/C,YAAM,OAAO,MAAM,WAAW,KAAK,EAAE,QAAQ,MAAM;AACnD,YAAM,eAAe,MAAM,WAAW,SAAA,GAAY,SAAA;AAClD,YAAM,WAAW,MAAA;AACjB,aAAO,EAAE,MAAM,YAAA;AAAA,IACjB,SAAS,GAAQ;AACf,UAAI,UAAU,GAAG;AACf,YAAI,EAAE,SAAS,UAAU;AACvB,iBAAO;AAAA,QACT;AAAA,MACF;AACA,YAAM;AAAA,IACR;AAAA,EACF;AAAA,EACA,OAAO,CAAC,UAAU,SAAS,IAAI,MAAM,UAAU,IAAI;AAAA,EACnD,OAAO,CAAC,UAAU,KAAK,QAAQ,IAAI,MAAM,UAAU,KAAK,GAAG;AAC7D;AAOA,SAAS,MAAM,MAAuD;AACpE,QAAM,EAAE,OAAO,GAAG,KAAA,IAAS;AAC3B,SAAO,EAAE,OAAO,MAAM,OAAO,SAAS,EAAE,MAAM,WAAW,GAAG,KAAA;AAC9D;AAEA,SAAS,QAAQ,QAAkC;AACjD,SACE,OAAO,WAAW,YAClB,WAAW,QACX,WAAW,UACX,OAAO,UAAU;AAErB;AAwCO,MAAM,aAAN,MAAM,WAAU;AAAA,EAqCrB,YAAY,MAAiD;AA1B7D,SAAQ,qCAA8C,IAAA;AACtD,SAAQ,2CAAoD,IAAA;AAe5D,SAAQ,iBAAwC,CAAA;AAChD,SAAQ,UAAkC,CAAA;AAE1C,SAAQ,sBAAqC,CAAA;AAQ3C,SAAK,SAAS,KAAK;AACnB,SAAK,SAAS,QAAQ,EAAE,UAAU,KAAK,OAAO,gBAAgB;AAC9D,SAAK,OAAO,KAAK;AACjB,SAAK,KAAK,KAAK,MAAM;AACrB,SAAK,yBAAyB,KAAK,0BAAA;AACnC,SAAK,iBAAiB,kBAAkB,KAAK,MAAM;AAEnD,SAAK,sBAAsB,KAAK,uBAAA;AAChC,SAAK,QAAQ,KAAK,GAAI,KAAK,OAAO,WAAW,EAAG;AAEhD,SAAK,kBAAkB,IAAI,OAAO,OAAO,KAAK,OAAO,UAAU,KAAK;AACpE,SAAK,kBAAkB,IAAI,OAAO,OAAO,KAAK,OAAO,UAAU,KAAK;AAEpE,eAAW,UAAU,KAAK,SAAS;AACjC,aAAO,OAAO,EAAE,WAAW,KAAA,CAAM;AAAA,IACnC;AAAA,EACF;AAAA,EAEQ,4BAA4B;AAClC,UAAM,yBAAyB,KAAK;AAAA,MAClC,KAAK,OAAO;AAAA,IAAA,IAEV,KAAK,OAAO,qBACZ,KAAK,QAAQ,KAAK,MAAM,KAAK,OAAO,kBAAkB;AAE1D,UAAM,wBAAwB,KAAK,QAAQ,sBAAsB;AAEjE,QAAI,CAAC,WAAW,qBAAqB,GAAG;AACtC,gBAAU,uBAAuB,EAAE,WAAW,KAAA,CAAM;AAAA,IACtD;AAEA,WAAO;AAAA,EACT;AAAA,EAEQ,yBAAyB;AAC/B,WAAO,KAAK,WAAW,KAAK,OAAO,eAAe,IAC9C,KAAK,OAAO,kBACZ,KAAK,QAAQ,KAAK,MAAM,KAAK,OAAO,eAAe;AAAA,EACzD;AAAA,EAEO,qBAA+C;AACpD,WAAO,IAAI;AAAA,MACT,CAAC,GAAG,KAAK,eAAe,QAAA,CAAS,EAAE,IAAI,CAAC,CAAC,UAAU,UAAU,MAAM;AAAA,QACjE;AAAA,QACA,EAAE,WAAW,WAAW,QAAA;AAAA,MAAQ,CACjC;AAAA,IAAA;AAAA,EAEL;AAAA,EAEA,MAAa,IAAI,OAAuC;AACtD,QACE,SACA,MAAM,SAAS,WACf,CAAC,KAAK,qCAAqC,MAAM,IAAI,GACrD;AACA;AAAA,IACF;AACA,SAAK,eAAe,KAAK,SAAS,EAAE,MAAM,SAAS;AAEnD,QAAI,KAAK,YAAY;AACnB,aAAO,KAAK;AAAA,IACd;AAEA,SAAK,cAAc,YAAY;AAC7B,SAAG;AAGD,cAAM,YAAY,KAAK;AACvB,aAAK,iBAAiB,CAAA;AAGtB,cAAM,mBACJ,MAAM,QAAQ;AAAA,UACZ,UAAU,IAAI,OAAO,MAAM;AACzB,gBAAI,EAAE,SAAS,UAAU;AACvB,kBAAI;AACJ,kBAAI,EAAE,SAAS,KAAK,wBAAwB;AAC1C,6BAAa,KAAK;AAAA,cACpB,OAAO;AAGL,6BAAa,KAAK,eAAe,IAAI,EAAE,IAAI;AAAA,cAC7C;AACA,oBAAM,SAAS,MAAM,KAAK;AAAA,gBACxB,EAAE,MAAM,EAAE,KAAA;AAAA,gBACV;AAAA,cAAA;AAEF,kBAAI,OAAO,WAAW,OAAO;AAC3B,uBAAO;AAAA,cACT;AAAA,YACF;AACA,mBAAO;AAAA,UACT,CAAC;AAAA,QAAA,GAEH,OAAO,CAAC,MAAM,MAAM,IAAI;AAE1B,YAAI,gBAAgB,WAAW,GAAG;AAChC;AAAA,QACF;AAEA,YAAI;AACF,gBAAM,KAAK,kBAAA;AAAA,QACb,SAAS,KAAK;AACZ,gBAAM,WAAW,CAAC,MAAM,QAAQ,GAAG,IAAI,CAAC,GAAG,IAAI;AAE/C,gBAAM,oBAAoB,SAAS,OAAO,CAAC,MAAM,QAAQ,CAAC,CAAC;AAC3D,cAAI,kBAAkB,WAAW,SAAS,QAAQ;AAChD,iBAAK,eAAe,KAAK,GAAG,kBAAkB,IAAI,CAAC,MAAM,EAAE,KAAK,CAAC;AACjE,8BAAkB,QAAQ,CAAC,MAAM;AAC/B,kBAAI,EAAE,KAAK;AACT,qBAAK,OAAO,KAAK,EAAE,GAAG;AAAA,cACxB;AAAA,YACF,CAAC;AAAA,UACH,OAAO;AACL,kBAAM,sBAAsB,SAAS,OAAO,CAAC,MAAM,CAAC,QAAQ,CAAC,CAAC;AAC9D,iBAAK,aAAa;AAClB,kBAAM,IAAI;AAAA,cACR,oBAAoB,IAAI,CAAC,MAAO,EAAY,OAAO,EAAE,KAAA;AAAA,YAAK;AAAA,UAE9D;AAAA,QACF;AAAA,MACF,SAAS,KAAK,eAAe;AAC7B,WAAK,aAAa;AAAA,IACpB,GAAA;AACA,WAAO,KAAK;AAAA,EACd;AAAA,EAEA,MAAc,oBAAoB;AAChC,QAAI,qBAAwC;AAE5C,QAAI;AAEJ,QAAI,KAAK,OAAO,oBAAoB;AAClC,4BAAsB,MAAMA,cAAqB,KAAK,QAAQ,KAAK,IAAI;AAAA,IACzE,OAAO;AACL,4BAAsB,MAAMC,gBAAsB,KAAK,QAAQ,KAAK,IAAI;AAAA,IAC1E;AAEA,UAAM;AAAA,MACJ;AAAA,MACA,YAAY;AAAA,MACZ;AAAA,IAAA,IACE;AACJ,QAAI,kBAAkB,QAAW;AAC/B,UAAI,eAAe;AACnB,UAAI,CAAC,KAAK,OAAO,oBAAoB;AACnC,wBAAgB;AAAA,4BAA+B,UAAU,IAAI,KAAK,OAAO,eAAe,OAAO,KAAK;AAAA,oBAAuD,KAAK,OAAO,eAAe,IAAI,UAAU,IAAI,KAAK,OAAO,eAAe,OAAO,KAAK;AAAA,MACjP;AACA,YAAM,IAAI,MAAM,YAAY;AAAA,IAC9B;AACA,SAAK,sBAAsB;AAE3B,UAAM,KAAK,eAAe,aAAa;AAEvC,UAAM,gBAAgB,YAAY,kBAAkB;AAAA,MAClD,CAAC,MAAO,EAAE,cAAc,MAAM,KAAK;AAAA,MACnC,CAAC,MAAM,EAAE,WAAW,MAAM,GAAG,EAAE;AAAA,MAC/B,CAAC,MAAO,EAAE,SAAS,MAAM,KAAK,eAAe,IAAI,IAAI;AAAA,MACrD,CAAC,MAAO,EAAE,SAAS,MAAM,WAAU,mBAAmB,IAAI,IAAI;AAAA,MAC9D,CAAC,MAAO,EAAE,SAAS,MAAM,KAAK,eAAe,IAAI,KAAK;AAAA,MACtD,CAAC,MAAO,EAAE,WAAW,SAAS,GAAG,IAAI,KAAK;AAAA,MAC1C,CAAC,MAAM,EAAE;AAAA,IAAA,CACV,EAAE,OAAO,CAAC,MAAM;AAEf,UAAI,EAAE,cAAc,IAAI,UAAU,IAAI;AACpC,eAAO;AAAA,UACL;AAAA,UACA;AAAA,UACA;AAAA,UACA;AAAA,UACA;AAAA,UACA;AAAA,QAAA,EACA,SAAS,EAAE,YAAY;AAAA,MAC3B;AACA,aAAO;AAAA,IACT,CAAC;AAED,UAAM,qBAAqB,MAAM,QAAQ;AAAA,MACvC,cAEG,OAAO,CAAC,MAAM,CAAC,EAAE,wBAAwB,CAAC,EAAE,SAAS,EACrD,IAAI,CAAC,MAAM,KAAK,qBAAqB,CAAC,CAAC;AAAA,IAAA;AAG5C,UAAM,aAAa,mBAAmB;AAAA,MACpC,CAAC,WAAW,OAAO,WAAW;AAAA,IAAA;AAEhC,QAAI,WAAW,SAAS,GAAG;AACzB,YAAM,WAAW,IAAI,CAAC,MAAM,EAAE,MAAM;AAAA,IACtC;AAEA,UAAM,kBAAkB,mBAAmB,QAAQ,CAAC,WAAW;AAC7D,UAAI,OAAO,WAAW,eAAe,OAAO,UAAU,MAAM;AAC1D,YAAI,OAAO,MAAM,iBAAiB;AAChC,+BAAqB;AAAA,QACvB;AACA,eAAO,OAAO,MAAM;AAAA,MACtB;AACA,aAAO,CAAA;AAAA,IACT,CAAC;AAGD,oBAAgB,QAAQ,CAAC,MAAO,EAAE,WAAW,MAAU;AAEvD,UAAM,MAA6B;AAAA,MACjC,WAAW,CAAA;AAAA,MACX,YAAY,CAAA;AAAA,MACZ,mBAAmB,CAAA;AAAA,MACnB,sCAAsB,IAAA;AAAA,IAAI;AAG5B,UAAM,YAAY,IAAI,eAAe,eAAe;AAEpD,eAAW,QAAQ,iBAAiB;AAClC,iBAAU,WAAW,MAAM,KAAK,WAAW,KAAK,MAAM;AAAA,IACxD;AAEA,SAAK,iBAAiB,EAAE,eAAe,iBAAiB,IAAA;AAGxD,QAAI,CAAC,KAAK,oBAAoB;AAC5B,YAAM,gBAAgB,MAAM,KAAK,GAAG,SAAS,KAAK,sBAAsB;AACxE,UAAI,kBAAkB,qBAAqB;AACzC,aAAK,qBAAqB;AAAA,UACxB,aAAa,cAAc;AAAA,UAC3B,SAAS,cAAc,KAAK;AAAA,QAAA;AAAA,MAEhC;AACA,2BAAqB;AAAA,IACvB,OAAO;AACL,YAAM,sBAAsB,MAAM,KAAK;AAAA,QACrC,EAAE,MAAM,KAAK,uBAAA;AAAA,QACb,KAAK;AAAA,MAAA;AAEP,UAAI,oBAAoB,WAAW,OAAO;AACxC,6BAAqB;AACrB,YAAI,oBAAoB,WAAW,MAAM;AACvC,gBAAM,gBAAgB,MAAM,KAAK,GAAG;AAAA,YAClC,KAAK;AAAA,UAAA;AAEP,cAAI,kBAAkB,qBAAqB;AACzC,iBAAK,qBAAqB;AAAA,cACxB,aAAa,cAAc;AAAA,cAC3B,SAAS,cAAc,KAAK;AAAA,YAAA;AAAA,UAEhC;AAAA,QACF;AAAA,MACF;AAAA,IACF;AAEA,QAAI,CAAC,oBAAoB;AAGvB,UAAI,KAAK,eAAe,SAAS,KAAK,qBAAqB,MAAM;AAC/D,6BAAqB;AAAA,MACvB,OAAO;AACL,mBAAW,YAAY,KAAK,eAAe,KAAA,GAAQ;AACjD,cAAI,CAAC,KAAK,qBAAqB,IAAI,QAAQ,GAAG;AAC5C,iCAAqB;AACrB;AAAA,UACF;AAAA,QACF;AAAA,MACF;AAAA,IACF;AAEA,QAAI,CAAC,oBAAoB;AACvB,WAAK,WAAA;AACL;AAAA,IACF;AAEA,UAAM,cAAc,KAAK,eAAe;AAAA,MACtC;AAAA,MACA;AAAA,MACA;AAAA,IAAA,CACD;AACD,QAAI,mBAAmB,YAAY;AAEnC,uBAAmB,KAAK,OAAO,4BAC3B,MAAM,OAAO,kBAAkB,KAAK,MAAM,IAC1C;AAEJ,QAAI;AACJ,QAAI,KAAK,oBAAoB;AAC3B,UACE,uBAAuB,WACvB,KAAK,mBAAmB,gBAAgB,iBACxC;AAAA,WAGK;AACL,cAAM,uBAAuB,MAAM,KAAK,cAAc;AAAA,UACpD,UAAU,KAAK;AAAA,UACf,YAAY;AAAA,UACZ,UAAU;AAAA,YACR,MAAM;AAAA,YACN,iBAAiB,KAAK,mBAAmB;AAAA,UAAA;AAAA,QAC3C,CACD;AACD,qBAAa,qBAAqB;AAAA,MACpC;AAAA,IACF,OAAO;AACL,YAAM,uBAAuB,MAAM,KAAK,cAAc;AAAA,QACpD,UAAU,KAAK;AAAA,QACf,YAAY;AAAA,QACZ,UAAU;AAAA,UACR,MAAM;AAAA,QAAA;AAAA,MACR,CACD;AACD,mBAAa,qBAAqB;AAAA,IACpC;AAEA,QAAI,eAAe,QAAW;AAC5B,WAAK,qBAAqB;AAAA,QACxB,aAAa;AAAA,QACb,SAAS;AAAA,MAAA;AAAA,IAEb;AAEA,SAAK,QAAQ,IAAI,CAAC,WAAW;AAC3B,aAAO,OAAO,qBAAqB;AAAA,QACjC,WAAW,YAAY;AAAA,QACvB,YAAY,YAAY;AAAA,QACxB;AAAA,QACA;AAAA,MAAA,CACD;AAAA,IACH,CAAC;AACD,SAAK,WAAA;AAAA,EACP;AAAA,EAEQ,aAAa;AACnB,SAAK,iBAAiB,KAAK;AAC3B,SAAK,2CAA2B,IAAA;AAAA,EAClC;AAAA,EAEO,eAAe,MAKnB;AACD,UAAM,SAAS,EAAE,GAAG,KAAK,QAAQ,GAAI,KAAK,UAAU,GAAC;AAErD,UAAM,EAAE,eAAe,IAAA,IAAQ;AAE/B,UAAM,mBAAmB,YAAY,IAAI,YAAY;AAAA,MACnD,CAAC,MAAO,EAAE,WAAW,SAAS,IAAI,UAAU,EAAE,IAAI,KAAK;AAAA,MACvD,CAAC,MAAM,EAAE,WAAW,MAAM,GAAG,EAAE;AAAA,MAC/B,CAAC,MAAO,EAAE,WAAW,SAAS,OAAO,UAAU,IAAI,KAAK;AAAA,MACxD,CAAC,MAAM;AAAA,IAAA,CACR;AAED,UAAM,eAAyC,CAAA;AAC/C,UAAM,oBAAmC,CAAA;AAEzC,eAAW,QAAQ,kBAAkB;AACnC,UAAI,KAAK,WAAW;AAClB,0BAAkB;AAAA,UAChB,SAAS,KAAK,YAAY,kCAAkC,KAAK,SAAS;AAAA,QAAA;AAAA,MAE9E,OAAO;AACL,qBAAa;AAAA,UACX;AAAA,YACE;AAAA,YACA;AAAA,YACA,KAAK;AAAA,YACL,KAAK;AAAA,UAAA;AAAA,QACP;AAAA,MAEJ;AAAA,IACF;AAEA,UAAM,UAAoC,CAAA;AAC1C,QAAI,kBAAkB,SAAS,GAAG;AAChC,cAAQ,KAAK;AAAA,QACX,YAAY,CAAC,EAAE,UAAU,mBAAmB;AAAA,QAC5C,QAAQ,KAAK,eAAe;AAAA,MAAA,CAC7B;AAAA,IACH;AAEA,QAAI,qBAAqB;AACzB,QAAI,kBAAkB;AACtB,eAAW,QAAQ,kBAAkB;AACnC,YAAM,SAAS,IAAI,kBAAkB,KAAK,SAAU;AACpD,UAAI,QAAQ;AACV,YACE,OAAO,aACP,OAAO,kBACP,OAAO,qBACP,OAAO,kBACP;AACA,+BAAqB;AAAA,QACvB;AACA,YAAI,OAAO,QAAQ;AACjB,4BAAkB;AAAA,QACpB;AACA,YAAI,sBAAsB,gBAAiB;AAAA,MAC7C;AAAA,IACF;AACA,QAAI,sBAAsB,iBAAiB;AACzC,YAAM,gBAAmC;AAAA,QACvC,YAAY,CAAA;AAAA,QACZ,QAAQ,KAAK,eAAe;AAAA,MAAA;AAE9B,UAAI,oBAAoB;AACtB,sBAAc,WAAW,KAAK,EAAE,UAAU,sBAAsB;AAAA,MAClE;AACA,UAAI,iBAAiB;AACnB,sBAAc,WAAW,KAAK,EAAE,UAAU,UAAU;AAAA,MACtD;AACA,cAAQ,KAAK,aAAa;AAAA,IAC5B;AACA,QAAI,OAAO,sBAAsB,OAAO;AACtC,YAAM,aAAgC;AAAA,QACpC,YAAY,CAAA;AAAA,QACZ,QAAQ,KAAK,eAAe;AAAA,QAC5B,YAAY;AAAA,MAAA;AAEd,UAAI,uBAAuB;AAC3B,UAAI,2BAA2B;AAC/B,iBAAW,QAAQ,kBAAkB;AACnC,YAAI,gCAAgC,IAAI,GAAG;AACzC,cAAI,KAAK,iBAAiB,QAAQ;AAChC,mCAAuB;AAAA,UACzB;AACA,cAAI,IAAI,kBAAkB,KAAK,SAAU,GAAG,MAAM;AAChD,uCAA2B;AAAA,UAC7B;AAAA,QACF;AACA,YAAI,wBAAwB,yBAA0B;AAAA,MACxD;AACA,UAAI,sBAAsB;AACxB,mBAAW,WAAW,KAAK,EAAE,UAAU,mBAAmB;AAAA,MAC5D;AACA,UAAI,0BAA0B;AAC5B,mBAAW,WAAW,KAAK,EAAE,UAAU,uBAAuB;AAAA,MAChE;AAEA,UAAI,WAAW,WAAW,SAAS,GAAG;AACpC,mBAAW,WAAW,KAAK,EAAE,UAAU,oBAAoB;AAC3D,gBAAQ,KAAK,UAAU;AAAA,MACzB;AAAA,IACF;AAEA,UAAM,kBAAkB;AAAA,MACtB,IAAI;AAAA,MACJ,OAAO;AAAA,IAAA;AAGT,UAAM,qBAAqB,iBAAiB,IAAI,CAAC,SAAS;AACxD,YAAM,SAAS,IAAI,kBAAkB,KAAK,SAAU;AACpD,YAAM,aAAa,QAAQ;AAC3B,YAAM,gBAAgB,QAAQ;AAC9B,YAAM,qBAAqB,QAAQ;AACnC,YAAM,wBAAwB,QAAQ;AACtC,YAAM,uBAAuB,QAAQ;AACrC,YAAM,oBAAoB,QAAQ;AAElC,aAAO;AAAA,QACL;AAAA,UACE,SAAS,KAAK,YAAY,WAAW,KAAK,YAAY;AAAA,cAClD;AAAA,YACA,QAAQ,KAAK,IAAI;AAAA,YACjB,CAAC,KAAK,aACL,KAAK,iBAAiB,qBAAqB,KAAK,cAC7C,UAAU,KAAK,WAAW,MAC1B;AAAA,YACJ,yBAAyB,WAAW,IAAI,CAAC;AAAA,UAAA,EAExC,OAAO,OAAO,EACd,KAAK,GAAG,CAAC;AAAA,aACX,OAAO,eAAe,KAAK,QAAQ;AAAA,UACtC,aACI,kDAAkD;AAAA,YAChD;AAAA,cACE,KAAK;AAAA,gBACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,gBACtC,KAAK,QAAQ,OAAO,iBAAiB,WAAW,QAAQ;AAAA,cAAA;AAAA,cAE1D,OAAO;AAAA,YAAA;AAAA,UACT,CACD,qBACD;AAAA,UACJ,iBACA,sBACA,yBACA,uBACI;AAAA,kBAEI;AAAA,YACE,CAAC,aAAa,aAAa;AAAA,YAC3B,CAAC,kBAAkB,kBAAkB;AAAA,YACrC,CAAC,qBAAqB,qBAAqB;AAAA,YAC3C,CAAC,oBAAoB,oBAAoB;AAAA,UAAA,EAG1C,OAAO,CAAC,MAAM,EAAE,CAAC,CAAC,EAClB,IAAI,CAAC,MAAM;AAEV,kBAAM,YAAY,EAAE,CAAC,EAAG,SAAS,SAAS,MAAM;AAChD,kBAAM,aAAa,YAAY,YAAY,EAAE,CAAC;AAE9C,kBAAM,aAAa;AAAA,cACjB,YACI,KAAK;AAAA,gBACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,gBACtC,KAAK;AAAA,kBACH,OAAO;AAAA,kBACP,EAAE,CAAC,EAAG;AAAA,gBAAA;AAAA,cACR,IAEF;AAAA,gBACE,KAAK;AAAA,kBACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,kBACtC,KAAK;AAAA,oBACH,OAAO;AAAA,oBACP,EAAE,CAAC,EAAG;AAAA,kBAAA;AAAA,gBACR;AAAA,gBAEF,OAAO;AAAA,cAAA;AAAA,YACT;AAEN,mBAAO,GACL,EAAE,CAAC,CACL,wCAAwC,UAAU,QAAQ,UAAU;AAAA,UACtE,CAAC,EACA,KAAK,KAAK,CAAC;AAAA,oBAEhB;AAAA,UACJ,qBACK,MAAM;AAEL,kBAAM,YAAY,kBAAkB,SAAS,SAAS,MAAM;AAC5D,kBAAM,iBAAiB,YAAY,cAAc;AAEjD,kBAAM,aAAa;AAAA,cACjB,YACI,KAAK;AAAA,gBACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,gBACtC,KAAK;AAAA,kBACH,OAAO;AAAA,kBACP,kBAAkB;AAAA,gBAAA;AAAA,cACpB,IAEF;AAAA,gBACE,KAAK;AAAA,kBACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,kBACtC,KAAK;AAAA,oBACH,OAAO;AAAA,oBACP,kBAAkB;AAAA,kBAAA;AAAA,gBACpB;AAAA,gBAEF,OAAO;AAAA,cAAA;AAAA,YACT;AAEN,mBAAO,yBAAyB,UAAU,kBAAkB,cAAc;AAAA,UAC5E,OACA;AAAA,QAAA,EACJ,KAAK,EAAE;AAAA,MAAA,EACT,KAAK,MAAM;AAAA,IACf,CAAC;AAGD,UAAM,gBAAgB,IAAI,UAAU;AACpC,UAAM,aAAa,IAAI,kBAAkB,aAAa;AACtD,UAAM,oBAAoB,YAAY;AACtC,UAAM,yBAAyB,YAAY;AAC3C,UAAM,4BAA4B,YAAY;AAC9C,UAAM,2BAA2B,YAAY;AAE7C,QAAI,kBAAkB;AACtB,QACE,qBACA,0BACA,6BACA,0BACA;AACA,wBAAkB,gDAChB,qBACA,0BACA,6BACA,2BACI;AAAA,gBAEI;AAAA,QACE,CAAC,aAAa,iBAAiB;AAAA,QAC/B,CAAC,kBAAkB,sBAAsB;AAAA,QACzC,CAAC,qBAAqB,yBAAyB;AAAA,QAC/C,CAAC,oBAAoB,wBAAwB;AAAA,MAAA,EAG9C,OAAO,CAAC,MAAM,EAAE,CAAC,CAAC,EAClB,IAAI,CAAC,MAAM;AAEV,cAAM,YAAY,EAAE,CAAC,EAAG,SAAS,SAAS,MAAM;AAChD,cAAM,aAAa,YAAY,YAAY,EAAE,CAAC;AAE9C,cAAM,aAAa;AAAA,UACjB,YACI,KAAK;AAAA,YACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,YACtC,KAAK,QAAQ,OAAO,iBAAiB,EAAE,CAAC,EAAG,QAAQ;AAAA,UAAA,IAErD;AAAA,YACE,KAAK;AAAA,cACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,cACtC,KAAK;AAAA,gBACH,OAAO;AAAA,gBACP,EAAE,CAAC,EAAG;AAAA,cAAA;AAAA,YACR;AAAA,YAEF,OAAO;AAAA,UAAA;AAAA,QACT;AAEN,eAAO,GAAG,EAAE,CAAC,CAAC,wCAAwC,UAAU,QAAQ,UAAU;AAAA,MACpF,CAAC,EACA,KAAK,KAAK,CAAC;AAAA,kBAEhB,EACN,uCAAuC,OAAO,eAAe,KAAK,kCAAkC;AAAA,IACtG;AAEA,QAAI,4BAA4B;AAChC,QAAI,uBAAuB;AAE3B,QAAI,CAAC,OAAO,cAAc;AACxB,YAAM,uBAAuB,2BAA2B,IAAI,UAAU;AACtE,YAAM,iBAAiB,qBAAqB,IAAI,UAAU;AAC1D,YAAM,iBAAiB,qBAAqB,IAAI,UAAU;AAE1D,6BAAuB;AAAA,QACrB;AAAA,EACN,CAAC,GAAG,qBAAqB,SAAS,EACjC,OAAO,CAAC,CAAC,QAAQ,MAAM,QAAQ,EAC/B,IAAI,CAAC,CAAC,UAAU,SAAS,MAAM;AAC9B,iBAAO,IAAI,QAAQ,aAAa,iCAAiC,SAAS,CAAC;AAAA,QAC7E,CAAC,CAAC;AAAA;AAAA,QAEI;AAAA,EACN,CAAC,GAAG,eAAe,SAAS,EAC3B,OAAO,CAAC,CAAC,EAAE,MAAM,EAAE,EACnB,IAAI,CAAC,CAAC,IAAI,SAAS,MAAM;AACxB,iBAAO,IAAI,EAAE,aAAa,iCAAiC,SAAS,CAAC;AAAA,QACvE,CAAC,CAAC;AAAA;AAAA,QAEI;AAAA,GACL,WAAW;AAAA,EACZ,CAAC,GAAG,eAAe,SAAS,EAAE,IAAI,CAAC,CAAC,IAAI,SAAS,MAAM;AACvD,iBAAO,IAAI,EAAE,aAAa,iCAAiC,SAAS,CAAC;AAAA,QACvE,CAAC,CAAC;AAAA;AAAA,QAEM;AAAA;AAAA,aAGE,IAAI,WAAW,SAAS,IACpB,CAAC,GAAG,qBAAqB,KAAA,CAAM,EAC5B,OAAO,CAAC,aAAa,QAAQ,EAC7B,IAAI,CAAC,aAAa,IAAI,QAAQ,GAAG,EACjC,KAAK,GAAG,IACX,OACN;AAAA;AAAA,MAGE,IAAI,WAAW,SAAS,IACpB,CAAC,GAAG,eAAe,KAAA,CAAM,EACtB,OAAO,CAAC,OAAO,EAAE,EACjB,IAAI,CAAC,OAAO,IAAI,EAAE,GAAG,EACrB,KAAK,GAAG,IACX,OACN;AAAA,MACF,CAAC,IAAI,WAAW,KAAK,GAAG,CAAC,GAAG,eAAe,KAAA,CAAM,EAAE,IAAI,CAAC,OAAO,IAAI,EAAE,GAAG,CAAC,EAAE,KAAK,GAAG,CAAC;AAAA;AAAA;AAAA,QAGlF;AAAA,EACN,IAAI,UAAU,IAAI,CAAC,UAAU,GAAG,MAAM,YAAY,iBAAiB,iCAAiC,KAAK,CAAC,EAAE,EAAE,KAAK,GAAG,CAAC;AAAA;AAAA,MAAA,EAEjH,KAAK,IAAI;AAEX,kCAA4B,+BAA+B;AAAA,QACzD,QAAQ,KAAK,eAAe;AAAA,QAC5B,eAAe;AAAA,QACf,YAAY;AAAA,MAEd,CAAC;AAAA,IACH;AAEA,UAAM,YAAY;AAAA,MAChB,0BAA0B,OAAO,eAAe,KAAK,qBAAqB;AAAA,IAC5E,IAAI,UACH;AAAA,QACC,CAAC,UACC,GAAG,MAAM,YAAY,UAAU,iCAAiC,KAAK,CAAC;AAAA,MAAA,EAEzE,KAAK,GAAG,CAAC;AAAA;AAAA,MAER,kBACI,gBAAgB;AAAA,QACd;AAAA,QACA;AAAA,MAAA,IAEF,+EAA+E,OAAO,eAAe,KAAK,kCAAkC;AAAA,IAAA,EAChJ,KAAK,IAAI;AAEX;AAAA,MACE,iBAAiB;AAAA,QACf,CAAC,MAAM,EAAE,aAAa,UAAa,WAAW,EAAE;AAAA,MAAA;AAAA,MAElD;AAAA,IAAA;AAGF,QAAI,gBAAgB,wBAAwB,OAAO;AACnD,QAAI,OAAO,cAAc;AACvB,sBAAgB,cAAc,OAAO,CAAC,MAAM,EAAE,eAAe,MAAM;AAAA,IACrE;AAEA,UAAM,mBAAmB,cAAc,IAAI,iBAAiB;AAE5D,QAAI,qBAAqB;AACzB,QAAI,OAAO,sBAAsB,SAAS,CAAC,OAAO,cAAc;AAC9D,2BAAqB,KAAK,gBACvB,IAAI,CAAC,SAAS;AACb,cAAM,uBAAuB,CAAC,cAA0B;AACtD,cAAI,CAAC,gCAAgC,SAAS,GAAG;AAC/C,mBAAO;AAAA,UACT;AACA,cAAIC,sBAAqB;AACzB,cAAI,UAAU,iBAAiB,QAAQ;AACrCA,kCAAqB,oEAAoE,UAAU,SAAS;AAAA,UAC9G,OAAO;AACLA,kCAAqB,2CAA2C,UAAU,SAAS;AAAA,sCAC3D,UAAU,SAAS;AAAA,sCACnB,UAAU,SAAS;AAAA,sCACnB,UAAU,SAAS;AAAA,sCACnB,UAAU,SAAS;AAAA;AAAA;AAAA,UAG7C;AAEA,iBAAO,qBAAqB,cAAc,WAAW,QAAQ,KAAK,sBAAsB,CAAC;AAAA,wBAC7EA,mBAAkB;AAAA;AAAA,QAEhC;AACA,eAAO,qBAAqB,IAAI;AAAA,MAClC,CAAC,EACA,KAAK,IAAI;AAAA,IACd;AAEA,UAAM,kBAAkB;AAAA,MACtB;AAAA,MACA;AAAA,MACA,KAAK;AAAA,MACL,KAAK;AAAA,IAAA;AAEP,iBAAa,QAAQ,eAAe;AAEpC,QAAI,SAAwB,CAAA;AAC5B,QAAI,OAAO,qBAAqB;AAC9B,UAAI,MAAM,QAAQ,OAAO,mBAAmB,GAAG;AAC7C,iBAAS,OAAO;AAAA,MAClB,OAAO;AACL,iBAAS,OAAO,oBAAA;AAAA,MAClB;AAAA,IACF;AACA,UAAM,mBAAmB;AAAA,MACvB,GAAG,OAAO;AAAA,MACV;AAAA;AAAA;AAAA,MAGA,CAAC,GAAG,gBAAgB,EAAE,KAAK,IAAI;AAAA,MAC/B,wBAAwB,YAAY,EAAE,IAAI,iBAAiB,EAAE,KAAK,IAAI;AAAA,MACtE,kBAAkB,KAAK,IAAI;AAAA,MAC3B,mBAAmB,KAAK,IAAI;AAAA,MAC5B;AAAA,MACA;AAAA,MACA;AAAA,MACA,gBAAgB,KAAK,IAAI;AAAA,MACzB;AAAA,MACA,GAAG;AAAA,IAAA,EAEF,OAAO,OAAO,EACd,KAAK,MAAM;AACd,WAAO;AAAA,MACL;AAAA,MACA,WAAW,IAAI;AAAA,MACf,YAAY,IAAI;AAAA,IAAA;AAAA,EAEpB;AAAA,EAEA,MAAc,qBAAqB,MAIzB;AACR,UAAM,SAAS,MAAM,KAAK,sBAAsB,IAAI;AAEpD,QAAI,OAAO,WAAW,SAAS;AAC7B,aAAO;AAAA,QACL,MAAM,OAAO,WAAW;AAAA,QACxB,iBAAiB;AAAA,QACjB,YAAY,OAAO;AAAA,MAAA;AAAA,IAEvB;AAEA,UAAM,qBAAqB,OAAO;AAElC,UAAM,oBAAoB,MAAM,KAAK,GAAG,SAAS,KAAK,QAAQ;AAC9D,QAAI,sBAAsB,qBAAqB;AAC7C,YAAM,IAAI,MAAM,WAAW,KAAK,QAAQ,iBAAiB;AAAA,IAC3D;AAEA,UAAM,oBAAyC;AAAA,MAC7C,aAAa,kBAAkB;AAAA,MAC/B,SAAS,kBAAkB,KAAK;AAAA,MAChC,SAAS,KAAK,aAAa;AAAA,MAC3B;AAAA,IAAA;AAGF,UAAM,mBAAmB,KAAK,WAAW,WAAW,KAAK,IAAI,KAAK;AAElE,QAAI,uBAAuB;AAC3B,QAAI,kBAAkB;AAEtB,QAAI,CAAC,kBAAkB,aAAa;AAClC,6BAAuB;AACvB,wBAAkB;AAElB,UAAI,KAAK,iBAAiB,QAAQ;AAChC,cAAM,qBAAqB,KAAK,eAAe;AAG/C,0BAAkB,cAAc,MAAM;AAAA,UACpC,KAAK;AAAA,WACJ,KAAK,OAAO,mBAAmB,qBAC9B,KAAK,OAAO,mBAAmB,kBAC/B,mBAAmB,SAAA;AAAA,UACrB;AAAA,YACE,YAAY,mBAAmB,QAAQ,WAAA;AAAA,YACvC,SAAS,iBAAiB,WAAW,eAAe,IAAI;AAAA,YACxD,gBACE,mBAAmB,QAAQ,eAAe,gBAAgB;AAAA,YAC5D,cAAc,mBAAmB,QAAQ,aAAA;AAAA,UAAa;AAAA,QACxD;AAAA,MAEJ;AAAA;AAAA,QAEG,CAAC,UAAU,QAAQ,EAAgC;AAAA,UAClD,CAAC,MAAM,MAAM,KAAK;AAAA,QAAA,KAGlB;AAAA,UACE;AAAA,UACA;AAAA,UACA;AAAA,UACA;AAAA,UACA;AAAA,QAAA,EAEF,MAAM,CAAC,MAAM,MAAM,KAAK,YAAY;AAAA,QACtC;AACA,cAAM,iBAAiB,KAAK,eAAe;AAC3C,0BAAkB,cAAc,MAAM;AAAA,UACpC,KAAK;AAAA,UACL,KAAK,OAAO,mBAAmB,iBAC7B,eAAe,SAAA;AAAA,UACjB;AAAA,YACE,YAAY,eAAe,QAAQ,WAAA;AAAA,YACnC,SAAS,iBAAiB,WAAW,eAAe,IAAI;AAAA,YACxD,gBACE,eAAe,QAAQ,eAAe,gBAAgB;AAAA,YACxD,cAAc,eAAe,QAAQ,aAAA;AAAA,UAAa;AAAA,QACpD;AAAA,MAEJ,OAAO;AACL,eAAO;AAAA,MACT;AAAA,IACF;AAIA,UAAM,YAAY,KAAK,SAAS,SAAS,MAAM;AAE/C,QAAI,CAAC,WAAW;AAEd,YAAM,kBAAkB,MAAM,UAAU;AAAA,QACtC,QAAQ,kBAAkB;AAAA,QAC1B,KAAK;AAAA,UACH,QAAQ,KAAK,OAAO;AAAA,UACpB,SAAS;AAAA,UACT,MAAM,KAAK,iBAAiB;AAAA,UAC5B,mBAAmB,EAAE,KAAK,OAAO,sBAAsB;AAAA,QAAA;AAAA,QAEzD;AAAA,MAAA,CACD;AAED,UAAI,gBAAgB,WAAW,mBAAmB;AAChD,aAAK,OAAO;AAAA,UACV,eAAe,KAAK,QAAQ;AAAA,QAAA;AAE9B,eAAO;AAAA,MACT;AACA,UAAI,gBAAgB,WAAW,SAAS;AACtC,cAAM,IAAI;AAAA,UACR,iCAAiC,KAAK,QAAQ,KAAK,gBAAgB,KAAK;AAAA,QAAA;AAAA,MAE5E;AACA,UAAI,gBAAgB,WAAW,YAAY;AACzC,0BAAkB,cAAc,gBAAgB;AAChD,+BAAuB;AAAA,MACzB;AAAA,IACF;AAEA,eAAW,UAAU,KAAK,SAAS;AACjC,aAAO,iBAAiB,EAAE,MAAM,UAAU,oBAAoB,MAAM;AAAA,IACtE;AAGA,QAAI,sBAAsB;AACxB,YAAM,QAAQ,MAAM,KAAK,cAAc;AAAA,QACrC,UAAU,KAAK;AAAA,QACf,YAAY,kBAAkB;AAAA,QAC9B,UAAU;AAAA,UACR,MAAM;AAAA,UACN,iBAAiB,kBAAkB;AAAA,QAAA;AAAA,MACrC,CACD;AACD,wBAAkB,UAAU,MAAM;AAAA,IACpC;AAEA,SAAK,qBAAqB,IAAI,KAAK,UAAU,iBAAiB;AAC9D,WAAO;AAAA,MACL;AAAA,MACA;AAAA,MACA,YAAY;AAAA,IAAA;AAAA,EAEhB;AAAA,EAEA,MAAc,kCACZ,MAIA,OAC+C;AAC/C,UAAM,aAAa,KAAK,KAAK,EAAE,IAAI,KAAK,IAAI;AAC5C,WAAO,KAAK,6BAA6B,MAAM,UAAU;AAAA,EAC3D;AAAA,EAEA,MAAc,6BAGZ,MAIA,YACuC;AAKvC,QAAI,CAAC,YAAY;AACf,aAAO,EAAE,QAAQ,oBAAA;AAAA,IACnB;AACA,QAAI,UAAU,KAAK;AAEnB,QAAI,YAAY,QAAW;AACzB,UAAI;AACF,cAAM,cAAc,MAAM,KAAK,GAAG,KAAK,KAAK,IAAI;AAChD,kBAAU,YAAY;AAAA,MACxB,QAAQ;AACN,eAAO,EAAE,QAAQ,mBAAA;AAAA,MACnB;AAAA,IACF;AACA,WAAO,EAAE,QAAQ,YAAY,WAAW,SAAS,SAAS,WAAA;AAAA,EAC5D;AAAA,EAEA,MAAc,cAAc,MAWzB;AACD,UAAM,UAAU,KAAK,gBAAgB,KAAK,QAAQ;AAClD,UAAM,KAAK,GAAG,UAAU,SAAS,KAAK,UAAU;AAEhD,QAAI,KAAK,SAAS,SAAS,SAAS;AAClC,YAAM,aAAa,MAAM,KAAK,GAAG,KAAK,KAAK,QAAQ;AACnD,UAAI,WAAW,YAAY,KAAK,SAAS,iBAAiB;AACxD,cAAM,MAAM;AAAA,UACV,KAAK,QAAQ,KAAK,QAAQ;AAAA,UAC1B,OAAO,EAAE,MAAM,UAAU,MAAM,KAAK,SAAA;AAAA,QAAS,CAC9C;AAAA,MACH;AACA,YAAM,eAAe,MAAM,KAAK,GAAG,KAAK,OAAO;AAC/C,UAAI,aAAa,SAAS,WAAW,MAAM;AACzC,cAAM,KAAK,GAAG,MAAM,SAAS,WAAW,IAAI;AAAA,MAC9C;AACA,UACE,aAAa,QAAQ,WAAW,OAChC,aAAa,QAAQ,WAAW,KAChC;AACA,YAAI;AACF,gBAAM,KAAK,GAAG,MAAM,SAAS,WAAW,KAAK,WAAW,GAAG;AAAA,QAC7D,SAAS,KAAK;AACZ,cACE,OAAO,QAAQ,YACf,QAAQ,QACR,UAAU,OACT,IAAY,SAAS,SACtB;AACA,oBAAQ;AAAA,cACN,iCAAkC,IAAY,OAAO;AAAA,YAAA;AAAA,UAEzD,OAAO;AACL,kBAAM;AAAA,UACR;AAAA,QACF;AAAA,MACF;AAAA,IACF,OAAO;AACL,UAAI,MAAM,gBAAgB,KAAK,QAAQ,GAAG;AACxC,cAAM,MAAM;AAAA,UACV,KAAK,QAAQ,KAAK,QAAQ;AAAA,UAC1B,OAAO,EAAE,MAAM,UAAU,MAAM,KAAK,SAAA;AAAA,QAAS,CAC9C;AAAA,MACH;AAAA,IACF;AAEA,UAAM,OAAO,MAAM,KAAK,GAAG,KAAK,OAAO;AAEvC,UAAM,KAAK,GAAG,OAAO,SAAS,KAAK,QAAQ;AAE3C,WAAO;AAAA,EACT;AAAA,EAEQ,gBAAgB,UAAkB;AACxC,UAAM,UAAU,KAAK,QAAQ,QAAQ;AACrC,UAAM,OAAO,OAAO,WAAW,KAAK,EAAE,OAAO,OAAO,EAAE,OAAO,KAAK;AAElE,QAAI,CAAC,KAAK,WAAW;AAEnB,gBAAU,KAAK,OAAO,QAAQ,EAAE,WAAW,MAAM;AACjD,WAAK,YAAY,OAAO,YAAY,CAAC,EAAE,SAAS,KAAK;AAAA,IACvD;AACA,WAAO,KAAK,KAAK,KAAK,OAAO,QAAQ,GAAG,KAAK,SAAS,IAAI,IAAI,EAAE;AAAA,EAClE;AAAA,EAEA,MAAc,sBAAsB,MAMlC;AACA,UAAM,mBAAmB,MAAM,KAAK;AAAA,MAClC,EAAE,MAAM,KAAK,SAAA;AAAA,MACb;AAAA,IAAA;AAEF,QAAI,iBAAiB,WAAW,OAAO;AACrC,WAAK,qBAAqB,IAAI,KAAK,UAAU,iBAAiB,UAAU;AACxE,aAAO;AAAA,QACL,QAAQ;AAAA,QACR,YAAY,iBAAiB;AAAA,MAAA;AAAA,IAEjC;AACA,QAAI,iBAAiB,WAAW,oBAAoB;AAClD,YAAM,IAAI,MAAM,sCAAsC,KAAK,QAAQ,EAAE;AAAA,IACvE;AACA,UAAM,UACJ,iBAAiB,WAAW,OAAO,iBAAiB,UAAU;AAEhE,UAAM,wBAAwB,MAAM,KAAK;AAAA,MACvC,EAAE,MAAM,KAAK,UAAU,QAAA;AAAA,MACvB;AAAA,IAAA;AAGF,QAAI,sBAAsB,WAAW,oBAAoB;AACvD,YAAM,IAAI,MAAM,sCAAsC,KAAK,QAAQ,EAAE;AAAA,IACvE;AAEA,QAAI,sBAAsB,WAAW,OAAO;AAE1C,UAAI,iBAAiB,WAAW,MAAM;AACpC,eAAO;AAAA,UACL,QAAQ;AAAA,UACR,YAAY,sBAAsB;AAAA,QAAA;AAAA,MAEtC;AAAA,IACF;AAEA,QAAI,iBAAiB,WAAW,qBAAqB;AACnD,aAAO;AAAA,QACL,QAAQ;AAAA,MAAA;AAAA,IAEZ;AACA,WAAO,EAAE,QAAQ,SAAS,YAAY,iBAAiB,WAAA;AAAA,EACzD;AAAA,EAEA,MAAc,eAAe,MAAiB;AAC5C,UAAM,SAAS,MAAM,KAAK,sBAAsB,IAAI;AAEpD,QAAI,OAAO,WAAW,SAAS;AAC7B,WAAK,qBAAqB,IAAI,KAAK,UAAU,OAAO,UAAU;AAAA,IAChE;AACA,UAAM,eAAe,MAAM,KAAK,GAAG,SAAS,KAAK,QAAQ;AACzD,QAAI,iBAAiB,qBAAqB;AACxC,YAAM,IAAI,MAAM,sCAAsC,KAAK,QAAQ,EAAE;AAAA,IACvE;AAEA,UAAM,oBAAyC;AAAA,MAC7C,aAAa,aAAa;AAAA,MAC1B,SAAS,aAAa,KAAK;AAAA,MAC3B,SAAS,KAAK,aAAa;AAAA,MAC3B;AAAA,IAAA;AAIF,QAAI,CAAC,aAAa,aAAa;AAC7B,YAAM,eAAe,KAAK,eAAe;AACzC,YAAM,mBAAmB,MAAM;AAAA,QAC7B,KAAK;AAAA,QACL,aAAa,SAAA;AAAA,QACb;AAAA,UACE,YAAY,aAAa,QAAQ,WAAA;AAAA,UACjC,SAAS;AAAA,UACT,gBAAgB,aAAa,QAAQ,eAAA;AAAA,UACrC,cAAc,aAAa,QAAQ,aAAA;AAAA,QAAa;AAAA,MAClD;AAGF,WAAK,OAAO,IAAI,eAAe,KAAK,QAAQ,EAAE;AAC9C,YAAM,QAAQ,MAAM,KAAK,cAAc;AAAA,QACrC,UAAU,KAAK;AAAA,QACf,YAAY;AAAA,QACZ,UAAU;AAAA,UACR,MAAM;AAAA,UACN,iBAAiB,aAAa,KAAK;AAAA,QAAA;AAAA,MACrC,CACD;AACD,wBAAkB,cAAc;AAChC,wBAAkB,UAAU,MAAM;AAAA,IACpC;AAEA,SAAK,qBAAqB,IAAI,KAAK,UAAU,iBAAiB;AAAA,EAChE;AAAA,EAEA,MAAa,oBAAyD;AACpE,UAAM,KAAK;AACX,WAAO,KAAK;AAAA,EACd;AAAA,EAEA,OAAe,WACb,MACA,KACA,WACA,QACA;AACA,UAAM,cAAc,eAAe,WAAW,MAAM,KAAK,SAAS;AAElE,QAAI,kBAAkB,SAAS;AAE/B,SAAK,OAAO,kBAAkB,IAAI;AAElC,UAAM,cAAc,aAAa,KAAK,QAAQ,EAAE;AAChD,UAAM,sBAAsB;AAAA,MAC1B,KAAK,mBAAmB;AAAA,QACtB,KAAK,QAAQ,qBAAqB;AAAA,QAClC;AAAA,MAAA,KACG;AAAA,IAAA;AAGP,UAAM,QAAQ,YAAY,MAAM,GAAG;AACnC,UAAM,gBAAgB,oBAAoB,MAAM,GAAG;AACnD,UAAM,mBAAmB,MAAM,MAAM,SAAS,CAAC,KAAK;AACpD,UAAM,sBACJ,cAAc,cAAc,SAAS,CAAC,KAAK;AAG7C,SAAK,YACH,kBAAkB,kBAAkB,mBAAmB,KACvD,MAAM,MAAM,CAAC,SAAS,KAAK,uBAAuB,KAAK,IAAI,CAAC;AAG9D,SAAK,cAAc;AAAA,MACjB;AAAA,QACE,+BAA+B,KAAK,MAAM,KAAK,iBAAiB;AAAA,QAChE,KAAK;AAAA,MAAA;AAAA,IACP;AAGF,QACE,KAAK,iBAAiB,YACtB,KAAK,iBAAiB,mBACtB;AACA,WAAK,cAAc,oBAAoB,KAAK,WAAW;AAAA,IACzD;AAEA,QACE,CAAC,KAAK,aAEJ;AAAA,MACE;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,IAAA,EAEF,KAAK,CAAC,MAAM,MAAM,KAAK,YAAY,GACrC;AACA,UAAI,kBAAkB,KAAK,SAAU,IACnC,IAAI,kBAAkB,KAAK,SAAU,KAAK,CAAA;AAE5C,YAAM,WACJ,KAAK,iBAAiB,SAClB,SACC,KAAK;AACZ,UAAI,kBAAkB,KAAK,SAAU,EAAG,QAAQ,IAAI;AAEpD,YAAM,cAAc,IAAI,iBAAiB,IAAI,KAAK,SAAU;AAG5D,UAAI,CAAC,eAAe,KAAK,cAAc,IAAI,UAAU,IAAI;AACvD,aAAK;AAAA,UACH;AAAA,YACE,GAAG;AAAA,YACH,WAAW;AAAA,YACX,cAAc;AAAA,UAAA;AAAA,UAEhB;AAAA,UACA;AAAA,UACA;AAAA,QAAA;AAAA,MAEJ;AACA;AAAA,IACF;AAEA,UAAM,2BACJ,KAAK,iBAAiB,qBACtB,KAAK,eACL,KAAK,YAAY,SAAS;AAG5B,QAAI,CAAC,KAAK,aAAa,0BAA0B;AAC/C,YAAM,sBACJ,0BAA0B,KAAK,SAAS,KAAK;AAC/C,YAAM,8BACJ,0BAA0B,KAAK,iBAAiB,KAAK;AACvD,UAAI,aAAa;AAGjB,aAAO,YAAY;AACjB,cAAM,YAAY,IAAI,iBAAiB,IAAI,UAAU;AACrD,YAAI,aAAa,CAAC,UAAU,aAAa,UAAU,SAAS,KAAK;AAC/D,eAAK,SAAS;AACd,eAAK,OACH,KAAK,WAAW,QAAQ,UAAU,aAAa,IAAI,EAAE,KAAK;AAC5D,gBAAM,uBACJ,oBAAoB,QAAQ,UAAU,aAAa,IAAI,EAAE,KAAK;AAChE,gBAAM,+BACJ,4BAA4B;AAAA,YAC1B,UAAU,qBAAqB;AAAA,YAC/B;AAAA,UAAA,KACG;AACP,eAAK,cAAc;AAAA,YACjB;AAAA,cACE;AAAA,gBACE;AAAA,gBACA;AAAA,cAAA;AAAA,cAEF;AAAA,YAAA;AAAA,UACF;AAEF;AAAA,QACF;AACA,YAAI,eAAe,IAAK;AACxB,qBAAa,0BAA0B,UAAU,KAAK;AAAA,MACxD;AAAA,IACF;AAGA,QAAI,KAAK,QAAQ;AACf,WAAK,OAAO,WAAW,KAAK,OAAO,YAAY,CAAA;AAC/C,WAAK,OAAO,SAAS,KAAK,IAAI;AAAA,IAChC,OAAO;AACL,UAAI,UAAU,KAAK,IAAI;AAAA,IACzB;AAEA,QAAI,WAAW,KAAK,IAAI;AACxB,QAAI,KAAK,aAAa,CAAC,KAAK,WAAW;AACrC,UAAI,iBAAiB,IAAI,KAAK,WAAW,IAAI;AAAA,IAC/C;AAAA,EACF;AAAA;AAAA,EAGQ,qCAAqC,UAA2B;AAEtE,QAAI,aAAa,KAAK,wBAAwB;AAC5C,aAAO;AAAA,IACT;AAGA,QAAI,SAAS,WAAW,KAAK,mBAAmB,GAAG;AACjD,aAAO;AAAA,IACT;AAGA,QACE,OAAO,KAAK,OAAO,uBAAuB,YAC1C,aAAa,KAAK,OAAO,oBACzB;AACA,aAAO;AAAA,IACT;AAGA,QAAI,KAAK,eAAe,IAAI,QAAQ,GAAG;AACrC,aAAO;AAAA,IACT;AAGA,QAAI,oBAAoB,KAAK,SAAS,QAAQ,CAAC,GAAG;AAChD,aAAO;AAAA,IACT;AAGA,QAAI,KAAK,oBAAoB,KAAK,CAAC,QAAQ,SAAS,WAAW,GAAG,CAAC,GAAG;AACpE,aAAO;AAAA,IACT;AAEA,WAAO;AAAA,EACT;AACF;AA/zCE,WAAe,yBAAyB;AAKxC,WAAe,sBACb;AAnCG,IAAM,YAAN;"}
1
+ {"version":3,"file":"generator.js","sources":["../../src/generator.ts"],"sourcesContent":["import path from 'node:path'\nimport * as fsp from 'node:fs/promises'\nimport { existsSync, mkdirSync } from 'node:fs'\nimport crypto from 'node:crypto'\nimport { rootRouteId } from '@tanstack/router-core'\nimport { logging } from './logger'\nimport {\n isVirtualConfigFile,\n getRouteNodes as physicalGetRouteNodes,\n} from './filesystem/physical/getRouteNodes'\nimport { getRouteNodes as virtualGetRouteNodes } from './filesystem/virtual/getRouteNodes'\nimport { rootPathId } from './filesystem/physical/rootPathId'\nimport {\n RoutePrefixMap,\n buildFileRoutesByPathInterface,\n buildImportString,\n buildRouteTreeConfig,\n checkFileExists,\n checkRouteFullPathUniqueness,\n createRouteNodesByFullPath,\n createRouteNodesById,\n createRouteNodesByTo,\n determineNodePath,\n findParent,\n format,\n getImportForRouteNode,\n getImportPath,\n getResolvedRouteNodeVariableName,\n hasParentRoute,\n isRouteNodeValidForAugmentation,\n isSegmentPathless,\n mergeImportDeclarations,\n multiSortBy,\n removeExt,\n removeGroups,\n removeLastSegmentFromPath,\n removeLayoutSegmentsWithEscape,\n removeTrailingSlash,\n removeUnderscoresWithEscape,\n replaceBackslash,\n trimPathLeft,\n} from './utils'\nimport { fillTemplate, getTargetTemplate } from './template'\nimport { transform } from './transform/transform'\nimport type { GeneratorPlugin } from './plugin/types'\nimport type { TargetTemplate } from './template'\nimport type {\n FsRouteType,\n GetRouteNodesResult,\n GetRoutesByFileMapResult,\n HandleNodeAccumulator,\n ImportDeclaration,\n RouteNode,\n} from './types'\nimport type { Config } from './config'\nimport type { Logger } from './logger'\n\ninterface fs {\n stat: (\n filePath: string,\n ) => Promise<{ mtimeMs: bigint; mode: number; uid: number; gid: number }>\n rename: (oldPath: string, newPath: string) => Promise<void>\n writeFile: (filePath: string, content: string) => Promise<void>\n readFile: (\n filePath: string,\n ) => Promise<\n { stat: { mtimeMs: bigint }; fileContent: string } | 'file-not-existing'\n >\n chmod: (filePath: string, mode: number) => Promise<void>\n chown: (filePath: string, uid: number, gid: number) => Promise<void>\n}\n\nconst DefaultFileSystem: fs = {\n stat: async (filePath) => {\n const res = await fsp.stat(filePath, { bigint: true })\n return {\n mtimeMs: res.mtimeMs,\n mode: Number(res.mode),\n uid: Number(res.uid),\n gid: Number(res.gid),\n }\n },\n rename: (oldPath, newPath) => fsp.rename(oldPath, newPath),\n writeFile: (filePath, content) => fsp.writeFile(filePath, content),\n readFile: async (filePath: string) => {\n try {\n const fileHandle = await fsp.open(filePath, 'r')\n const stat = await fileHandle.stat({ bigint: true })\n const fileContent = (await fileHandle.readFile()).toString()\n await fileHandle.close()\n return { stat, fileContent }\n } catch (e: any) {\n if ('code' in e) {\n if (e.code === 'ENOENT') {\n return 'file-not-existing'\n }\n }\n throw e\n }\n },\n chmod: (filePath, mode) => fsp.chmod(filePath, mode),\n chown: (filePath, uid, gid) => fsp.chown(filePath, uid, gid),\n}\n\ninterface Rerun {\n rerun: true\n msg?: string\n event: GeneratorEvent\n}\nfunction rerun(opts: { msg?: string; event?: GeneratorEvent }): Rerun {\n const { event, ...rest } = opts\n return { rerun: true, event: event ?? { type: 'rerun' }, ...rest }\n}\n\nfunction isRerun(result: unknown): result is Rerun {\n return (\n typeof result === 'object' &&\n result !== null &&\n 'rerun' in result &&\n result.rerun === true\n )\n}\n\nexport type FileEventType = 'create' | 'update' | 'delete'\nexport type FileEvent = {\n type: FileEventType\n path: string\n}\nexport type GeneratorEvent = FileEvent | { type: 'rerun' }\n\ntype FileCacheChange<TCacheEntry extends GeneratorCacheEntry> =\n | {\n result: false\n cacheEntry: TCacheEntry\n }\n | { result: true; mtimeMs: bigint; cacheEntry: TCacheEntry }\n | {\n result: 'file-not-in-cache'\n }\n | {\n result: 'cannot-stat-file'\n }\n\ninterface GeneratorCacheEntry {\n mtimeMs: bigint\n fileContent: string\n}\n\ninterface RouteNodeCacheEntry extends GeneratorCacheEntry {\n routeId: string\n node: RouteNode\n}\n\ntype GeneratorRouteNodeCache = Map</** filePath **/ string, RouteNodeCacheEntry>\n\ninterface CrawlingResult {\n rootRouteNode: RouteNode\n routeFileResult: Array<RouteNode>\n acc: HandleNodeAccumulator\n}\n\nexport class Generator {\n /**\n * why do we have two caches for the route files?\n * During processing, we READ from the cache and WRITE to the shadow cache.\n *\n * After a route file is processed, we write to the shadow cache.\n * If during processing we bail out and re-run, we don't lose this modification\n * but still can track whether the file contributed changes and thus the route tree file needs to be regenerated.\n * After all files are processed, we swap the shadow cache with the main cache and initialize a new shadow cache.\n * That way we also ensure deleted/renamed files don't stay in the cache forever.\n */\n private routeNodeCache: GeneratorRouteNodeCache = new Map()\n private routeNodeShadowCache: GeneratorRouteNodeCache = new Map()\n\n private routeTreeFileCache: GeneratorCacheEntry | undefined\n\n private crawlingResult: CrawlingResult | undefined\n public config: Config\n public targetTemplate: TargetTemplate\n\n private root: string\n private routesDirectoryPath: string\n private sessionId?: string\n private fs: fs\n private logger: Logger\n private generatedRouteTreePath: string\n private runPromise: Promise<void> | undefined\n private fileEventQueue: Array<GeneratorEvent> = []\n private plugins: Array<GeneratorPlugin> = []\n private static routeGroupPatternRegex = /\\(.+\\)/\n private physicalDirectories: Array<string> = []\n\n private indexTokenRegex: RegExp\n private routeTokenRegex: RegExp\n private static componentPieceRegex =\n /[./](component|errorComponent|notFoundComponent|pendingComponent|loader|lazy)[.]/\n\n constructor(opts: { config: Config; root: string; fs?: fs }) {\n this.config = opts.config\n this.logger = logging({ disabled: this.config.disableLogging })\n this.root = opts.root\n this.fs = opts.fs || DefaultFileSystem\n this.generatedRouteTreePath = this.getGeneratedRouteTreePath()\n this.targetTemplate = getTargetTemplate(this.config)\n\n this.routesDirectoryPath = this.getRoutesDirectoryPath()\n this.plugins.push(...(opts.config.plugins || []))\n\n this.indexTokenRegex = new RegExp(`[./]${this.config.indexToken}[.]`)\n this.routeTokenRegex = new RegExp(`[./]${this.config.routeToken}[.]`)\n\n for (const plugin of this.plugins) {\n plugin.init?.({ generator: this })\n }\n }\n\n private getGeneratedRouteTreePath() {\n const generatedRouteTreePath = path.isAbsolute(\n this.config.generatedRouteTree,\n )\n ? this.config.generatedRouteTree\n : path.resolve(this.root, this.config.generatedRouteTree)\n\n const generatedRouteTreeDir = path.dirname(generatedRouteTreePath)\n\n if (!existsSync(generatedRouteTreeDir)) {\n mkdirSync(generatedRouteTreeDir, { recursive: true })\n }\n\n return generatedRouteTreePath\n }\n\n private getRoutesDirectoryPath() {\n return path.isAbsolute(this.config.routesDirectory)\n ? this.config.routesDirectory\n : path.resolve(this.root, this.config.routesDirectory)\n }\n\n public getRoutesByFileMap(): GetRoutesByFileMapResult {\n return new Map(\n [...this.routeNodeCache.entries()].map(([filePath, cacheEntry]) => [\n filePath,\n { routePath: cacheEntry.routeId },\n ]),\n )\n }\n\n public async run(event?: GeneratorEvent): Promise<void> {\n if (\n event &&\n event.type !== 'rerun' &&\n !this.isFileRelevantForRouteTreeGeneration(event.path)\n ) {\n return\n }\n this.fileEventQueue.push(event ?? { type: 'rerun' })\n // only allow a single run at a time\n if (this.runPromise) {\n return this.runPromise\n }\n\n this.runPromise = (async () => {\n do {\n // synchronously copy and clear the queue since we are going to iterate asynchronously over it\n // and while we do so, a new event could be put into the queue\n const tempQueue = this.fileEventQueue\n this.fileEventQueue = []\n // if we only have 'update' events in the queue\n // and we already have the affected files' latest state in our cache, we can exit early\n const remainingEvents = (\n await Promise.all(\n tempQueue.map(async (e) => {\n if (e.type === 'update') {\n let cacheEntry: GeneratorCacheEntry | undefined\n if (e.path === this.generatedRouteTreePath) {\n cacheEntry = this.routeTreeFileCache\n } else {\n // we only check the routeNodeCache here\n // if the file's state is only up-to-date in the shadow cache we need to re-run\n cacheEntry = this.routeNodeCache.get(e.path)\n }\n const change = await this.didFileChangeComparedToCache(\n { path: e.path },\n cacheEntry,\n )\n if (change.result === false) {\n return null\n }\n }\n return e\n }),\n )\n ).filter((e) => e !== null)\n\n if (remainingEvents.length === 0) {\n break\n }\n\n try {\n await this.generatorInternal()\n } catch (err) {\n const errArray = !Array.isArray(err) ? [err] : err\n\n const recoverableErrors = errArray.filter((e) => isRerun(e))\n if (recoverableErrors.length === errArray.length) {\n this.fileEventQueue.push(...recoverableErrors.map((e) => e.event))\n recoverableErrors.forEach((e) => {\n if (e.msg) {\n this.logger.info(e.msg)\n }\n })\n } else {\n const unrecoverableErrors = errArray.filter((e) => !isRerun(e))\n this.runPromise = undefined\n throw new Error(\n unrecoverableErrors.map((e) => (e as Error).message).join(),\n )\n }\n }\n } while (this.fileEventQueue.length)\n this.runPromise = undefined\n })()\n return this.runPromise\n }\n\n private async generatorInternal() {\n let writeRouteTreeFile: boolean | 'force' = false\n\n let getRouteNodesResult: GetRouteNodesResult\n\n if (this.config.virtualRouteConfig) {\n getRouteNodesResult = await virtualGetRouteNodes(this.config, this.root)\n } else {\n getRouteNodesResult = await physicalGetRouteNodes(this.config, this.root)\n }\n\n const {\n rootRouteNode,\n routeNodes: beforeRouteNodes,\n physicalDirectories,\n } = getRouteNodesResult\n if (rootRouteNode === undefined) {\n let errorMessage = `rootRouteNode must not be undefined. Make sure you've added your root route into the route-tree.`\n if (!this.config.virtualRouteConfig) {\n errorMessage += `\\nMake sure that you add a \"${rootPathId}.${this.config.disableTypes ? 'js' : 'tsx'}\" file to your routes directory.\\nAdd the file in: \"${this.config.routesDirectory}/${rootPathId}.${this.config.disableTypes ? 'js' : 'tsx'}\"`\n }\n throw new Error(errorMessage)\n }\n this.physicalDirectories = physicalDirectories\n\n await this.handleRootNode(rootRouteNode)\n\n const preRouteNodes = multiSortBy(beforeRouteNodes, [\n (d) => (d.routePath === '/' ? -1 : 1),\n (d) => d.routePath?.split('/').length,\n (d) => (d.filePath.match(this.indexTokenRegex) ? 1 : -1),\n (d) => (d.filePath.match(Generator.componentPieceRegex) ? 1 : -1),\n (d) => (d.filePath.match(this.routeTokenRegex) ? -1 : 1),\n (d) => (d.routePath?.endsWith('/') ? -1 : 1),\n (d) => d.routePath,\n ]).filter((d) => {\n // Exclude the root route itself, but keep component/loader pieces for the root\n if (d.routePath === `/${rootPathId}`) {\n return [\n 'component',\n 'errorComponent',\n 'notFoundComponent',\n 'pendingComponent',\n 'loader',\n 'lazy',\n ].includes(d._fsRouteType)\n }\n return true\n })\n\n const routeFileAllResult = await Promise.allSettled(\n preRouteNodes\n // only process routes that are backed by an actual file\n .filter((n) => !n.isVirtualParentRoute && !n.isVirtual)\n .map((n) => this.processRouteNodeFile(n)),\n )\n\n const rejections = routeFileAllResult.filter(\n (result) => result.status === 'rejected',\n )\n if (rejections.length > 0) {\n throw rejections.map((e) => e.reason)\n }\n\n const routeFileResult = routeFileAllResult.flatMap((result) => {\n if (result.status === 'fulfilled' && result.value !== null) {\n if (result.value.shouldWriteTree) {\n writeRouteTreeFile = true\n }\n return result.value.node\n }\n return []\n })\n\n // reset children in case we re-use a node from the cache\n routeFileResult.forEach((r) => (r.children = undefined))\n\n const acc: HandleNodeAccumulator = {\n routeTree: [],\n routeNodes: [],\n routePiecesByPath: {},\n routeNodesByPath: new Map(),\n }\n\n const prefixMap = new RoutePrefixMap(routeFileResult)\n\n for (const node of routeFileResult) {\n Generator.handleNode(node, acc, prefixMap, this.config)\n }\n\n this.crawlingResult = { rootRouteNode, routeFileResult, acc }\n\n // this is the first time the generator runs, so read in the route tree file if it exists yet\n if (!this.routeTreeFileCache) {\n const routeTreeFile = await this.fs.readFile(this.generatedRouteTreePath)\n if (routeTreeFile !== 'file-not-existing') {\n this.routeTreeFileCache = {\n fileContent: routeTreeFile.fileContent,\n mtimeMs: routeTreeFile.stat.mtimeMs,\n }\n }\n writeRouteTreeFile = true\n } else {\n const routeTreeFileChange = await this.didFileChangeComparedToCache(\n { path: this.generatedRouteTreePath },\n this.routeTreeFileCache,\n )\n if (routeTreeFileChange.result !== false) {\n writeRouteTreeFile = 'force'\n if (routeTreeFileChange.result === true) {\n const routeTreeFile = await this.fs.readFile(\n this.generatedRouteTreePath,\n )\n if (routeTreeFile !== 'file-not-existing') {\n this.routeTreeFileCache = {\n fileContent: routeTreeFile.fileContent,\n mtimeMs: routeTreeFile.stat.mtimeMs,\n }\n }\n }\n }\n }\n\n if (!writeRouteTreeFile) {\n // only needs to be done if no other changes have been detected yet\n // compare shadowCache and cache to identify deleted routes\n if (this.routeNodeCache.size !== this.routeNodeShadowCache.size) {\n writeRouteTreeFile = true\n } else {\n for (const fullPath of this.routeNodeCache.keys()) {\n if (!this.routeNodeShadowCache.has(fullPath)) {\n writeRouteTreeFile = true\n break\n }\n }\n }\n }\n\n if (!writeRouteTreeFile) {\n this.swapCaches()\n return\n }\n\n const buildResult = this.buildRouteTree({\n rootRouteNode,\n acc,\n routeFileResult,\n })\n let routeTreeContent = buildResult.routeTreeContent\n\n routeTreeContent = this.config.enableRouteTreeFormatting\n ? await format(routeTreeContent, this.config)\n : routeTreeContent\n\n let newMtimeMs: bigint | undefined\n if (this.routeTreeFileCache) {\n if (\n writeRouteTreeFile !== 'force' &&\n this.routeTreeFileCache.fileContent === routeTreeContent\n ) {\n // existing route tree file is already up-to-date, don't write it\n // we should only get here in the initial run when the route cache is not filled yet\n } else {\n const newRouteTreeFileStat = await this.safeFileWrite({\n filePath: this.generatedRouteTreePath,\n newContent: routeTreeContent,\n strategy: {\n type: 'mtime',\n expectedMtimeMs: this.routeTreeFileCache.mtimeMs,\n },\n })\n newMtimeMs = newRouteTreeFileStat.mtimeMs\n }\n } else {\n const newRouteTreeFileStat = await this.safeFileWrite({\n filePath: this.generatedRouteTreePath,\n newContent: routeTreeContent,\n strategy: {\n type: 'new-file',\n },\n })\n newMtimeMs = newRouteTreeFileStat.mtimeMs\n }\n\n if (newMtimeMs !== undefined) {\n this.routeTreeFileCache = {\n fileContent: routeTreeContent,\n mtimeMs: newMtimeMs,\n }\n }\n\n this.plugins.map((plugin) => {\n return plugin.onRouteTreeChanged?.({\n routeTree: buildResult.routeTree,\n routeNodes: buildResult.routeNodes,\n acc,\n rootRouteNode,\n })\n })\n this.swapCaches()\n }\n\n private swapCaches() {\n this.routeNodeCache = this.routeNodeShadowCache\n this.routeNodeShadowCache = new Map()\n }\n\n public buildRouteTree(opts: {\n rootRouteNode: RouteNode\n acc: HandleNodeAccumulator\n routeFileResult: Array<RouteNode>\n config?: Partial<Config>\n }) {\n const config = { ...this.config, ...(opts.config || {}) }\n\n const { rootRouteNode, acc } = opts\n\n const sortedRouteNodes = multiSortBy(acc.routeNodes, [\n (d) => (d.routePath?.includes(`/${rootPathId}`) ? -1 : 1),\n (d) => d.routePath?.split('/').length,\n (d) => (d.routePath?.endsWith(config.indexToken) ? -1 : 1),\n (d) => d,\n ])\n\n const routeImports: Array<ImportDeclaration> = []\n const virtualRouteNodes: Array<string> = []\n\n for (const node of sortedRouteNodes) {\n if (node.isVirtual) {\n virtualRouteNodes.push(\n `const ${node.variableName}RouteImport = createFileRoute('${node.routePath}')()`,\n )\n } else {\n routeImports.push(\n getImportForRouteNode(\n node,\n config,\n this.generatedRouteTreePath,\n this.root,\n ),\n )\n }\n }\n\n const imports: Array<ImportDeclaration> = []\n if (virtualRouteNodes.length > 0) {\n imports.push({\n specifiers: [{ imported: 'createFileRoute' }],\n source: this.targetTemplate.fullPkg,\n })\n }\n // Add lazyRouteComponent import if there are component pieces\n let hasComponentPieces = false\n let hasLoaderPieces = false\n for (const node of sortedRouteNodes) {\n const pieces = acc.routePiecesByPath[node.routePath!]\n if (pieces) {\n if (\n pieces.component ||\n pieces.errorComponent ||\n pieces.notFoundComponent ||\n pieces.pendingComponent\n ) {\n hasComponentPieces = true\n }\n if (pieces.loader) {\n hasLoaderPieces = true\n }\n if (hasComponentPieces && hasLoaderPieces) break\n }\n }\n if (hasComponentPieces || hasLoaderPieces) {\n const runtimeImport: ImportDeclaration = {\n specifiers: [],\n source: this.targetTemplate.fullPkg,\n }\n if (hasComponentPieces) {\n runtimeImport.specifiers.push({ imported: 'lazyRouteComponent' })\n }\n if (hasLoaderPieces) {\n runtimeImport.specifiers.push({ imported: 'lazyFn' })\n }\n imports.push(runtimeImport)\n }\n if (config.verboseFileRoutes === false) {\n const typeImport: ImportDeclaration = {\n specifiers: [],\n source: this.targetTemplate.fullPkg,\n importKind: 'type',\n }\n let needsCreateFileRoute = false\n let needsCreateLazyFileRoute = false\n for (const node of sortedRouteNodes) {\n if (isRouteNodeValidForAugmentation(node)) {\n if (node._fsRouteType !== 'lazy') {\n needsCreateFileRoute = true\n }\n if (acc.routePiecesByPath[node.routePath!]?.lazy) {\n needsCreateLazyFileRoute = true\n }\n }\n if (needsCreateFileRoute && needsCreateLazyFileRoute) break\n }\n if (needsCreateFileRoute) {\n typeImport.specifiers.push({ imported: 'CreateFileRoute' })\n }\n if (needsCreateLazyFileRoute) {\n typeImport.specifiers.push({ imported: 'CreateLazyFileRoute' })\n }\n\n if (typeImport.specifiers.length > 0) {\n typeImport.specifiers.push({ imported: 'FileRoutesByPath' })\n imports.push(typeImport)\n }\n }\n\n const routeTreeConfig = buildRouteTreeConfig(\n acc.routeTree,\n config.disableTypes,\n )\n\n const createUpdateRoutes = sortedRouteNodes.map((node) => {\n const pieces = acc.routePiecesByPath[node.routePath!]\n const loaderNode = pieces?.loader\n const componentNode = pieces?.component\n const errorComponentNode = pieces?.errorComponent\n const notFoundComponentNode = pieces?.notFoundComponent\n const pendingComponentNode = pieces?.pendingComponent\n const lazyComponentNode = pieces?.lazy\n\n return [\n [\n `const ${node.variableName}Route = ${node.variableName}RouteImport.update({\n ${[\n `id: '${node.path}'`,\n !node.isNonPath ||\n (node._fsRouteType === 'pathless_layout' && node.cleanedPath)\n ? `path: '${node.cleanedPath}'`\n : undefined,\n `getParentRoute: () => ${findParent(node)}`,\n ]\n .filter(Boolean)\n .join(',')}\n }${config.disableTypes ? '' : 'as any'})`,\n loaderNode\n ? `.updateLoader({ loader: lazyFn(() => import('./${replaceBackslash(\n removeExt(\n path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(config.routesDirectory, loaderNode.filePath),\n ),\n config.addExtensions,\n ),\n )}'), 'loader') })`\n : '',\n componentNode ||\n errorComponentNode ||\n notFoundComponentNode ||\n pendingComponentNode\n ? `.update({\n ${(\n [\n ['component', componentNode],\n ['errorComponent', errorComponentNode],\n ['notFoundComponent', notFoundComponentNode],\n ['pendingComponent', pendingComponentNode],\n ] as const\n )\n .filter((d) => d[1])\n .map((d) => {\n // For .vue files, use 'default' as the export name since Vue SFCs export default\n const isVueFile = d[1]!.filePath.endsWith('.vue')\n const exportName = isVueFile ? 'default' : d[0]\n // Keep .vue extension for Vue files since Vite requires it\n const importPath = replaceBackslash(\n isVueFile\n ? path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(\n config.routesDirectory,\n d[1]!.filePath,\n ),\n )\n : removeExt(\n path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(\n config.routesDirectory,\n d[1]!.filePath,\n ),\n ),\n config.addExtensions,\n ),\n )\n return `${\n d[0]\n }: lazyRouteComponent(() => import('./${importPath}'), '${exportName}')`\n })\n .join('\\n,')}\n })`\n : '',\n lazyComponentNode\n ? (() => {\n // For .vue files, use 'default' export since Vue SFCs export default\n const isVueFile = lazyComponentNode.filePath.endsWith('.vue')\n const exportAccessor = isVueFile ? 'd.default' : 'd.Route'\n // Keep .vue extension for Vue files since Vite requires it\n const importPath = replaceBackslash(\n isVueFile\n ? path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(\n config.routesDirectory,\n lazyComponentNode.filePath,\n ),\n )\n : removeExt(\n path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(\n config.routesDirectory,\n lazyComponentNode.filePath,\n ),\n ),\n config.addExtensions,\n ),\n )\n return `.lazy(() => import('./${importPath}').then((d) => ${exportAccessor}))`\n })()\n : '',\n ].join(''),\n ].join('\\n\\n')\n })\n\n // Generate update for root route if it has component pieces\n const rootRoutePath = `/${rootPathId}`\n const rootPieces = acc.routePiecesByPath[rootRoutePath]\n const rootComponentNode = rootPieces?.component\n const rootErrorComponentNode = rootPieces?.errorComponent\n const rootNotFoundComponentNode = rootPieces?.notFoundComponent\n const rootPendingComponentNode = rootPieces?.pendingComponent\n\n let rootRouteUpdate = ''\n if (\n rootComponentNode ||\n rootErrorComponentNode ||\n rootNotFoundComponentNode ||\n rootPendingComponentNode\n ) {\n rootRouteUpdate = `const rootRouteWithChildren = rootRouteImport${\n rootComponentNode ||\n rootErrorComponentNode ||\n rootNotFoundComponentNode ||\n rootPendingComponentNode\n ? `.update({\n ${(\n [\n ['component', rootComponentNode],\n ['errorComponent', rootErrorComponentNode],\n ['notFoundComponent', rootNotFoundComponentNode],\n ['pendingComponent', rootPendingComponentNode],\n ] as const\n )\n .filter((d) => d[1])\n .map((d) => {\n // For .vue files, use 'default' as the export name since Vue SFCs export default\n const isVueFile = d[1]!.filePath.endsWith('.vue')\n const exportName = isVueFile ? 'default' : d[0]\n // Keep .vue extension for Vue files since Vite requires it\n const importPath = replaceBackslash(\n isVueFile\n ? path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(config.routesDirectory, d[1]!.filePath),\n )\n : removeExt(\n path.relative(\n path.dirname(config.generatedRouteTree),\n path.resolve(\n config.routesDirectory,\n d[1]!.filePath,\n ),\n ),\n config.addExtensions,\n ),\n )\n return `${d[0]}: lazyRouteComponent(() => import('./${importPath}'), '${exportName}')`\n })\n .join('\\n,')}\n })`\n : ''\n }._addFileChildren(rootRouteChildren)${config.disableTypes ? '' : `._addFileTypes<FileRouteTypes>()`}`\n }\n\n let fileRoutesByPathInterface = ''\n let fileRoutesByFullPath = ''\n\n if (!config.disableTypes) {\n const routeNodesByFullPath = createRouteNodesByFullPath(acc.routeNodes)\n const routeNodesByTo = createRouteNodesByTo(acc.routeNodes)\n const routeNodesById = createRouteNodesById(acc.routeNodes)\n\n fileRoutesByFullPath = [\n `export interface FileRoutesByFullPath {\n${[...routeNodesByFullPath.entries()]\n .filter(([fullPath]) => fullPath)\n .map(([fullPath, routeNode]) => {\n return `'${fullPath}': typeof ${getResolvedRouteNodeVariableName(routeNode)}`\n })}\n}`,\n `export interface FileRoutesByTo {\n${[...routeNodesByTo.entries()]\n .filter(([to]) => to)\n .map(([to, routeNode]) => {\n return `'${to}': typeof ${getResolvedRouteNodeVariableName(routeNode)}`\n })}\n}`,\n `export interface FileRoutesById {\n'${rootRouteId}': typeof rootRouteImport,\n${[...routeNodesById.entries()].map(([id, routeNode]) => {\n return `'${id}': typeof ${getResolvedRouteNodeVariableName(routeNode)}`\n})}\n}`,\n `export interface FileRouteTypes {\nfileRoutesByFullPath: FileRoutesByFullPath\nfullPaths: ${\n acc.routeNodes.length > 0\n ? [...routeNodesByFullPath.keys()]\n .filter((fullPath) => fullPath)\n .map((fullPath) => `'${fullPath}'`)\n .join('|')\n : 'never'\n }\nfileRoutesByTo: FileRoutesByTo\nto: ${\n acc.routeNodes.length > 0\n ? [...routeNodesByTo.keys()]\n .filter((to) => to)\n .map((to) => `'${to}'`)\n .join('|')\n : 'never'\n }\nid: ${[`'${rootRouteId}'`, ...[...routeNodesById.keys()].map((id) => `'${id}'`)].join('|')}\nfileRoutesById: FileRoutesById\n}`,\n `export interface RootRouteChildren {\n${acc.routeTree.map((child) => `${child.variableName}Route: typeof ${getResolvedRouteNodeVariableName(child)}`).join(',')}\n}`,\n ].join('\\n')\n\n fileRoutesByPathInterface = buildFileRoutesByPathInterface({\n module: this.targetTemplate.fullPkg,\n interfaceName: 'FileRoutesByPath',\n routeNodes: sortedRouteNodes,\n config,\n })\n }\n\n const routeTree = [\n `const rootRouteChildren${config.disableTypes ? '' : `: RootRouteChildren`} = {\n ${acc.routeTree\n .map(\n (child) =>\n `${child.variableName}Route: ${getResolvedRouteNodeVariableName(child)}`,\n )\n .join(',')}\n}`,\n rootRouteUpdate\n ? rootRouteUpdate.replace(\n 'const rootRouteWithChildren = ',\n 'export const routeTree = ',\n )\n : `export const routeTree = rootRouteImport._addFileChildren(rootRouteChildren)${config.disableTypes ? '' : `._addFileTypes<FileRouteTypes>()`}`,\n ].join('\\n')\n\n checkRouteFullPathUniqueness(\n sortedRouteNodes.filter(\n (d) => d.children === undefined && 'lazy' !== d._fsRouteType,\n ),\n config,\n )\n\n let mergedImports = mergeImportDeclarations(imports)\n if (config.disableTypes) {\n mergedImports = mergedImports.filter((d) => d.importKind !== 'type')\n }\n\n const importStatements = mergedImports.map(buildImportString)\n\n let moduleAugmentation = ''\n if (config.verboseFileRoutes === false && !config.disableTypes) {\n moduleAugmentation = opts.routeFileResult\n .map((node) => {\n const getModuleDeclaration = (routeNode?: RouteNode) => {\n if (!isRouteNodeValidForAugmentation(routeNode)) {\n return ''\n }\n let moduleAugmentation = ''\n if (routeNode._fsRouteType === 'lazy') {\n moduleAugmentation = `const createLazyFileRoute: CreateLazyFileRoute<FileRoutesByPath['${routeNode.routePath}']['preLoaderRoute']>`\n } else {\n moduleAugmentation = `const createFileRoute: CreateFileRoute<'${routeNode.routePath}',\n FileRoutesByPath['${routeNode.routePath}']['parentRoute'],\n FileRoutesByPath['${routeNode.routePath}']['id'],\n FileRoutesByPath['${routeNode.routePath}']['path'],\n FileRoutesByPath['${routeNode.routePath}']['fullPath']\n >\n `\n }\n\n return `declare module './${getImportPath(routeNode, config, this.generatedRouteTreePath)}' {\n ${moduleAugmentation}\n }`\n }\n return getModuleDeclaration(node)\n })\n .join('\\n')\n }\n\n const rootRouteImport = getImportForRouteNode(\n rootRouteNode,\n config,\n this.generatedRouteTreePath,\n this.root,\n )\n routeImports.unshift(rootRouteImport)\n\n let footer: Array<string> = []\n if (config.routeTreeFileFooter) {\n if (Array.isArray(config.routeTreeFileFooter)) {\n footer = config.routeTreeFileFooter\n } else {\n footer = config.routeTreeFileFooter()\n }\n }\n const routeTreeContent = [\n ...config.routeTreeFileHeader,\n `// This file was automatically generated by TanStack Router.\n// You should NOT make any changes in this file as it will be overwritten.\n// Additionally, you should also exclude this file from your linter and/or formatter to prevent it from being checked or modified.`,\n [...importStatements].join('\\n'),\n mergeImportDeclarations(routeImports).map(buildImportString).join('\\n'),\n virtualRouteNodes.join('\\n'),\n createUpdateRoutes.join('\\n'),\n fileRoutesByFullPath,\n fileRoutesByPathInterface,\n moduleAugmentation,\n routeTreeConfig.join('\\n'),\n routeTree,\n ...footer,\n ]\n .filter(Boolean)\n .join('\\n\\n')\n return {\n routeTreeContent,\n routeTree: acc.routeTree,\n routeNodes: acc.routeNodes,\n }\n }\n\n private async processRouteNodeFile(node: RouteNode): Promise<{\n shouldWriteTree: boolean\n cacheEntry: RouteNodeCacheEntry\n node: RouteNode\n } | null> {\n const result = await this.isRouteFileCacheFresh(node)\n\n if (result.status === 'fresh') {\n return {\n node: result.cacheEntry.node,\n shouldWriteTree: false,\n cacheEntry: result.cacheEntry,\n }\n }\n\n const previousCacheEntry = result.cacheEntry\n\n const existingRouteFile = await this.fs.readFile(node.fullPath)\n if (existingRouteFile === 'file-not-existing') {\n throw new Error(`⚠️ File ${node.fullPath} does not exist`)\n }\n\n const updatedCacheEntry: RouteNodeCacheEntry = {\n fileContent: existingRouteFile.fileContent,\n mtimeMs: existingRouteFile.stat.mtimeMs,\n routeId: node.routePath ?? '$$TSR_NO_ROUTE_PATH_ASSIGNED$$',\n node,\n }\n\n const escapedRoutePath = node.routePath?.replaceAll('$', '$$') ?? ''\n\n let shouldWriteRouteFile = false\n let shouldWriteTree = false\n // now we need to either scaffold the file or transform it\n if (!existingRouteFile.fileContent) {\n shouldWriteRouteFile = true\n shouldWriteTree = true\n // Creating a new lazy route file\n if (node._fsRouteType === 'lazy') {\n const tLazyRouteTemplate = this.targetTemplate.lazyRoute\n // Check by default check if the user has a specific lazy route template\n // If not, check if the user has a route template and use that instead\n updatedCacheEntry.fileContent = await fillTemplate(\n this.config,\n (this.config.customScaffolding?.lazyRouteTemplate ||\n this.config.customScaffolding?.routeTemplate) ??\n tLazyRouteTemplate.template(),\n {\n tsrImports: tLazyRouteTemplate.imports.tsrImports(),\n tsrPath: escapedRoutePath.replaceAll(/\\{(.+?)\\}/gm, '$1'),\n tsrExportStart:\n tLazyRouteTemplate.imports.tsrExportStart(escapedRoutePath),\n tsrExportEnd: tLazyRouteTemplate.imports.tsrExportEnd(),\n },\n )\n } else if (\n // Creating a new normal route file\n (['layout', 'static'] satisfies Array<FsRouteType>).some(\n (d) => d === node._fsRouteType,\n ) ||\n (\n [\n 'component',\n 'pendingComponent',\n 'errorComponent',\n 'notFoundComponent',\n 'loader',\n ] satisfies Array<FsRouteType>\n ).every((d) => d !== node._fsRouteType)\n ) {\n const tRouteTemplate = this.targetTemplate.route\n updatedCacheEntry.fileContent = await fillTemplate(\n this.config,\n this.config.customScaffolding?.routeTemplate ??\n tRouteTemplate.template(),\n {\n tsrImports: tRouteTemplate.imports.tsrImports(),\n tsrPath: escapedRoutePath.replaceAll(/\\{(.+?)\\}/gm, '$1'),\n tsrExportStart:\n tRouteTemplate.imports.tsrExportStart(escapedRoutePath),\n tsrExportEnd: tRouteTemplate.imports.tsrExportEnd(),\n },\n )\n } else {\n return null\n }\n }\n\n // Check if this is a Vue component file\n // Vue SFC files (.vue) don't need transformation as they can't have a Route export\n const isVueFile = node.filePath.endsWith('.vue')\n\n if (!isVueFile) {\n // transform the file\n const transformResult = await transform({\n source: updatedCacheEntry.fileContent,\n ctx: {\n target: this.config.target,\n routeId: escapedRoutePath,\n lazy: node._fsRouteType === 'lazy',\n verboseFileRoutes: !(this.config.verboseFileRoutes === false),\n },\n node,\n })\n\n if (transformResult.result === 'no-route-export') {\n this.logger.warn(\n `Route file \"${node.fullPath}\" does not contain any route piece. This is likely a mistake.`,\n )\n return null\n }\n if (transformResult.result === 'error') {\n throw new Error(\n `Error transforming route file ${node.fullPath}: ${transformResult.error}`,\n )\n }\n if (transformResult.result === 'modified') {\n updatedCacheEntry.fileContent = transformResult.output\n shouldWriteRouteFile = true\n }\n }\n\n for (const plugin of this.plugins) {\n plugin.afterTransform?.({ node, prevNode: previousCacheEntry?.node })\n }\n\n // file was changed\n if (shouldWriteRouteFile) {\n const stats = await this.safeFileWrite({\n filePath: node.fullPath,\n newContent: updatedCacheEntry.fileContent,\n strategy: {\n type: 'mtime',\n expectedMtimeMs: updatedCacheEntry.mtimeMs,\n },\n })\n updatedCacheEntry.mtimeMs = stats.mtimeMs\n }\n\n this.routeNodeShadowCache.set(node.fullPath, updatedCacheEntry)\n return {\n node,\n shouldWriteTree,\n cacheEntry: updatedCacheEntry,\n }\n }\n\n private async didRouteFileChangeComparedToCache(\n file: {\n path: string\n mtimeMs?: bigint\n },\n cache: 'routeNodeCache' | 'routeNodeShadowCache',\n ): Promise<FileCacheChange<RouteNodeCacheEntry>> {\n const cacheEntry = this[cache].get(file.path)\n return this.didFileChangeComparedToCache(file, cacheEntry)\n }\n\n private async didFileChangeComparedToCache<\n TCacheEntry extends GeneratorCacheEntry,\n >(\n file: {\n path: string\n mtimeMs?: bigint\n },\n cacheEntry: TCacheEntry | undefined,\n ): Promise<FileCacheChange<TCacheEntry>> {\n // for now we rely on the modification time of the file\n // to determine if the file has changed\n // we could also compare the file content but this would be slower as we would have to read the file\n\n if (!cacheEntry) {\n return { result: 'file-not-in-cache' }\n }\n let mtimeMs = file.mtimeMs\n\n if (mtimeMs === undefined) {\n try {\n const currentStat = await this.fs.stat(file.path)\n mtimeMs = currentStat.mtimeMs\n } catch {\n return { result: 'cannot-stat-file' }\n }\n }\n return { result: mtimeMs !== cacheEntry.mtimeMs, mtimeMs, cacheEntry }\n }\n\n private async safeFileWrite(opts: {\n filePath: string\n newContent: string\n strategy:\n | {\n type: 'mtime'\n expectedMtimeMs: bigint\n }\n | {\n type: 'new-file'\n }\n }) {\n const tmpPath = this.getTempFileName(opts.filePath)\n await this.fs.writeFile(tmpPath, opts.newContent)\n\n if (opts.strategy.type === 'mtime') {\n const beforeStat = await this.fs.stat(opts.filePath)\n if (beforeStat.mtimeMs !== opts.strategy.expectedMtimeMs) {\n throw rerun({\n msg: `File ${opts.filePath} was modified by another process during processing.`,\n event: { type: 'update', path: opts.filePath },\n })\n }\n const newFileState = await this.fs.stat(tmpPath)\n if (newFileState.mode !== beforeStat.mode) {\n await this.fs.chmod(tmpPath, beforeStat.mode)\n }\n if (\n newFileState.uid !== beforeStat.uid ||\n newFileState.gid !== beforeStat.gid\n ) {\n try {\n await this.fs.chown(tmpPath, beforeStat.uid, beforeStat.gid)\n } catch (err) {\n if (\n typeof err === 'object' &&\n err !== null &&\n 'code' in err &&\n (err as any).code === 'EPERM'\n ) {\n console.warn(\n `[safeFileWrite] chown failed: ${(err as any).message}`,\n )\n } else {\n throw err\n }\n }\n }\n } else {\n if (await checkFileExists(opts.filePath)) {\n throw rerun({\n msg: `File ${opts.filePath} already exists. Cannot overwrite.`,\n event: { type: 'update', path: opts.filePath },\n })\n }\n }\n\n const stat = await this.fs.stat(tmpPath)\n\n await this.fs.rename(tmpPath, opts.filePath)\n\n return stat\n }\n\n private getTempFileName(filePath: string) {\n const absPath = path.resolve(filePath)\n const hash = crypto.createHash('md5').update(absPath).digest('hex')\n // lazy initialize sessionId to only create tmpDir when it is first needed\n if (!this.sessionId) {\n // ensure the directory exists\n mkdirSync(this.config.tmpDir, { recursive: true })\n this.sessionId = crypto.randomBytes(4).toString('hex')\n }\n return path.join(this.config.tmpDir, `${this.sessionId}-${hash}`)\n }\n\n private async isRouteFileCacheFresh(node: RouteNode): Promise<\n | {\n status: 'fresh'\n cacheEntry: RouteNodeCacheEntry\n }\n | { status: 'stale'; cacheEntry?: RouteNodeCacheEntry }\n > {\n const fileChangedCache = await this.didRouteFileChangeComparedToCache(\n { path: node.fullPath },\n 'routeNodeCache',\n )\n if (fileChangedCache.result === false) {\n this.routeNodeShadowCache.set(node.fullPath, fileChangedCache.cacheEntry)\n return {\n status: 'fresh',\n cacheEntry: fileChangedCache.cacheEntry,\n }\n }\n if (fileChangedCache.result === 'cannot-stat-file') {\n throw new Error(`⚠️ expected route file to exist at ${node.fullPath}`)\n }\n const mtimeMs =\n fileChangedCache.result === true ? fileChangedCache.mtimeMs : undefined\n\n const shadowCacheFileChange = await this.didRouteFileChangeComparedToCache(\n { path: node.fullPath, mtimeMs },\n 'routeNodeShadowCache',\n )\n\n if (shadowCacheFileChange.result === 'cannot-stat-file') {\n throw new Error(`⚠️ expected route file to exist at ${node.fullPath}`)\n }\n\n if (shadowCacheFileChange.result === false) {\n // shadow cache has latest file state already\n if (fileChangedCache.result === true) {\n return {\n status: 'fresh',\n cacheEntry: shadowCacheFileChange.cacheEntry,\n }\n }\n }\n\n if (fileChangedCache.result === 'file-not-in-cache') {\n return {\n status: 'stale',\n }\n }\n return { status: 'stale', cacheEntry: fileChangedCache.cacheEntry }\n }\n\n private async handleRootNode(node: RouteNode) {\n const result = await this.isRouteFileCacheFresh(node)\n\n if (result.status === 'fresh') {\n this.routeNodeShadowCache.set(node.fullPath, result.cacheEntry)\n }\n const rootNodeFile = await this.fs.readFile(node.fullPath)\n if (rootNodeFile === 'file-not-existing') {\n throw new Error(`⚠️ expected root route to exist at ${node.fullPath}`)\n }\n\n const updatedCacheEntry: RouteNodeCacheEntry = {\n fileContent: rootNodeFile.fileContent,\n mtimeMs: rootNodeFile.stat.mtimeMs,\n routeId: node.routePath ?? '$$TSR_NO_ROOT_ROUTE_PATH_ASSIGNED$$',\n node,\n }\n\n // scaffold the root route\n if (!rootNodeFile.fileContent) {\n const rootTemplate = this.targetTemplate.rootRoute\n const rootRouteContent = await fillTemplate(\n this.config,\n rootTemplate.template(),\n {\n tsrImports: rootTemplate.imports.tsrImports(),\n tsrPath: rootPathId,\n tsrExportStart: rootTemplate.imports.tsrExportStart(),\n tsrExportEnd: rootTemplate.imports.tsrExportEnd(),\n },\n )\n\n this.logger.log(`🟡 Creating ${node.fullPath}`)\n const stats = await this.safeFileWrite({\n filePath: node.fullPath,\n newContent: rootRouteContent,\n strategy: {\n type: 'mtime',\n expectedMtimeMs: rootNodeFile.stat.mtimeMs,\n },\n })\n updatedCacheEntry.fileContent = rootRouteContent\n updatedCacheEntry.mtimeMs = stats.mtimeMs\n }\n\n this.routeNodeShadowCache.set(node.fullPath, updatedCacheEntry)\n }\n\n public async getCrawlingResult(): Promise<CrawlingResult | undefined> {\n await this.runPromise\n return this.crawlingResult\n }\n\n private static handleNode(\n node: RouteNode,\n acc: HandleNodeAccumulator,\n prefixMap: RoutePrefixMap,\n config?: Config,\n ) {\n let parentRoute = hasParentRoute(prefixMap, node, node.routePath)\n\n // Fallback: check acc.routeNodesByPath for parents not in prefixMap\n // This handles virtual routes created from lazy-only files that weren't\n // in the initial prefixMap build\n if (!parentRoute && node.routePath) {\n let searchPath = node.routePath\n while (searchPath.length > 0) {\n const lastSlash = searchPath.lastIndexOf('/')\n if (lastSlash <= 0) break\n searchPath = searchPath.substring(0, lastSlash)\n const candidate = acc.routeNodesByPath.get(searchPath)\n if (candidate && candidate.routePath !== node.routePath) {\n parentRoute = candidate\n break\n }\n }\n }\n\n if (parentRoute) node.parent = parentRoute\n\n node.path = determineNodePath(node)\n\n const trimmedPath = trimPathLeft(node.path ?? '')\n const trimmedOriginalPath = trimPathLeft(\n node.originalRoutePath?.replace(\n node.parent?.originalRoutePath ?? '',\n '',\n ) ?? '',\n )\n\n const split = trimmedPath.split('/')\n const originalSplit = trimmedOriginalPath.split('/')\n const lastRouteSegment = split[split.length - 1] ?? trimmedPath\n const lastOriginalSegment =\n originalSplit[originalSplit.length - 1] ?? trimmedOriginalPath\n\n // A segment is non-path if it starts with underscore AND the underscore is not escaped\n node.isNonPath =\n isSegmentPathless(lastRouteSegment, lastOriginalSegment) ||\n split.every((part) => this.routeGroupPatternRegex.test(part))\n\n // Use escape-aware functions to compute cleanedPath\n node.cleanedPath = removeGroups(\n removeUnderscoresWithEscape(\n removeLayoutSegmentsWithEscape(node.path, node.originalRoutePath),\n node.originalRoutePath,\n ),\n )\n\n if (\n node._fsRouteType === 'layout' ||\n node._fsRouteType === 'pathless_layout'\n ) {\n node.cleanedPath = removeTrailingSlash(node.cleanedPath)\n }\n\n if (\n !node.isVirtual &&\n (\n [\n 'lazy',\n 'loader',\n 'component',\n 'pendingComponent',\n 'errorComponent',\n 'notFoundComponent',\n ] satisfies Array<FsRouteType>\n ).some((d) => d === node._fsRouteType)\n ) {\n acc.routePiecesByPath[node.routePath!] =\n acc.routePiecesByPath[node.routePath!] || {}\n\n const pieceKey =\n node._fsRouteType === 'lazy'\n ? 'lazy'\n : (node._fsRouteType as keyof (typeof acc.routePiecesByPath)[string])\n acc.routePiecesByPath[node.routePath!]![pieceKey] = node\n\n const anchorRoute = acc.routeNodesByPath.get(node.routePath!)\n\n // Don't create virtual routes for root route component pieces - the root route is handled separately\n if (!anchorRoute && node.routePath !== `/${rootPathId}`) {\n this.handleNode(\n {\n ...node,\n isVirtual: true,\n _fsRouteType: 'static',\n },\n acc,\n prefixMap,\n config,\n )\n }\n return\n }\n\n const isPathlessLayoutWithPath =\n node._fsRouteType === 'pathless_layout' &&\n node.cleanedPath &&\n node.cleanedPath.length > 0\n\n // Special handling: pathless layouts with path need to find real ancestor\n if (!node.isVirtual && isPathlessLayoutWithPath) {\n const immediateParentPath =\n removeLastSegmentFromPath(node.routePath) || '/'\n const immediateParentOriginalPath =\n removeLastSegmentFromPath(node.originalRoutePath) || '/'\n let searchPath = immediateParentPath\n\n // Find nearest real (non-virtual, non-index) parent\n while (searchPath) {\n const candidate = acc.routeNodesByPath.get(searchPath)\n if (candidate && !candidate.isVirtual && candidate.path !== '/') {\n node.parent = candidate\n node.path =\n node.routePath?.replace(candidate.routePath ?? '', '') || '/'\n const pathRelativeToParent =\n immediateParentPath.replace(candidate.routePath ?? '', '') || '/'\n const originalPathRelativeToParent =\n immediateParentOriginalPath.replace(\n candidate.originalRoutePath ?? '',\n '',\n ) || '/'\n node.cleanedPath = removeGroups(\n removeUnderscoresWithEscape(\n removeLayoutSegmentsWithEscape(\n pathRelativeToParent,\n originalPathRelativeToParent,\n ),\n originalPathRelativeToParent,\n ),\n )\n break\n }\n if (searchPath === '/') break\n searchPath = removeLastSegmentFromPath(searchPath) || '/'\n }\n }\n\n // Add to parent's children or to root\n if (node.parent) {\n node.parent.children = node.parent.children ?? []\n node.parent.children.push(node)\n } else {\n acc.routeTree.push(node)\n }\n\n acc.routeNodes.push(node)\n if (node.routePath) {\n // Always register routes by path so child routes can find parents.\n // Virtual routes (created from lazy-only files) also need to be registered\n // so that index routes like path.index.lazy.tsx can find their parent path.lazy.tsx.\n // If a non-virtual route is later processed for the same path, it will overwrite.\n acc.routeNodesByPath.set(node.routePath, node)\n }\n }\n\n // only process files that are relevant for the route tree generation\n private isFileRelevantForRouteTreeGeneration(filePath: string): boolean {\n // the generated route tree file\n if (filePath === this.generatedRouteTreePath) {\n return true\n }\n\n // files inside the routes folder\n if (filePath.startsWith(this.routesDirectoryPath)) {\n return true\n }\n\n // the virtual route config file passed into `virtualRouteConfig`\n if (\n typeof this.config.virtualRouteConfig === 'string' &&\n filePath === this.config.virtualRouteConfig\n ) {\n return true\n }\n\n // this covers all files that are mounted via `virtualRouteConfig` or any `__virtual.ts` files\n if (this.routeNodeCache.has(filePath)) {\n return true\n }\n\n // virtual config files such as`__virtual.ts`\n if (isVirtualConfigFile(path.basename(filePath))) {\n return true\n }\n\n // route files inside directories mounted via `physical()` inside a virtual route config\n if (this.physicalDirectories.some((dir) => filePath.startsWith(dir))) {\n return true\n }\n\n return false\n }\n}\n"],"names":["virtualGetRouteNodes","physicalGetRouteNodes","moduleAugmentation"],"mappings":";;;;;;;;;;;;AAwEA,MAAM,oBAAwB;AAAA,EAC5B,MAAM,OAAO,aAAa;AACxB,UAAM,MAAM,MAAM,IAAI,KAAK,UAAU,EAAE,QAAQ,MAAM;AACrD,WAAO;AAAA,MACL,SAAS,IAAI;AAAA,MACb,MAAM,OAAO,IAAI,IAAI;AAAA,MACrB,KAAK,OAAO,IAAI,GAAG;AAAA,MACnB,KAAK,OAAO,IAAI,GAAG;AAAA,IAAA;AAAA,EAEvB;AAAA,EACA,QAAQ,CAAC,SAAS,YAAY,IAAI,OAAO,SAAS,OAAO;AAAA,EACzD,WAAW,CAAC,UAAU,YAAY,IAAI,UAAU,UAAU,OAAO;AAAA,EACjE,UAAU,OAAO,aAAqB;AACpC,QAAI;AACF,YAAM,aAAa,MAAM,IAAI,KAAK,UAAU,GAAG;AAC/C,YAAM,OAAO,MAAM,WAAW,KAAK,EAAE,QAAQ,MAAM;AACnD,YAAM,eAAe,MAAM,WAAW,SAAA,GAAY,SAAA;AAClD,YAAM,WAAW,MAAA;AACjB,aAAO,EAAE,MAAM,YAAA;AAAA,IACjB,SAAS,GAAQ;AACf,UAAI,UAAU,GAAG;AACf,YAAI,EAAE,SAAS,UAAU;AACvB,iBAAO;AAAA,QACT;AAAA,MACF;AACA,YAAM;AAAA,IACR;AAAA,EACF;AAAA,EACA,OAAO,CAAC,UAAU,SAAS,IAAI,MAAM,UAAU,IAAI;AAAA,EACnD,OAAO,CAAC,UAAU,KAAK,QAAQ,IAAI,MAAM,UAAU,KAAK,GAAG;AAC7D;AAOA,SAAS,MAAM,MAAuD;AACpE,QAAM,EAAE,OAAO,GAAG,KAAA,IAAS;AAC3B,SAAO,EAAE,OAAO,MAAM,OAAO,SAAS,EAAE,MAAM,WAAW,GAAG,KAAA;AAC9D;AAEA,SAAS,QAAQ,QAAkC;AACjD,SACE,OAAO,WAAW,YAClB,WAAW,QACX,WAAW,UACX,OAAO,UAAU;AAErB;AAwCO,MAAM,aAAN,MAAM,WAAU;AAAA,EAqCrB,YAAY,MAAiD;AA1B7D,SAAQ,qCAA8C,IAAA;AACtD,SAAQ,2CAAoD,IAAA;AAe5D,SAAQ,iBAAwC,CAAA;AAChD,SAAQ,UAAkC,CAAA;AAE1C,SAAQ,sBAAqC,CAAA;AAQ3C,SAAK,SAAS,KAAK;AACnB,SAAK,SAAS,QAAQ,EAAE,UAAU,KAAK,OAAO,gBAAgB;AAC9D,SAAK,OAAO,KAAK;AACjB,SAAK,KAAK,KAAK,MAAM;AACrB,SAAK,yBAAyB,KAAK,0BAAA;AACnC,SAAK,iBAAiB,kBAAkB,KAAK,MAAM;AAEnD,SAAK,sBAAsB,KAAK,uBAAA;AAChC,SAAK,QAAQ,KAAK,GAAI,KAAK,OAAO,WAAW,EAAG;AAEhD,SAAK,kBAAkB,IAAI,OAAO,OAAO,KAAK,OAAO,UAAU,KAAK;AACpE,SAAK,kBAAkB,IAAI,OAAO,OAAO,KAAK,OAAO,UAAU,KAAK;AAEpE,eAAW,UAAU,KAAK,SAAS;AACjC,aAAO,OAAO,EAAE,WAAW,KAAA,CAAM;AAAA,IACnC;AAAA,EACF;AAAA,EAEQ,4BAA4B;AAClC,UAAM,yBAAyB,KAAK;AAAA,MAClC,KAAK,OAAO;AAAA,IAAA,IAEV,KAAK,OAAO,qBACZ,KAAK,QAAQ,KAAK,MAAM,KAAK,OAAO,kBAAkB;AAE1D,UAAM,wBAAwB,KAAK,QAAQ,sBAAsB;AAEjE,QAAI,CAAC,WAAW,qBAAqB,GAAG;AACtC,gBAAU,uBAAuB,EAAE,WAAW,KAAA,CAAM;AAAA,IACtD;AAEA,WAAO;AAAA,EACT;AAAA,EAEQ,yBAAyB;AAC/B,WAAO,KAAK,WAAW,KAAK,OAAO,eAAe,IAC9C,KAAK,OAAO,kBACZ,KAAK,QAAQ,KAAK,MAAM,KAAK,OAAO,eAAe;AAAA,EACzD;AAAA,EAEO,qBAA+C;AACpD,WAAO,IAAI;AAAA,MACT,CAAC,GAAG,KAAK,eAAe,QAAA,CAAS,EAAE,IAAI,CAAC,CAAC,UAAU,UAAU,MAAM;AAAA,QACjE;AAAA,QACA,EAAE,WAAW,WAAW,QAAA;AAAA,MAAQ,CACjC;AAAA,IAAA;AAAA,EAEL;AAAA,EAEA,MAAa,IAAI,OAAuC;AACtD,QACE,SACA,MAAM,SAAS,WACf,CAAC,KAAK,qCAAqC,MAAM,IAAI,GACrD;AACA;AAAA,IACF;AACA,SAAK,eAAe,KAAK,SAAS,EAAE,MAAM,SAAS;AAEnD,QAAI,KAAK,YAAY;AACnB,aAAO,KAAK;AAAA,IACd;AAEA,SAAK,cAAc,YAAY;AAC7B,SAAG;AAGD,cAAM,YAAY,KAAK;AACvB,aAAK,iBAAiB,CAAA;AAGtB,cAAM,mBACJ,MAAM,QAAQ;AAAA,UACZ,UAAU,IAAI,OAAO,MAAM;AACzB,gBAAI,EAAE,SAAS,UAAU;AACvB,kBAAI;AACJ,kBAAI,EAAE,SAAS,KAAK,wBAAwB;AAC1C,6BAAa,KAAK;AAAA,cACpB,OAAO;AAGL,6BAAa,KAAK,eAAe,IAAI,EAAE,IAAI;AAAA,cAC7C;AACA,oBAAM,SAAS,MAAM,KAAK;AAAA,gBACxB,EAAE,MAAM,EAAE,KAAA;AAAA,gBACV;AAAA,cAAA;AAEF,kBAAI,OAAO,WAAW,OAAO;AAC3B,uBAAO;AAAA,cACT;AAAA,YACF;AACA,mBAAO;AAAA,UACT,CAAC;AAAA,QAAA,GAEH,OAAO,CAAC,MAAM,MAAM,IAAI;AAE1B,YAAI,gBAAgB,WAAW,GAAG;AAChC;AAAA,QACF;AAEA,YAAI;AACF,gBAAM,KAAK,kBAAA;AAAA,QACb,SAAS,KAAK;AACZ,gBAAM,WAAW,CAAC,MAAM,QAAQ,GAAG,IAAI,CAAC,GAAG,IAAI;AAE/C,gBAAM,oBAAoB,SAAS,OAAO,CAAC,MAAM,QAAQ,CAAC,CAAC;AAC3D,cAAI,kBAAkB,WAAW,SAAS,QAAQ;AAChD,iBAAK,eAAe,KAAK,GAAG,kBAAkB,IAAI,CAAC,MAAM,EAAE,KAAK,CAAC;AACjE,8BAAkB,QAAQ,CAAC,MAAM;AAC/B,kBAAI,EAAE,KAAK;AACT,qBAAK,OAAO,KAAK,EAAE,GAAG;AAAA,cACxB;AAAA,YACF,CAAC;AAAA,UACH,OAAO;AACL,kBAAM,sBAAsB,SAAS,OAAO,CAAC,MAAM,CAAC,QAAQ,CAAC,CAAC;AAC9D,iBAAK,aAAa;AAClB,kBAAM,IAAI;AAAA,cACR,oBAAoB,IAAI,CAAC,MAAO,EAAY,OAAO,EAAE,KAAA;AAAA,YAAK;AAAA,UAE9D;AAAA,QACF;AAAA,MACF,SAAS,KAAK,eAAe;AAC7B,WAAK,aAAa;AAAA,IACpB,GAAA;AACA,WAAO,KAAK;AAAA,EACd;AAAA,EAEA,MAAc,oBAAoB;AAChC,QAAI,qBAAwC;AAE5C,QAAI;AAEJ,QAAI,KAAK,OAAO,oBAAoB;AAClC,4BAAsB,MAAMA,cAAqB,KAAK,QAAQ,KAAK,IAAI;AAAA,IACzE,OAAO;AACL,4BAAsB,MAAMC,gBAAsB,KAAK,QAAQ,KAAK,IAAI;AAAA,IAC1E;AAEA,UAAM;AAAA,MACJ;AAAA,MACA,YAAY;AAAA,MACZ;AAAA,IAAA,IACE;AACJ,QAAI,kBAAkB,QAAW;AAC/B,UAAI,eAAe;AACnB,UAAI,CAAC,KAAK,OAAO,oBAAoB;AACnC,wBAAgB;AAAA,4BAA+B,UAAU,IAAI,KAAK,OAAO,eAAe,OAAO,KAAK;AAAA,oBAAuD,KAAK,OAAO,eAAe,IAAI,UAAU,IAAI,KAAK,OAAO,eAAe,OAAO,KAAK;AAAA,MACjP;AACA,YAAM,IAAI,MAAM,YAAY;AAAA,IAC9B;AACA,SAAK,sBAAsB;AAE3B,UAAM,KAAK,eAAe,aAAa;AAEvC,UAAM,gBAAgB,YAAY,kBAAkB;AAAA,MAClD,CAAC,MAAO,EAAE,cAAc,MAAM,KAAK;AAAA,MACnC,CAAC,MAAM,EAAE,WAAW,MAAM,GAAG,EAAE;AAAA,MAC/B,CAAC,MAAO,EAAE,SAAS,MAAM,KAAK,eAAe,IAAI,IAAI;AAAA,MACrD,CAAC,MAAO,EAAE,SAAS,MAAM,WAAU,mBAAmB,IAAI,IAAI;AAAA,MAC9D,CAAC,MAAO,EAAE,SAAS,MAAM,KAAK,eAAe,IAAI,KAAK;AAAA,MACtD,CAAC,MAAO,EAAE,WAAW,SAAS,GAAG,IAAI,KAAK;AAAA,MAC1C,CAAC,MAAM,EAAE;AAAA,IAAA,CACV,EAAE,OAAO,CAAC,MAAM;AAEf,UAAI,EAAE,cAAc,IAAI,UAAU,IAAI;AACpC,eAAO;AAAA,UACL;AAAA,UACA;AAAA,UACA;AAAA,UACA;AAAA,UACA;AAAA,UACA;AAAA,QAAA,EACA,SAAS,EAAE,YAAY;AAAA,MAC3B;AACA,aAAO;AAAA,IACT,CAAC;AAED,UAAM,qBAAqB,MAAM,QAAQ;AAAA,MACvC,cAEG,OAAO,CAAC,MAAM,CAAC,EAAE,wBAAwB,CAAC,EAAE,SAAS,EACrD,IAAI,CAAC,MAAM,KAAK,qBAAqB,CAAC,CAAC;AAAA,IAAA;AAG5C,UAAM,aAAa,mBAAmB;AAAA,MACpC,CAAC,WAAW,OAAO,WAAW;AAAA,IAAA;AAEhC,QAAI,WAAW,SAAS,GAAG;AACzB,YAAM,WAAW,IAAI,CAAC,MAAM,EAAE,MAAM;AAAA,IACtC;AAEA,UAAM,kBAAkB,mBAAmB,QAAQ,CAAC,WAAW;AAC7D,UAAI,OAAO,WAAW,eAAe,OAAO,UAAU,MAAM;AAC1D,YAAI,OAAO,MAAM,iBAAiB;AAChC,+BAAqB;AAAA,QACvB;AACA,eAAO,OAAO,MAAM;AAAA,MACtB;AACA,aAAO,CAAA;AAAA,IACT,CAAC;AAGD,oBAAgB,QAAQ,CAAC,MAAO,EAAE,WAAW,MAAU;AAEvD,UAAM,MAA6B;AAAA,MACjC,WAAW,CAAA;AAAA,MACX,YAAY,CAAA;AAAA,MACZ,mBAAmB,CAAA;AAAA,MACnB,sCAAsB,IAAA;AAAA,IAAI;AAG5B,UAAM,YAAY,IAAI,eAAe,eAAe;AAEpD,eAAW,QAAQ,iBAAiB;AAClC,iBAAU,WAAW,MAAM,KAAK,WAAW,KAAK,MAAM;AAAA,IACxD;AAEA,SAAK,iBAAiB,EAAE,eAAe,iBAAiB,IAAA;AAGxD,QAAI,CAAC,KAAK,oBAAoB;AAC5B,YAAM,gBAAgB,MAAM,KAAK,GAAG,SAAS,KAAK,sBAAsB;AACxE,UAAI,kBAAkB,qBAAqB;AACzC,aAAK,qBAAqB;AAAA,UACxB,aAAa,cAAc;AAAA,UAC3B,SAAS,cAAc,KAAK;AAAA,QAAA;AAAA,MAEhC;AACA,2BAAqB;AAAA,IACvB,OAAO;AACL,YAAM,sBAAsB,MAAM,KAAK;AAAA,QACrC,EAAE,MAAM,KAAK,uBAAA;AAAA,QACb,KAAK;AAAA,MAAA;AAEP,UAAI,oBAAoB,WAAW,OAAO;AACxC,6BAAqB;AACrB,YAAI,oBAAoB,WAAW,MAAM;AACvC,gBAAM,gBAAgB,MAAM,KAAK,GAAG;AAAA,YAClC,KAAK;AAAA,UAAA;AAEP,cAAI,kBAAkB,qBAAqB;AACzC,iBAAK,qBAAqB;AAAA,cACxB,aAAa,cAAc;AAAA,cAC3B,SAAS,cAAc,KAAK;AAAA,YAAA;AAAA,UAEhC;AAAA,QACF;AAAA,MACF;AAAA,IACF;AAEA,QAAI,CAAC,oBAAoB;AAGvB,UAAI,KAAK,eAAe,SAAS,KAAK,qBAAqB,MAAM;AAC/D,6BAAqB;AAAA,MACvB,OAAO;AACL,mBAAW,YAAY,KAAK,eAAe,KAAA,GAAQ;AACjD,cAAI,CAAC,KAAK,qBAAqB,IAAI,QAAQ,GAAG;AAC5C,iCAAqB;AACrB;AAAA,UACF;AAAA,QACF;AAAA,MACF;AAAA,IACF;AAEA,QAAI,CAAC,oBAAoB;AACvB,WAAK,WAAA;AACL;AAAA,IACF;AAEA,UAAM,cAAc,KAAK,eAAe;AAAA,MACtC;AAAA,MACA;AAAA,MACA;AAAA,IAAA,CACD;AACD,QAAI,mBAAmB,YAAY;AAEnC,uBAAmB,KAAK,OAAO,4BAC3B,MAAM,OAAO,kBAAkB,KAAK,MAAM,IAC1C;AAEJ,QAAI;AACJ,QAAI,KAAK,oBAAoB;AAC3B,UACE,uBAAuB,WACvB,KAAK,mBAAmB,gBAAgB,iBACxC;AAAA,WAGK;AACL,cAAM,uBAAuB,MAAM,KAAK,cAAc;AAAA,UACpD,UAAU,KAAK;AAAA,UACf,YAAY;AAAA,UACZ,UAAU;AAAA,YACR,MAAM;AAAA,YACN,iBAAiB,KAAK,mBAAmB;AAAA,UAAA;AAAA,QAC3C,CACD;AACD,qBAAa,qBAAqB;AAAA,MACpC;AAAA,IACF,OAAO;AACL,YAAM,uBAAuB,MAAM,KAAK,cAAc;AAAA,QACpD,UAAU,KAAK;AAAA,QACf,YAAY;AAAA,QACZ,UAAU;AAAA,UACR,MAAM;AAAA,QAAA;AAAA,MACR,CACD;AACD,mBAAa,qBAAqB;AAAA,IACpC;AAEA,QAAI,eAAe,QAAW;AAC5B,WAAK,qBAAqB;AAAA,QACxB,aAAa;AAAA,QACb,SAAS;AAAA,MAAA;AAAA,IAEb;AAEA,SAAK,QAAQ,IAAI,CAAC,WAAW;AAC3B,aAAO,OAAO,qBAAqB;AAAA,QACjC,WAAW,YAAY;AAAA,QACvB,YAAY,YAAY;AAAA,QACxB;AAAA,QACA;AAAA,MAAA,CACD;AAAA,IACH,CAAC;AACD,SAAK,WAAA;AAAA,EACP;AAAA,EAEQ,aAAa;AACnB,SAAK,iBAAiB,KAAK;AAC3B,SAAK,2CAA2B,IAAA;AAAA,EAClC;AAAA,EAEO,eAAe,MAKnB;AACD,UAAM,SAAS,EAAE,GAAG,KAAK,QAAQ,GAAI,KAAK,UAAU,GAAC;AAErD,UAAM,EAAE,eAAe,IAAA,IAAQ;AAE/B,UAAM,mBAAmB,YAAY,IAAI,YAAY;AAAA,MACnD,CAAC,MAAO,EAAE,WAAW,SAAS,IAAI,UAAU,EAAE,IAAI,KAAK;AAAA,MACvD,CAAC,MAAM,EAAE,WAAW,MAAM,GAAG,EAAE;AAAA,MAC/B,CAAC,MAAO,EAAE,WAAW,SAAS,OAAO,UAAU,IAAI,KAAK;AAAA,MACxD,CAAC,MAAM;AAAA,IAAA,CACR;AAED,UAAM,eAAyC,CAAA;AAC/C,UAAM,oBAAmC,CAAA;AAEzC,eAAW,QAAQ,kBAAkB;AACnC,UAAI,KAAK,WAAW;AAClB,0BAAkB;AAAA,UAChB,SAAS,KAAK,YAAY,kCAAkC,KAAK,SAAS;AAAA,QAAA;AAAA,MAE9E,OAAO;AACL,qBAAa;AAAA,UACX;AAAA,YACE;AAAA,YACA;AAAA,YACA,KAAK;AAAA,YACL,KAAK;AAAA,UAAA;AAAA,QACP;AAAA,MAEJ;AAAA,IACF;AAEA,UAAM,UAAoC,CAAA;AAC1C,QAAI,kBAAkB,SAAS,GAAG;AAChC,cAAQ,KAAK;AAAA,QACX,YAAY,CAAC,EAAE,UAAU,mBAAmB;AAAA,QAC5C,QAAQ,KAAK,eAAe;AAAA,MAAA,CAC7B;AAAA,IACH;AAEA,QAAI,qBAAqB;AACzB,QAAI,kBAAkB;AACtB,eAAW,QAAQ,kBAAkB;AACnC,YAAM,SAAS,IAAI,kBAAkB,KAAK,SAAU;AACpD,UAAI,QAAQ;AACV,YACE,OAAO,aACP,OAAO,kBACP,OAAO,qBACP,OAAO,kBACP;AACA,+BAAqB;AAAA,QACvB;AACA,YAAI,OAAO,QAAQ;AACjB,4BAAkB;AAAA,QACpB;AACA,YAAI,sBAAsB,gBAAiB;AAAA,MAC7C;AAAA,IACF;AACA,QAAI,sBAAsB,iBAAiB;AACzC,YAAM,gBAAmC;AAAA,QACvC,YAAY,CAAA;AAAA,QACZ,QAAQ,KAAK,eAAe;AAAA,MAAA;AAE9B,UAAI,oBAAoB;AACtB,sBAAc,WAAW,KAAK,EAAE,UAAU,sBAAsB;AAAA,MAClE;AACA,UAAI,iBAAiB;AACnB,sBAAc,WAAW,KAAK,EAAE,UAAU,UAAU;AAAA,MACtD;AACA,cAAQ,KAAK,aAAa;AAAA,IAC5B;AACA,QAAI,OAAO,sBAAsB,OAAO;AACtC,YAAM,aAAgC;AAAA,QACpC,YAAY,CAAA;AAAA,QACZ,QAAQ,KAAK,eAAe;AAAA,QAC5B,YAAY;AAAA,MAAA;AAEd,UAAI,uBAAuB;AAC3B,UAAI,2BAA2B;AAC/B,iBAAW,QAAQ,kBAAkB;AACnC,YAAI,gCAAgC,IAAI,GAAG;AACzC,cAAI,KAAK,iBAAiB,QAAQ;AAChC,mCAAuB;AAAA,UACzB;AACA,cAAI,IAAI,kBAAkB,KAAK,SAAU,GAAG,MAAM;AAChD,uCAA2B;AAAA,UAC7B;AAAA,QACF;AACA,YAAI,wBAAwB,yBAA0B;AAAA,MACxD;AACA,UAAI,sBAAsB;AACxB,mBAAW,WAAW,KAAK,EAAE,UAAU,mBAAmB;AAAA,MAC5D;AACA,UAAI,0BAA0B;AAC5B,mBAAW,WAAW,KAAK,EAAE,UAAU,uBAAuB;AAAA,MAChE;AAEA,UAAI,WAAW,WAAW,SAAS,GAAG;AACpC,mBAAW,WAAW,KAAK,EAAE,UAAU,oBAAoB;AAC3D,gBAAQ,KAAK,UAAU;AAAA,MACzB;AAAA,IACF;AAEA,UAAM,kBAAkB;AAAA,MACtB,IAAI;AAAA,MACJ,OAAO;AAAA,IAAA;AAGT,UAAM,qBAAqB,iBAAiB,IAAI,CAAC,SAAS;AACxD,YAAM,SAAS,IAAI,kBAAkB,KAAK,SAAU;AACpD,YAAM,aAAa,QAAQ;AAC3B,YAAM,gBAAgB,QAAQ;AAC9B,YAAM,qBAAqB,QAAQ;AACnC,YAAM,wBAAwB,QAAQ;AACtC,YAAM,uBAAuB,QAAQ;AACrC,YAAM,oBAAoB,QAAQ;AAElC,aAAO;AAAA,QACL;AAAA,UACE,SAAS,KAAK,YAAY,WAAW,KAAK,YAAY;AAAA,cAClD;AAAA,YACA,QAAQ,KAAK,IAAI;AAAA,YACjB,CAAC,KAAK,aACL,KAAK,iBAAiB,qBAAqB,KAAK,cAC7C,UAAU,KAAK,WAAW,MAC1B;AAAA,YACJ,yBAAyB,WAAW,IAAI,CAAC;AAAA,UAAA,EAExC,OAAO,OAAO,EACd,KAAK,GAAG,CAAC;AAAA,aACX,OAAO,eAAe,KAAK,QAAQ;AAAA,UACtC,aACI,kDAAkD;AAAA,YAChD;AAAA,cACE,KAAK;AAAA,gBACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,gBACtC,KAAK,QAAQ,OAAO,iBAAiB,WAAW,QAAQ;AAAA,cAAA;AAAA,cAE1D,OAAO;AAAA,YAAA;AAAA,UACT,CACD,qBACD;AAAA,UACJ,iBACA,sBACA,yBACA,uBACI;AAAA,kBAEI;AAAA,YACE,CAAC,aAAa,aAAa;AAAA,YAC3B,CAAC,kBAAkB,kBAAkB;AAAA,YACrC,CAAC,qBAAqB,qBAAqB;AAAA,YAC3C,CAAC,oBAAoB,oBAAoB;AAAA,UAAA,EAG1C,OAAO,CAAC,MAAM,EAAE,CAAC,CAAC,EAClB,IAAI,CAAC,MAAM;AAEV,kBAAM,YAAY,EAAE,CAAC,EAAG,SAAS,SAAS,MAAM;AAChD,kBAAM,aAAa,YAAY,YAAY,EAAE,CAAC;AAE9C,kBAAM,aAAa;AAAA,cACjB,YACI,KAAK;AAAA,gBACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,gBACtC,KAAK;AAAA,kBACH,OAAO;AAAA,kBACP,EAAE,CAAC,EAAG;AAAA,gBAAA;AAAA,cACR,IAEF;AAAA,gBACE,KAAK;AAAA,kBACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,kBACtC,KAAK;AAAA,oBACH,OAAO;AAAA,oBACP,EAAE,CAAC,EAAG;AAAA,kBAAA;AAAA,gBACR;AAAA,gBAEF,OAAO;AAAA,cAAA;AAAA,YACT;AAEN,mBAAO,GACL,EAAE,CAAC,CACL,wCAAwC,UAAU,QAAQ,UAAU;AAAA,UACtE,CAAC,EACA,KAAK,KAAK,CAAC;AAAA,oBAEhB;AAAA,UACJ,qBACK,MAAM;AAEL,kBAAM,YAAY,kBAAkB,SAAS,SAAS,MAAM;AAC5D,kBAAM,iBAAiB,YAAY,cAAc;AAEjD,kBAAM,aAAa;AAAA,cACjB,YACI,KAAK;AAAA,gBACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,gBACtC,KAAK;AAAA,kBACH,OAAO;AAAA,kBACP,kBAAkB;AAAA,gBAAA;AAAA,cACpB,IAEF;AAAA,gBACE,KAAK;AAAA,kBACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,kBACtC,KAAK;AAAA,oBACH,OAAO;AAAA,oBACP,kBAAkB;AAAA,kBAAA;AAAA,gBACpB;AAAA,gBAEF,OAAO;AAAA,cAAA;AAAA,YACT;AAEN,mBAAO,yBAAyB,UAAU,kBAAkB,cAAc;AAAA,UAC5E,OACA;AAAA,QAAA,EACJ,KAAK,EAAE;AAAA,MAAA,EACT,KAAK,MAAM;AAAA,IACf,CAAC;AAGD,UAAM,gBAAgB,IAAI,UAAU;AACpC,UAAM,aAAa,IAAI,kBAAkB,aAAa;AACtD,UAAM,oBAAoB,YAAY;AACtC,UAAM,yBAAyB,YAAY;AAC3C,UAAM,4BAA4B,YAAY;AAC9C,UAAM,2BAA2B,YAAY;AAE7C,QAAI,kBAAkB;AACtB,QACE,qBACA,0BACA,6BACA,0BACA;AACA,wBAAkB,gDAChB,qBACA,0BACA,6BACA,2BACI;AAAA,gBAEI;AAAA,QACE,CAAC,aAAa,iBAAiB;AAAA,QAC/B,CAAC,kBAAkB,sBAAsB;AAAA,QACzC,CAAC,qBAAqB,yBAAyB;AAAA,QAC/C,CAAC,oBAAoB,wBAAwB;AAAA,MAAA,EAG9C,OAAO,CAAC,MAAM,EAAE,CAAC,CAAC,EAClB,IAAI,CAAC,MAAM;AAEV,cAAM,YAAY,EAAE,CAAC,EAAG,SAAS,SAAS,MAAM;AAChD,cAAM,aAAa,YAAY,YAAY,EAAE,CAAC;AAE9C,cAAM,aAAa;AAAA,UACjB,YACI,KAAK;AAAA,YACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,YACtC,KAAK,QAAQ,OAAO,iBAAiB,EAAE,CAAC,EAAG,QAAQ;AAAA,UAAA,IAErD;AAAA,YACE,KAAK;AAAA,cACH,KAAK,QAAQ,OAAO,kBAAkB;AAAA,cACtC,KAAK;AAAA,gBACH,OAAO;AAAA,gBACP,EAAE,CAAC,EAAG;AAAA,cAAA;AAAA,YACR;AAAA,YAEF,OAAO;AAAA,UAAA;AAAA,QACT;AAEN,eAAO,GAAG,EAAE,CAAC,CAAC,wCAAwC,UAAU,QAAQ,UAAU;AAAA,MACpF,CAAC,EACA,KAAK,KAAK,CAAC;AAAA,kBAEhB,EACN,uCAAuC,OAAO,eAAe,KAAK,kCAAkC;AAAA,IACtG;AAEA,QAAI,4BAA4B;AAChC,QAAI,uBAAuB;AAE3B,QAAI,CAAC,OAAO,cAAc;AACxB,YAAM,uBAAuB,2BAA2B,IAAI,UAAU;AACtE,YAAM,iBAAiB,qBAAqB,IAAI,UAAU;AAC1D,YAAM,iBAAiB,qBAAqB,IAAI,UAAU;AAE1D,6BAAuB;AAAA,QACrB;AAAA,EACN,CAAC,GAAG,qBAAqB,SAAS,EACjC,OAAO,CAAC,CAAC,QAAQ,MAAM,QAAQ,EAC/B,IAAI,CAAC,CAAC,UAAU,SAAS,MAAM;AAC9B,iBAAO,IAAI,QAAQ,aAAa,iCAAiC,SAAS,CAAC;AAAA,QAC7E,CAAC,CAAC;AAAA;AAAA,QAEI;AAAA,EACN,CAAC,GAAG,eAAe,SAAS,EAC3B,OAAO,CAAC,CAAC,EAAE,MAAM,EAAE,EACnB,IAAI,CAAC,CAAC,IAAI,SAAS,MAAM;AACxB,iBAAO,IAAI,EAAE,aAAa,iCAAiC,SAAS,CAAC;AAAA,QACvE,CAAC,CAAC;AAAA;AAAA,QAEI;AAAA,GACL,WAAW;AAAA,EACZ,CAAC,GAAG,eAAe,SAAS,EAAE,IAAI,CAAC,CAAC,IAAI,SAAS,MAAM;AACvD,iBAAO,IAAI,EAAE,aAAa,iCAAiC,SAAS,CAAC;AAAA,QACvE,CAAC,CAAC;AAAA;AAAA,QAEM;AAAA;AAAA,aAGE,IAAI,WAAW,SAAS,IACpB,CAAC,GAAG,qBAAqB,KAAA,CAAM,EAC5B,OAAO,CAAC,aAAa,QAAQ,EAC7B,IAAI,CAAC,aAAa,IAAI,QAAQ,GAAG,EACjC,KAAK,GAAG,IACX,OACN;AAAA;AAAA,MAGE,IAAI,WAAW,SAAS,IACpB,CAAC,GAAG,eAAe,KAAA,CAAM,EACtB,OAAO,CAAC,OAAO,EAAE,EACjB,IAAI,CAAC,OAAO,IAAI,EAAE,GAAG,EACrB,KAAK,GAAG,IACX,OACN;AAAA,MACF,CAAC,IAAI,WAAW,KAAK,GAAG,CAAC,GAAG,eAAe,KAAA,CAAM,EAAE,IAAI,CAAC,OAAO,IAAI,EAAE,GAAG,CAAC,EAAE,KAAK,GAAG,CAAC;AAAA;AAAA;AAAA,QAGlF;AAAA,EACN,IAAI,UAAU,IAAI,CAAC,UAAU,GAAG,MAAM,YAAY,iBAAiB,iCAAiC,KAAK,CAAC,EAAE,EAAE,KAAK,GAAG,CAAC;AAAA;AAAA,MAAA,EAEjH,KAAK,IAAI;AAEX,kCAA4B,+BAA+B;AAAA,QACzD,QAAQ,KAAK,eAAe;AAAA,QAC5B,eAAe;AAAA,QACf,YAAY;AAAA,MAEd,CAAC;AAAA,IACH;AAEA,UAAM,YAAY;AAAA,MAChB,0BAA0B,OAAO,eAAe,KAAK,qBAAqB;AAAA,IAC5E,IAAI,UACH;AAAA,QACC,CAAC,UACC,GAAG,MAAM,YAAY,UAAU,iCAAiC,KAAK,CAAC;AAAA,MAAA,EAEzE,KAAK,GAAG,CAAC;AAAA;AAAA,MAER,kBACI,gBAAgB;AAAA,QACd;AAAA,QACA;AAAA,MAAA,IAEF,+EAA+E,OAAO,eAAe,KAAK,kCAAkC;AAAA,IAAA,EAChJ,KAAK,IAAI;AAEX;AAAA,MACE,iBAAiB;AAAA,QACf,CAAC,MAAM,EAAE,aAAa,UAAa,WAAW,EAAE;AAAA,MAAA;AAAA,MAElD;AAAA,IAAA;AAGF,QAAI,gBAAgB,wBAAwB,OAAO;AACnD,QAAI,OAAO,cAAc;AACvB,sBAAgB,cAAc,OAAO,CAAC,MAAM,EAAE,eAAe,MAAM;AAAA,IACrE;AAEA,UAAM,mBAAmB,cAAc,IAAI,iBAAiB;AAE5D,QAAI,qBAAqB;AACzB,QAAI,OAAO,sBAAsB,SAAS,CAAC,OAAO,cAAc;AAC9D,2BAAqB,KAAK,gBACvB,IAAI,CAAC,SAAS;AACb,cAAM,uBAAuB,CAAC,cAA0B;AACtD,cAAI,CAAC,gCAAgC,SAAS,GAAG;AAC/C,mBAAO;AAAA,UACT;AACA,cAAIC,sBAAqB;AACzB,cAAI,UAAU,iBAAiB,QAAQ;AACrCA,kCAAqB,oEAAoE,UAAU,SAAS;AAAA,UAC9G,OAAO;AACLA,kCAAqB,2CAA2C,UAAU,SAAS;AAAA,sCAC3D,UAAU,SAAS;AAAA,sCACnB,UAAU,SAAS;AAAA,sCACnB,UAAU,SAAS;AAAA,sCACnB,UAAU,SAAS;AAAA;AAAA;AAAA,UAG7C;AAEA,iBAAO,qBAAqB,cAAc,WAAW,QAAQ,KAAK,sBAAsB,CAAC;AAAA,wBAC7EA,mBAAkB;AAAA;AAAA,QAEhC;AACA,eAAO,qBAAqB,IAAI;AAAA,MAClC,CAAC,EACA,KAAK,IAAI;AAAA,IACd;AAEA,UAAM,kBAAkB;AAAA,MACtB;AAAA,MACA;AAAA,MACA,KAAK;AAAA,MACL,KAAK;AAAA,IAAA;AAEP,iBAAa,QAAQ,eAAe;AAEpC,QAAI,SAAwB,CAAA;AAC5B,QAAI,OAAO,qBAAqB;AAC9B,UAAI,MAAM,QAAQ,OAAO,mBAAmB,GAAG;AAC7C,iBAAS,OAAO;AAAA,MAClB,OAAO;AACL,iBAAS,OAAO,oBAAA;AAAA,MAClB;AAAA,IACF;AACA,UAAM,mBAAmB;AAAA,MACvB,GAAG,OAAO;AAAA,MACV;AAAA;AAAA;AAAA,MAGA,CAAC,GAAG,gBAAgB,EAAE,KAAK,IAAI;AAAA,MAC/B,wBAAwB,YAAY,EAAE,IAAI,iBAAiB,EAAE,KAAK,IAAI;AAAA,MACtE,kBAAkB,KAAK,IAAI;AAAA,MAC3B,mBAAmB,KAAK,IAAI;AAAA,MAC5B;AAAA,MACA;AAAA,MACA;AAAA,MACA,gBAAgB,KAAK,IAAI;AAAA,MACzB;AAAA,MACA,GAAG;AAAA,IAAA,EAEF,OAAO,OAAO,EACd,KAAK,MAAM;AACd,WAAO;AAAA,MACL;AAAA,MACA,WAAW,IAAI;AAAA,MACf,YAAY,IAAI;AAAA,IAAA;AAAA,EAEpB;AAAA,EAEA,MAAc,qBAAqB,MAIzB;AACR,UAAM,SAAS,MAAM,KAAK,sBAAsB,IAAI;AAEpD,QAAI,OAAO,WAAW,SAAS;AAC7B,aAAO;AAAA,QACL,MAAM,OAAO,WAAW;AAAA,QACxB,iBAAiB;AAAA,QACjB,YAAY,OAAO;AAAA,MAAA;AAAA,IAEvB;AAEA,UAAM,qBAAqB,OAAO;AAElC,UAAM,oBAAoB,MAAM,KAAK,GAAG,SAAS,KAAK,QAAQ;AAC9D,QAAI,sBAAsB,qBAAqB;AAC7C,YAAM,IAAI,MAAM,WAAW,KAAK,QAAQ,iBAAiB;AAAA,IAC3D;AAEA,UAAM,oBAAyC;AAAA,MAC7C,aAAa,kBAAkB;AAAA,MAC/B,SAAS,kBAAkB,KAAK;AAAA,MAChC,SAAS,KAAK,aAAa;AAAA,MAC3B;AAAA,IAAA;AAGF,UAAM,mBAAmB,KAAK,WAAW,WAAW,KAAK,IAAI,KAAK;AAElE,QAAI,uBAAuB;AAC3B,QAAI,kBAAkB;AAEtB,QAAI,CAAC,kBAAkB,aAAa;AAClC,6BAAuB;AACvB,wBAAkB;AAElB,UAAI,KAAK,iBAAiB,QAAQ;AAChC,cAAM,qBAAqB,KAAK,eAAe;AAG/C,0BAAkB,cAAc,MAAM;AAAA,UACpC,KAAK;AAAA,WACJ,KAAK,OAAO,mBAAmB,qBAC9B,KAAK,OAAO,mBAAmB,kBAC/B,mBAAmB,SAAA;AAAA,UACrB;AAAA,YACE,YAAY,mBAAmB,QAAQ,WAAA;AAAA,YACvC,SAAS,iBAAiB,WAAW,eAAe,IAAI;AAAA,YACxD,gBACE,mBAAmB,QAAQ,eAAe,gBAAgB;AAAA,YAC5D,cAAc,mBAAmB,QAAQ,aAAA;AAAA,UAAa;AAAA,QACxD;AAAA,MAEJ;AAAA;AAAA,QAEG,CAAC,UAAU,QAAQ,EAAgC;AAAA,UAClD,CAAC,MAAM,MAAM,KAAK;AAAA,QAAA,KAGlB;AAAA,UACE;AAAA,UACA;AAAA,UACA;AAAA,UACA;AAAA,UACA;AAAA,QAAA,EAEF,MAAM,CAAC,MAAM,MAAM,KAAK,YAAY;AAAA,QACtC;AACA,cAAM,iBAAiB,KAAK,eAAe;AAC3C,0BAAkB,cAAc,MAAM;AAAA,UACpC,KAAK;AAAA,UACL,KAAK,OAAO,mBAAmB,iBAC7B,eAAe,SAAA;AAAA,UACjB;AAAA,YACE,YAAY,eAAe,QAAQ,WAAA;AAAA,YACnC,SAAS,iBAAiB,WAAW,eAAe,IAAI;AAAA,YACxD,gBACE,eAAe,QAAQ,eAAe,gBAAgB;AAAA,YACxD,cAAc,eAAe,QAAQ,aAAA;AAAA,UAAa;AAAA,QACpD;AAAA,MAEJ,OAAO;AACL,eAAO;AAAA,MACT;AAAA,IACF;AAIA,UAAM,YAAY,KAAK,SAAS,SAAS,MAAM;AAE/C,QAAI,CAAC,WAAW;AAEd,YAAM,kBAAkB,MAAM,UAAU;AAAA,QACtC,QAAQ,kBAAkB;AAAA,QAC1B,KAAK;AAAA,UACH,QAAQ,KAAK,OAAO;AAAA,UACpB,SAAS;AAAA,UACT,MAAM,KAAK,iBAAiB;AAAA,UAC5B,mBAAmB,EAAE,KAAK,OAAO,sBAAsB;AAAA,QAAA;AAAA,QAEzD;AAAA,MAAA,CACD;AAED,UAAI,gBAAgB,WAAW,mBAAmB;AAChD,aAAK,OAAO;AAAA,UACV,eAAe,KAAK,QAAQ;AAAA,QAAA;AAE9B,eAAO;AAAA,MACT;AACA,UAAI,gBAAgB,WAAW,SAAS;AACtC,cAAM,IAAI;AAAA,UACR,iCAAiC,KAAK,QAAQ,KAAK,gBAAgB,KAAK;AAAA,QAAA;AAAA,MAE5E;AACA,UAAI,gBAAgB,WAAW,YAAY;AACzC,0BAAkB,cAAc,gBAAgB;AAChD,+BAAuB;AAAA,MACzB;AAAA,IACF;AAEA,eAAW,UAAU,KAAK,SAAS;AACjC,aAAO,iBAAiB,EAAE,MAAM,UAAU,oBAAoB,MAAM;AAAA,IACtE;AAGA,QAAI,sBAAsB;AACxB,YAAM,QAAQ,MAAM,KAAK,cAAc;AAAA,QACrC,UAAU,KAAK;AAAA,QACf,YAAY,kBAAkB;AAAA,QAC9B,UAAU;AAAA,UACR,MAAM;AAAA,UACN,iBAAiB,kBAAkB;AAAA,QAAA;AAAA,MACrC,CACD;AACD,wBAAkB,UAAU,MAAM;AAAA,IACpC;AAEA,SAAK,qBAAqB,IAAI,KAAK,UAAU,iBAAiB;AAC9D,WAAO;AAAA,MACL;AAAA,MACA;AAAA,MACA,YAAY;AAAA,IAAA;AAAA,EAEhB;AAAA,EAEA,MAAc,kCACZ,MAIA,OAC+C;AAC/C,UAAM,aAAa,KAAK,KAAK,EAAE,IAAI,KAAK,IAAI;AAC5C,WAAO,KAAK,6BAA6B,MAAM,UAAU;AAAA,EAC3D;AAAA,EAEA,MAAc,6BAGZ,MAIA,YACuC;AAKvC,QAAI,CAAC,YAAY;AACf,aAAO,EAAE,QAAQ,oBAAA;AAAA,IACnB;AACA,QAAI,UAAU,KAAK;AAEnB,QAAI,YAAY,QAAW;AACzB,UAAI;AACF,cAAM,cAAc,MAAM,KAAK,GAAG,KAAK,KAAK,IAAI;AAChD,kBAAU,YAAY;AAAA,MACxB,QAAQ;AACN,eAAO,EAAE,QAAQ,mBAAA;AAAA,MACnB;AAAA,IACF;AACA,WAAO,EAAE,QAAQ,YAAY,WAAW,SAAS,SAAS,WAAA;AAAA,EAC5D;AAAA,EAEA,MAAc,cAAc,MAWzB;AACD,UAAM,UAAU,KAAK,gBAAgB,KAAK,QAAQ;AAClD,UAAM,KAAK,GAAG,UAAU,SAAS,KAAK,UAAU;AAEhD,QAAI,KAAK,SAAS,SAAS,SAAS;AAClC,YAAM,aAAa,MAAM,KAAK,GAAG,KAAK,KAAK,QAAQ;AACnD,UAAI,WAAW,YAAY,KAAK,SAAS,iBAAiB;AACxD,cAAM,MAAM;AAAA,UACV,KAAK,QAAQ,KAAK,QAAQ;AAAA,UAC1B,OAAO,EAAE,MAAM,UAAU,MAAM,KAAK,SAAA;AAAA,QAAS,CAC9C;AAAA,MACH;AACA,YAAM,eAAe,MAAM,KAAK,GAAG,KAAK,OAAO;AAC/C,UAAI,aAAa,SAAS,WAAW,MAAM;AACzC,cAAM,KAAK,GAAG,MAAM,SAAS,WAAW,IAAI;AAAA,MAC9C;AACA,UACE,aAAa,QAAQ,WAAW,OAChC,aAAa,QAAQ,WAAW,KAChC;AACA,YAAI;AACF,gBAAM,KAAK,GAAG,MAAM,SAAS,WAAW,KAAK,WAAW,GAAG;AAAA,QAC7D,SAAS,KAAK;AACZ,cACE,OAAO,QAAQ,YACf,QAAQ,QACR,UAAU,OACT,IAAY,SAAS,SACtB;AACA,oBAAQ;AAAA,cACN,iCAAkC,IAAY,OAAO;AAAA,YAAA;AAAA,UAEzD,OAAO;AACL,kBAAM;AAAA,UACR;AAAA,QACF;AAAA,MACF;AAAA,IACF,OAAO;AACL,UAAI,MAAM,gBAAgB,KAAK,QAAQ,GAAG;AACxC,cAAM,MAAM;AAAA,UACV,KAAK,QAAQ,KAAK,QAAQ;AAAA,UAC1B,OAAO,EAAE,MAAM,UAAU,MAAM,KAAK,SAAA;AAAA,QAAS,CAC9C;AAAA,MACH;AAAA,IACF;AAEA,UAAM,OAAO,MAAM,KAAK,GAAG,KAAK,OAAO;AAEvC,UAAM,KAAK,GAAG,OAAO,SAAS,KAAK,QAAQ;AAE3C,WAAO;AAAA,EACT;AAAA,EAEQ,gBAAgB,UAAkB;AACxC,UAAM,UAAU,KAAK,QAAQ,QAAQ;AACrC,UAAM,OAAO,OAAO,WAAW,KAAK,EAAE,OAAO,OAAO,EAAE,OAAO,KAAK;AAElE,QAAI,CAAC,KAAK,WAAW;AAEnB,gBAAU,KAAK,OAAO,QAAQ,EAAE,WAAW,MAAM;AACjD,WAAK,YAAY,OAAO,YAAY,CAAC,EAAE,SAAS,KAAK;AAAA,IACvD;AACA,WAAO,KAAK,KAAK,KAAK,OAAO,QAAQ,GAAG,KAAK,SAAS,IAAI,IAAI,EAAE;AAAA,EAClE;AAAA,EAEA,MAAc,sBAAsB,MAMlC;AACA,UAAM,mBAAmB,MAAM,KAAK;AAAA,MAClC,EAAE,MAAM,KAAK,SAAA;AAAA,MACb;AAAA,IAAA;AAEF,QAAI,iBAAiB,WAAW,OAAO;AACrC,WAAK,qBAAqB,IAAI,KAAK,UAAU,iBAAiB,UAAU;AACxE,aAAO;AAAA,QACL,QAAQ;AAAA,QACR,YAAY,iBAAiB;AAAA,MAAA;AAAA,IAEjC;AACA,QAAI,iBAAiB,WAAW,oBAAoB;AAClD,YAAM,IAAI,MAAM,sCAAsC,KAAK,QAAQ,EAAE;AAAA,IACvE;AACA,UAAM,UACJ,iBAAiB,WAAW,OAAO,iBAAiB,UAAU;AAEhE,UAAM,wBAAwB,MAAM,KAAK;AAAA,MACvC,EAAE,MAAM,KAAK,UAAU,QAAA;AAAA,MACvB;AAAA,IAAA;AAGF,QAAI,sBAAsB,WAAW,oBAAoB;AACvD,YAAM,IAAI,MAAM,sCAAsC,KAAK,QAAQ,EAAE;AAAA,IACvE;AAEA,QAAI,sBAAsB,WAAW,OAAO;AAE1C,UAAI,iBAAiB,WAAW,MAAM;AACpC,eAAO;AAAA,UACL,QAAQ;AAAA,UACR,YAAY,sBAAsB;AAAA,QAAA;AAAA,MAEtC;AAAA,IACF;AAEA,QAAI,iBAAiB,WAAW,qBAAqB;AACnD,aAAO;AAAA,QACL,QAAQ;AAAA,MAAA;AAAA,IAEZ;AACA,WAAO,EAAE,QAAQ,SAAS,YAAY,iBAAiB,WAAA;AAAA,EACzD;AAAA,EAEA,MAAc,eAAe,MAAiB;AAC5C,UAAM,SAAS,MAAM,KAAK,sBAAsB,IAAI;AAEpD,QAAI,OAAO,WAAW,SAAS;AAC7B,WAAK,qBAAqB,IAAI,KAAK,UAAU,OAAO,UAAU;AAAA,IAChE;AACA,UAAM,eAAe,MAAM,KAAK,GAAG,SAAS,KAAK,QAAQ;AACzD,QAAI,iBAAiB,qBAAqB;AACxC,YAAM,IAAI,MAAM,sCAAsC,KAAK,QAAQ,EAAE;AAAA,IACvE;AAEA,UAAM,oBAAyC;AAAA,MAC7C,aAAa,aAAa;AAAA,MAC1B,SAAS,aAAa,KAAK;AAAA,MAC3B,SAAS,KAAK,aAAa;AAAA,MAC3B;AAAA,IAAA;AAIF,QAAI,CAAC,aAAa,aAAa;AAC7B,YAAM,eAAe,KAAK,eAAe;AACzC,YAAM,mBAAmB,MAAM;AAAA,QAC7B,KAAK;AAAA,QACL,aAAa,SAAA;AAAA,QACb;AAAA,UACE,YAAY,aAAa,QAAQ,WAAA;AAAA,UACjC,SAAS;AAAA,UACT,gBAAgB,aAAa,QAAQ,eAAA;AAAA,UACrC,cAAc,aAAa,QAAQ,aAAA;AAAA,QAAa;AAAA,MAClD;AAGF,WAAK,OAAO,IAAI,eAAe,KAAK,QAAQ,EAAE;AAC9C,YAAM,QAAQ,MAAM,KAAK,cAAc;AAAA,QACrC,UAAU,KAAK;AAAA,QACf,YAAY;AAAA,QACZ,UAAU;AAAA,UACR,MAAM;AAAA,UACN,iBAAiB,aAAa,KAAK;AAAA,QAAA;AAAA,MACrC,CACD;AACD,wBAAkB,cAAc;AAChC,wBAAkB,UAAU,MAAM;AAAA,IACpC;AAEA,SAAK,qBAAqB,IAAI,KAAK,UAAU,iBAAiB;AAAA,EAChE;AAAA,EAEA,MAAa,oBAAyD;AACpE,UAAM,KAAK;AACX,WAAO,KAAK;AAAA,EACd;AAAA,EAEA,OAAe,WACb,MACA,KACA,WACA,QACA;AACA,QAAI,cAAc,eAAe,WAAW,MAAM,KAAK,SAAS;AAKhE,QAAI,CAAC,eAAe,KAAK,WAAW;AAClC,UAAI,aAAa,KAAK;AACtB,aAAO,WAAW,SAAS,GAAG;AAC5B,cAAM,YAAY,WAAW,YAAY,GAAG;AAC5C,YAAI,aAAa,EAAG;AACpB,qBAAa,WAAW,UAAU,GAAG,SAAS;AAC9C,cAAM,YAAY,IAAI,iBAAiB,IAAI,UAAU;AACrD,YAAI,aAAa,UAAU,cAAc,KAAK,WAAW;AACvD,wBAAc;AACd;AAAA,QACF;AAAA,MACF;AAAA,IACF;AAEA,QAAI,kBAAkB,SAAS;AAE/B,SAAK,OAAO,kBAAkB,IAAI;AAElC,UAAM,cAAc,aAAa,KAAK,QAAQ,EAAE;AAChD,UAAM,sBAAsB;AAAA,MAC1B,KAAK,mBAAmB;AAAA,QACtB,KAAK,QAAQ,qBAAqB;AAAA,QAClC;AAAA,MAAA,KACG;AAAA,IAAA;AAGP,UAAM,QAAQ,YAAY,MAAM,GAAG;AACnC,UAAM,gBAAgB,oBAAoB,MAAM,GAAG;AACnD,UAAM,mBAAmB,MAAM,MAAM,SAAS,CAAC,KAAK;AACpD,UAAM,sBACJ,cAAc,cAAc,SAAS,CAAC,KAAK;AAG7C,SAAK,YACH,kBAAkB,kBAAkB,mBAAmB,KACvD,MAAM,MAAM,CAAC,SAAS,KAAK,uBAAuB,KAAK,IAAI,CAAC;AAG9D,SAAK,cAAc;AAAA,MACjB;AAAA,QACE,+BAA+B,KAAK,MAAM,KAAK,iBAAiB;AAAA,QAChE,KAAK;AAAA,MAAA;AAAA,IACP;AAGF,QACE,KAAK,iBAAiB,YACtB,KAAK,iBAAiB,mBACtB;AACA,WAAK,cAAc,oBAAoB,KAAK,WAAW;AAAA,IACzD;AAEA,QACE,CAAC,KAAK,aAEJ;AAAA,MACE;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,MACA;AAAA,IAAA,EAEF,KAAK,CAAC,MAAM,MAAM,KAAK,YAAY,GACrC;AACA,UAAI,kBAAkB,KAAK,SAAU,IACnC,IAAI,kBAAkB,KAAK,SAAU,KAAK,CAAA;AAE5C,YAAM,WACJ,KAAK,iBAAiB,SAClB,SACC,KAAK;AACZ,UAAI,kBAAkB,KAAK,SAAU,EAAG,QAAQ,IAAI;AAEpD,YAAM,cAAc,IAAI,iBAAiB,IAAI,KAAK,SAAU;AAG5D,UAAI,CAAC,eAAe,KAAK,cAAc,IAAI,UAAU,IAAI;AACvD,aAAK;AAAA,UACH;AAAA,YACE,GAAG;AAAA,YACH,WAAW;AAAA,YACX,cAAc;AAAA,UAAA;AAAA,UAEhB;AAAA,UACA;AAAA,UACA;AAAA,QAAA;AAAA,MAEJ;AACA;AAAA,IACF;AAEA,UAAM,2BACJ,KAAK,iBAAiB,qBACtB,KAAK,eACL,KAAK,YAAY,SAAS;AAG5B,QAAI,CAAC,KAAK,aAAa,0BAA0B;AAC/C,YAAM,sBACJ,0BAA0B,KAAK,SAAS,KAAK;AAC/C,YAAM,8BACJ,0BAA0B,KAAK,iBAAiB,KAAK;AACvD,UAAI,aAAa;AAGjB,aAAO,YAAY;AACjB,cAAM,YAAY,IAAI,iBAAiB,IAAI,UAAU;AACrD,YAAI,aAAa,CAAC,UAAU,aAAa,UAAU,SAAS,KAAK;AAC/D,eAAK,SAAS;AACd,eAAK,OACH,KAAK,WAAW,QAAQ,UAAU,aAAa,IAAI,EAAE,KAAK;AAC5D,gBAAM,uBACJ,oBAAoB,QAAQ,UAAU,aAAa,IAAI,EAAE,KAAK;AAChE,gBAAM,+BACJ,4BAA4B;AAAA,YAC1B,UAAU,qBAAqB;AAAA,YAC/B;AAAA,UAAA,KACG;AACP,eAAK,cAAc;AAAA,YACjB;AAAA,cACE;AAAA,gBACE;AAAA,gBACA;AAAA,cAAA;AAAA,cAEF;AAAA,YAAA;AAAA,UACF;AAEF;AAAA,QACF;AACA,YAAI,eAAe,IAAK;AACxB,qBAAa,0BAA0B,UAAU,KAAK;AAAA,MACxD;AAAA,IACF;AAGA,QAAI,KAAK,QAAQ;AACf,WAAK,OAAO,WAAW,KAAK,OAAO,YAAY,CAAA;AAC/C,WAAK,OAAO,SAAS,KAAK,IAAI;AAAA,IAChC,OAAO;AACL,UAAI,UAAU,KAAK,IAAI;AAAA,IACzB;AAEA,QAAI,WAAW,KAAK,IAAI;AACxB,QAAI,KAAK,WAAW;AAKlB,UAAI,iBAAiB,IAAI,KAAK,WAAW,IAAI;AAAA,IAC/C;AAAA,EACF;AAAA;AAAA,EAGQ,qCAAqC,UAA2B;AAEtE,QAAI,aAAa,KAAK,wBAAwB;AAC5C,aAAO;AAAA,IACT;AAGA,QAAI,SAAS,WAAW,KAAK,mBAAmB,GAAG;AACjD,aAAO;AAAA,IACT;AAGA,QACE,OAAO,KAAK,OAAO,uBAAuB,YAC1C,aAAa,KAAK,OAAO,oBACzB;AACA,aAAO;AAAA,IACT;AAGA,QAAI,KAAK,eAAe,IAAI,QAAQ,GAAG;AACrC,aAAO;AAAA,IACT;AAGA,QAAI,oBAAoB,KAAK,SAAS,QAAQ,CAAC,GAAG;AAChD,aAAO;AAAA,IACT;AAGA,QAAI,KAAK,oBAAoB,KAAK,CAAC,QAAQ,SAAS,WAAW,GAAG,CAAC,GAAG;AACpE,aAAO;AAAA,IACT;AAEA,WAAO;AAAA,EACT;AACF;AAp1CE,WAAe,yBAAyB;AAKxC,WAAe,sBACb;AAnCG,IAAM,YAAN;"}
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@tanstack/router-generator",
3
- "version": "1.145.1",
3
+ "version": "1.145.2",
4
4
  "description": "Modern and scalable routing for React applications",
5
5
  "author": "Tanner Linsley",
6
6
  "license": "MIT",
@@ -55,8 +55,8 @@
55
55
  "tsx": "^4.19.2",
56
56
  "zod": "^3.24.2",
57
57
  "@tanstack/router-core": "1.144.0",
58
- "@tanstack/virtual-file-routes": "1.141.0",
59
- "@tanstack/router-utils": "1.143.11"
58
+ "@tanstack/router-utils": "1.143.11",
59
+ "@tanstack/virtual-file-routes": "1.141.0"
60
60
  },
61
61
  "devDependencies": {
62
62
  "@tanstack/react-router": "1.144.0"
@@ -248,15 +248,20 @@ export async function getRouteNodes(
248
248
  originalRoutePath = '/'
249
249
  }
250
250
 
251
+ // For layout routes, don't use '/' fallback - an empty path means
252
+ // "layout for the parent path" which is important for physical() mounts
253
+ // where route.tsx at root should have empty path, not '/'
254
+ const isLayoutRoute = routeType === 'layout'
255
+
251
256
  routePath =
252
257
  routePath.replace(new RegExp(`/${config.indexToken}$`), '/') ||
253
- '/'
258
+ (isLayoutRoute ? '' : '/')
254
259
 
255
260
  originalRoutePath =
256
261
  originalRoutePath.replace(
257
262
  new RegExp(`/${config.indexToken}$`),
258
263
  '/',
259
- ) || '/'
264
+ ) || (isLayoutRoute ? '' : '/')
260
265
  }
261
266
 
262
267
  routeNodes.push({
package/src/generator.ts CHANGED
@@ -1357,7 +1357,24 @@ ${acc.routeTree.map((child) => `${child.variableName}Route: typeof ${getResolved
1357
1357
  prefixMap: RoutePrefixMap,
1358
1358
  config?: Config,
1359
1359
  ) {
1360
- const parentRoute = hasParentRoute(prefixMap, node, node.routePath)
1360
+ let parentRoute = hasParentRoute(prefixMap, node, node.routePath)
1361
+
1362
+ // Fallback: check acc.routeNodesByPath for parents not in prefixMap
1363
+ // This handles virtual routes created from lazy-only files that weren't
1364
+ // in the initial prefixMap build
1365
+ if (!parentRoute && node.routePath) {
1366
+ let searchPath = node.routePath
1367
+ while (searchPath.length > 0) {
1368
+ const lastSlash = searchPath.lastIndexOf('/')
1369
+ if (lastSlash <= 0) break
1370
+ searchPath = searchPath.substring(0, lastSlash)
1371
+ const candidate = acc.routeNodesByPath.get(searchPath)
1372
+ if (candidate && candidate.routePath !== node.routePath) {
1373
+ parentRoute = candidate
1374
+ break
1375
+ }
1376
+ }
1377
+ }
1361
1378
 
1362
1379
  if (parentRoute) node.parent = parentRoute
1363
1380
 
@@ -1489,7 +1506,11 @@ ${acc.routeTree.map((child) => `${child.variableName}Route: typeof ${getResolved
1489
1506
  }
1490
1507
 
1491
1508
  acc.routeNodes.push(node)
1492
- if (node.routePath && !node.isVirtual) {
1509
+ if (node.routePath) {
1510
+ // Always register routes by path so child routes can find parents.
1511
+ // Virtual routes (created from lazy-only files) also need to be registered
1512
+ // so that index routes like path.index.lazy.tsx can find their parent path.lazy.tsx.
1513
+ // If a non-virtual route is later processed for the same path, it will overwrite.
1493
1514
  acc.routeNodesByPath.set(node.routePath, node)
1494
1515
  }
1495
1516
  }